From 2429a5383de01d3622d4205369144c9723fb76d4 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Tue, 22 Aug 2023 11:44:55 +0200 Subject: [PATCH 01/12] C#: Move `NestPaths` to `Semmle.Util` --- .../Semmle.Extraction.Tests/TrapWriter.cs | 52 ------------------- .../extractor/Semmle.Extraction/TrapWriter.cs | 36 +------------ .../extractor/Semmle.Util.Tests/FileUtils.cs | 43 +++++++++++++++ csharp/extractor/Semmle.Util/FileUtils.cs | 33 ++++++++++++ 4 files changed, 78 insertions(+), 86 deletions(-) delete mode 100644 csharp/extractor/Semmle.Extraction.Tests/TrapWriter.cs diff --git a/csharp/extractor/Semmle.Extraction.Tests/TrapWriter.cs b/csharp/extractor/Semmle.Extraction.Tests/TrapWriter.cs deleted file mode 100644 index 54e0a9db25a0..000000000000 --- a/csharp/extractor/Semmle.Extraction.Tests/TrapWriter.cs +++ /dev/null @@ -1,52 +0,0 @@ -using Xunit; -using Semmle.Util.Logging; -using Semmle.Util; - -namespace Semmle.Extraction.Tests -{ - public class TrapWriterTests - { - [Fact] - public void NestedPaths() - { - string tempDir = System.IO.Path.GetTempPath(); - string root1, root2, root3; - - if (Win32.IsWindows()) - { - root1 = "E:"; - root2 = "e:"; - root3 = @"\"; - } - else - { - root1 = "/E_"; - root2 = "/e_"; - root3 = "/"; - } - - using var logger = new LoggerMock(); - - Assert.Equal($@"C:\Temp\source_archive\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", "def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", "def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\E_\source\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", $@"{root1}\source\def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\e_\source\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", $@"{root2}\source\def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\source\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}source\def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\source\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}source\def.cs").Replace('/', '\\')); - - Assert.Equal(@"C:\Temp\source_archive\diskstation\share\source\def.cs", TrapWriter.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}{root3}diskstation\share\source\def.cs").Replace('/', '\\')); - } - - private sealed class LoggerMock : ILogger - { - public void Dispose() { } - - public void Log(Severity s, string text) { } - } - } -} diff --git a/csharp/extractor/Semmle.Extraction/TrapWriter.cs b/csharp/extractor/Semmle.Extraction/TrapWriter.cs index 3757e632e72d..58d71ccaf38c 100644 --- a/csharp/extractor/Semmle.Extraction/TrapWriter.cs +++ b/csharp/extractor/Semmle.Extraction/TrapWriter.cs @@ -216,7 +216,7 @@ private void ArchivePath(string fullInputPath, PathTransformer.ITransformedPath private void ArchiveContents(PathTransformer.ITransformedPath transformedPath, string contents) { - var dest = NestPaths(logger, archive, transformedPath.Value); + var dest = FileUtils.NestPaths(logger, archive, transformedPath.Value); var tmpSrcFile = Path.GetTempFileName(); File.WriteAllText(tmpSrcFile, contents, utf8); try @@ -231,38 +231,6 @@ private void ArchiveContents(PathTransformer.ITransformedPath transformedPath, s } } - public static string NestPaths(ILogger logger, string? outerpath, string innerpath) - { - var nested = innerpath; - if (!string.IsNullOrEmpty(outerpath)) - { - // Remove all leading path separators / or \ - // For example, UNC paths have two leading \\ - innerpath = innerpath.TrimStart(Path.DirectorySeparatorChar, Path.AltDirectorySeparatorChar); - - if (innerpath.Length > 1 && innerpath[1] == ':') - innerpath = innerpath[0] + "_" + innerpath.Substring(2); - - nested = Path.Combine(outerpath, innerpath); - } - try - { - var directoryName = Path.GetDirectoryName(nested); - if (directoryName is null) - { - logger.Log(Severity.Warning, "Failed to get directory name from path '" + nested + "'."); - throw new InvalidOperationException(); - } - Directory.CreateDirectory(directoryName); - } - catch (PathTooLongException) - { - logger.Log(Severity.Warning, "Failed to create parent directory of '" + nested + "': Path too long."); - throw; - } - return nested; - } - private static string TrapExtension(CompressionMode compression) { switch (compression) @@ -280,7 +248,7 @@ public static string TrapPath(ILogger logger, string? folder, PathTransformer.IT if (string.IsNullOrEmpty(folder)) folder = Directory.GetCurrentDirectory(); - return NestPaths(logger, folder, filename); + return FileUtils.NestPaths(logger, folder, filename); } } } diff --git a/csharp/extractor/Semmle.Util.Tests/FileUtils.cs b/csharp/extractor/Semmle.Util.Tests/FileUtils.cs index b3feedde4367..cbc82d4b814d 100644 --- a/csharp/extractor/Semmle.Util.Tests/FileUtils.cs +++ b/csharp/extractor/Semmle.Util.Tests/FileUtils.cs @@ -1,5 +1,6 @@ using Xunit; using Semmle.Util; +using Semmle.Util.Logging; namespace SemmleTests.Semmle.Util { @@ -16,5 +17,47 @@ public void TestConvertPaths() Assert.Equal(Win32.IsWindows() ? @"foo\bar" : "foo/bar", FileUtils.ConvertToNative("foo/bar")); } + + [Fact] + public void NestedPaths() + { + string root1, root2, root3; + + if (Win32.IsWindows()) + { + root1 = "E:"; + root2 = "e:"; + root3 = @"\"; + } + else + { + root1 = "/E_"; + root2 = "/e_"; + root3 = "/"; + } + + using var logger = new LoggerMock(); + + Assert.Equal($@"C:\Temp\source_archive\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", "def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", "def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\E_\source\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", $@"{root1}\source\def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\e_\source\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", $@"{root2}\source\def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\source\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}source\def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\source\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}source\def.cs").Replace('/', '\\')); + + Assert.Equal(@"C:\Temp\source_archive\diskstation\share\source\def.cs", FileUtils.NestPaths(logger, @"C:\Temp\source_archive", $@"{root3}{root3}diskstation\share\source\def.cs").Replace('/', '\\')); + } + + private sealed class LoggerMock : ILogger + { + public void Dispose() { } + + public void Log(Severity s, string text) { } + } } } diff --git a/csharp/extractor/Semmle.Util/FileUtils.cs b/csharp/extractor/Semmle.Util/FileUtils.cs index 90d0cc0a6350..ad8cb6cbec31 100644 --- a/csharp/extractor/Semmle.Util/FileUtils.cs +++ b/csharp/extractor/Semmle.Util/FileUtils.cs @@ -5,6 +5,7 @@ using System.Security.Cryptography; using System.Text; using System.Threading.Tasks; +using Semmle.Util.Logging; namespace Semmle.Util { @@ -110,5 +111,37 @@ private static async Task DownloadFileAsync(string address, string filename) /// public static void DownloadFile(string address, string fileName) => DownloadFileAsync(address, fileName).Wait(); + + public static string NestPaths(ILogger logger, string? outerpath, string innerpath) + { + var nested = innerpath; + if (!string.IsNullOrEmpty(outerpath)) + { + // Remove all leading path separators / or \ + // For example, UNC paths have two leading \\ + innerpath = innerpath.TrimStart(Path.DirectorySeparatorChar, Path.AltDirectorySeparatorChar); + + if (innerpath.Length > 1 && innerpath[1] == ':') + innerpath = innerpath[0] + "_" + innerpath.Substring(2); + + nested = Path.Combine(outerpath, innerpath); + } + try + { + var directoryName = Path.GetDirectoryName(nested); + if (directoryName is null) + { + logger.Log(Severity.Warning, "Failed to get directory name from path '" + nested + "'."); + throw new InvalidOperationException(); + } + Directory.CreateDirectory(directoryName); + } + catch (PathTooLongException) + { + logger.Log(Severity.Warning, "Failed to create parent directory of '" + nested + "': Path too long."); + throw; + } + return nested; + } } } From 6021d00f7e2c92f38ff1b724de7cadef664a8744 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Wed, 20 Sep 2023 11:22:58 +0200 Subject: [PATCH 02/12] C#: Move some methods into newly created `Semmle.Extraction.CSharp.Util` project --- csharp/CSharp.sln | 9 +- .../Semmle.Extraction.CSharp.Util.csproj | 17 +++ .../SymbolExtensions.cs | 131 ++++++++++++++++++ .../Entities/Event.cs | 1 + .../Entities/Expression.cs | 5 +- .../Entities/Expressions/ImplicitCast.cs | 1 + .../ObjectCreation/DateTimeObjectCreation.cs | 1 + .../Entities/Indexer.cs | 1 + .../Entities/OrdinaryMethod.cs | 4 +- .../Entities/Property.cs | 1 + .../Entities/Statements/ForEach.cs | 2 +- .../Entities/Statements/LocalFunction.cs | 2 +- .../Entities/Types/Type.cs | 2 +- .../Entities/UserOperator.cs | 113 +-------------- .../Populators/DirectiveVisitor.cs | 8 +- .../Semmle.Extraction.CSharp.csproj | 2 +- .../SymbolExtensions.cs | 13 -- 17 files changed, 177 insertions(+), 136 deletions(-) create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.Util/Semmle.Extraction.CSharp.Util.csproj create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.Util/SymbolExtensions.cs diff --git a/csharp/CSharp.sln b/csharp/CSharp.sln index ee00f406c7ac..fb71dacc3fe9 100644 --- a/csharp/CSharp.sln +++ b/csharp/CSharp.sln @@ -1,5 +1,4 @@ - -Microsoft Visual Studio Solution File, Format Version 12.00 +Microsoft Visual Studio Solution File, Format Version 12.00 # Visual Studio 15 VisualStudioVersion = 15.0.27130.2036 MinimumVisualStudioVersion = 10.0.40219.1 @@ -15,6 +14,8 @@ Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.De EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.Standalone", "extractor\Semmle.Extraction.CSharp.Standalone\Semmle.Extraction.CSharp.Standalone.csproj", "{D00E7D25-0FA0-48EC-B048-CD60CE1B30D8}" EndProject +Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.Util", "extractor\Semmle.Extraction.CSharp.Util\Semmle.Extraction.CSharp.Util.csproj", "{998A0D4C-8BFC-4513-A28D-4816AFB89882}" +EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CIL.Driver", "extractor\Semmle.Extraction.CIL.Driver\Semmle.Extraction.CIL.Driver.csproj", "{EFA400B3-C1CE-446F-A4E2-8B44E61EF47C}" EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.Driver", "extractor\Semmle.Extraction.CSharp.Driver\Semmle.Extraction.CSharp.Driver.csproj", "{C36453BF-0C82-448A-B15D-26947503A2D3}" @@ -85,6 +86,10 @@ Global {34256E8F-866A-46C1-800E-3DF69FD1DCB7}.Debug|Any CPU.Build.0 = Debug|Any CPU {34256E8F-866A-46C1-800E-3DF69FD1DCB7}.Release|Any CPU.ActiveCfg = Release|Any CPU {34256E8F-866A-46C1-800E-3DF69FD1DCB7}.Release|Any CPU.Build.0 = Release|Any CPU + {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Debug|Any CPU.ActiveCfg = Debug|Any CPU + {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Debug|Any CPU.Build.0 = Debug|Any CPU + {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Release|Any CPU.ActiveCfg = Release|Any CPU + {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Release|Any CPU.Build.0 = Release|Any CPU EndGlobalSection GlobalSection(SolutionProperties) = preSolution HideSolutionNode = FALSE diff --git a/csharp/extractor/Semmle.Extraction.CSharp.Util/Semmle.Extraction.CSharp.Util.csproj b/csharp/extractor/Semmle.Extraction.CSharp.Util/Semmle.Extraction.CSharp.Util.csproj new file mode 100644 index 000000000000..f279bfa4d189 --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.Util/Semmle.Extraction.CSharp.Util.csproj @@ -0,0 +1,17 @@ + + + net7.0 + Semmle.Extraction.CSharp.Util + Semmle.Extraction.CSharp.Util + false + true + win-x64;linux-x64;osx-x64 + enable + + + + + + + + \ No newline at end of file diff --git a/csharp/extractor/Semmle.Extraction.CSharp.Util/SymbolExtensions.cs b/csharp/extractor/Semmle.Extraction.CSharp.Util/SymbolExtensions.cs new file mode 100644 index 000000000000..141189091b0c --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.Util/SymbolExtensions.cs @@ -0,0 +1,131 @@ +using System.Text.RegularExpressions; +using Microsoft.CodeAnalysis; + +namespace Semmle.Extraction.CSharp.Util +{ + public static partial class SymbolExtensions + { + /// + /// Gets the name of this symbol. + /// + /// If the symbol implements an explicit interface, only the + /// name of the member being implemented is included, not the + /// explicit prefix. + /// + public static string GetName(this ISymbol symbol, bool useMetadataName = false) + { + var name = useMetadataName ? symbol.MetadataName : symbol.Name; + return symbol.CanBeReferencedByName ? name : name.Substring(symbol.Name.LastIndexOf('.') + 1); + } + + /// + /// Convert an operator method name in to a symbolic name. + /// A return value indicates whether the conversion succeeded. + /// + public static bool TryGetOperatorSymbol(this ISymbol symbol, out string operatorName) + { + static bool TryGetOperatorSymbolFromName(string methodName, out string operatorName) + { + var success = true; + switch (methodName) + { + case "op_LogicalNot": + operatorName = "!"; + break; + case "op_BitwiseAnd": + operatorName = "&"; + break; + case "op_Equality": + operatorName = "=="; + break; + case "op_Inequality": + operatorName = "!="; + break; + case "op_UnaryPlus": + case "op_Addition": + operatorName = "+"; + break; + case "op_UnaryNegation": + case "op_Subtraction": + operatorName = "-"; + break; + case "op_Multiply": + operatorName = "*"; + break; + case "op_Division": + operatorName = "/"; + break; + case "op_Modulus": + operatorName = "%"; + break; + case "op_GreaterThan": + operatorName = ">"; + break; + case "op_GreaterThanOrEqual": + operatorName = ">="; + break; + case "op_LessThan": + operatorName = "<"; + break; + case "op_LessThanOrEqual": + operatorName = "<="; + break; + case "op_Decrement": + operatorName = "--"; + break; + case "op_Increment": + operatorName = "++"; + break; + case "op_Implicit": + operatorName = "implicit conversion"; + break; + case "op_Explicit": + operatorName = "explicit conversion"; + break; + case "op_OnesComplement": + operatorName = "~"; + break; + case "op_RightShift": + operatorName = ">>"; + break; + case "op_UnsignedRightShift": + operatorName = ">>>"; + break; + case "op_LeftShift": + operatorName = "<<"; + break; + case "op_BitwiseOr": + operatorName = "|"; + break; + case "op_ExclusiveOr": + operatorName = "^"; + break; + case "op_True": + operatorName = "true"; + break; + case "op_False": + operatorName = "false"; + break; + default: + var match = CheckedRegex().Match(methodName); + if (match.Success) + { + TryGetOperatorSymbolFromName("op_" + match.Groups[1], out var uncheckedName); + operatorName = "checked " + uncheckedName; + break; + } + operatorName = methodName; + success = false; + break; + } + return success; + } + + var methodName = symbol.GetName(useMetadataName: false); + return TryGetOperatorSymbolFromName(methodName, out operatorName); + } + + [GeneratedRegex("^op_Checked(.*)$")] + private static partial Regex CheckedRegex(); + } +} diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Event.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Event.cs index e8e873f44926..888e1ba7304e 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Event.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Event.cs @@ -2,6 +2,7 @@ using System.Linq; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Syntax; +using Semmle.Extraction.CSharp.Util; namespace Semmle.Extraction.CSharp.Entities { diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expression.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expression.cs index 83c9b8b16897..6c5ac993ca6a 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expression.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expression.cs @@ -6,6 +6,7 @@ using Microsoft.CodeAnalysis.CSharp; using Microsoft.CodeAnalysis.CSharp.Syntax; using Semmle.Extraction.CSharp.Entities.Expressions; +using Semmle.Extraction.CSharp.Util; using Semmle.Extraction.Kinds; namespace Semmle.Extraction.CSharp.Entities @@ -205,7 +206,7 @@ private static bool ContainsPattern(SyntaxNode node) => { // this can happen in VB.NET cx.ExtractionError($"Extracting default argument value 'object {parameter.Name} = default' instead of 'object {parameter.Name} = {defaultValue}'. The latter is not supported in C#.", - null, null, severity: Util.Logging.Severity.Warning); + null, null, severity: Semmle.Util.Logging.Severity.Warning); // we're generating a default expression: return Default.CreateGenerated(cx, parent, childIndex, location, ValueAsString(null)); @@ -250,7 +251,7 @@ public void OperatorCall(TextWriter trapFile, ExpressionSyntax node) var callType = GetCallType(Context, node); if (callType == CallType.Dynamic) { - UserOperator.TryGetOperatorSymbol(method.Name, out var operatorName); + method.TryGetOperatorSymbol(out var operatorName); trapFile.dynamic_member_name(this, operatorName); return; } diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ImplicitCast.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ImplicitCast.cs index ebd7379ee670..d2762f20a07a 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ImplicitCast.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ImplicitCast.cs @@ -1,5 +1,6 @@ using System.Linq; using Microsoft.CodeAnalysis; +using Semmle.Extraction.CSharp.Util; using Semmle.Extraction.Kinds; namespace Semmle.Extraction.CSharp.Entities.Expressions diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ObjectCreation/DateTimeObjectCreation.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ObjectCreation/DateTimeObjectCreation.cs index 1f18251dad52..e9f40b1bc674 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ObjectCreation/DateTimeObjectCreation.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Expressions/ObjectCreation/DateTimeObjectCreation.cs @@ -1,6 +1,7 @@ using System.IO; using System.Linq; using Microsoft.CodeAnalysis; +using Semmle.Extraction.CSharp.Util; using Semmle.Extraction.Kinds; namespace Semmle.Extraction.CSharp.Entities.Expressions diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Indexer.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Indexer.cs index d73764987533..1c41974a3a2b 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Indexer.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Indexer.cs @@ -2,6 +2,7 @@ using System.Linq; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Syntax; +using Semmle.Extraction.CSharp.Util; namespace Semmle.Extraction.CSharp.Entities { diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/OrdinaryMethod.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/OrdinaryMethod.cs index fdbbc5478d21..26db581fe4ec 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/OrdinaryMethod.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/OrdinaryMethod.cs @@ -3,7 +3,7 @@ using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Syntax; using Semmle.Extraction.CSharp.Populators; - +using Semmle.Extraction.CSharp.Util; namespace Semmle.Extraction.CSharp.Entities { @@ -51,7 +51,7 @@ public override void Populate(TextWriter trapFile) { if (method.MethodKind == MethodKind.ReducedExtension) { - cx.Extractor.Logger.Log(Util.Logging.Severity.Warning, "Reduced extension method symbols should not be directly extracted."); + cx.Extractor.Logger.Log(Semmle.Util.Logging.Severity.Warning, "Reduced extension method symbols should not be directly extracted."); } return OrdinaryMethodFactory.Instance.CreateEntityFromSymbol(cx, method); diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Property.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Property.cs index 9fcc0ddb4c8e..08fa43354522 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Property.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Property.cs @@ -5,6 +5,7 @@ using Microsoft.CodeAnalysis.CSharp.Syntax; using Semmle.Extraction.CSharp.Entities.Expressions; using Semmle.Extraction.Kinds; +using Semmle.Extraction.CSharp.Util; namespace Semmle.Extraction.CSharp.Entities { diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/ForEach.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/ForEach.cs index 49456052f3b3..102f79f3c5ea 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/ForEach.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/ForEach.cs @@ -44,7 +44,7 @@ protected override void PopulateStatement(TextWriter trapFile) if (info.Equals(default)) { - Context.ExtractionError("Could not get foreach statement info", null, Context.CreateLocation(this.ReportingLocation), severity: Util.Logging.Severity.Info); + Context.ExtractionError("Could not get foreach statement info", null, Context.CreateLocation(this.ReportingLocation), severity: Semmle.Util.Logging.Severity.Info); return; } diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/LocalFunction.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/LocalFunction.cs index 9c6a579c368c..3d8523cdff63 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/LocalFunction.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Statements/LocalFunction.cs @@ -34,7 +34,7 @@ protected override void PopulateStatement(TextWriter trapFile) { if (Symbol is null) { - Context.ExtractionError("Could not get local function symbol", null, Context.CreateLocation(this.ReportingLocation), severity: Util.Logging.Severity.Warning); + Context.ExtractionError("Could not get local function symbol", null, Context.CreateLocation(this.ReportingLocation), severity: Semmle.Util.Logging.Severity.Warning); return; } diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Types/Type.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Types/Type.cs index 8c93d630d155..4f51ae74c936 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/Types/Type.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/Types/Type.cs @@ -87,7 +87,7 @@ protected void PopulateType(TextWriter trapFile, bool constructUnderlyingTupleTy var hasExpandingCycle = GenericsRecursionGraph.HasExpandingCycle(Symbol); if (hasExpandingCycle) { - Context.ExtractionError("Found recursive generic inheritance hierarchy. Base class of type is not extracted", Symbol.ToDisplayString(), Context.CreateLocation(ReportingLocation), severity: Util.Logging.Severity.Warning); + Context.ExtractionError("Found recursive generic inheritance hierarchy. Base class of type is not extracted", Symbol.ToDisplayString(), Context.CreateLocation(ReportingLocation), severity: Semmle.Util.Logging.Severity.Warning); } // Visit base types diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Entities/UserOperator.cs b/csharp/extractor/Semmle.Extraction.CSharp/Entities/UserOperator.cs index 3bba37d74b36..f2fc4b85d7f5 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Entities/UserOperator.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Entities/UserOperator.cs @@ -1,8 +1,8 @@ using System.IO; using System.Linq; -using System.Text.RegularExpressions; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Syntax; +using Semmle.Extraction.CSharp.Util; namespace Semmle.Extraction.CSharp.Entities { @@ -79,108 +79,7 @@ private bool IsImplicitOperator(out ITypeSymbol containingType) return true; } - /// - /// Convert an operator method name in to a symbolic name. - /// A return value indicates whether the conversion succeeded. - /// - /// The method name. - /// The converted operator name. - public static bool TryGetOperatorSymbol(string methodName, out string operatorName) - { - var success = true; - switch (methodName) - { - case "op_LogicalNot": - operatorName = "!"; - break; - case "op_BitwiseAnd": - operatorName = "&"; - break; - case "op_Equality": - operatorName = "=="; - break; - case "op_Inequality": - operatorName = "!="; - break; - case "op_UnaryPlus": - case "op_Addition": - operatorName = "+"; - break; - case "op_UnaryNegation": - case "op_Subtraction": - operatorName = "-"; - break; - case "op_Multiply": - operatorName = "*"; - break; - case "op_Division": - operatorName = "/"; - break; - case "op_Modulus": - operatorName = "%"; - break; - case "op_GreaterThan": - operatorName = ">"; - break; - case "op_GreaterThanOrEqual": - operatorName = ">="; - break; - case "op_LessThan": - operatorName = "<"; - break; - case "op_LessThanOrEqual": - operatorName = "<="; - break; - case "op_Decrement": - operatorName = "--"; - break; - case "op_Increment": - operatorName = "++"; - break; - case "op_Implicit": - operatorName = "implicit conversion"; - break; - case "op_Explicit": - operatorName = "explicit conversion"; - break; - case "op_OnesComplement": - operatorName = "~"; - break; - case "op_RightShift": - operatorName = ">>"; - break; - case "op_UnsignedRightShift": - operatorName = ">>>"; - break; - case "op_LeftShift": - operatorName = "<<"; - break; - case "op_BitwiseOr": - operatorName = "|"; - break; - case "op_ExclusiveOr": - operatorName = "^"; - break; - case "op_True": - operatorName = "true"; - break; - case "op_False": - operatorName = "false"; - break; - default: - var match = Regex.Match(methodName, "^op_Checked(.*)$"); - if (match.Success) - { - TryGetOperatorSymbol("op_" + match.Groups[1], out var uncheckedName); - operatorName = "checked " + uncheckedName; - break; - } - operatorName = methodName; - success = false; - break; - } - return success; - } + /// /// Converts a method name into a symbolic name. @@ -191,12 +90,8 @@ public static bool TryGetOperatorSymbol(string methodName, out string operatorNa /// The converted name. private static string OperatorSymbol(Context cx, IMethodSymbol method) { - if (method.ExplicitInterfaceImplementations.Any()) - return OperatorSymbol(cx, method.ExplicitInterfaceImplementations.First()); - - var methodName = method.Name; - if (!TryGetOperatorSymbol(methodName, out var result)) - cx.ModelError(method, $"Unhandled operator name in OperatorSymbol(): '{methodName}'"); + if (!method.TryGetOperatorSymbol(out var result)) + cx.ModelError(method, $"Unhandled operator name in OperatorSymbol(): '{method.Name}'"); return result; } diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Populators/DirectiveVisitor.cs b/csharp/extractor/Semmle.Extraction.CSharp/Populators/DirectiveVisitor.cs index 0751be3191c6..b80d5175a8d1 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Populators/DirectiveVisitor.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/Populators/DirectiveVisitor.cs @@ -59,7 +59,7 @@ public override void VisitEndRegionDirectiveTrivia(EndRegionDirectiveTriviaSynta if (regionStarts.Count == 0) { cx.ExtractionError("Couldn't find start region", null, - cx.CreateLocation(node.GetLocation()), null, Util.Logging.Severity.Warning); + cx.CreateLocation(node.GetLocation()), null, Semmle.Util.Logging.Severity.Warning); return; } @@ -94,7 +94,7 @@ public override void VisitEndIfDirectiveTrivia(EndIfDirectiveTriviaSyntax node) if (ifStarts.Count == 0) { cx.ExtractionError("Couldn't find start if", null, - cx.CreateLocation(node.GetLocation()), null, Util.Logging.Severity.Warning); + cx.CreateLocation(node.GetLocation()), null, Semmle.Util.Logging.Severity.Warning); return; } @@ -107,7 +107,7 @@ public override void VisitElifDirectiveTrivia(ElifDirectiveTriviaSyntax node) if (ifStarts.Count == 0) { cx.ExtractionError("Couldn't find start if", null, - cx.CreateLocation(node.GetLocation()), null, Util.Logging.Severity.Warning); + cx.CreateLocation(node.GetLocation()), null, Semmle.Util.Logging.Severity.Warning); return; } @@ -122,7 +122,7 @@ public override void VisitElseDirectiveTrivia(ElseDirectiveTriviaSyntax node) if (ifStarts.Count == 0) { cx.ExtractionError("Couldn't find start if", null, - cx.CreateLocation(node.GetLocation()), null, Util.Logging.Severity.Warning); + cx.CreateLocation(node.GetLocation()), null, Semmle.Util.Logging.Severity.Warning); return; } diff --git a/csharp/extractor/Semmle.Extraction.CSharp/Semmle.Extraction.CSharp.csproj b/csharp/extractor/Semmle.Extraction.CSharp/Semmle.Extraction.CSharp.csproj index a06a1df38f26..f274b8ff97e6 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/Semmle.Extraction.CSharp.csproj +++ b/csharp/extractor/Semmle.Extraction.CSharp/Semmle.Extraction.CSharp.csproj @@ -6,12 +6,12 @@ false true win-x64;linux-x64;osx-x64 - win-x64;linux-x64;osx-x64 enable + diff --git a/csharp/extractor/Semmle.Extraction.CSharp/SymbolExtensions.cs b/csharp/extractor/Semmle.Extraction.CSharp/SymbolExtensions.cs index 901d699c2a88..03932e4cd0d2 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp/SymbolExtensions.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp/SymbolExtensions.cs @@ -55,19 +55,6 @@ internal static class SymbolExtensions : type; } - /// - /// Gets the name of this symbol. - /// - /// If the symbol implements an explicit interface, only the - /// name of the member being implemented is included, not the - /// explicit prefix. - /// - public static string GetName(this ISymbol symbol, bool useMetadataName = false) - { - var name = useMetadataName ? symbol.MetadataName : symbol.Name; - return symbol.CanBeReferencedByName ? name : name.Substring(symbol.Name.LastIndexOf('.') + 1); - } - private static IEnumerable GetModifiers(this ISymbol symbol, Func> getModifierTokens) => symbol.DeclaringSyntaxReferences .Select(r => r.GetSyntax()) From e021fb46c8f704c810821dd1677dc88ecda7702c Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Wed, 20 Sep 2023 11:24:05 +0200 Subject: [PATCH 03/12] C#: Roslyn based stub generation --- csharp/CSharp.sln | 12 + .../Program.cs | 9 + ...tion.CSharp.DependencyStubGenerator.csproj | 18 + ...mle.Extraction.CSharp.StubGenerator.csproj | 18 + .../StubGenerator.cs | 84 ++ .../StubVisitor.cs | 835 ++++++++++++++++++ .../SymbolExtensions.cs | 9 + csharp/extractor/Semmle.Util/MemoizedFunc.cs | 48 + 8 files changed, 1033 insertions(+) create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Semmle.Extraction.CSharp.DependencyStubGenerator.csproj create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/Semmle.Extraction.CSharp.StubGenerator.csproj create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/SymbolExtensions.cs create mode 100644 csharp/extractor/Semmle.Util/MemoizedFunc.cs diff --git a/csharp/CSharp.sln b/csharp/CSharp.sln index fb71dacc3fe9..3c9f3ef4e4f7 100644 --- a/csharp/CSharp.sln +++ b/csharp/CSharp.sln @@ -14,6 +14,8 @@ Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.De EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.Standalone", "extractor\Semmle.Extraction.CSharp.Standalone\Semmle.Extraction.CSharp.Standalone.csproj", "{D00E7D25-0FA0-48EC-B048-CD60CE1B30D8}" EndProject +Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.StubGenerator", "extractor\Semmle.Extraction.CSharp.StubGenerator\Semmle.Extraction.CSharp.StubGenerator.csproj", "{B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}" +EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CSharp.Util", "extractor\Semmle.Extraction.CSharp.Util\Semmle.Extraction.CSharp.Util.csproj", "{998A0D4C-8BFC-4513-A28D-4816AFB89882}" EndProject Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "Semmle.Extraction.CIL.Driver", "extractor\Semmle.Extraction.CIL.Driver\Semmle.Extraction.CIL.Driver.csproj", "{EFA400B3-C1CE-446F-A4E2-8B44E61EF47C}" @@ -30,6 +32,8 @@ Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Semmle.Autobuild.CSharp", " EndProject Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Semmle.Autobuild.CSharp.Tests", "autobuilder\Semmle.Autobuild.CSharp.Tests\Semmle.Autobuild.CSharp.Tests.csproj", "{34256E8F-866A-46C1-800E-3DF69FD1DCB7}" EndProject +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Semmle.Extraction.CSharp.DependencyStubGenerator", "extractor\Semmle.Extraction.CSharp.DependencyStubGenerator\Semmle.Extraction.CSharp.DependencyStubGenerator.csproj", "{0EDA21A3-ADD8-4C10-B494-58B12B526B76}" +EndProject Global GlobalSection(SolutionConfigurationPlatforms) = preSolution Debug|Any CPU = Debug|Any CPU @@ -90,6 +94,14 @@ Global {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Debug|Any CPU.Build.0 = Debug|Any CPU {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Release|Any CPU.ActiveCfg = Release|Any CPU {B7C9FD47-A78C-4C20-AC29-B0AE638ADE9D}.Release|Any CPU.Build.0 = Release|Any CPU + {998A0D4C-8BFC-4513-A28D-4816AFB89882}.Debug|Any CPU.ActiveCfg = Debug|Any CPU + {998A0D4C-8BFC-4513-A28D-4816AFB89882}.Debug|Any CPU.Build.0 = Debug|Any CPU + {998A0D4C-8BFC-4513-A28D-4816AFB89882}.Release|Any CPU.ActiveCfg = Release|Any CPU + {998A0D4C-8BFC-4513-A28D-4816AFB89882}.Release|Any CPU.Build.0 = Release|Any CPU + {0EDA21A3-ADD8-4C10-B494-58B12B526B76}.Debug|Any CPU.ActiveCfg = Debug|Any CPU + {0EDA21A3-ADD8-4C10-B494-58B12B526B76}.Debug|Any CPU.Build.0 = Debug|Any CPU + {0EDA21A3-ADD8-4C10-B494-58B12B526B76}.Release|Any CPU.ActiveCfg = Release|Any CPU + {0EDA21A3-ADD8-4C10-B494-58B12B526B76}.Release|Any CPU.Build.0 = Release|Any CPU EndGlobalSection GlobalSection(SolutionProperties) = preSolution HideSolutionNode = FALSE diff --git a/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs new file mode 100644 index 000000000000..7155e8ddc81e --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs @@ -0,0 +1,9 @@ +using Semmle.Extraction.CSharp.DependencyFetching; +using Semmle.Extraction.CSharp.StubGenerator; +using Semmle.Util.Logging; + +var logger = new ConsoleLogger(Verbosity.Info); +using var dependencyManager = new DependencyManager(".", DependencyOptions.Default, logger); +StubGenerator.GenerateStubs(logger, dependencyManager.ReferenceFiles, "codeql_csharp_stubs"); + +return 0; diff --git a/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Semmle.Extraction.CSharp.DependencyStubGenerator.csproj b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Semmle.Extraction.CSharp.DependencyStubGenerator.csproj new file mode 100644 index 000000000000..2274d26be65a --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Semmle.Extraction.CSharp.DependencyStubGenerator.csproj @@ -0,0 +1,18 @@ + + + + Exe + net7.0 + Semmle.Extraction.CSharp.DependencyStubGenerator + Semmle.Extraction.CSharp.DependencyStubGenerator + enable + enable + + + + + + + + + diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/Semmle.Extraction.CSharp.StubGenerator.csproj b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/Semmle.Extraction.CSharp.StubGenerator.csproj new file mode 100644 index 000000000000..1fc85eaa5de8 --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/Semmle.Extraction.CSharp.StubGenerator.csproj @@ -0,0 +1,18 @@ + + + net7.0 + Semmle.Extraction.CSharp.StubGenerator + Semmle.Extraction.CSharp.StubGenerator + false + win-x64;linux-x64;osx-x64 + enable + + + + + + + + + + \ No newline at end of file diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs new file mode 100644 index 000000000000..64ffc0e9a7b1 --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs @@ -0,0 +1,84 @@ +using System; +using System.Collections.Concurrent; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using System.Text; +using System.Threading.Tasks; +using Microsoft.CodeAnalysis; +using Microsoft.CodeAnalysis.CSharp; +using Semmle.Util; +using Semmle.Util.Logging; + +namespace Semmle.Extraction.CSharp.StubGenerator; + +public static class StubGenerator +{ + /// + /// Generates stubs for all the provided assembly paths. + /// + /// The paths of the assemblies to generate stubs for. + /// The path in which to store the stubs. + public static void GenerateStubs(ILogger logger, IEnumerable referencesPaths, string outputPath) + { + var stopWatch = new System.Diagnostics.Stopwatch(); + stopWatch.Start(); + + var threads = EnvironmentVariables.GetDefaultNumberOfThreads(); + + using var references = new BlockingCollection<(MetadataReference Reference, string Path)>(); + var referenceResolveTasks = GetResolvedReferenceTasks(referencesPaths, references); + + Parallel.Invoke( + new ParallelOptions { MaxDegreeOfParallelism = threads }, + referenceResolveTasks.ToArray()); + + logger.Log(Severity.Info, $"Generating stubs for {references.Count} assemblies."); + + var compilation = CSharpCompilation.Create( + "stubgenerator.dll", + null, + references.Select(tuple => tuple.Item1), + new CSharpCompilationOptions(OutputKind.ConsoleApplication, allowUnsafe: true)); + + var referenceStubTasks = references.Select(@ref => (Action)(() => StubReference(compilation, outputPath, @ref.Reference, @ref.Path))); + Parallel.Invoke( + new ParallelOptions { MaxDegreeOfParallelism = threads }, + referenceStubTasks.ToArray()); + + stopWatch.Stop(); + logger.Log(Severity.Info, $"Stub generation took {stopWatch.Elapsed}."); + } + + private static IEnumerable GetResolvedReferenceTasks(IEnumerable referencePaths, BlockingCollection<(MetadataReference, string)> references) + { + return referencePaths.Select(path => () => + { + var reference = MetadataReference.CreateFromFile(path); + references.Add((reference, path)); + }); + } + + private static void StubReference(CSharpCompilation compilation, string outputPath, MetadataReference reference, string path) + { + if (compilation.GetAssemblyOrModuleSymbol(reference) is IAssemblySymbol assembly) + { + var logger = new ConsoleLogger(Verbosity.Info); + using var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); + using var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); + + writer.WriteLine("// This file contains auto-generated code."); + writer.WriteLine($"// Generated from `{assembly.Identity}`."); + + var visitor = new StubVisitor(assembly, writer); + + visitor.StubAttributes(assembly.GetAttributes(), "assembly: "); + + foreach (var module in assembly.Modules) + { + module.GlobalNamespace.Accept(new StubVisitor(assembly, writer)); + } + } + } +} + diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs new file mode 100644 index 000000000000..6cb93eb65b97 --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs @@ -0,0 +1,835 @@ +using System; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using Microsoft.CodeAnalysis; +using Semmle.Extraction.CSharp.Util; +using Semmle.Util; + +namespace Semmle.Extraction.CSharp.StubGenerator; + +internal sealed class StubVisitor : SymbolVisitor +{ + private readonly IAssemblySymbol assembly; + private readonly TextWriter stubWriter; + private readonly MemoizedFunc isRelevantNamespace; + + public StubVisitor(IAssemblySymbol assembly, TextWriter stubWriter) + { + this.assembly = assembly; + this.stubWriter = stubWriter; + this.isRelevantNamespace = new(symbol => + symbol.GetTypeMembers().Any(IsRelevantNamedType) || + symbol.GetNamespaceMembers().Any(IsRelevantNamespace)); + } + + private static bool IsNotPublic(Accessibility accessibility) => + accessibility == Accessibility.Private || + accessibility == Accessibility.Internal || + accessibility == Accessibility.ProtectedAndInternal; + + private static bool IsRelevantBaseType(INamedTypeSymbol symbol) => + !IsNotPublic(symbol.DeclaredAccessibility) && + symbol.CanBeReferencedByName; + + private bool IsRelevantNamedType(INamedTypeSymbol symbol) => + IsRelevantBaseType(symbol) && + SymbolEqualityComparer.Default.Equals(symbol.ContainingAssembly, assembly); + + private bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace[symbol]; + + private void StubExplicitInterface(ISymbol symbol, ISymbol? explicitInterfaceSymbol, bool writeName = true) + { + static bool ContainsTupleType(ITypeSymbol type) => + type is INamedTypeSymbol named && (named.IsTupleType || named.TypeArguments.Any(ContainsTupleType)) || + type is IArrayTypeSymbol array && ContainsTupleType(array.ElementType) || + type is IPointerTypeSymbol pointer && ContainsTupleType(pointer.PointedAtType); + + static bool EqualsModuloTupleElementNames(ITypeSymbol t1, ITypeSymbol t2) => + SymbolEqualityComparer.Default.Equals(t1, t2) || + ( + t1 is INamedTypeSymbol named1 && + t2 is INamedTypeSymbol named2 && + EqualsModuloTupleElementNames(named1.ConstructedFrom, named2.ConstructedFrom) && + named1.TypeArguments.Length == named2.TypeArguments.Length && + named1.TypeArguments.Zip(named2.TypeArguments).All(p => EqualsModuloTupleElementNames(p.First, p.Second)) + ) || + ( + t1 is IArrayTypeSymbol array1 && + t2 is IArrayTypeSymbol array2 && + EqualsModuloTupleElementNames(array1.ElementType, array2.ElementType) + ) || + ( + t1 is IPointerTypeSymbol pointer1 && + t2 is IPointerTypeSymbol pointer2 && + EqualsModuloTupleElementNames(pointer1.PointedAtType, pointer2.PointedAtType) + ); + + if (explicitInterfaceSymbol is not null) + { + var explicitInterfaceType = explicitInterfaceSymbol.ContainingType; + + // Workaround for when the explicit interface type contains named tuple types, + // in which case Roslyn may incorrectly forget the names of the tuple elements. + // + // For example, without this workaround we would incorrectly generate the following stub: + // + // ```csharp + // public sealed class UnorderedItemsCollection : System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)>, ... + // { + // System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)> System.Collections.Generic.IEnumerable<(TElement, TPriority)>.GetEnumerator() => throw null; + // } + // ``` + if (ContainsTupleType(explicitInterfaceType)) + { + explicitInterfaceType = symbol.ContainingType.Interfaces.First(i => ContainsTupleType(i) && EqualsModuloTupleElementNames(i, explicitInterfaceSymbol.ContainingType)); + } + + stubWriter.Write(explicitInterfaceType.GetQualifiedName()); + stubWriter.Write('.'); + if (writeName) + stubWriter.Write(explicitInterfaceSymbol.GetName()); + } + else if (writeName) + { + stubWriter.Write(symbol.GetName()); + } + } + + private void StubAccessibility(Accessibility accessibility) + { + switch (accessibility) + { + case Accessibility.Public: + stubWriter.Write("public "); + break; + case Accessibility.Protected or Accessibility.ProtectedOrInternal: + stubWriter.Write("protected "); + break; + case Accessibility.Internal: + stubWriter.Write("internal "); + break; + case Accessibility.ProtectedAndInternal or Accessibility.ProtectedOrInternal: + stubWriter.Write("protected internal "); + break; + default: + stubWriter.Write($"/* TODO: {accessibility} */"); + break; + } + } + + private void StubModifiers(ISymbol symbol, bool skipAccessibility = false) + { + if (symbol.ContainingType is ITypeSymbol containing && containing.TypeKind == TypeKind.Interface) + skipAccessibility = true; + + if (symbol is IMethodSymbol method && method.MethodKind == MethodKind.Constructor && symbol.IsStatic) + skipAccessibility = true; + + if (!skipAccessibility) + StubAccessibility(symbol.DeclaredAccessibility); + + if (symbol.IsAbstract) + { + if ( + // exclude interface declarations + (symbol is not INamedTypeSymbol type || type.TypeKind != TypeKind.Interface) && + // exclude non-static interface members + (symbol.ContainingType is not INamedTypeSymbol containingType || containingType.TypeKind != TypeKind.Interface || symbol.IsStatic)) + { + stubWriter.Write("abstract "); + } + } + + if (symbol.IsStatic) + stubWriter.Write("static "); + if (symbol.IsVirtual) + stubWriter.Write("virtual "); + if (symbol.IsOverride) + stubWriter.Write("override "); + if (symbol.IsSealed) + { + if (!(symbol is INamedTypeSymbol type && (type.TypeKind == TypeKind.Enum || type.TypeKind == TypeKind.Delegate || type.TypeKind == TypeKind.Struct))) + stubWriter.Write("sealed "); + } + if (symbol.IsExtern) + stubWriter.Write("extern "); + } + + public void StubTypedConstant(TypedConstant c) + { + switch (c.Kind) + { + case TypedConstantKind.Primitive: + if (c.Value is string s) + { + stubWriter.Write($"\"{s}\""); + } + else if (c.Value is char ch) + { + stubWriter.Write($"'{ch}'"); + } + else if (c.Value is bool b) + { + stubWriter.Write(b ? "true" : "false"); + } + else if (c.Value is int i) + { + stubWriter.Write(i); + } + else if (c.Value is long l) + { + stubWriter.Write(l); + } + else if (c.Value is float f) + { + stubWriter.Write(f); + } + else if (c.Value is double d) + { + stubWriter.Write(d); + } + else + { + stubWriter.Write("throw null"); + } + break; + case TypedConstantKind.Enum: + stubWriter.Write("throw null"); + break; + case TypedConstantKind.Array: + stubWriter.Write("new []{"); + WriteCommaSep(c.Values, StubTypedConstant); + stubWriter.Write("}"); + break; + default: + stubWriter.Write($"/* TODO: {c.Kind} */ throw null"); + break; + } + } + + private static readonly HashSet attributeAllowList = new() { + "System.FlagsAttribute" + }; + + private void StubAttribute(AttributeData a, string prefix) + { + if (a.AttributeClass is not INamedTypeSymbol @class) + return; + + var qualifiedName = @class.GetQualifiedName(); + if (!attributeAllowList.Contains(qualifiedName)) + return; + + stubWriter.Write($"[{prefix}{qualifiedName.AsSpan(0, @class.GetQualifiedName().Length - 9)}"); + if (a.ConstructorArguments.Any()) + { + stubWriter.Write("("); + WriteCommaSep(a.ConstructorArguments, StubTypedConstant); + stubWriter.Write(")"); + } + stubWriter.WriteLine("]"); + } + + public void StubAttributes(IEnumerable a, string prefix = "") + { + foreach (var attribute in a) + { + StubAttribute(attribute, prefix); + } + } + + private void StubEvent(IEventSymbol symbol, IEventSymbol? explicitInterfaceSymbol) + { + StubAttributes(symbol.GetAttributes()); + + StubModifiers(symbol, explicitInterfaceSymbol is not null); + stubWriter.Write("event "); + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); + + StubExplicitInterface(symbol, explicitInterfaceSymbol); + + stubWriter.Write(" { "); + if (symbol.AddMethod is not null) + stubWriter.Write("add {} "); + if (symbol.RemoveMethod is not null) + stubWriter.Write("remove {} "); + stubWriter.WriteLine("}"); + } + + private static T[] FilterExplicitInterfaceImplementations(IEnumerable explicitInterfaceImplementations) where T : ISymbol => + explicitInterfaceImplementations.Where(i => IsRelevantBaseType(i.ContainingType)).ToArray(); + + public override void VisitEvent(IEventSymbol symbol) + { + var explicitInterfaceImplementations = FilterExplicitInterfaceImplementations(symbol.ExplicitInterfaceImplementations); + + if (IsNotPublic(symbol.DeclaredAccessibility) && explicitInterfaceImplementations.Length == 0) + return; + + foreach (var explicitInterfaceSymbol in explicitInterfaceImplementations) + { + StubEvent(symbol, explicitInterfaceSymbol); + } + + if (explicitInterfaceImplementations.Length == 0) + StubEvent(symbol, null); + } + + private static bool IsUnsafe(ITypeSymbol symbol) => + symbol.TypeKind == TypeKind.Pointer || + symbol.TypeKind == TypeKind.FunctionPointer || + (symbol is INamedTypeSymbol named && named.TypeArguments.Any(IsUnsafe)) || + (symbol is IArrayTypeSymbol at && IsUnsafe(at.ElementType)); + + private static readonly HashSet keywords = new() { + "abstract", "as", "base", "bool", "break", "byte", "case", "catch", "char", "checked", + "class", "const", "continue", "decimal", "default", "delegate", "do", "double", "else", + "enum", "event", "explicit", "extern", "false", "finally", "fixed", "float", "for", "foreach", + "goto", "if", "implicit", "in", "int", "interface", "internal", "is", "lock", "long", + "namespace", "new", "null", "object", "operator", "out", "override", "params", "private", + "protected", "public", "readonly", "ref", "return", "sbyte", "sealed", "short", "sizeof", + "stackalloc", "static", "string", "struct", "switch", "this", "throw", "true", "try", + "typeof", "uint", "ulong", "unchecked", "unsafe", "ushort", "using", "virtual", "void", + "volatile", "while" + }; + + private static string EscapeIdentifier(string identifier) + { + if (keywords.Contains(identifier)) + return "@" + identifier; + return identifier; + } + + public override void VisitField(IFieldSymbol symbol) + { + if (IsNotPublic(symbol.DeclaredAccessibility)) + return; + + StubAttributes(symbol.GetAttributes()); + + StubModifiers(symbol); + + if (IsUnsafe(symbol.Type)) + { + stubWriter.Write("unsafe "); + } + + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); + stubWriter.Write(EscapeIdentifier(symbol.Name)); + stubWriter.WriteLine(";"); + } + + private void WriteCommaSep(IEnumerable items, Action writeItem) + { + var first = true; + foreach (var item in items) + { + if (!first) + { + stubWriter.Write(", "); + } + writeItem(item); + first = false; + } + } + + private void WriteStringCommaSep(IEnumerable items, Func writeItem) + { + WriteCommaSep(items, item => stubWriter.Write(writeItem(item))); + } + + private void StubTypeParameters(IEnumerable typeParameters) + { + if (!typeParameters.Any()) + return; + + stubWriter.Write('<'); + WriteStringCommaSep(typeParameters, typeParameter => typeParameter.Name); + stubWriter.Write('>'); + } + + private void StubTypeParameterConstraints(IEnumerable typeParameters) + { + if (!typeParameters.Any()) + return; + + var inheritsConstraints = typeParameters.Any(tp => + tp.DeclaringMethod is IMethodSymbol method && + (method.IsOverride || method.ExplicitInterfaceImplementations.Any())); + + foreach (var typeParameter in typeParameters) + { + var firstTypeParameterConstraint = true; + + void WriteTypeParameterConstraint(Action a) + { + if (firstTypeParameterConstraint) + { + stubWriter.Write($" where {typeParameter.Name} : "); + } + else + { + stubWriter.Write(", "); + } + a(); + firstTypeParameterConstraint = false; + } + + if (typeParameter.HasReferenceTypeConstraint) + { + WriteTypeParameterConstraint(() => stubWriter.Write("class")); + } + + if (typeParameter.HasValueTypeConstraint && + !typeParameter.HasUnmanagedTypeConstraint && + !typeParameter.ConstraintTypes.Any(t => t.GetQualifiedName() is "System.Enum")) + { + WriteTypeParameterConstraint(() => stubWriter.Write("struct")); + } + + if (inheritsConstraints) + continue; + + if (typeParameter.HasUnmanagedTypeConstraint) + { + WriteTypeParameterConstraint(() => stubWriter.Write("unmanaged")); + } + + var constraintTypes = typeParameter.ConstraintTypes.Select(t => t.GetQualifiedName()).Where(s => s is not "").ToArray(); + if (constraintTypes.Any()) + { + WriteTypeParameterConstraint(() => + { + WriteStringCommaSep(constraintTypes, constraintType => constraintType); + }); + } + + if (typeParameter.HasConstructorConstraint) + { + WriteTypeParameterConstraint(() => stubWriter.Write("new()")); + } + } + } + + private static INamedTypeSymbol? GetBaseType(INamedTypeSymbol symbol) + { + if (symbol.BaseType is INamedTypeSymbol @base && + @base.SpecialType != SpecialType.System_Object && + @base.SpecialType != SpecialType.System_ValueType) + { + return @base; + } + + return null; + } + + private static IMethodSymbol? GetBaseConstructor(INamedTypeSymbol symbol) + { + if (GetBaseType(symbol) is not INamedTypeSymbol @base) + return null; + + var containingTypes = new HashSet(SymbolEqualityComparer.Default); + var current = symbol; + while (current is not null) + { + containingTypes.Add(current); + current = current.ContainingType; + } + + var baseCtor = @base.Constructors. + Where(c => !c.IsStatic). + Where(c => + c.DeclaredAccessibility == Accessibility.Public || + c.DeclaredAccessibility == Accessibility.Protected || + c.DeclaredAccessibility == Accessibility.ProtectedOrInternal || + containingTypes.Contains(c.ContainingType) + ). + OrderBy(c => c.Parameters.Length).FirstOrDefault(); + + return baseCtor?.Parameters.Length > 0 ? baseCtor : null; + } + + private static IMethodSymbol? GetBaseConstructor(IMethodSymbol ctor) + { + if (ctor.MethodKind != MethodKind.Constructor) + return null; + + return GetBaseConstructor(ctor.ContainingType); + } + + private void StubParameters(ICollection parameters) + { + WriteCommaSep(parameters, parameter => + { + switch (parameter.RefKind) + { + case RefKind.None: + break; + case RefKind.Ref: + stubWriter.Write("ref "); + break; + case RefKind.Out: + stubWriter.Write("out "); + break; + case RefKind.In: + stubWriter.Write("in "); + break; + default: + stubWriter.Write($"/* TODO: {parameter.RefKind} */"); + break; + } + + if (parameter.IsParams) + stubWriter.Write("params "); + + stubWriter.Write(parameter.Type.GetQualifiedName()); + stubWriter.Write(" "); + stubWriter.Write(EscapeIdentifier(parameter.Name)); + + if (parameter.HasExplicitDefaultValue) + { + stubWriter.Write(" = "); + stubWriter.Write($"default({parameter.Type.GetQualifiedName()})"); + } + }); + } + + private void StubMethod(IMethodSymbol symbol, IMethodSymbol? explicitInterfaceSymbol, IMethodSymbol? baseCtor) + { + var methodKind = explicitInterfaceSymbol is null ? symbol.MethodKind : explicitInterfaceSymbol.MethodKind; + + var relevantMethods = new[] { + MethodKind.Constructor, + MethodKind.Conversion, + MethodKind.UserDefinedOperator, + MethodKind.Ordinary + }; + + if (!relevantMethods.Contains(methodKind)) + return; + + StubAttributes(symbol.GetAttributes()); + + StubModifiers(symbol, explicitInterfaceSymbol is not null); + + if (IsUnsafe(symbol.ReturnType) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) + { + stubWriter.Write("unsafe "); + } + + if (explicitInterfaceSymbol is null && symbol.DeclaredAccessibility == Accessibility.Private) + { + stubWriter.Write("public "); + } + + if (methodKind == MethodKind.Constructor) + { + stubWriter.Write(symbol.ContainingType.Name); + } + else if (methodKind == MethodKind.Conversion) + { + if (!symbol.TryGetOperatorSymbol(out var operatorName)) + { + stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + return; + } + + switch (operatorName) + { + case "explicit conversion": + stubWriter.Write("explicit operator "); + break; + case "checked explicit conversion": + stubWriter.Write("explicit operator checked "); + break; + case "implicit conversion": + stubWriter.Write("implicit operator "); + break; + case "checked implicit conversion": + stubWriter.Write("implicit operator checked "); + break; + default: + stubWriter.Write($"/* TODO: {symbol.Name} */"); + break; + } + + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + } + else if (methodKind == MethodKind.UserDefinedOperator) + { + if (!symbol.TryGetOperatorSymbol(out var operatorName)) + { + stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + return; + } + + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + stubWriter.Write(" "); + StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); + stubWriter.Write("operator "); + stubWriter.Write(operatorName); + } + else + { + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + stubWriter.Write(" "); + StubExplicitInterface(symbol, explicitInterfaceSymbol); + StubTypeParameters(symbol.TypeParameters); + } + + stubWriter.Write("("); + + if (symbol.IsExtensionMethod) + { + stubWriter.Write("this "); + } + + StubParameters(symbol.Parameters); + + stubWriter.Write(")"); + + if (baseCtor is not null) + { + stubWriter.Write(" : base("); + WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); + stubWriter.Write(")"); + } + + StubTypeParameterConstraints(symbol.TypeParameters); + + if (symbol.IsAbstract) + stubWriter.WriteLine(";"); + else + stubWriter.WriteLine(" => throw null;"); + } + + public override void VisitMethod(IMethodSymbol symbol) + { + var baseCtor = GetBaseConstructor(symbol); + var explicitInterfaceImplementations = FilterExplicitInterfaceImplementations(symbol.ExplicitInterfaceImplementations); + + if (baseCtor is null && + ((IsNotPublic(symbol.DeclaredAccessibility) && explicitInterfaceImplementations.Length == 0) || + symbol.IsImplicitlyDeclared)) + { + return; + } + + foreach (var explicitInterfaceSymbol in explicitInterfaceImplementations) + { + StubMethod(symbol, explicitInterfaceSymbol, baseCtor); + } + + // Roslyn reports certain methods to be only explicit interface methods, such as + // `System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result)` + // in the `System.Int32` struct. However, we also need a non-explicit implementation + // in order for things to compile. + var roslynExplicitInterfaceWorkaround = + symbol.ContainingType.GetQualifiedName() is "int" && + explicitInterfaceImplementations.Any(i => i.ContainingType.GetQualifiedName() is "System.Numerics.INumberBase"); + + if (explicitInterfaceImplementations.Length == 0 || roslynExplicitInterfaceWorkaround) + StubMethod(symbol, null, baseCtor); + } + + public override void VisitNamedType(INamedTypeSymbol symbol) + { + if (!IsRelevantNamedType(symbol)) + { + return; + } + + if (symbol.TypeKind == TypeKind.Delegate) + { + var invokeMethod = symbol.DelegateInvokeMethod!; + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol); + + if (IsUnsafe(invokeMethod.ReturnType) || invokeMethod.Parameters.Any(p => IsUnsafe(p.Type))) + { + stubWriter.Write("unsafe "); + } + + stubWriter.Write("delegate "); + stubWriter.Write(invokeMethod.ReturnType.GetQualifiedName()); + stubWriter.Write($" {symbol.Name}"); + StubTypeParameters(symbol.TypeParameters); + stubWriter.Write("("); + StubParameters(invokeMethod.Parameters); + stubWriter.Write(")"); + StubTypeParameterConstraints(symbol.TypeParameters); + stubWriter.WriteLine(";"); + return; + } + + switch (symbol.TypeKind) + { + case TypeKind.Class: + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol); + // certain classes, such as `Microsoft.Extensions.Logging.LoggingBuilderExtensions` + // exist in multiple assemblies, so make them partial + if (symbol.IsStatic && symbol.Name.EndsWith("Extensions")) + stubWriter.Write("partial "); + stubWriter.Write("class "); + break; + case TypeKind.Enum: + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol); + stubWriter.Write("enum "); + break; + case TypeKind.Interface: + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol); + stubWriter.Write("interface "); + break; + case TypeKind.Struct: + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol); + stubWriter.Write("struct "); + break; + default: + return; + } + + stubWriter.Write(symbol.Name); + + StubTypeParameters(symbol.TypeParameters); + + if (symbol.TypeKind == TypeKind.Enum) + { + if (symbol.EnumUnderlyingType is INamedTypeSymbol enumBase && enumBase.SpecialType != SpecialType.System_Int32) + { + stubWriter.Write(" : "); + stubWriter.Write(enumBase.GetQualifiedName()); + } + } + else + { + var bases = symbol.Interfaces.Where(IsRelevantBaseType).ToList(); + if (GetBaseType(symbol) is INamedTypeSymbol @base && IsRelevantBaseType(@base)) + { + bases.Insert(0, @base); + } + + if (bases.Any()) + { + stubWriter.Write(" : "); + WriteStringCommaSep(bases, b => b.GetQualifiedName()); + } + } + + StubTypeParameterConstraints(symbol.TypeParameters); + + stubWriter.WriteLine(" {"); + + if (symbol.TypeKind == TypeKind.Enum) + { + foreach (var field in symbol.GetMembers().OfType().Where(field => field.ConstantValue is not null)) + { + stubWriter.Write(field.Name); + stubWriter.Write(" = "); + stubWriter.Write(field.ConstantValue); + stubWriter.WriteLine(","); + } + } + else + { + var seenCtor = false; + foreach (var childSymbol in symbol.GetMembers()) + { + seenCtor |= childSymbol is IMethodSymbol method && method.MethodKind == MethodKind.Constructor; + childSymbol.Accept(this); + } + + if (!seenCtor && GetBaseConstructor(symbol) is IMethodSymbol baseCtor) + { + stubWriter.Write($"internal {symbol.Name}() : base("); + WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); + stubWriter.WriteLine(") {}"); + } + } + + stubWriter.WriteLine("}"); + } + + public override void VisitNamespace(INamespaceSymbol symbol) + { + if (!IsRelevantNamespace(symbol)) + { + return; + } + + var isGlobal = symbol.IsGlobalNamespace; + + if (!isGlobal) + stubWriter.WriteLine($"namespace {symbol.Name} {{"); + + foreach (var childSymbol in symbol.GetMembers()) + { + childSymbol.Accept(this); + } + + if (!isGlobal) + stubWriter.WriteLine("}"); + } + + private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInterfaceSymbol) + { + if (symbol.Parameters.Any()) + { + var name = symbol.GetName(useMetadataName: true); + if (name is not "Item" && explicitInterfaceSymbol is null) + stubWriter.WriteLine($"[System.Runtime.CompilerServices.IndexerName(\"{name}\")]"); + } + + StubAttributes(symbol.GetAttributes()); + StubModifiers(symbol, explicitInterfaceSymbol is not null); + + if (IsUnsafe(symbol.Type) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) + { + stubWriter.Write("unsafe "); + } + + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); + + if (symbol.Parameters.Any()) + { + StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); + stubWriter.Write("this["); + StubParameters(symbol.Parameters); + stubWriter.Write("]"); + } + else + { + StubExplicitInterface(symbol, explicitInterfaceSymbol); + } + + stubWriter.Write(" { "); + if (symbol.GetMethod is not null) + stubWriter.Write(symbol.IsAbstract ? "get; " : "get => throw null; "); + if (symbol.SetMethod is not null) + stubWriter.Write(symbol.IsAbstract ? "set; " : "set {} "); + stubWriter.WriteLine("}"); + } + + public override void VisitProperty(IPropertySymbol symbol) + { + var explicitInterfaceImplementations = FilterExplicitInterfaceImplementations(symbol.ExplicitInterfaceImplementations); + + if (IsNotPublic(symbol.DeclaredAccessibility) && explicitInterfaceImplementations.Length == 0) + return; + + foreach (var explicitInterfaceImplementation in explicitInterfaceImplementations) + { + StubProperty(symbol, explicitInterfaceImplementation); + } + + if (explicitInterfaceImplementations.Length == 0) + StubProperty(symbol, null); + } +} \ No newline at end of file diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/SymbolExtensions.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/SymbolExtensions.cs new file mode 100644 index 000000000000..551dd2c9415a --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/SymbolExtensions.cs @@ -0,0 +1,9 @@ +using Microsoft.CodeAnalysis; + +namespace Semmle.Extraction.CSharp.StubGenerator; + +public static class SymbolExtensions +{ + public static string GetQualifiedName(this ISymbol symbol) => + symbol.ToDisplayString(SymbolDisplayFormat.FullyQualifiedFormat.WithGlobalNamespaceStyle(SymbolDisplayGlobalNamespaceStyle.Omitted)); +} diff --git a/csharp/extractor/Semmle.Util/MemoizedFunc.cs b/csharp/extractor/Semmle.Util/MemoizedFunc.cs new file mode 100644 index 000000000000..1db2c89b1e06 --- /dev/null +++ b/csharp/extractor/Semmle.Util/MemoizedFunc.cs @@ -0,0 +1,48 @@ +using System; +using System.Collections.Generic; +using System.Collections.Concurrent; + +namespace Semmle.Util; + +public class MemoizedFunc where T1 : notnull +{ + private readonly Func f; + private readonly Dictionary cache = new(); + + public MemoizedFunc(Func f) + { + this.f = f; + } + + public T2 this[T1 s] + { + get + { + if (!cache.TryGetValue(s, out var t)) + { + t = f(s); + cache[s] = t; + } + return t; + } + } +} + +public class ConcurrentMemoizedFunc where T1 : notnull +{ + private readonly Func f; + private readonly ConcurrentDictionary cache = new(); + + public ConcurrentMemoizedFunc(Func f) + { + this.f = f; + } + + public T2 this[T1 s] + { + get + { + return cache.GetOrAdd(s, f); + } + } +} \ No newline at end of file From 8b2c233b61431bb8c7c97924302b268c330f4c2a Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Thu, 24 Aug 2023 11:21:49 +0200 Subject: [PATCH 04/12] C#: Use new stub generator in `make_stubs_nuget.py` --- csharp/ql/src/Stubs/helpers.py | 2 +- csharp/ql/src/Stubs/make_stubs_nuget.py | 55 ++++++++++++------------- 2 files changed, 28 insertions(+), 29 deletions(-) diff --git a/csharp/ql/src/Stubs/helpers.py b/csharp/ql/src/Stubs/helpers.py index d54a012a98ea..5f6034162de0 100644 --- a/csharp/ql/src/Stubs/helpers.py +++ b/csharp/ql/src/Stubs/helpers.py @@ -9,7 +9,7 @@ def run_cmd(cmd, msg="Failed to run command"): exit(1) -def run_cmd_cwd(cmd, cwd, msg): +def run_cmd_cwd(cmd, cwd, msg="Failed to run command"): print('Change working directory to: ' + cwd) print('Running ' + ' '.join(cmd)) if subprocess.check_call(cmd, cwd=cwd): diff --git a/csharp/ql/src/Stubs/make_stubs_nuget.py b/csharp/ql/src/Stubs/make_stubs_nuget.py index 09aadc366fc2..19d27933baf9 100644 --- a/csharp/ql/src/Stubs/make_stubs_nuget.py +++ b/csharp/ql/src/Stubs/make_stubs_nuget.py @@ -18,19 +18,25 @@ def write_csproj_prefix(ioWrapper): print('Script to generate stub file from a nuget package') print(' Usage: python3 ' + sys.argv[0] + - ' NUGET_PACKAGE_NAME [VERSION=latest] [WORK_DIR=tempDir]') + ' TEMPLATE NUGET_PACKAGE_NAME [VERSION=latest] [WORK_DIR=tempDir]') print(' The script uses the dotnet cli, codeql cli, and dotnet format global tool') +print(' TEMPLATE should be either classlib or webapp, depending on the nuget package. For example, `Swashbuckle.AspNetCore.Swagger` should use `webapp` while `newtonsoft.json` should use `classlib`.') if len(sys.argv) < 2: + print("\nPlease supply a template name.") + exit(1) + +if len(sys.argv) < 3: print("\nPlease supply a nuget package name.") exit(1) thisScript = sys.argv[0] thisDir = os.path.abspath(os.path.dirname(thisScript)) -nuget = sys.argv[1] +template = sys.argv[1] +nuget = sys.argv[2] # /input contains a dotnet project that's being extracted -workDir = os.path.abspath(helpers.get_argv(3, "tempDir")) +workDir = os.path.abspath(helpers.get_argv(4, "tempDir")) projectNameIn = "input" projectDirIn = os.path.join(workDir, projectNameIn) @@ -57,10 +63,10 @@ def run_cmd(cmd, msg="Failed to run command"): outputFile = os.path.join(projectDirOut, outputName + '.cs') bqrsFile = os.path.join(rawOutputDir, outputName + '.bqrs') jsonFile = os.path.join(rawOutputDir, outputName + '.json') -version = helpers.get_argv(2, "latest") +version = helpers.get_argv(3, "latest") print("\n* Creating new input project") -run_cmd(['dotnet', 'new', 'classlib', "-f", "net7.0", "--language", "C#", '--name', +run_cmd(['dotnet', 'new', template, "-f", "net7.0", "--language", "C#", '--name', projectNameIn, '--output', projectDirIn]) helpers.remove_files(projectDirIn, '.cs') @@ -75,36 +81,27 @@ def run_cmd(cmd, msg="Failed to run command"): print("\n* Creating new global.json file and setting SDK to " + sdk_version) run_cmd(['dotnet', 'new', 'globaljson', '--force', '--sdk-version', sdk_version, '--output', workDir]) -print("\n* Creating DB") -run_cmd(['codeql', 'database', 'create', dbDir, '--language=csharp', - '--command', 'dotnet build /t:rebuild ' + projectDirIn]) - -if not os.path.isdir(dbDir): - print("Expected database directory " + dbDir + " not found.") - exit(1) - -print("\n* Running stubbing CodeQL query") -run_cmd(['codeql', 'query', 'run', os.path.join( - thisDir, 'AllStubsFromReference.ql'), '--database', dbDir, '--output', bqrsFile]) - -run_cmd(['codeql', 'bqrs', 'decode', bqrsFile, '--output', - jsonFile, '--format=json']) +print("\n* Running stub generator") +helpers.run_cmd_cwd(['dotnet', 'run', '--project', thisDir + '/../../../extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Semmle.Extraction.CSharp.DependencyStubGenerator.csproj'], projectDirIn) print("\n* Creating new raw output project") rawSrcOutputDirName = 'src' rawSrcOutputDir = os.path.join(rawOutputDir, rawSrcOutputDirName) -run_cmd(['dotnet', 'new', 'classlib', "--language", "C#", +run_cmd(['dotnet', 'new', template, "--language", "C#", '--name', rawSrcOutputDirName, '--output', rawSrcOutputDir]) helpers.remove_files(rawSrcOutputDir, '.cs') -# load json from query result file and split it into separate .cs files +# copy each file from projectDirIn to rawSrcOutputDir pathInfos = {} -with open(jsonFile) as json_data: - data = json.load(json_data) - for row in data['#select']['tuples']: - pathInfos[row[3]] = os.path.join(rawSrcOutputDir, row[1] + '.cs') - with open(pathInfos[row[3]], 'a') as f: - f.write(row[4]) +codeqlStubsDir = os.path.join(projectDirIn, 'codeql_csharp_stubs') +for root, dirs, files in os.walk(codeqlStubsDir): + for file in files: + if file.endswith('.cs'): + path = os.path.join(root, file) + relPath, _ = os.path.splitext(os.path.relpath(path, codeqlStubsDir)) + origDllPath = "/" + relPath + ".dll" + pathInfos[origDllPath] = os.path.join(rawSrcOutputDir, file) + shutil.copy2(path, rawSrcOutputDir) print("\n --> Generated stub files: " + rawSrcOutputDir) @@ -214,6 +211,7 @@ def run_cmd(cmd, msg="Failed to run command"): copiedFiles.add(pathInfo) shutil.copy2(pathInfos[pathInfo], frameworkDir) +exitCode = 0 for pathInfo in pathInfos: if pathInfo not in copiedFiles: print('Not copied to nuget or framework folder: ' + pathInfo) @@ -221,7 +219,8 @@ def run_cmd(cmd, msg="Failed to run command"): if not os.path.exists(othersDir): os.makedirs(othersDir) shutil.copy2(pathInfos[pathInfo], othersDir) + exitCode = 1 print("\n --> Generated structured stub files: " + stubsDir) -exit(0) +exit(exitCode) From 58f45ea198aa4922659c0f6ddbda0c588f8cf4e4 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Fri, 25 Aug 2023 13:27:08 +0200 Subject: [PATCH 05/12] C#: Regenerate `Newtonsoft.Json` stubs --- .../library-tests/dataflow/global/options | 2 +- .../library-tests/dataflow/library/options | 2 +- .../library-tests/frameworks/JsonNET/options | 2 +- .../options | 2 +- .../{13.0.1 => 13.0.3}/Newtonsoft.Json.cs | 2478 ++++++++--------- .../{13.0.1 => 13.0.3}/Newtonsoft.Json.csproj | 0 6 files changed, 1092 insertions(+), 1394 deletions(-) rename csharp/ql/test/resources/stubs/Newtonsoft.Json/{13.0.1 => 13.0.3}/Newtonsoft.Json.cs (72%) rename csharp/ql/test/resources/stubs/Newtonsoft.Json/{13.0.1 => 13.0.3}/Newtonsoft.Json.csproj (100%) diff --git a/csharp/ql/test/library-tests/dataflow/global/options b/csharp/ql/test/library-tests/dataflow/global/options index a4bf68c5e388..a2859a6265b1 100644 --- a/csharp/ql/test/library-tests/dataflow/global/options +++ b/csharp/ql/test/library-tests/dataflow/global/options @@ -1,3 +1,3 @@ semmle-extractor-options: /nostdlib /noconfig -semmle-extractor-options: --load-sources-from-project:${testdir}/../../../resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj +semmle-extractor-options: --load-sources-from-project:${testdir}/../../../resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj semmle-extractor-options: ${testdir}/../../../resources/stubs/System.Web.cs \ No newline at end of file diff --git a/csharp/ql/test/library-tests/dataflow/library/options b/csharp/ql/test/library-tests/dataflow/library/options index db937e0e642c..6fb355b88a51 100644 --- a/csharp/ql/test/library-tests/dataflow/library/options +++ b/csharp/ql/test/library-tests/dataflow/library/options @@ -1,5 +1,5 @@ semmle-extractor-options: /nostdlib /noconfig -semmle-extractor-options: --load-sources-from-project:${testdir}/../../../resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj +semmle-extractor-options: --load-sources-from-project:${testdir}/../../../resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj semmle-extractor-options: --load-sources-from-project:../../../resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.App.csproj semmle-extractor-options: ${testdir}/../../../resources/stubs/System.Web.cs semmle-extractor-options: ${testdir}/../../../resources/stubs/EntityFramework.cs diff --git a/csharp/ql/test/library-tests/frameworks/JsonNET/options b/csharp/ql/test/library-tests/frameworks/JsonNET/options index 04c8985075a0..c1876368cd31 100644 --- a/csharp/ql/test/library-tests/frameworks/JsonNET/options +++ b/csharp/ql/test/library-tests/frameworks/JsonNET/options @@ -1 +1 @@ -semmle-extractor-options: /nostdlib /noconfig --load-sources-from-project:../../../resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj +semmle-extractor-options: /nostdlib /noconfig --load-sources-from-project:../../../resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj diff --git a/csharp/ql/test/query-tests/Security Features/CWE-502/UnsafeDeserializationUntrustedInputNewtonsoftJson/options b/csharp/ql/test/query-tests/Security Features/CWE-502/UnsafeDeserializationUntrustedInputNewtonsoftJson/options index 81ebad48b0d3..750b4e671894 100644 --- a/csharp/ql/test/query-tests/Security Features/CWE-502/UnsafeDeserializationUntrustedInputNewtonsoftJson/options +++ b/csharp/ql/test/query-tests/Security Features/CWE-502/UnsafeDeserializationUntrustedInputNewtonsoftJson/options @@ -1,3 +1,3 @@ semmle-extractor-options: /nostdlib /noconfig -semmle-extractor-options: --load-sources-from-project:${testdir}/../../../../resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj +semmle-extractor-options: --load-sources-from-project:${testdir}/../../../../resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj semmle-extractor-options: ${testdir}/../../../../resources/stubs/System.Web.cs diff --git a/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.cs b/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs similarity index 72% rename from csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.cs rename to csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs index b506c7f4cbce..910a1ac3b0e8 100644 --- a/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.cs +++ b/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs @@ -1,150 +1,319 @@ // This file contains auto-generated code. - +// Generated from `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed`. namespace Newtonsoft { namespace Json { - // Generated from `Newtonsoft.Json.ConstructorHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` + namespace Bson + { + public class BsonObjectId + { + public BsonObjectId(byte[] value) => throw null; + public byte[] Value { get => throw null; } + } + public class BsonReader : Newtonsoft.Json.JsonReader + { + public override void Close() => throw null; + public BsonReader(System.IO.Stream stream) => throw null; + public BsonReader(System.IO.BinaryReader reader) => throw null; + public BsonReader(System.IO.Stream stream, bool readRootValueAsArray, System.DateTimeKind dateTimeKindHandling) => throw null; + public BsonReader(System.IO.BinaryReader reader, bool readRootValueAsArray, System.DateTimeKind dateTimeKindHandling) => throw null; + public System.DateTimeKind DateTimeKindHandling { get => throw null; set { } } + public bool JsonNet35BinaryCompatibility { get => throw null; set { } } + public override bool Read() => throw null; + public bool ReadRootValueAsArray { get => throw null; set { } } + } + public class BsonWriter : Newtonsoft.Json.JsonWriter + { + public override void Close() => throw null; + public BsonWriter(System.IO.Stream stream) => throw null; + public BsonWriter(System.IO.BinaryWriter writer) => throw null; + public System.DateTimeKind DateTimeKindHandling { get => throw null; set { } } + public override void Flush() => throw null; + public override void WriteComment(string text) => throw null; + protected override void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; + public override void WriteNull() => throw null; + public void WriteObjectId(byte[] value) => throw null; + public override void WritePropertyName(string name) => throw null; + public override void WriteRaw(string json) => throw null; + public override void WriteRawValue(string json) => throw null; + public void WriteRegex(string pattern, string options) => throw null; + public override void WriteStartArray() => throw null; + public override void WriteStartConstructor(string name) => throw null; + public override void WriteStartObject() => throw null; + public override void WriteUndefined() => throw null; + public override void WriteValue(object value) => throw null; + public override void WriteValue(string value) => throw null; + public override void WriteValue(int value) => throw null; + public override void WriteValue(uint value) => throw null; + public override void WriteValue(long value) => throw null; + public override void WriteValue(ulong value) => throw null; + public override void WriteValue(float value) => throw null; + public override void WriteValue(double value) => throw null; + public override void WriteValue(bool value) => throw null; + public override void WriteValue(short value) => throw null; + public override void WriteValue(ushort value) => throw null; + public override void WriteValue(char value) => throw null; + public override void WriteValue(byte value) => throw null; + public override void WriteValue(sbyte value) => throw null; + public override void WriteValue(decimal value) => throw null; + public override void WriteValue(System.DateTime value) => throw null; + public override void WriteValue(System.DateTimeOffset value) => throw null; + public override void WriteValue(byte[] value) => throw null; + public override void WriteValue(System.Guid value) => throw null; + public override void WriteValue(System.TimeSpan value) => throw null; + public override void WriteValue(System.Uri value) => throw null; + } + } public enum ConstructorHandling { - AllowNonPublicDefaultConstructor = 1, Default = 0, + AllowNonPublicDefaultConstructor = 1, + } + namespace Converters + { + public class BinaryConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public BinaryConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class BsonObjectIdConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public BsonObjectIdConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public abstract class CustomCreationConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public override bool CanWrite { get => throw null; } + public abstract T Create(System.Type objectType); + protected CustomCreationConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class DataSetConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type valueType) => throw null; + public DataSetConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class DataTableConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type valueType) => throw null; + public DataTableConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public abstract class DateTimeConverterBase : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + protected DateTimeConverterBase() => throw null; + } + public class DiscriminatedUnionConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public DiscriminatedUnionConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class EntityKeyMemberConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public EntityKeyMemberConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class ExpandoObjectConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public override bool CanWrite { get => throw null; } + public ExpandoObjectConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class IsoDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase + { + public IsoDateTimeConverter() => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; set { } } + public string DateTimeFormat { get => throw null; set { } } + public System.Globalization.DateTimeStyles DateTimeStyles { get => throw null; set { } } + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class JavaScriptDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase + { + public JavaScriptDateTimeConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class KeyValuePairConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public KeyValuePairConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class RegexConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public RegexConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class StringEnumConverter : Newtonsoft.Json.JsonConverter + { + public bool AllowIntegerValues { get => throw null; set { } } + public bool CamelCaseText { get => throw null; set { } } + public override bool CanConvert(System.Type objectType) => throw null; + public StringEnumConverter() => throw null; + public StringEnumConverter(bool camelCaseText) => throw null; + public StringEnumConverter(Newtonsoft.Json.Serialization.NamingStrategy namingStrategy, bool allowIntegerValues = default(bool)) => throw null; + public StringEnumConverter(System.Type namingStrategyType) => throw null; + public StringEnumConverter(System.Type namingStrategyType, object[] namingStrategyParameters) => throw null; + public StringEnumConverter(System.Type namingStrategyType, object[] namingStrategyParameters, bool allowIntegerValues) => throw null; + public Newtonsoft.Json.Serialization.NamingStrategy NamingStrategy { get => throw null; set { } } + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class UnixDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase + { + public bool AllowPreEpoch { get => throw null; set { } } + public UnixDateTimeConverter() => throw null; + public UnixDateTimeConverter(bool allowPreEpoch) => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class VersionConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type objectType) => throw null; + public VersionConverter() => throw null; + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } + public class XmlNodeConverter : Newtonsoft.Json.JsonConverter + { + public override bool CanConvert(System.Type valueType) => throw null; + public XmlNodeConverter() => throw null; + public string DeserializeRootElementName { get => throw null; set { } } + public bool EncodeSpecialCharacters { get => throw null; set { } } + public bool OmitRootObject { get => throw null; set { } } + public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public bool WriteArrayAttribute { get => throw null; set { } } + public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; + } } - - // Generated from `Newtonsoft.Json.DateFormatHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum DateFormatHandling { IsoDateFormat = 0, MicrosoftDateFormat = 1, } - - // Generated from `Newtonsoft.Json.DateParseHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum DateParseHandling { + None = 0, DateTime = 1, DateTimeOffset = 2, - None = 0, } - - // Generated from `Newtonsoft.Json.DateTimeZoneHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum DateTimeZoneHandling { Local = 0, - RoundtripKind = 3, - Unspecified = 2, Utc = 1, + Unspecified = 2, + RoundtripKind = 3, } - - // Generated from `Newtonsoft.Json.DefaultJsonNameTable` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class DefaultJsonNameTable : Newtonsoft.Json.JsonNameTable { public string Add(string key) => throw null; public DefaultJsonNameTable() => throw null; - public override string Get(System.Char[] key, int start, int length) => throw null; + public override string Get(char[] key, int start, int length) => throw null; } - - // Generated from `Newtonsoft.Json.DefaultValueHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` [System.Flags] public enum DefaultValueHandling { - Ignore = 1, - IgnoreAndPopulate = 3, Include = 0, + Ignore = 1, Populate = 2, + IgnoreAndPopulate = 3, } - - // Generated from `Newtonsoft.Json.FloatFormatHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum FloatFormatHandling { - DefaultValue = 2, String = 0, Symbol = 1, + DefaultValue = 2, } - - // Generated from `Newtonsoft.Json.FloatParseHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum FloatParseHandling { - Decimal = 1, Double = 0, + Decimal = 1, } - - // Generated from `Newtonsoft.Json.Formatting` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum Formatting { - Indented = 1, None = 0, + Indented = 1, } - - // Generated from `Newtonsoft.Json.IArrayPool<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IArrayPool { T[] Rent(int minimumLength); void Return(T[] array); } - - // Generated from `Newtonsoft.Json.IJsonLineInfo` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IJsonLineInfo { bool HasLineInfo(); int LineNumber { get; } int LinePosition { get; } } - - // Generated from `Newtonsoft.Json.JsonArrayAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonArrayAttribute : Newtonsoft.Json.JsonContainerAttribute + public sealed class JsonArrayAttribute : Newtonsoft.Json.JsonContainerAttribute { - public bool AllowNullItems { get => throw null; set => throw null; } + public bool AllowNullItems { get => throw null; set { } } public JsonArrayAttribute() => throw null; public JsonArrayAttribute(bool allowNullItems) => throw null; public JsonArrayAttribute(string id) => throw null; } - - // Generated from `Newtonsoft.Json.JsonConstructorAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonConstructorAttribute : System.Attribute + public sealed class JsonConstructorAttribute : System.Attribute { public JsonConstructorAttribute() => throw null; } - - // Generated from `Newtonsoft.Json.JsonContainerAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class JsonContainerAttribute : System.Attribute { - public string Description { get => throw null; set => throw null; } - public string Id { get => throw null; set => throw null; } - public bool IsReference { get => throw null; set => throw null; } - public object[] ItemConverterParameters { get => throw null; set => throw null; } - public System.Type ItemConverterType { get => throw null; set => throw null; } - public bool ItemIsReference { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling ItemReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling ItemTypeNameHandling { get => throw null; set => throw null; } protected JsonContainerAttribute() => throw null; protected JsonContainerAttribute(string id) => throw null; - public object[] NamingStrategyParameters { get => throw null; set => throw null; } - public System.Type NamingStrategyType { get => throw null; set => throw null; } - public string Title { get => throw null; set => throw null; } + public string Description { get => throw null; set { } } + public string Id { get => throw null; set { } } + public bool IsReference { get => throw null; set { } } + public object[] ItemConverterParameters { get => throw null; set { } } + public System.Type ItemConverterType { get => throw null; set { } } + public bool ItemIsReference { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling ItemReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling ItemTypeNameHandling { get => throw null; set { } } + public object[] NamingStrategyParameters { get => throw null; set { } } + public System.Type NamingStrategyType { get => throw null; set { } } + public string Title { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonConvert` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public static class JsonConvert { - public static System.Func DefaultSettings { get => throw null; set => throw null; } + public static System.Func DefaultSettings { get => throw null; set { } } public static T DeserializeAnonymousType(string value, T anonymousTypeObject) => throw null; public static T DeserializeAnonymousType(string value, T anonymousTypeObject, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static object DeserializeObject(string value) => throw null; public static object DeserializeObject(string value, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static object DeserializeObject(string value, System.Type type) => throw null; - public static object DeserializeObject(string value, System.Type type, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; - public static object DeserializeObject(string value, System.Type type, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public static T DeserializeObject(string value) => throw null; - public static T DeserializeObject(string value, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static T DeserializeObject(string value, params Newtonsoft.Json.JsonConverter[] converters) => throw null; - public static System.Xml.Linq.XDocument DeserializeXNode(string value) => throw null; - public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName) => throw null; - public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName, bool writeArrayAttribute) => throw null; - public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName, bool writeArrayAttribute, bool encodeSpecialCharacters) => throw null; + public static T DeserializeObject(string value, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; + public static object DeserializeObject(string value, System.Type type, params Newtonsoft.Json.JsonConverter[] converters) => throw null; + public static object DeserializeObject(string value, System.Type type, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static System.Xml.XmlDocument DeserializeXmlNode(string value) => throw null; public static System.Xml.XmlDocument DeserializeXmlNode(string value, string deserializeRootElementName) => throw null; public static System.Xml.XmlDocument DeserializeXmlNode(string value, string deserializeRootElementName, bool writeArrayAttribute) => throw null; public static System.Xml.XmlDocument DeserializeXmlNode(string value, string deserializeRootElementName, bool writeArrayAttribute, bool encodeSpecialCharacters) => throw null; + public static System.Xml.Linq.XDocument DeserializeXNode(string value) => throw null; + public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName) => throw null; + public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName, bool writeArrayAttribute) => throw null; + public static System.Xml.Linq.XDocument DeserializeXNode(string value, string deserializeRootElementName, bool writeArrayAttribute, bool encodeSpecialCharacters) => throw null; public static string False; public static string NaN; public static string NegativeInfinity; @@ -154,48 +323,46 @@ public static class JsonConvert public static string PositiveInfinity; public static string SerializeObject(object value) => throw null; public static string SerializeObject(object value, Newtonsoft.Json.Formatting formatting) => throw null; - public static string SerializeObject(object value, Newtonsoft.Json.Formatting formatting, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; + public static string SerializeObject(object value, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public static string SerializeObject(object value, Newtonsoft.Json.Formatting formatting, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public static string SerializeObject(object value, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; - public static string SerializeObject(object value, System.Type type, Newtonsoft.Json.Formatting formatting, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static string SerializeObject(object value, System.Type type, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; - public static string SerializeObject(object value, params Newtonsoft.Json.JsonConverter[] converters) => throw null; - public static string SerializeXNode(System.Xml.Linq.XObject node) => throw null; - public static string SerializeXNode(System.Xml.Linq.XObject node, Newtonsoft.Json.Formatting formatting) => throw null; - public static string SerializeXNode(System.Xml.Linq.XObject node, Newtonsoft.Json.Formatting formatting, bool omitRootObject) => throw null; + public static string SerializeObject(object value, Newtonsoft.Json.Formatting formatting, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; + public static string SerializeObject(object value, System.Type type, Newtonsoft.Json.Formatting formatting, Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static string SerializeXmlNode(System.Xml.XmlNode node) => throw null; public static string SerializeXmlNode(System.Xml.XmlNode node, Newtonsoft.Json.Formatting formatting) => throw null; public static string SerializeXmlNode(System.Xml.XmlNode node, Newtonsoft.Json.Formatting formatting, bool omitRootObject) => throw null; + public static string SerializeXNode(System.Xml.Linq.XObject node) => throw null; + public static string SerializeXNode(System.Xml.Linq.XObject node, Newtonsoft.Json.Formatting formatting) => throw null; + public static string SerializeXNode(System.Xml.Linq.XObject node, Newtonsoft.Json.Formatting formatting, bool omitRootObject) => throw null; public static string ToString(System.DateTime value) => throw null; public static string ToString(System.DateTime value, Newtonsoft.Json.DateFormatHandling format, Newtonsoft.Json.DateTimeZoneHandling timeZoneHandling) => throw null; public static string ToString(System.DateTimeOffset value) => throw null; public static string ToString(System.DateTimeOffset value, Newtonsoft.Json.DateFormatHandling format) => throw null; + public static string ToString(bool value) => throw null; + public static string ToString(char value) => throw null; public static string ToString(System.Enum value) => throw null; + public static string ToString(int value) => throw null; + public static string ToString(short value) => throw null; + public static string ToString(ushort value) => throw null; + public static string ToString(uint value) => throw null; + public static string ToString(long value) => throw null; + public static string ToString(ulong value) => throw null; + public static string ToString(float value) => throw null; + public static string ToString(double value) => throw null; + public static string ToString(byte value) => throw null; + public static string ToString(sbyte value) => throw null; + public static string ToString(decimal value) => throw null; public static string ToString(System.Guid value) => throw null; public static string ToString(System.TimeSpan value) => throw null; public static string ToString(System.Uri value) => throw null; - public static string ToString(bool value) => throw null; - public static string ToString(System.Byte value) => throw null; - public static string ToString(System.Char value) => throw null; - public static string ToString(System.Decimal value) => throw null; - public static string ToString(double value) => throw null; - public static string ToString(float value) => throw null; - public static string ToString(int value) => throw null; - public static string ToString(System.Int64 value) => throw null; - public static string ToString(object value) => throw null; - public static string ToString(System.SByte value) => throw null; - public static string ToString(System.Int16 value) => throw null; public static string ToString(string value) => throw null; - public static string ToString(string value, System.Char delimiter) => throw null; - public static string ToString(string value, System.Char delimiter, Newtonsoft.Json.StringEscapeHandling stringEscapeHandling) => throw null; - public static string ToString(System.UInt32 value) => throw null; - public static string ToString(System.UInt64 value) => throw null; - public static string ToString(System.UInt16 value) => throw null; + public static string ToString(string value, char delimiter) => throw null; + public static string ToString(string value, char delimiter, Newtonsoft.Json.StringEscapeHandling stringEscapeHandling) => throw null; + public static string ToString(object value) => throw null; public static string True; public static string Undefined; } - - // Generated from `Newtonsoft.Json.JsonConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class JsonConverter { public abstract bool CanConvert(System.Type objectType); @@ -205,153 +372,113 @@ public abstract class JsonConverter public abstract object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer); public abstract void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer); } - - // Generated from `Newtonsoft.Json.JsonConverter<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class JsonConverter : Newtonsoft.Json.JsonConverter { - public override bool CanConvert(System.Type objectType) => throw null; + public override sealed bool CanConvert(System.Type objectType) => throw null; protected JsonConverter() => throw null; + public override sealed object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; public abstract T ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, T existingValue, bool hasExistingValue, Newtonsoft.Json.JsonSerializer serializer); - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; + public override sealed void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; public abstract void WriteJson(Newtonsoft.Json.JsonWriter writer, T value, Newtonsoft.Json.JsonSerializer serializer); - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; } - - // Generated from `Newtonsoft.Json.JsonConverterAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonConverterAttribute : System.Attribute + public sealed class JsonConverterAttribute : System.Attribute { public object[] ConverterParameters { get => throw null; } public System.Type ConverterType { get => throw null; } public JsonConverterAttribute(System.Type converterType) => throw null; public JsonConverterAttribute(System.Type converterType, params object[] converterParameters) => throw null; } - - // Generated from `Newtonsoft.Json.JsonConverterCollection` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonConverterCollection : System.Collections.ObjectModel.Collection { public JsonConverterCollection() => throw null; } - - // Generated from `Newtonsoft.Json.JsonDictionaryAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonDictionaryAttribute : Newtonsoft.Json.JsonContainerAttribute + public sealed class JsonDictionaryAttribute : Newtonsoft.Json.JsonContainerAttribute { public JsonDictionaryAttribute() => throw null; public JsonDictionaryAttribute(string id) => throw null; } - - // Generated from `Newtonsoft.Json.JsonException` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonException : System.Exception { public JsonException() => throw null; - public JsonException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public JsonException(string message) => throw null; public JsonException(string message, System.Exception innerException) => throw null; + public JsonException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - - // Generated from `Newtonsoft.Json.JsonExtensionDataAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonExtensionDataAttribute : System.Attribute { public JsonExtensionDataAttribute() => throw null; - public bool ReadData { get => throw null; set => throw null; } - public bool WriteData { get => throw null; set => throw null; } + public bool ReadData { get => throw null; set { } } + public bool WriteData { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonIgnoreAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonIgnoreAttribute : System.Attribute + public sealed class JsonIgnoreAttribute : System.Attribute { public JsonIgnoreAttribute() => throw null; } - - // Generated from `Newtonsoft.Json.JsonNameTable` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class JsonNameTable { - public abstract string Get(System.Char[] key, int start, int length); protected JsonNameTable() => throw null; + public abstract string Get(char[] key, int start, int length); } - - // Generated from `Newtonsoft.Json.JsonObjectAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonObjectAttribute : Newtonsoft.Json.JsonContainerAttribute + public sealed class JsonObjectAttribute : Newtonsoft.Json.JsonContainerAttribute { - public Newtonsoft.Json.NullValueHandling ItemNullValueHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Required ItemRequired { get => throw null; set => throw null; } public JsonObjectAttribute() => throw null; public JsonObjectAttribute(Newtonsoft.Json.MemberSerialization memberSerialization) => throw null; public JsonObjectAttribute(string id) => throw null; - public Newtonsoft.Json.MemberSerialization MemberSerialization { get => throw null; set => throw null; } - public Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set => throw null; } + public Newtonsoft.Json.NullValueHandling ItemNullValueHandling { get => throw null; set { } } + public Newtonsoft.Json.Required ItemRequired { get => throw null; set { } } + public Newtonsoft.Json.MemberSerialization MemberSerialization { get => throw null; set { } } + public Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonPropertyAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonPropertyAttribute : System.Attribute + public sealed class JsonPropertyAttribute : System.Attribute { - public Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set => throw null; } - public bool IsReference { get => throw null; set => throw null; } - public object[] ItemConverterParameters { get => throw null; set => throw null; } - public System.Type ItemConverterType { get => throw null; set => throw null; } - public bool ItemIsReference { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling ItemReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling ItemTypeNameHandling { get => throw null; set => throw null; } public JsonPropertyAttribute() => throw null; public JsonPropertyAttribute(string propertyName) => throw null; - public object[] NamingStrategyParameters { get => throw null; set => throw null; } - public System.Type NamingStrategyType { get => throw null; set => throw null; } - public Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public string PropertyName { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Required Required { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set => throw null; } + public Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set { } } + public bool IsReference { get => throw null; set { } } + public object[] ItemConverterParameters { get => throw null; set { } } + public System.Type ItemConverterType { get => throw null; set { } } + public bool ItemIsReference { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling ItemReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling ItemTypeNameHandling { get => throw null; set { } } + public object[] NamingStrategyParameters { get => throw null; set { } } + public System.Type NamingStrategyType { get => throw null; set { } } + public Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set { } } + public Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set { } } + public int Order { get => throw null; set { } } + public string PropertyName { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.Required Required { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonReader` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class JsonReader : System.IDisposable + public abstract class JsonReader : System.IAsyncDisposable, System.IDisposable { - // Generated from `Newtonsoft.Json.JsonReader+State` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - protected internal enum State - { - Array = 6, - ArrayStart = 5, - Closed = 7, - Complete = 1, - Constructor = 10, - ConstructorStart = 9, - Error = 11, - Finished = 12, - Object = 4, - ObjectStart = 3, - PostValue = 8, - Property = 2, - Start = 0, - } - - public virtual void Close() => throw null; - public bool CloseInput { get => throw null; set => throw null; } - public System.Globalization.CultureInfo Culture { get => throw null; set => throw null; } + public bool CloseInput { get => throw null; set { } } + protected JsonReader() => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; set { } } protected Newtonsoft.Json.JsonReader.State CurrentState { get => throw null; } - public string DateFormatString { get => throw null; set => throw null; } - public Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set => throw null; } + public string DateFormatString { get => throw null; set { } } + public Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set { } } + public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set { } } public virtual int Depth { get => throw null; } void System.IDisposable.Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set => throw null; } - protected JsonReader() => throw null; - public int? MaxDepth { get => throw null; set => throw null; } + System.Threading.Tasks.ValueTask System.IAsyncDisposable.DisposeAsync() => throw null; + public Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set { } } + public int? MaxDepth { get => throw null; set { } } public virtual string Path { get => throw null; } - public virtual System.Char QuoteChar { get => throw null; set => throw null; } + public virtual char QuoteChar { get => throw null; set { } } public abstract bool Read(); public virtual bool? ReadAsBoolean() => throw null; public virtual System.Threading.Tasks.Task ReadAsBooleanAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Byte[] ReadAsBytes() => throw null; - public virtual System.Threading.Tasks.Task ReadAsBytesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual byte[] ReadAsBytes() => throw null; + public virtual System.Threading.Tasks.Task ReadAsBytesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.DateTime? ReadAsDateTime() => throw null; public virtual System.Threading.Tasks.Task ReadAsDateTimeAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.DateTimeOffset? ReadAsDateTimeOffset() => throw null; public virtual System.Threading.Tasks.Task ReadAsDateTimeOffsetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Decimal? ReadAsDecimal() => throw null; - public virtual System.Threading.Tasks.Task ReadAsDecimalAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual decimal? ReadAsDecimal() => throw null; + public virtual System.Threading.Tasks.Task ReadAsDecimalAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual double? ReadAsDouble() => throw null; public virtual System.Threading.Tasks.Task ReadAsDoubleAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual int? ReadAsInt32() => throw null; @@ -365,154 +492,159 @@ protected internal enum State protected void SetToken(Newtonsoft.Json.JsonToken newToken, object value, bool updateIndex) => throw null; public void Skip() => throw null; public System.Threading.Tasks.Task SkipAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public bool SupportMultipleContent { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.JsonToken TokenType { get => throw null; } - public virtual object Value { get => throw null; } - public virtual System.Type ValueType { get => throw null; } - } - - // Generated from `Newtonsoft.Json.JsonReaderException` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonReaderException : Newtonsoft.Json.JsonException - { - public JsonReaderException() => throw null; - public JsonReaderException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public JsonReaderException(string message) => throw null; - public JsonReaderException(string message, System.Exception innerException) => throw null; - public JsonReaderException(string message, string path, int lineNumber, int linePosition, System.Exception innerException) => throw null; - public int LineNumber { get => throw null; } - public int LinePosition { get => throw null; } - public string Path { get => throw null; } + protected enum State + { + Start = 0, + Complete = 1, + Property = 2, + ObjectStart = 3, + Object = 4, + ArrayStart = 5, + Array = 6, + Closed = 7, + PostValue = 8, + ConstructorStart = 9, + Constructor = 10, + Error = 11, + Finished = 12, + } + public bool SupportMultipleContent { get => throw null; set { } } + public virtual Newtonsoft.Json.JsonToken TokenType { get => throw null; } + public virtual object Value { get => throw null; } + public virtual System.Type ValueType { get => throw null; } + } + public class JsonReaderException : Newtonsoft.Json.JsonException + { + public JsonReaderException() => throw null; + public JsonReaderException(string message) => throw null; + public JsonReaderException(string message, System.Exception innerException) => throw null; + public JsonReaderException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public JsonReaderException(string message, string path, int lineNumber, int linePosition, System.Exception innerException) => throw null; + public int LineNumber { get => throw null; } + public int LinePosition { get => throw null; } + public string Path { get => throw null; } } - - // Generated from `Newtonsoft.Json.JsonRequiredAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonRequiredAttribute : System.Attribute + public sealed class JsonRequiredAttribute : System.Attribute { public JsonRequiredAttribute() => throw null; } - - // Generated from `Newtonsoft.Json.JsonSerializationException` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSerializationException : Newtonsoft.Json.JsonException { public JsonSerializationException() => throw null; - public JsonSerializationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public JsonSerializationException(string message) => throw null; public JsonSerializationException(string message, System.Exception innerException) => throw null; + public JsonSerializationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public JsonSerializationException(string message, string path, int lineNumber, int linePosition, System.Exception innerException) => throw null; public int LineNumber { get => throw null; } public int LinePosition { get => throw null; } public string Path { get => throw null; } } - - // Generated from `Newtonsoft.Json.JsonSerializer` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSerializer { - public virtual System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set => throw null; } - public virtual bool CheckAdditionalContent { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.ConstructorHandling ConstructorHandling { get => throw null; set => throw null; } - public virtual System.Runtime.Serialization.StreamingContext Context { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set => throw null; } + public virtual System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set { } } + public virtual bool CheckAdditionalContent { get => throw null; set { } } + public virtual Newtonsoft.Json.ConstructorHandling ConstructorHandling { get => throw null; set { } } + public virtual System.Runtime.Serialization.StreamingContext Context { get => throw null; set { } } + public virtual Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set { } } public virtual Newtonsoft.Json.JsonConverterCollection Converters { get => throw null; } public static Newtonsoft.Json.JsonSerializer Create() => throw null; public static Newtonsoft.Json.JsonSerializer Create(Newtonsoft.Json.JsonSerializerSettings settings) => throw null; public static Newtonsoft.Json.JsonSerializer CreateDefault() => throw null; public static Newtonsoft.Json.JsonSerializer CreateDefault(Newtonsoft.Json.JsonSerializerSettings settings) => throw null; - public virtual System.Globalization.CultureInfo Culture { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set => throw null; } - public virtual string DateFormatString { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set => throw null; } + public JsonSerializer() => throw null; + public virtual System.Globalization.CultureInfo Culture { get => throw null; set { } } + public virtual Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set { } } + public virtual string DateFormatString { get => throw null; set { } } + public virtual Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set { } } public object Deserialize(Newtonsoft.Json.JsonReader reader) => throw null; - public object Deserialize(Newtonsoft.Json.JsonReader reader, System.Type objectType) => throw null; public object Deserialize(System.IO.TextReader reader, System.Type objectType) => throw null; public T Deserialize(Newtonsoft.Json.JsonReader reader) => throw null; - public virtual System.Collections.IEqualityComparer EqualityComparer { get => throw null; set => throw null; } - public virtual event System.EventHandler Error; - public virtual Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.Formatting Formatting { get => throw null; set => throw null; } - public JsonSerializer() => throw null; - public virtual int? MaxDepth { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.MetadataPropertyHandling MetadataPropertyHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set => throw null; } - public void Populate(Newtonsoft.Json.JsonReader reader, object target) => throw null; + public object Deserialize(Newtonsoft.Json.JsonReader reader, System.Type objectType) => throw null; + public virtual System.Collections.IEqualityComparer EqualityComparer { get => throw null; set { } } + public virtual event System.EventHandler Error { add { } remove { } } + public virtual Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.Formatting Formatting { get => throw null; set { } } + public virtual int? MaxDepth { get => throw null; set { } } + public virtual Newtonsoft.Json.MetadataPropertyHandling MetadataPropertyHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set { } } public void Populate(System.IO.TextReader reader, object target) => throw null; - public virtual Newtonsoft.Json.PreserveReferencesHandling PreserveReferencesHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.Serialization.IReferenceResolver ReferenceResolver { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.Serialization.ISerializationBinder SerializationBinder { get => throw null; set => throw null; } - public void Serialize(Newtonsoft.Json.JsonWriter jsonWriter, object value) => throw null; - public void Serialize(Newtonsoft.Json.JsonWriter jsonWriter, object value, System.Type objectType) => throw null; + public void Populate(Newtonsoft.Json.JsonReader reader, object target) => throw null; + public virtual Newtonsoft.Json.PreserveReferencesHandling PreserveReferencesHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.Serialization.IReferenceResolver ReferenceResolver { get => throw null; set { } } + public virtual Newtonsoft.Json.Serialization.ISerializationBinder SerializationBinder { get => throw null; set { } } public void Serialize(System.IO.TextWriter textWriter, object value) => throw null; + public void Serialize(Newtonsoft.Json.JsonWriter jsonWriter, object value, System.Type objectType) => throw null; public void Serialize(System.IO.TextWriter textWriter, object value, System.Type objectType) => throw null; - public virtual Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.Serialization.ITraceWriter TraceWriter { get => throw null; set => throw null; } - public virtual System.Runtime.Serialization.Formatters.FormatterAssemblyStyle TypeNameAssemblyFormat { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.TypeNameAssemblyFormatHandling TypeNameAssemblyFormatHandling { get => throw null; set => throw null; } - public virtual Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set => throw null; } + public void Serialize(Newtonsoft.Json.JsonWriter jsonWriter, object value) => throw null; + public virtual Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.Serialization.ITraceWriter TraceWriter { get => throw null; set { } } + public virtual System.Runtime.Serialization.Formatters.FormatterAssemblyStyle TypeNameAssemblyFormat { get => throw null; set { } } + public virtual Newtonsoft.Json.TypeNameAssemblyFormatHandling TypeNameAssemblyFormatHandling { get => throw null; set { } } + public virtual Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonSerializerSettings` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSerializerSettings { - public System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set => throw null; } - public bool CheckAdditionalContent { get => throw null; set => throw null; } - public Newtonsoft.Json.ConstructorHandling ConstructorHandling { get => throw null; set => throw null; } - public System.Runtime.Serialization.StreamingContext Context { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set => throw null; } - public System.Collections.Generic.IList Converters { get => throw null; set => throw null; } - public System.Globalization.CultureInfo Culture { get => throw null; set => throw null; } - public Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set => throw null; } - public string DateFormatString { get => throw null; set => throw null; } - public Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set => throw null; } - public System.Collections.IEqualityComparer EqualityComparer { get => throw null; set => throw null; } - public System.EventHandler Error { get => throw null; set => throw null; } - public Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Formatting Formatting { get => throw null; set => throw null; } + public System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set { } } + public bool CheckAdditionalContent { get => throw null; set { } } + public Newtonsoft.Json.ConstructorHandling ConstructorHandling { get => throw null; set { } } + public System.Runtime.Serialization.StreamingContext Context { get => throw null; set { } } + public Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set { } } + public System.Collections.Generic.IList Converters { get => throw null; set { } } public JsonSerializerSettings() => throw null; - public int? MaxDepth { get => throw null; set => throw null; } - public Newtonsoft.Json.MetadataPropertyHandling MetadataPropertyHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.PreserveReferencesHandling PreserveReferencesHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.IReferenceResolver ReferenceResolver { get => throw null; set => throw null; } - public System.Func ReferenceResolverProvider { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.ISerializationBinder SerializationBinder { get => throw null; set => throw null; } - public Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.ITraceWriter TraceWriter { get => throw null; set => throw null; } - public System.Runtime.Serialization.Formatters.FormatterAssemblyStyle TypeNameAssemblyFormat { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameAssemblyFormatHandling TypeNameAssemblyFormatHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set => throw null; } + public JsonSerializerSettings(Newtonsoft.Json.JsonSerializerSettings original) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; set { } } + public Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set { } } + public string DateFormatString { get => throw null; set { } } + public Newtonsoft.Json.DateParseHandling DateParseHandling { get => throw null; set { } } + public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set { } } + public Newtonsoft.Json.DefaultValueHandling DefaultValueHandling { get => throw null; set { } } + public System.Collections.IEqualityComparer EqualityComparer { get => throw null; set { } } + public System.EventHandler Error { get => throw null; set { } } + public Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set { } } + public Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set { } } + public Newtonsoft.Json.Formatting Formatting { get => throw null; set { } } + public int? MaxDepth { get => throw null; set { } } + public Newtonsoft.Json.MetadataPropertyHandling MetadataPropertyHandling { get => throw null; set { } } + public Newtonsoft.Json.MissingMemberHandling MissingMemberHandling { get => throw null; set { } } + public Newtonsoft.Json.NullValueHandling NullValueHandling { get => throw null; set { } } + public Newtonsoft.Json.ObjectCreationHandling ObjectCreationHandling { get => throw null; set { } } + public Newtonsoft.Json.PreserveReferencesHandling PreserveReferencesHandling { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling ReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.Serialization.IReferenceResolver ReferenceResolver { get => throw null; set { } } + public System.Func ReferenceResolverProvider { get => throw null; set { } } + public Newtonsoft.Json.Serialization.ISerializationBinder SerializationBinder { get => throw null; set { } } + public Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set { } } + public Newtonsoft.Json.Serialization.ITraceWriter TraceWriter { get => throw null; set { } } + public System.Runtime.Serialization.Formatters.FormatterAssemblyStyle TypeNameAssemblyFormat { get => throw null; set { } } + public Newtonsoft.Json.TypeNameAssemblyFormatHandling TypeNameAssemblyFormatHandling { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling TypeNameHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.JsonTextReader` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonTextReader : Newtonsoft.Json.JsonReader, Newtonsoft.Json.IJsonLineInfo { - public Newtonsoft.Json.IArrayPool ArrayPool { get => throw null; set => throw null; } + public Newtonsoft.Json.IArrayPool ArrayPool { get => throw null; set { } } public override void Close() => throw null; - public bool HasLineInfo() => throw null; public JsonTextReader(System.IO.TextReader reader) => throw null; + public bool HasLineInfo() => throw null; public int LineNumber { get => throw null; } public int LinePosition { get => throw null; } - public Newtonsoft.Json.JsonNameTable PropertyNameTable { get => throw null; set => throw null; } + public Newtonsoft.Json.JsonNameTable PropertyNameTable { get => throw null; set { } } public override bool Read() => throw null; public override bool? ReadAsBoolean() => throw null; public override System.Threading.Tasks.Task ReadAsBooleanAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Byte[] ReadAsBytes() => throw null; - public override System.Threading.Tasks.Task ReadAsBytesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override byte[] ReadAsBytes() => throw null; + public override System.Threading.Tasks.Task ReadAsBytesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.DateTime? ReadAsDateTime() => throw null; public override System.Threading.Tasks.Task ReadAsDateTimeAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.DateTimeOffset? ReadAsDateTimeOffset() => throw null; public override System.Threading.Tasks.Task ReadAsDateTimeOffsetAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Decimal? ReadAsDecimal() => throw null; - public override System.Threading.Tasks.Task ReadAsDecimalAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override decimal? ReadAsDecimal() => throw null; + public override System.Threading.Tasks.Task ReadAsDecimalAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override double? ReadAsDouble() => throw null; public override System.Threading.Tasks.Task ReadAsDoubleAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int? ReadAsInt32() => throw null; @@ -521,26 +653,24 @@ public class JsonTextReader : Newtonsoft.Json.JsonReader, Newtonsoft.Json.IJsonL public override System.Threading.Tasks.Task ReadAsStringAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - // Generated from `Newtonsoft.Json.JsonTextWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonTextWriter : Newtonsoft.Json.JsonWriter { - public Newtonsoft.Json.IArrayPool ArrayPool { get => throw null; set => throw null; } + public Newtonsoft.Json.IArrayPool ArrayPool { get => throw null; set { } } public override void Close() => throw null; public override System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public JsonTextWriter(System.IO.TextWriter textWriter) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Char IndentChar { get => throw null; set => throw null; } - public int Indentation { get => throw null; set => throw null; } - public JsonTextWriter(System.IO.TextWriter textWriter) => throw null; - public System.Char QuoteChar { get => throw null; set => throw null; } - public bool QuoteName { get => throw null; set => throw null; } + public int Indentation { get => throw null; set { } } + public char IndentChar { get => throw null; set { } } + public char QuoteChar { get => throw null; set { } } + public bool QuoteName { get => throw null; set { } } public override void WriteComment(string text) => throw null; public override System.Threading.Tasks.Task WriteCommentAsync(string text, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; public override System.Threading.Tasks.Task WriteEndArrayAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteEndAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override System.Threading.Tasks.Task WriteEndAsync(Newtonsoft.Json.JsonToken token, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task WriteEndAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteEndConstructorAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteEndObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override void WriteIndent() => throw null; @@ -564,685 +694,327 @@ public class JsonTextWriter : Newtonsoft.Json.JsonWriter public override System.Threading.Tasks.Task WriteStartObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override void WriteUndefined() => throw null; public override System.Threading.Tasks.Task WriteUndefinedAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteValue(System.Byte[] value) => throw null; + public override void WriteValue(object value) => throw null; + public override void WriteValue(string value) => throw null; + public override void WriteValue(int value) => throw null; + public override void WriteValue(uint value) => throw null; + public override void WriteValue(long value) => throw null; + public override void WriteValue(ulong value) => throw null; + public override void WriteValue(float value) => throw null; + public override void WriteValue(float? value) => throw null; + public override void WriteValue(double value) => throw null; + public override void WriteValue(double? value) => throw null; + public override void WriteValue(bool value) => throw null; + public override void WriteValue(short value) => throw null; + public override void WriteValue(ushort value) => throw null; + public override void WriteValue(char value) => throw null; + public override void WriteValue(byte value) => throw null; + public override void WriteValue(sbyte value) => throw null; + public override void WriteValue(decimal value) => throw null; public override void WriteValue(System.DateTime value) => throw null; + public override void WriteValue(byte[] value) => throw null; public override void WriteValue(System.DateTimeOffset value) => throw null; public override void WriteValue(System.Guid value) => throw null; public override void WriteValue(System.TimeSpan value) => throw null; public override void WriteValue(System.Uri value) => throw null; - public override void WriteValue(bool value) => throw null; - public override void WriteValue(System.Byte value) => throw null; - public override void WriteValue(System.Char value) => throw null; - public override void WriteValue(System.Decimal value) => throw null; - public override void WriteValue(double value) => throw null; - public override void WriteValue(double? value) => throw null; - public override void WriteValue(float value) => throw null; - public override void WriteValue(float? value) => throw null; - public override void WriteValue(int value) => throw null; - public override void WriteValue(System.Int64 value) => throw null; - public override void WriteValue(object value) => throw null; - public override void WriteValue(System.SByte value) => throw null; - public override void WriteValue(System.Int16 value) => throw null; - public override void WriteValue(string value) => throw null; - public override void WriteValue(System.UInt32 value) => throw null; - public override void WriteValue(System.UInt64 value) => throw null; - public override void WriteValue(System.UInt16 value) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Byte[] value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(bool value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(bool? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(byte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(byte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(byte[] value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(char value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(char? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(System.DateTime value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(System.DateTime? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Guid value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Guid? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Uri value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(bool value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(bool? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Byte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Byte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Char value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Char? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Decimal value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Decimal? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(decimal value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(decimal? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(double value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(double? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(float value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(float? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(System.Guid value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(System.Guid? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(int value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(int? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Int64 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Int64? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(long value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(long? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(object value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.SByte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.SByte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Int16 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.Int16? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(sbyte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(sbyte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(short value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(short? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override System.Threading.Tasks.Task WriteValueAsync(string value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt32 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt32? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt64 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt64? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt16 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteValueAsync(System.UInt16? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(uint value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(uint? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(ulong value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(ulong? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(System.Uri value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(ushort value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteValueAsync(ushort? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override void WriteValueDelimiter() => throw null; protected override System.Threading.Tasks.Task WriteValueDelimiterAsync(System.Threading.CancellationToken cancellationToken) => throw null; public override void WriteWhitespace(string ws) => throw null; public override System.Threading.Tasks.Task WriteWhitespaceAsync(string ws, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - // Generated from `Newtonsoft.Json.JsonToken` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum JsonToken { - Boolean = 10, - Bytes = 17, - Comment = 5, - Date = 16, - EndArray = 14, - EndConstructor = 15, - EndObject = 13, - Float = 8, - Integer = 7, None = 0, - Null = 11, - PropertyName = 4, - Raw = 6, + StartObject = 1, StartArray = 2, StartConstructor = 3, - StartObject = 1, + PropertyName = 4, + Comment = 5, + Raw = 6, + Integer = 7, + Float = 8, String = 9, + Boolean = 10, + Null = 11, Undefined = 12, + EndObject = 13, + EndArray = 14, + EndConstructor = 15, + Date = 16, + Bytes = 17, } - - // Generated from `Newtonsoft.Json.JsonValidatingReader` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonValidatingReader : Newtonsoft.Json.JsonReader, Newtonsoft.Json.IJsonLineInfo { public override void Close() => throw null; + public JsonValidatingReader(Newtonsoft.Json.JsonReader reader) => throw null; public override int Depth { get => throw null; } bool Newtonsoft.Json.IJsonLineInfo.HasLineInfo() => throw null; - public JsonValidatingReader(Newtonsoft.Json.JsonReader reader) => throw null; int Newtonsoft.Json.IJsonLineInfo.LineNumber { get => throw null; } int Newtonsoft.Json.IJsonLineInfo.LinePosition { get => throw null; } public override string Path { get => throw null; } - public override System.Char QuoteChar { get => throw null; set => throw null; } + public override char QuoteChar { get => throw null; set { } } public override bool Read() => throw null; public override bool? ReadAsBoolean() => throw null; - public override System.Byte[] ReadAsBytes() => throw null; + public override byte[] ReadAsBytes() => throw null; public override System.DateTime? ReadAsDateTime() => throw null; public override System.DateTimeOffset? ReadAsDateTimeOffset() => throw null; - public override System.Decimal? ReadAsDecimal() => throw null; + public override decimal? ReadAsDecimal() => throw null; public override double? ReadAsDouble() => throw null; public override int? ReadAsInt32() => throw null; public override string ReadAsString() => throw null; - public Newtonsoft.Json.JsonReader Reader { get => throw null; } - public Newtonsoft.Json.Schema.JsonSchema Schema { get => throw null; set => throw null; } - public override Newtonsoft.Json.JsonToken TokenType { get => throw null; } - public event Newtonsoft.Json.Schema.ValidationEventHandler ValidationEventHandler; - public override object Value { get => throw null; } - public override System.Type ValueType { get => throw null; } - } - - // Generated from `Newtonsoft.Json.JsonWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class JsonWriter : System.IDisposable - { - public bool AutoCompleteOnClose { get => throw null; set => throw null; } - public virtual void Close() => throw null; - public virtual System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public bool CloseOutput { get => throw null; set => throw null; } - public System.Globalization.CultureInfo Culture { get => throw null; set => throw null; } - public Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set => throw null; } - public string DateFormatString { get => throw null; set => throw null; } - public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set => throw null; } - void System.IDisposable.Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set => throw null; } - public abstract void Flush(); - public virtual System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public Newtonsoft.Json.Formatting Formatting { get => throw null; set => throw null; } - protected JsonWriter() => throw null; - public string Path { get => throw null; } - protected void SetWriteState(Newtonsoft.Json.JsonToken token, object value) => throw null; - protected System.Threading.Tasks.Task SetWriteStateAsync(Newtonsoft.Json.JsonToken token, object value, System.Threading.CancellationToken cancellationToken) => throw null; - public Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set => throw null; } - protected internal int Top { get => throw null; } - public virtual void WriteComment(string text) => throw null; - public virtual System.Threading.Tasks.Task WriteCommentAsync(string text, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteEnd() => throw null; - protected virtual void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; - public virtual void WriteEndArray() => throw null; - public virtual System.Threading.Tasks.Task WriteEndArrayAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteEndAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected virtual System.Threading.Tasks.Task WriteEndAsync(Newtonsoft.Json.JsonToken token, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void WriteEndConstructor() => throw null; - public virtual System.Threading.Tasks.Task WriteEndConstructorAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteEndObject() => throw null; - public virtual System.Threading.Tasks.Task WriteEndObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected virtual void WriteIndent() => throw null; - protected virtual System.Threading.Tasks.Task WriteIndentAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void WriteIndentSpace() => throw null; - protected virtual System.Threading.Tasks.Task WriteIndentSpaceAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void WriteNull() => throw null; - public virtual System.Threading.Tasks.Task WriteNullAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WritePropertyName(string name) => throw null; - public virtual void WritePropertyName(string name, bool escape) => throw null; - public virtual System.Threading.Tasks.Task WritePropertyNameAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WritePropertyNameAsync(string name, bool escape, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteRaw(string json) => throw null; - public virtual System.Threading.Tasks.Task WriteRawAsync(string json, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteRawValue(string json) => throw null; - public virtual System.Threading.Tasks.Task WriteRawValueAsync(string json, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteStartArray() => throw null; - public virtual System.Threading.Tasks.Task WriteStartArrayAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteStartConstructor(string name) => throw null; - public virtual System.Threading.Tasks.Task WriteStartConstructorAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteStartObject() => throw null; - public virtual System.Threading.Tasks.Task WriteStartObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public Newtonsoft.Json.WriteState WriteState { get => throw null; } - public void WriteToken(Newtonsoft.Json.JsonReader reader) => throw null; - public void WriteToken(Newtonsoft.Json.JsonReader reader, bool writeChildren) => throw null; - public void WriteToken(Newtonsoft.Json.JsonToken token) => throw null; - public void WriteToken(Newtonsoft.Json.JsonToken token, object value) => throw null; - public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonReader reader, bool writeChildren, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonToken token, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonToken token, object value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteUndefined() => throw null; - public virtual System.Threading.Tasks.Task WriteUndefinedAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteValue(System.Byte[] value) => throw null; - public virtual void WriteValue(System.DateTime value) => throw null; - public virtual void WriteValue(System.DateTime? value) => throw null; - public virtual void WriteValue(System.DateTimeOffset value) => throw null; - public virtual void WriteValue(System.DateTimeOffset? value) => throw null; - public virtual void WriteValue(System.Guid value) => throw null; - public virtual void WriteValue(System.Guid? value) => throw null; - public virtual void WriteValue(System.TimeSpan value) => throw null; - public virtual void WriteValue(System.TimeSpan? value) => throw null; - public virtual void WriteValue(System.Uri value) => throw null; - public virtual void WriteValue(bool value) => throw null; - public virtual void WriteValue(bool? value) => throw null; - public virtual void WriteValue(System.Byte value) => throw null; - public virtual void WriteValue(System.Byte? value) => throw null; - public virtual void WriteValue(System.Char value) => throw null; - public virtual void WriteValue(System.Char? value) => throw null; - public virtual void WriteValue(System.Decimal value) => throw null; - public virtual void WriteValue(System.Decimal? value) => throw null; - public virtual void WriteValue(double value) => throw null; - public virtual void WriteValue(double? value) => throw null; - public virtual void WriteValue(float value) => throw null; - public virtual void WriteValue(float? value) => throw null; - public virtual void WriteValue(int value) => throw null; - public virtual void WriteValue(int? value) => throw null; - public virtual void WriteValue(System.Int64 value) => throw null; - public virtual void WriteValue(System.Int64? value) => throw null; - public virtual void WriteValue(object value) => throw null; - public virtual void WriteValue(System.SByte value) => throw null; - public virtual void WriteValue(System.SByte? value) => throw null; - public virtual void WriteValue(System.Int16 value) => throw null; - public virtual void WriteValue(System.Int16? value) => throw null; - public virtual void WriteValue(string value) => throw null; - public virtual void WriteValue(System.UInt32 value) => throw null; - public virtual void WriteValue(System.UInt32? value) => throw null; - public virtual void WriteValue(System.UInt64 value) => throw null; - public virtual void WriteValue(System.UInt64? value) => throw null; - public virtual void WriteValue(System.UInt16 value) => throw null; - public virtual void WriteValue(System.UInt16? value) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Byte[] value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTime value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTime? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Guid value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Guid? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Uri value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(bool value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(bool? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Byte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Byte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Char value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Char? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Decimal value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Decimal? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(double value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(double? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(float value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(float? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(int value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(int? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Int64 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Int64? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(object value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.SByte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.SByte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Int16 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.Int16? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(string value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt32 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt32? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt64 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt64? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt16 value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteValueAsync(System.UInt16? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected virtual void WriteValueDelimiter() => throw null; - protected virtual System.Threading.Tasks.Task WriteValueDelimiterAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void WriteWhitespace(string ws) => throw null; - public virtual System.Threading.Tasks.Task WriteWhitespaceAsync(string ws, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - // Generated from `Newtonsoft.Json.JsonWriterException` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonWriterException : Newtonsoft.Json.JsonException - { - public JsonWriterException() => throw null; - public JsonWriterException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public JsonWriterException(string message) => throw null; - public JsonWriterException(string message, System.Exception innerException) => throw null; - public JsonWriterException(string message, string path, System.Exception innerException) => throw null; - public string Path { get => throw null; } - } - - // Generated from `Newtonsoft.Json.MemberSerialization` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum MemberSerialization - { - Fields = 2, - OptIn = 1, - OptOut = 0, - } - - // Generated from `Newtonsoft.Json.MetadataPropertyHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum MetadataPropertyHandling - { - Default = 0, - Ignore = 2, - ReadAhead = 1, - } - - // Generated from `Newtonsoft.Json.MissingMemberHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum MissingMemberHandling - { - Error = 1, - Ignore = 0, - } - - // Generated from `Newtonsoft.Json.NullValueHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum NullValueHandling - { - Ignore = 1, - Include = 0, - } - - // Generated from `Newtonsoft.Json.ObjectCreationHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum ObjectCreationHandling - { - Auto = 0, - Replace = 2, - Reuse = 1, - } - - // Generated from `Newtonsoft.Json.PreserveReferencesHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - [System.Flags] - public enum PreserveReferencesHandling - { - All = 3, - Arrays = 2, - None = 0, - Objects = 1, - } - - // Generated from `Newtonsoft.Json.ReferenceLoopHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum ReferenceLoopHandling - { - Error = 0, - Ignore = 1, - Serialize = 2, - } - - // Generated from `Newtonsoft.Json.Required` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum Required - { - AllowNull = 1, - Always = 2, - Default = 0, - DisallowNull = 3, - } - - // Generated from `Newtonsoft.Json.StringEscapeHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum StringEscapeHandling - { - Default = 0, - EscapeHtml = 2, - EscapeNonAscii = 1, - } - - // Generated from `Newtonsoft.Json.TypeNameAssemblyFormatHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum TypeNameAssemblyFormatHandling - { - Full = 1, - Simple = 0, - } - - // Generated from `Newtonsoft.Json.TypeNameHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - [System.Flags] - public enum TypeNameHandling - { - All = 3, - Arrays = 2, - Auto = 4, - None = 0, - Objects = 1, - } - - // Generated from `Newtonsoft.Json.WriteState` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public enum WriteState - { - Array = 3, - Closed = 1, - Constructor = 4, - Error = 0, - Object = 2, - Property = 5, - Start = 6, - } - - namespace Bson - { - // Generated from `Newtonsoft.Json.Bson.BsonObjectId` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class BsonObjectId - { - public BsonObjectId(System.Byte[] value) => throw null; - public System.Byte[] Value { get => throw null; } - } - - // Generated from `Newtonsoft.Json.Bson.BsonReader` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class BsonReader : Newtonsoft.Json.JsonReader - { - public BsonReader(System.IO.BinaryReader reader) => throw null; - public BsonReader(System.IO.BinaryReader reader, bool readRootValueAsArray, System.DateTimeKind dateTimeKindHandling) => throw null; - public BsonReader(System.IO.Stream stream) => throw null; - public BsonReader(System.IO.Stream stream, bool readRootValueAsArray, System.DateTimeKind dateTimeKindHandling) => throw null; - public override void Close() => throw null; - public System.DateTimeKind DateTimeKindHandling { get => throw null; set => throw null; } - public bool JsonNet35BinaryCompatibility { get => throw null; set => throw null; } - public override bool Read() => throw null; - public bool ReadRootValueAsArray { get => throw null; set => throw null; } - } - - // Generated from `Newtonsoft.Json.Bson.BsonWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class BsonWriter : Newtonsoft.Json.JsonWriter - { - public BsonWriter(System.IO.BinaryWriter writer) => throw null; - public BsonWriter(System.IO.Stream stream) => throw null; - public override void Close() => throw null; - public System.DateTimeKind DateTimeKindHandling { get => throw null; set => throw null; } - public override void Flush() => throw null; - public override void WriteComment(string text) => throw null; - protected override void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; - public override void WriteNull() => throw null; - public void WriteObjectId(System.Byte[] value) => throw null; - public override void WritePropertyName(string name) => throw null; - public override void WriteRaw(string json) => throw null; - public override void WriteRawValue(string json) => throw null; - public void WriteRegex(string pattern, string options) => throw null; - public override void WriteStartArray() => throw null; - public override void WriteStartConstructor(string name) => throw null; - public override void WriteStartObject() => throw null; - public override void WriteUndefined() => throw null; - public override void WriteValue(System.Byte[] value) => throw null; - public override void WriteValue(System.DateTime value) => throw null; - public override void WriteValue(System.DateTimeOffset value) => throw null; - public override void WriteValue(System.Guid value) => throw null; - public override void WriteValue(System.TimeSpan value) => throw null; - public override void WriteValue(System.Uri value) => throw null; - public override void WriteValue(bool value) => throw null; - public override void WriteValue(System.Byte value) => throw null; - public override void WriteValue(System.Char value) => throw null; - public override void WriteValue(System.Decimal value) => throw null; - public override void WriteValue(double value) => throw null; - public override void WriteValue(float value) => throw null; - public override void WriteValue(int value) => throw null; - public override void WriteValue(System.Int64 value) => throw null; - public override void WriteValue(object value) => throw null; - public override void WriteValue(System.SByte value) => throw null; - public override void WriteValue(System.Int16 value) => throw null; - public override void WriteValue(string value) => throw null; - public override void WriteValue(System.UInt32 value) => throw null; - public override void WriteValue(System.UInt64 value) => throw null; - public override void WriteValue(System.UInt16 value) => throw null; - } - - } - namespace Converters - { - // Generated from `Newtonsoft.Json.Converters.BinaryConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class BinaryConverter : Newtonsoft.Json.JsonConverter - { - public BinaryConverter() => throw null; - public override bool CanConvert(System.Type objectType) => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.BsonObjectIdConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class BsonObjectIdConverter : Newtonsoft.Json.JsonConverter - { - public BsonObjectIdConverter() => throw null; - public override bool CanConvert(System.Type objectType) => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.CustomCreationConverter<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class CustomCreationConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public override bool CanWrite { get => throw null; } - public abstract T Create(System.Type objectType); - protected CustomCreationConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.DataSetConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class DataSetConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type valueType) => throw null; - public DataSetConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.DataTableConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class DataTableConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type valueType) => throw null; - public DataTableConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.DateTimeConverterBase` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class DateTimeConverterBase : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - protected DateTimeConverterBase() => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.DiscriminatedUnionConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class DiscriminatedUnionConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public DiscriminatedUnionConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.EntityKeyMemberConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class EntityKeyMemberConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public EntityKeyMemberConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.ExpandoObjectConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class ExpandoObjectConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public override bool CanWrite { get => throw null; } - public ExpandoObjectConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.IsoDateTimeConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class IsoDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase - { - public System.Globalization.CultureInfo Culture { get => throw null; set => throw null; } - public string DateTimeFormat { get => throw null; set => throw null; } - public System.Globalization.DateTimeStyles DateTimeStyles { get => throw null; set => throw null; } - public IsoDateTimeConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.JavaScriptDateTimeConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JavaScriptDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase - { - public JavaScriptDateTimeConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.KeyValuePairConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class KeyValuePairConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public KeyValuePairConverter() => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.RegexConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class RegexConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public RegexConverter() => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.StringEnumConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class StringEnumConverter : Newtonsoft.Json.JsonConverter - { - public bool AllowIntegerValues { get => throw null; set => throw null; } - public bool CamelCaseText { get => throw null; set => throw null; } - public override bool CanConvert(System.Type objectType) => throw null; - public Newtonsoft.Json.Serialization.NamingStrategy NamingStrategy { get => throw null; set => throw null; } - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public StringEnumConverter() => throw null; - public StringEnumConverter(Newtonsoft.Json.Serialization.NamingStrategy namingStrategy, bool allowIntegerValues = default(bool)) => throw null; - public StringEnumConverter(System.Type namingStrategyType) => throw null; - public StringEnumConverter(System.Type namingStrategyType, object[] namingStrategyParameters) => throw null; - public StringEnumConverter(System.Type namingStrategyType, object[] namingStrategyParameters, bool allowIntegerValues) => throw null; - public StringEnumConverter(bool camelCaseText) => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.UnixDateTimeConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class UnixDateTimeConverter : Newtonsoft.Json.Converters.DateTimeConverterBase - { - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public UnixDateTimeConverter() => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.VersionConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class VersionConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type objectType) => throw null; - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public VersionConverter() => throw null; - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - } - - // Generated from `Newtonsoft.Json.Converters.XmlNodeConverter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class XmlNodeConverter : Newtonsoft.Json.JsonConverter - { - public override bool CanConvert(System.Type valueType) => throw null; - public string DeserializeRootElementName { get => throw null; set => throw null; } - public bool EncodeSpecialCharacters { get => throw null; set => throw null; } - public bool OmitRootObject { get => throw null; set => throw null; } - public override object ReadJson(Newtonsoft.Json.JsonReader reader, System.Type objectType, object existingValue, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public bool WriteArrayAttribute { get => throw null; set => throw null; } - public override void WriteJson(Newtonsoft.Json.JsonWriter writer, object value, Newtonsoft.Json.JsonSerializer serializer) => throw null; - public XmlNodeConverter() => throw null; - } - + public Newtonsoft.Json.JsonReader Reader { get => throw null; } + public Newtonsoft.Json.Schema.JsonSchema Schema { get => throw null; set { } } + public override Newtonsoft.Json.JsonToken TokenType { get => throw null; } + public event Newtonsoft.Json.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public override object Value { get => throw null; } + public override System.Type ValueType { get => throw null; } + } + public abstract class JsonWriter : System.IAsyncDisposable, System.IDisposable + { + public bool AutoCompleteOnClose { get => throw null; set { } } + public virtual void Close() => throw null; + public virtual System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public bool CloseOutput { get => throw null; set { } } + protected JsonWriter() => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; set { } } + public Newtonsoft.Json.DateFormatHandling DateFormatHandling { get => throw null; set { } } + public string DateFormatString { get => throw null; set { } } + public Newtonsoft.Json.DateTimeZoneHandling DateTimeZoneHandling { get => throw null; set { } } + void System.IDisposable.Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + System.Threading.Tasks.ValueTask System.IAsyncDisposable.DisposeAsync() => throw null; + public Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set { } } + public abstract void Flush(); + public virtual System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public Newtonsoft.Json.Formatting Formatting { get => throw null; set { } } + public string Path { get => throw null; } + protected void SetWriteState(Newtonsoft.Json.JsonToken token, object value) => throw null; + protected System.Threading.Tasks.Task SetWriteStateAsync(Newtonsoft.Json.JsonToken token, object value, System.Threading.CancellationToken cancellationToken) => throw null; + public Newtonsoft.Json.StringEscapeHandling StringEscapeHandling { get => throw null; set { } } + protected int Top { get => throw null; } + public virtual void WriteComment(string text) => throw null; + public virtual System.Threading.Tasks.Task WriteCommentAsync(string text, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteEnd() => throw null; + protected virtual void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; + public virtual void WriteEndArray() => throw null; + public virtual System.Threading.Tasks.Task WriteEndArrayAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual System.Threading.Tasks.Task WriteEndAsync(Newtonsoft.Json.JsonToken token, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task WriteEndAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteEndConstructor() => throw null; + public virtual System.Threading.Tasks.Task WriteEndConstructorAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteEndObject() => throw null; + public virtual System.Threading.Tasks.Task WriteEndObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual void WriteIndent() => throw null; + protected virtual System.Threading.Tasks.Task WriteIndentAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void WriteIndentSpace() => throw null; + protected virtual System.Threading.Tasks.Task WriteIndentSpaceAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void WriteNull() => throw null; + public virtual System.Threading.Tasks.Task WriteNullAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WritePropertyName(string name) => throw null; + public virtual void WritePropertyName(string name, bool escape) => throw null; + public virtual System.Threading.Tasks.Task WritePropertyNameAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WritePropertyNameAsync(string name, bool escape, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteRaw(string json) => throw null; + public virtual System.Threading.Tasks.Task WriteRawAsync(string json, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteRawValue(string json) => throw null; + public virtual System.Threading.Tasks.Task WriteRawValueAsync(string json, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteStartArray() => throw null; + public virtual System.Threading.Tasks.Task WriteStartArrayAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteStartConstructor(string name) => throw null; + public virtual System.Threading.Tasks.Task WriteStartConstructorAsync(string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteStartObject() => throw null; + public virtual System.Threading.Tasks.Task WriteStartObjectAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public Newtonsoft.Json.WriteState WriteState { get => throw null; } + public void WriteToken(Newtonsoft.Json.JsonReader reader) => throw null; + public void WriteToken(Newtonsoft.Json.JsonReader reader, bool writeChildren) => throw null; + public void WriteToken(Newtonsoft.Json.JsonToken token, object value) => throw null; + public void WriteToken(Newtonsoft.Json.JsonToken token) => throw null; + public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonReader reader, bool writeChildren, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonToken token, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task WriteTokenAsync(Newtonsoft.Json.JsonToken token, object value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteUndefined() => throw null; + public virtual System.Threading.Tasks.Task WriteUndefinedAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteValue(string value) => throw null; + public virtual void WriteValue(int value) => throw null; + public virtual void WriteValue(uint value) => throw null; + public virtual void WriteValue(long value) => throw null; + public virtual void WriteValue(ulong value) => throw null; + public virtual void WriteValue(float value) => throw null; + public virtual void WriteValue(double value) => throw null; + public virtual void WriteValue(bool value) => throw null; + public virtual void WriteValue(short value) => throw null; + public virtual void WriteValue(ushort value) => throw null; + public virtual void WriteValue(char value) => throw null; + public virtual void WriteValue(byte value) => throw null; + public virtual void WriteValue(sbyte value) => throw null; + public virtual void WriteValue(decimal value) => throw null; + public virtual void WriteValue(System.DateTime value) => throw null; + public virtual void WriteValue(System.DateTimeOffset value) => throw null; + public virtual void WriteValue(System.Guid value) => throw null; + public virtual void WriteValue(System.TimeSpan value) => throw null; + public virtual void WriteValue(int? value) => throw null; + public virtual void WriteValue(uint? value) => throw null; + public virtual void WriteValue(long? value) => throw null; + public virtual void WriteValue(ulong? value) => throw null; + public virtual void WriteValue(float? value) => throw null; + public virtual void WriteValue(double? value) => throw null; + public virtual void WriteValue(bool? value) => throw null; + public virtual void WriteValue(short? value) => throw null; + public virtual void WriteValue(ushort? value) => throw null; + public virtual void WriteValue(char? value) => throw null; + public virtual void WriteValue(byte? value) => throw null; + public virtual void WriteValue(sbyte? value) => throw null; + public virtual void WriteValue(decimal? value) => throw null; + public virtual void WriteValue(System.DateTime? value) => throw null; + public virtual void WriteValue(System.DateTimeOffset? value) => throw null; + public virtual void WriteValue(System.Guid? value) => throw null; + public virtual void WriteValue(System.TimeSpan? value) => throw null; + public virtual void WriteValue(byte[] value) => throw null; + public virtual void WriteValue(System.Uri value) => throw null; + public virtual void WriteValue(object value) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(bool value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(bool? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(byte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(byte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(byte[] value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(char value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(char? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTime value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTime? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.DateTimeOffset? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(decimal value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(decimal? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(double value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(double? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(float value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(float? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.Guid value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.Guid? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(int value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(int? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(long value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(long? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(object value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(sbyte value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(sbyte? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(short value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(short? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(string value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.TimeSpan? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(uint value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(uint? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(ulong value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(ulong? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(System.Uri value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(ushort value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteValueAsync(ushort? value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual void WriteValueDelimiter() => throw null; + protected virtual System.Threading.Tasks.Task WriteValueDelimiterAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void WriteWhitespace(string ws) => throw null; + public virtual System.Threading.Tasks.Task WriteWhitespaceAsync(string ws, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public class JsonWriterException : Newtonsoft.Json.JsonException + { + public JsonWriterException() => throw null; + public JsonWriterException(string message) => throw null; + public JsonWriterException(string message, System.Exception innerException) => throw null; + public JsonWriterException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public JsonWriterException(string message, string path, System.Exception innerException) => throw null; + public string Path { get => throw null; } } namespace Linq { - // Generated from `Newtonsoft.Json.Linq.CommentHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum CommentHandling { Ignore = 0, Load = 1, } - - // Generated from `Newtonsoft.Json.Linq.DuplicatePropertyNameHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum DuplicatePropertyNameHandling { - Error = 2, - Ignore = 1, Replace = 0, + Ignore = 1, + Error = 2, } - - // Generated from `Newtonsoft.Json.Linq.Extensions` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public static class Extensions + public static partial class Extensions { public static Newtonsoft.Json.Linq.IJEnumerable Ancestors(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; public static Newtonsoft.Json.Linq.IJEnumerable AncestorsAndSelf(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; public static Newtonsoft.Json.Linq.IJEnumerable AsJEnumerable(this System.Collections.Generic.IEnumerable source) => throw null; public static Newtonsoft.Json.Linq.IJEnumerable AsJEnumerable(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; - public static System.Collections.Generic.IEnumerable Children(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; public static Newtonsoft.Json.Linq.IJEnumerable Children(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; + public static System.Collections.Generic.IEnumerable Children(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JToken => throw null; public static Newtonsoft.Json.Linq.IJEnumerable Descendants(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JContainer => throw null; public static Newtonsoft.Json.Linq.IJEnumerable DescendantsAndSelf(this System.Collections.Generic.IEnumerable source) where T : Newtonsoft.Json.Linq.JContainer => throw null; public static Newtonsoft.Json.Linq.IJEnumerable Properties(this System.Collections.Generic.IEnumerable source) => throw null; - public static U Value(this System.Collections.Generic.IEnumerable value) where T : Newtonsoft.Json.Linq.JToken => throw null; public static U Value(this System.Collections.Generic.IEnumerable value) => throw null; - public static Newtonsoft.Json.Linq.IJEnumerable Values(this System.Collections.Generic.IEnumerable source) => throw null; + public static U Value(this System.Collections.Generic.IEnumerable value) where T : Newtonsoft.Json.Linq.JToken => throw null; public static Newtonsoft.Json.Linq.IJEnumerable Values(this System.Collections.Generic.IEnumerable source, object key) => throw null; - public static System.Collections.Generic.IEnumerable Values(this System.Collections.Generic.IEnumerable source) => throw null; + public static Newtonsoft.Json.Linq.IJEnumerable Values(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Generic.IEnumerable Values(this System.Collections.Generic.IEnumerable source, object key) => throw null; + public static System.Collections.Generic.IEnumerable Values(this System.Collections.Generic.IEnumerable source) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.IJEnumerable<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IJEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable where T : Newtonsoft.Json.Linq.JToken { Newtonsoft.Json.Linq.IJEnumerable this[object key] { get; } } - - // Generated from `Newtonsoft.Json.Linq.JArray` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JArray : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + public class JArray : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public void Add(Newtonsoft.Json.Linq.JToken item) => throw null; protected override System.Collections.Generic.IList ChildrenTokens { get => throw null; } public void Clear() => throw null; public bool Contains(Newtonsoft.Json.Linq.JToken item) => throw null; public void CopyTo(Newtonsoft.Json.Linq.JToken[] array, int arrayIndex) => throw null; + public JArray() => throw null; + public JArray(Newtonsoft.Json.Linq.JArray other) => throw null; + public JArray(params object[] content) => throw null; + public JArray(object content) => throw null; public static Newtonsoft.Json.Linq.JArray FromObject(object o) => throw null; public static Newtonsoft.Json.Linq.JArray FromObject(object o, Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; public int IndexOf(Newtonsoft.Json.Linq.JToken item) => throw null; public void Insert(int index, Newtonsoft.Json.Linq.JToken item) => throw null; public bool IsReadOnly { get => throw null; } - public Newtonsoft.Json.Linq.JToken this[int index] { get => throw null; set => throw null; } - public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set => throw null; } - public JArray() => throw null; - public JArray(Newtonsoft.Json.Linq.JArray other) => throw null; - public JArray(object content) => throw null; - public JArray(params object[] content) => throw null; public static Newtonsoft.Json.Linq.JArray Load(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Linq.JArray Load(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; @@ -1251,41 +1023,39 @@ public class JArray : Newtonsoft.Json.Linq.JContainer, System.Collections.Generi public static Newtonsoft.Json.Linq.JArray Parse(string json, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; public bool Remove(Newtonsoft.Json.Linq.JToken item) => throw null; public void RemoveAt(int index) => throw null; + public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set { } } + public Newtonsoft.Json.Linq.JToken this[int index] { get => throw null; set { } } public override Newtonsoft.Json.Linq.JTokenType Type { get => throw null; } public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JConstructor` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JConstructor : Newtonsoft.Json.Linq.JContainer { protected override System.Collections.Generic.IList ChildrenTokens { get => throw null; } - public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set => throw null; } public JConstructor() => throw null; public JConstructor(Newtonsoft.Json.Linq.JConstructor other) => throw null; - public JConstructor(string name) => throw null; - public JConstructor(string name, object content) => throw null; public JConstructor(string name, params object[] content) => throw null; + public JConstructor(string name, object content) => throw null; + public JConstructor(string name) => throw null; public static Newtonsoft.Json.Linq.JConstructor Load(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Linq.JConstructor Load(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set { } } public override Newtonsoft.Json.Linq.JTokenType Type { get => throw null; } public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JContainer` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.Specialized.INotifyCollectionChanged, System.ComponentModel.IBindingList, System.ComponentModel.ITypedList + public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.ComponentModel.ITypedList, System.ComponentModel.IBindingList, System.Collections.ICollection, System.Collections.IList, System.Collections.Specialized.INotifyCollectionChanged { - void System.Collections.Generic.ICollection.Add(Newtonsoft.Json.Linq.JToken item) => throw null; public virtual void Add(object content) => throw null; + void System.Collections.Generic.ICollection.Add(Newtonsoft.Json.Linq.JToken item) => throw null; int System.Collections.IList.Add(object value) => throw null; public void AddFirst(object content) => throw null; void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; + public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } remove { } } object System.ComponentModel.IBindingList.AddNew() => throw null; - public event System.ComponentModel.AddingNewEventHandler AddingNew; bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } @@ -1294,11 +1064,11 @@ public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collectio protected abstract System.Collections.Generic.IList ChildrenTokens { get; } void System.Collections.Generic.ICollection.Clear() => throw null; void System.Collections.IList.Clear() => throw null; - public event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; + public event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } bool System.Collections.Generic.ICollection.Contains(Newtonsoft.Json.Linq.JToken item) => throw null; bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; void System.Collections.Generic.ICollection.CopyTo(Newtonsoft.Json.Linq.JToken[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public Newtonsoft.Json.JsonWriter CreateWriter() => throw null; public System.Collections.Generic.IEnumerable Descendants() => throw null; @@ -1317,11 +1087,10 @@ public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collectio bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - Newtonsoft.Json.Linq.JToken System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - internal JContainer() => throw null; + Newtonsoft.Json.Linq.JToken System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } public override Newtonsoft.Json.Linq.JToken Last { get => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged; + public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } public void Merge(object content) => throw null; public void Merge(object content, Newtonsoft.Json.Linq.JsonMergeSettings settings) => throw null; protected virtual void OnAddingNew(System.ComponentModel.AddingNewEventArgs e) => throw null; @@ -1343,10 +1112,9 @@ public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collectio object System.Collections.ICollection.SyncRoot { get => throw null; } public override System.Collections.Generic.IEnumerable Values() => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JEnumerable<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public struct JEnumerable : Newtonsoft.Json.Linq.IJEnumerable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable> where T : Newtonsoft.Json.Linq.JToken { + public JEnumerable(System.Collections.Generic.IEnumerable enumerable) => throw null; public static Newtonsoft.Json.Linq.JEnumerable Empty; public bool Equals(Newtonsoft.Json.Linq.JEnumerable other) => throw null; public override bool Equals(object obj) => throw null; @@ -1354,20 +1122,20 @@ public struct JEnumerable : Newtonsoft.Json.Linq.IJEnumerable, System.Coll System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public override int GetHashCode() => throw null; public Newtonsoft.Json.Linq.IJEnumerable this[object key] { get => throw null; } - // Stub generator skipped constructor - public JEnumerable(System.Collections.Generic.IEnumerable enumerable) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JObject` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.ICustomTypeDescriptor, System.ComponentModel.INotifyPropertyChanged, System.ComponentModel.INotifyPropertyChanging + public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.INotifyPropertyChanged, System.ComponentModel.ICustomTypeDescriptor, System.ComponentModel.INotifyPropertyChanging { - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string propertyName, Newtonsoft.Json.Linq.JToken value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; protected override System.Collections.Generic.IList ChildrenTokens { get => throw null; } void System.Collections.Generic.ICollection>.Clear() => throw null; bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; public bool ContainsKey(string propertyName) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public JObject() => throw null; + public JObject(Newtonsoft.Json.Linq.JObject other) => throw null; + public JObject(params object[] content) => throw null; + public JObject(object content) => throw null; public static Newtonsoft.Json.Linq.JObject FromObject(object o) => throw null; public static Newtonsoft.Json.Linq.JObject FromObject(object o, Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; System.ComponentModel.AttributeCollection System.ComponentModel.ICustomTypeDescriptor.GetAttributes() => throw null; @@ -1378,8 +1146,8 @@ public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Gener System.ComponentModel.PropertyDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultProperty() => throw null; object System.ComponentModel.ICustomTypeDescriptor.GetEditor(System.Type editorBaseType) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; - System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents() => throw null; System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents(System.Attribute[] attributes) => throw null; + System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents() => throw null; protected override System.Dynamic.DynamicMetaObject GetMetaObject(System.Linq.Expressions.Expression parameter) => throw null; System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties() => throw null; System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties(System.Attribute[] attributes) => throw null; @@ -1387,12 +1155,6 @@ public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Gener public Newtonsoft.Json.Linq.JToken GetValue(string propertyName) => throw null; public Newtonsoft.Json.Linq.JToken GetValue(string propertyName, System.StringComparison comparison) => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set => throw null; } - public Newtonsoft.Json.Linq.JToken this[string propertyName] { get => throw null; set => throw null; } - public JObject() => throw null; - public JObject(Newtonsoft.Json.Linq.JObject other) => throw null; - public JObject(object content) => throw null; - public JObject(params object[] content) => throw null; System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } public static Newtonsoft.Json.Linq.JObject Load(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Linq.JObject Load(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; @@ -1405,11 +1167,13 @@ public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Gener public System.Collections.Generic.IEnumerable Properties() => throw null; public Newtonsoft.Json.Linq.JProperty Property(string name) => throw null; public Newtonsoft.Json.Linq.JProperty Property(string name, System.StringComparison comparison) => throw null; - public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; - public event System.ComponentModel.PropertyChangingEventHandler PropertyChanging; + public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + public event System.ComponentModel.PropertyChangingEventHandler PropertyChanging { add { } remove { } } public Newtonsoft.Json.Linq.JEnumerable PropertyValues() => throw null; - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string propertyName) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public override Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set { } } + public Newtonsoft.Json.Linq.JToken this[string propertyName] { get => throw null; set { } } public bool TryGetValue(string propertyName, System.StringComparison comparison, out Newtonsoft.Json.Linq.JToken value) => throw null; public bool TryGetValue(string propertyName, out Newtonsoft.Json.Linq.JToken value) => throw null; public override Newtonsoft.Json.Linq.JTokenType Type { get => throw null; } @@ -1417,41 +1181,35 @@ public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Gener public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JProperty` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JProperty : Newtonsoft.Json.Linq.JContainer { protected override System.Collections.Generic.IList ChildrenTokens { get => throw null; } public JProperty(Newtonsoft.Json.Linq.JProperty other) => throw null; - public JProperty(string name, object content) => throw null; public JProperty(string name, params object[] content) => throw null; + public JProperty(string name, object content) => throw null; public static Newtonsoft.Json.Linq.JProperty Load(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Linq.JProperty Load(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public string Name { get => throw null; } public override Newtonsoft.Json.Linq.JTokenType Type { get => throw null; } - public Newtonsoft.Json.Linq.JToken Value { get => throw null; set => throw null; } + public Newtonsoft.Json.Linq.JToken Value { get => throw null; set { } } public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JPropertyDescriptor` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JPropertyDescriptor : System.ComponentModel.PropertyDescriptor { public override bool CanResetValue(object component) => throw null; public override System.Type ComponentType { get => throw null; } + public JPropertyDescriptor(string name) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; public override object GetValue(object component) => throw null; public override bool IsReadOnly { get => throw null; } - public JPropertyDescriptor(string name) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; protected override int NameHashCode { get => throw null; } public override System.Type PropertyType { get => throw null; } public override void ResetValue(object component) => throw null; public override void SetValue(object component, object value) => throw null; public override bool ShouldSerializeValue(object component) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JRaw` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JRaw : Newtonsoft.Json.Linq.JValue { public static Newtonsoft.Json.Linq.JRaw Create(Newtonsoft.Json.JsonReader reader) => throw null; @@ -1459,9 +1217,32 @@ public class JRaw : Newtonsoft.Json.Linq.JValue public JRaw(Newtonsoft.Json.Linq.JRaw other) : base(default(Newtonsoft.Json.Linq.JValue)) => throw null; public JRaw(object rawJson) : base(default(Newtonsoft.Json.Linq.JValue)) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JToken` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public abstract class JToken : Newtonsoft.Json.IJsonLineInfo, Newtonsoft.Json.Linq.IJEnumerable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Dynamic.IDynamicMetaObjectProvider, System.ICloneable + public class JsonCloneSettings + { + public bool CopyAnnotations { get => throw null; set { } } + public JsonCloneSettings() => throw null; + } + public class JsonLoadSettings + { + public Newtonsoft.Json.Linq.CommentHandling CommentHandling { get => throw null; set { } } + public JsonLoadSettings() => throw null; + public Newtonsoft.Json.Linq.DuplicatePropertyNameHandling DuplicatePropertyNameHandling { get => throw null; set { } } + public Newtonsoft.Json.Linq.LineInfoHandling LineInfoHandling { get => throw null; set { } } + } + public class JsonMergeSettings + { + public JsonMergeSettings() => throw null; + public Newtonsoft.Json.Linq.MergeArrayHandling MergeArrayHandling { get => throw null; set { } } + public Newtonsoft.Json.Linq.MergeNullValueHandling MergeNullValueHandling { get => throw null; set { } } + public System.StringComparison PropertyNameComparison { get => throw null; set { } } + } + public class JsonSelectSettings + { + public JsonSelectSettings() => throw null; + public bool ErrorWhenNoMatch { get => throw null; set { } } + public System.TimeSpan? RegexMatchTimeout { get => throw null; set { } } + } + public abstract class JToken : Newtonsoft.Json.Linq.IJEnumerable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, Newtonsoft.Json.IJsonLineInfo, System.ICloneable, System.Dynamic.IDynamicMetaObjectProvider { public void AddAfterSelf(object content) => throw null; public void AddAnnotation(object annotation) => throw null; @@ -1469,196 +1250,188 @@ public abstract class JToken : Newtonsoft.Json.IJsonLineInfo, Newtonsoft.Json.Li public System.Collections.Generic.IEnumerable AfterSelf() => throw null; public System.Collections.Generic.IEnumerable Ancestors() => throw null; public System.Collections.Generic.IEnumerable AncestorsAndSelf() => throw null; - public object Annotation(System.Type type) => throw null; public T Annotation() where T : class => throw null; - public System.Collections.Generic.IEnumerable Annotations(System.Type type) => throw null; + public object Annotation(System.Type type) => throw null; public System.Collections.Generic.IEnumerable Annotations() where T : class => throw null; + public System.Collections.Generic.IEnumerable Annotations(System.Type type) => throw null; public System.Collections.Generic.IEnumerable BeforeSelf() => throw null; public virtual Newtonsoft.Json.Linq.JEnumerable Children() => throw null; public Newtonsoft.Json.Linq.JEnumerable Children() where T : Newtonsoft.Json.Linq.JToken => throw null; object System.ICloneable.Clone() => throw null; public Newtonsoft.Json.JsonReader CreateReader() => throw null; public Newtonsoft.Json.Linq.JToken DeepClone() => throw null; + public Newtonsoft.Json.Linq.JToken DeepClone(Newtonsoft.Json.Linq.JsonCloneSettings settings) => throw null; public static bool DeepEquals(Newtonsoft.Json.Linq.JToken t1, Newtonsoft.Json.Linq.JToken t2) => throw null; public static Newtonsoft.Json.Linq.JTokenEqualityComparer EqualityComparer { get => throw null; } public virtual Newtonsoft.Json.Linq.JToken First { get => throw null; } public static Newtonsoft.Json.Linq.JToken FromObject(object o) => throw null; public static Newtonsoft.Json.Linq.JToken FromObject(object o, Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; protected virtual System.Dynamic.DynamicMetaObject GetMetaObject(System.Linq.Expressions.Expression parameter) => throw null; System.Dynamic.DynamicMetaObject System.Dynamic.IDynamicMetaObjectProvider.GetMetaObject(System.Linq.Expressions.Expression parameter) => throw null; bool Newtonsoft.Json.IJsonLineInfo.HasLineInfo() => throw null; public abstract bool HasValues { get; } - public virtual Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set => throw null; } Newtonsoft.Json.Linq.IJEnumerable Newtonsoft.Json.Linq.IJEnumerable.this[object key] { get => throw null; } - internal JToken() => throw null; public virtual Newtonsoft.Json.Linq.JToken Last { get => throw null; } int Newtonsoft.Json.IJsonLineInfo.LineNumber { get => throw null; } int Newtonsoft.Json.IJsonLineInfo.LinePosition { get => throw null; } - public static Newtonsoft.Json.Linq.JToken Load(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Linq.JToken Load(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; + public static Newtonsoft.Json.Linq.JToken Load(Newtonsoft.Json.JsonReader reader) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task LoadAsync(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public Newtonsoft.Json.Linq.JToken Next { get => throw null; set => throw null; } - public Newtonsoft.Json.Linq.JContainer Parent { get => throw null; set => throw null; } - public static Newtonsoft.Json.Linq.JToken Parse(string json) => throw null; - public static Newtonsoft.Json.Linq.JToken Parse(string json, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; - public string Path { get => throw null; } - public Newtonsoft.Json.Linq.JToken Previous { get => throw null; set => throw null; } - public static Newtonsoft.Json.Linq.JToken ReadFrom(Newtonsoft.Json.JsonReader reader) => throw null; - public static Newtonsoft.Json.Linq.JToken ReadFrom(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; - public static System.Threading.Tasks.Task ReadFromAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task ReadFromAsync(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Remove() => throw null; - public void RemoveAnnotations(System.Type type) => throw null; - public void RemoveAnnotations() where T : class => throw null; - public void Replace(Newtonsoft.Json.Linq.JToken value) => throw null; - public Newtonsoft.Json.Linq.JToken Root { get => throw null; } - public Newtonsoft.Json.Linq.JToken SelectToken(string path) => throw null; - public Newtonsoft.Json.Linq.JToken SelectToken(string path, Newtonsoft.Json.Linq.JsonSelectSettings settings) => throw null; - public Newtonsoft.Json.Linq.JToken SelectToken(string path, bool errorWhenNoMatch) => throw null; - public System.Collections.Generic.IEnumerable SelectTokens(string path) => throw null; - public System.Collections.Generic.IEnumerable SelectTokens(string path, Newtonsoft.Json.Linq.JsonSelectSettings settings) => throw null; - public System.Collections.Generic.IEnumerable SelectTokens(string path, bool errorWhenNoMatch) => throw null; - public object ToObject(System.Type objectType) => throw null; - public object ToObject(System.Type objectType, Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; - public T ToObject() => throw null; - public T ToObject(Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; - public override string ToString() => throw null; - public string ToString(Newtonsoft.Json.Formatting formatting, params Newtonsoft.Json.JsonConverter[] converters) => throw null; - public abstract Newtonsoft.Json.Linq.JTokenType Type { get; } - public virtual T Value(object key) => throw null; - public virtual System.Collections.Generic.IEnumerable Values() => throw null; - public abstract void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters); - public virtual System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; - public System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; - public static explicit operator System.Byte(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Byte?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Byte[](Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Char(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Char?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.DateTime(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.DateTime?(Newtonsoft.Json.Linq.JToken value) => throw null; + public Newtonsoft.Json.Linq.JToken Next { get => throw null; } + public static explicit operator bool(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.DateTimeOffset(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator bool?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator long(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator System.DateTime?(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.DateTimeOffset?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Decimal(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Decimal?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator decimal?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator double?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator char?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator int(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator short(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator ushort(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator char(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator byte(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator sbyte(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator int?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator short?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator ushort?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator byte?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator sbyte?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator System.DateTime(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator long?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator float?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator decimal(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator uint?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator ulong?(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator double(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator float(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator string(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator uint(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator ulong(Newtonsoft.Json.Linq.JToken value) => throw null; + public static explicit operator byte[](Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.Guid(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.Guid?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Int16(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Int16?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Int64(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.Int64?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.SByte(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.SByte?(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.TimeSpan(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.TimeSpan?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt16(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt16?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt32(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt32?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt64(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator System.UInt64?(Newtonsoft.Json.Linq.JToken value) => throw null; public static explicit operator System.Uri(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator bool(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator bool?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator double(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator double?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator float(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator float?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator int(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator int?(Newtonsoft.Json.Linq.JToken value) => throw null; - public static explicit operator string(Newtonsoft.Json.Linq.JToken value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Byte[] value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTime value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTime? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTimeOffset value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTimeOffset? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Guid value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Guid? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.TimeSpan value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.TimeSpan? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Uri value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(bool value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTimeOffset value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(byte value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(byte? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(sbyte value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(sbyte? value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(bool? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Byte value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Byte? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Decimal value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Decimal? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(double value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(long value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTime? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTimeOffset? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(decimal? value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(double? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(float value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(float? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(short value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(ushort value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(int value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(int? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Int64 value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Int64? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.SByte value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.SByte? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Int16 value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.Int16? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.DateTime value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(long? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(float? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(decimal value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(short? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(ushort? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(uint? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(ulong? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(double value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(float value) => throw null; public static implicit operator Newtonsoft.Json.Linq.JToken(string value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt32 value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt32? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt64 value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt64? value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt16 value) => throw null; - public static implicit operator Newtonsoft.Json.Linq.JToken(System.UInt16? value) => throw null; - } - - // Generated from `Newtonsoft.Json.Linq.JTokenEqualityComparer` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` + public static implicit operator Newtonsoft.Json.Linq.JToken(uint value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(ulong value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(byte[] value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.Uri value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.TimeSpan value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.TimeSpan? value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.Guid value) => throw null; + public static implicit operator Newtonsoft.Json.Linq.JToken(System.Guid? value) => throw null; + public Newtonsoft.Json.Linq.JContainer Parent { get => throw null; } + public static Newtonsoft.Json.Linq.JToken Parse(string json) => throw null; + public static Newtonsoft.Json.Linq.JToken Parse(string json, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; + public string Path { get => throw null; } + public Newtonsoft.Json.Linq.JToken Previous { get => throw null; } + public static Newtonsoft.Json.Linq.JToken ReadFrom(Newtonsoft.Json.JsonReader reader) => throw null; + public static Newtonsoft.Json.Linq.JToken ReadFrom(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings) => throw null; + public static System.Threading.Tasks.Task ReadFromAsync(Newtonsoft.Json.JsonReader reader, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task ReadFromAsync(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Linq.JsonLoadSettings settings, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Remove() => throw null; + public void RemoveAnnotations() where T : class => throw null; + public void RemoveAnnotations(System.Type type) => throw null; + public void Replace(Newtonsoft.Json.Linq.JToken value) => throw null; + public Newtonsoft.Json.Linq.JToken Root { get => throw null; } + public Newtonsoft.Json.Linq.JToken SelectToken(string path) => throw null; + public Newtonsoft.Json.Linq.JToken SelectToken(string path, bool errorWhenNoMatch) => throw null; + public Newtonsoft.Json.Linq.JToken SelectToken(string path, Newtonsoft.Json.Linq.JsonSelectSettings settings) => throw null; + public System.Collections.Generic.IEnumerable SelectTokens(string path) => throw null; + public System.Collections.Generic.IEnumerable SelectTokens(string path, bool errorWhenNoMatch) => throw null; + public System.Collections.Generic.IEnumerable SelectTokens(string path, Newtonsoft.Json.Linq.JsonSelectSettings settings) => throw null; + public virtual Newtonsoft.Json.Linq.JToken this[object key] { get => throw null; set { } } + public T ToObject() => throw null; + public object ToObject(System.Type objectType) => throw null; + public T ToObject(Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; + public object ToObject(System.Type objectType, Newtonsoft.Json.JsonSerializer jsonSerializer) => throw null; + public override string ToString() => throw null; + public string ToString(Newtonsoft.Json.Formatting formatting, params Newtonsoft.Json.JsonConverter[] converters) => throw null; + public abstract Newtonsoft.Json.Linq.JTokenType Type { get; } + public virtual T Value(object key) => throw null; + public virtual System.Collections.Generic.IEnumerable Values() => throw null; + public abstract void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters); + public virtual System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; + public System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; + } public class JTokenEqualityComparer : System.Collections.Generic.IEqualityComparer { + public JTokenEqualityComparer() => throw null; public bool Equals(Newtonsoft.Json.Linq.JToken x, Newtonsoft.Json.Linq.JToken y) => throw null; public int GetHashCode(Newtonsoft.Json.Linq.JToken obj) => throw null; - public JTokenEqualityComparer() => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JTokenReader` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JTokenReader : Newtonsoft.Json.JsonReader, Newtonsoft.Json.IJsonLineInfo { - public Newtonsoft.Json.Linq.JToken CurrentToken { get => throw null; } - bool Newtonsoft.Json.IJsonLineInfo.HasLineInfo() => throw null; public JTokenReader(Newtonsoft.Json.Linq.JToken token) => throw null; public JTokenReader(Newtonsoft.Json.Linq.JToken token, string initialPath) => throw null; + public Newtonsoft.Json.Linq.JToken CurrentToken { get => throw null; } + bool Newtonsoft.Json.IJsonLineInfo.HasLineInfo() => throw null; int Newtonsoft.Json.IJsonLineInfo.LineNumber { get => throw null; } int Newtonsoft.Json.IJsonLineInfo.LinePosition { get => throw null; } public override string Path { get => throw null; } public override bool Read() => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JTokenType` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum JTokenType { - Array = 2, - Boolean = 9, - Bytes = 14, - Comment = 5, - Constructor = 3, - Date = 12, - Float = 7, - Guid = 15, - Integer = 6, None = 0, - Null = 10, Object = 1, + Array = 2, + Constructor = 3, Property = 4, - Raw = 13, + Comment = 5, + Integer = 6, + Float = 7, String = 8, - TimeSpan = 17, + Boolean = 9, + Null = 10, Undefined = 11, + Date = 12, + Raw = 13, + Bytes = 14, + Guid = 15, Uri = 16, + TimeSpan = 17, } - - // Generated from `Newtonsoft.Json.Linq.JTokenWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JTokenWriter : Newtonsoft.Json.JsonWriter { public override void Close() => throw null; + public JTokenWriter(Newtonsoft.Json.Linq.JContainer container) => throw null; + public JTokenWriter() => throw null; public Newtonsoft.Json.Linq.JToken CurrentToken { get => throw null; } public override void Flush() => throw null; - public JTokenWriter() => throw null; - public JTokenWriter(Newtonsoft.Json.Linq.JContainer container) => throw null; public Newtonsoft.Json.Linq.JToken Token { get => throw null; } public override void WriteComment(string text) => throw null; protected override void WriteEnd(Newtonsoft.Json.JsonToken token) => throw null; @@ -1669,278 +1442,269 @@ public class JTokenWriter : Newtonsoft.Json.JsonWriter public override void WriteStartConstructor(string name) => throw null; public override void WriteStartObject() => throw null; public override void WriteUndefined() => throw null; - public override void WriteValue(System.Byte[] value) => throw null; + public override void WriteValue(object value) => throw null; + public override void WriteValue(string value) => throw null; + public override void WriteValue(int value) => throw null; + public override void WriteValue(uint value) => throw null; + public override void WriteValue(long value) => throw null; + public override void WriteValue(ulong value) => throw null; + public override void WriteValue(float value) => throw null; + public override void WriteValue(double value) => throw null; + public override void WriteValue(bool value) => throw null; + public override void WriteValue(short value) => throw null; + public override void WriteValue(ushort value) => throw null; + public override void WriteValue(char value) => throw null; + public override void WriteValue(byte value) => throw null; + public override void WriteValue(sbyte value) => throw null; + public override void WriteValue(decimal value) => throw null; public override void WriteValue(System.DateTime value) => throw null; public override void WriteValue(System.DateTimeOffset value) => throw null; - public override void WriteValue(System.Guid value) => throw null; + public override void WriteValue(byte[] value) => throw null; public override void WriteValue(System.TimeSpan value) => throw null; + public override void WriteValue(System.Guid value) => throw null; public override void WriteValue(System.Uri value) => throw null; - public override void WriteValue(bool value) => throw null; - public override void WriteValue(System.Byte value) => throw null; - public override void WriteValue(System.Char value) => throw null; - public override void WriteValue(System.Decimal value) => throw null; - public override void WriteValue(double value) => throw null; - public override void WriteValue(float value) => throw null; - public override void WriteValue(int value) => throw null; - public override void WriteValue(System.Int64 value) => throw null; - public override void WriteValue(object value) => throw null; - public override void WriteValue(System.SByte value) => throw null; - public override void WriteValue(System.Int16 value) => throw null; - public override void WriteValue(string value) => throw null; - public override void WriteValue(System.UInt32 value) => throw null; - public override void WriteValue(System.UInt64 value) => throw null; - public override void WriteValue(System.UInt16 value) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JValue` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JValue : Newtonsoft.Json.Linq.JToken, System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable + public class JValue : Newtonsoft.Json.Linq.JToken, System.IEquatable, System.IFormattable, System.IComparable, System.IComparable, System.IConvertible { - public int CompareTo(Newtonsoft.Json.Linq.JValue obj) => throw null; int System.IComparable.CompareTo(object obj) => throw null; + public int CompareTo(Newtonsoft.Json.Linq.JValue obj) => throw null; public static Newtonsoft.Json.Linq.JValue CreateComment(string value) => throw null; public static Newtonsoft.Json.Linq.JValue CreateNull() => throw null; public static Newtonsoft.Json.Linq.JValue CreateString(string value) => throw null; public static Newtonsoft.Json.Linq.JValue CreateUndefined() => throw null; + public JValue(Newtonsoft.Json.Linq.JValue other) => throw null; + public JValue(long value) => throw null; + public JValue(decimal value) => throw null; + public JValue(char value) => throw null; + public JValue(ulong value) => throw null; + public JValue(double value) => throw null; + public JValue(float value) => throw null; + public JValue(System.DateTime value) => throw null; + public JValue(System.DateTimeOffset value) => throw null; + public JValue(bool value) => throw null; + public JValue(string value) => throw null; + public JValue(System.Guid value) => throw null; + public JValue(System.Uri value) => throw null; + public JValue(System.TimeSpan value) => throw null; + public JValue(object value) => throw null; public bool Equals(Newtonsoft.Json.Linq.JValue other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; protected override System.Dynamic.DynamicMetaObject GetMetaObject(System.Linq.Expressions.Expression parameter) => throw null; System.TypeCode System.IConvertible.GetTypeCode() => throw null; public override bool HasValues { get => throw null; } - public JValue(System.DateTime value) => throw null; - public JValue(System.DateTimeOffset value) => throw null; - public JValue(System.Guid value) => throw null; - public JValue(Newtonsoft.Json.Linq.JValue other) => throw null; - public JValue(System.TimeSpan value) => throw null; - public JValue(System.Uri value) => throw null; - public JValue(bool value) => throw null; - public JValue(System.Char value) => throw null; - public JValue(System.Decimal value) => throw null; - public JValue(double value) => throw null; - public JValue(float value) => throw null; - public JValue(System.Int64 value) => throw null; - public JValue(object value) => throw null; - public JValue(string value) => throw null; - public JValue(System.UInt64 value) => throw null; bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; public override string ToString() => throw null; - public string ToString(System.IFormatProvider formatProvider) => throw null; public string ToString(string format) => throw null; + public string ToString(System.IFormatProvider formatProvider) => throw null; public string ToString(string format, System.IFormatProvider formatProvider) => throw null; object System.IConvertible.ToType(System.Type conversionType, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; public override Newtonsoft.Json.Linq.JTokenType Type { get => throw null; } - public object Value { get => throw null; set => throw null; } + public object Value { get => throw null; set { } } public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - - // Generated from `Newtonsoft.Json.Linq.JsonLoadSettings` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonLoadSettings - { - public Newtonsoft.Json.Linq.CommentHandling CommentHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Linq.DuplicatePropertyNameHandling DuplicatePropertyNameHandling { get => throw null; set => throw null; } - public JsonLoadSettings() => throw null; - public Newtonsoft.Json.Linq.LineInfoHandling LineInfoHandling { get => throw null; set => throw null; } - } - - // Generated from `Newtonsoft.Json.Linq.JsonMergeSettings` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonMergeSettings - { - public JsonMergeSettings() => throw null; - public Newtonsoft.Json.Linq.MergeArrayHandling MergeArrayHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Linq.MergeNullValueHandling MergeNullValueHandling { get => throw null; set => throw null; } - public System.StringComparison PropertyNameComparison { get => throw null; set => throw null; } - } - - // Generated from `Newtonsoft.Json.Linq.JsonSelectSettings` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class JsonSelectSettings - { - public bool ErrorWhenNoMatch { get => throw null; set => throw null; } - public JsonSelectSettings() => throw null; - public System.TimeSpan? RegexMatchTimeout { get => throw null; set => throw null; } - } - - // Generated from `Newtonsoft.Json.Linq.LineInfoHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum LineInfoHandling { Ignore = 0, Load = 1, } - - // Generated from `Newtonsoft.Json.Linq.MergeArrayHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum MergeArrayHandling { Concat = 0, - Merge = 3, - Replace = 2, Union = 1, + Replace = 2, + Merge = 3, } - - // Generated from `Newtonsoft.Json.Linq.MergeNullValueHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` [System.Flags] public enum MergeNullValueHandling { Ignore = 0, Merge = 1, } - + } + public enum MemberSerialization + { + OptOut = 0, + OptIn = 1, + Fields = 2, + } + public enum MetadataPropertyHandling + { + Default = 0, + ReadAhead = 1, + Ignore = 2, + } + public enum MissingMemberHandling + { + Ignore = 0, + Error = 1, + } + public enum NullValueHandling + { + Include = 0, + Ignore = 1, + } + public enum ObjectCreationHandling + { + Auto = 0, + Reuse = 1, + Replace = 2, + } + [System.Flags] + public enum PreserveReferencesHandling + { + None = 0, + Objects = 1, + Arrays = 2, + All = 3, + } + public enum ReferenceLoopHandling + { + Error = 0, + Ignore = 1, + Serialize = 2, + } + public enum Required + { + Default = 0, + AllowNull = 1, + Always = 2, + DisallowNull = 3, } namespace Schema { - // Generated from `Newtonsoft.Json.Schema.Extensions` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public static class Extensions + public static partial class Extensions { public static bool IsValid(this Newtonsoft.Json.Linq.JToken source, Newtonsoft.Json.Schema.JsonSchema schema) => throw null; public static bool IsValid(this Newtonsoft.Json.Linq.JToken source, Newtonsoft.Json.Schema.JsonSchema schema, out System.Collections.Generic.IList errorMessages) => throw null; public static void Validate(this Newtonsoft.Json.Linq.JToken source, Newtonsoft.Json.Schema.JsonSchema schema) => throw null; public static void Validate(this Newtonsoft.Json.Linq.JToken source, Newtonsoft.Json.Schema.JsonSchema schema, Newtonsoft.Json.Schema.ValidationEventHandler validationEventHandler) => throw null; } - - // Generated from `Newtonsoft.Json.Schema.JsonSchema` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSchema { - public Newtonsoft.Json.Schema.JsonSchema AdditionalItems { get => throw null; set => throw null; } - public Newtonsoft.Json.Schema.JsonSchema AdditionalProperties { get => throw null; set => throw null; } - public bool AllowAdditionalItems { get => throw null; set => throw null; } - public bool AllowAdditionalProperties { get => throw null; set => throw null; } - public Newtonsoft.Json.Linq.JToken Default { get => throw null; set => throw null; } - public string Description { get => throw null; set => throw null; } - public Newtonsoft.Json.Schema.JsonSchemaType? Disallow { get => throw null; set => throw null; } - public double? DivisibleBy { get => throw null; set => throw null; } - public System.Collections.Generic.IList Enum { get => throw null; set => throw null; } - public bool? ExclusiveMaximum { get => throw null; set => throw null; } - public bool? ExclusiveMinimum { get => throw null; set => throw null; } - public System.Collections.Generic.IList Extends { get => throw null; set => throw null; } - public string Format { get => throw null; set => throw null; } - public bool? Hidden { get => throw null; set => throw null; } - public string Id { get => throw null; set => throw null; } - public System.Collections.Generic.IList Items { get => throw null; set => throw null; } + public Newtonsoft.Json.Schema.JsonSchema AdditionalItems { get => throw null; set { } } + public Newtonsoft.Json.Schema.JsonSchema AdditionalProperties { get => throw null; set { } } + public bool AllowAdditionalItems { get => throw null; set { } } + public bool AllowAdditionalProperties { get => throw null; set { } } public JsonSchema() => throw null; - public double? Maximum { get => throw null; set => throw null; } - public int? MaximumItems { get => throw null; set => throw null; } - public int? MaximumLength { get => throw null; set => throw null; } - public double? Minimum { get => throw null; set => throw null; } - public int? MinimumItems { get => throw null; set => throw null; } - public int? MinimumLength { get => throw null; set => throw null; } + public Newtonsoft.Json.Linq.JToken Default { get => throw null; set { } } + public string Description { get => throw null; set { } } + public Newtonsoft.Json.Schema.JsonSchemaType? Disallow { get => throw null; set { } } + public double? DivisibleBy { get => throw null; set { } } + public System.Collections.Generic.IList Enum { get => throw null; set { } } + public bool? ExclusiveMaximum { get => throw null; set { } } + public bool? ExclusiveMinimum { get => throw null; set { } } + public System.Collections.Generic.IList Extends { get => throw null; set { } } + public string Format { get => throw null; set { } } + public bool? Hidden { get => throw null; set { } } + public string Id { get => throw null; set { } } + public System.Collections.Generic.IList Items { get => throw null; set { } } + public double? Maximum { get => throw null; set { } } + public int? MaximumItems { get => throw null; set { } } + public int? MaximumLength { get => throw null; set { } } + public double? Minimum { get => throw null; set { } } + public int? MinimumItems { get => throw null; set { } } + public int? MinimumLength { get => throw null; set { } } public static Newtonsoft.Json.Schema.JsonSchema Parse(string json) => throw null; public static Newtonsoft.Json.Schema.JsonSchema Parse(string json, Newtonsoft.Json.Schema.JsonSchemaResolver resolver) => throw null; - public string Pattern { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary PatternProperties { get => throw null; set => throw null; } - public bool PositionalItemsValidation { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; set => throw null; } + public string Pattern { get => throw null; set { } } + public System.Collections.Generic.IDictionary PatternProperties { get => throw null; set { } } + public bool PositionalItemsValidation { get => throw null; set { } } + public System.Collections.Generic.IDictionary Properties { get => throw null; set { } } public static Newtonsoft.Json.Schema.JsonSchema Read(Newtonsoft.Json.JsonReader reader) => throw null; public static Newtonsoft.Json.Schema.JsonSchema Read(Newtonsoft.Json.JsonReader reader, Newtonsoft.Json.Schema.JsonSchemaResolver resolver) => throw null; - public bool? ReadOnly { get => throw null; set => throw null; } - public bool? Required { get => throw null; set => throw null; } - public string Requires { get => throw null; set => throw null; } - public string Title { get => throw null; set => throw null; } + public bool? ReadOnly { get => throw null; set { } } + public bool? Required { get => throw null; set { } } + public string Requires { get => throw null; set { } } + public string Title { get => throw null; set { } } public override string ToString() => throw null; - public bool? Transient { get => throw null; set => throw null; } - public Newtonsoft.Json.Schema.JsonSchemaType? Type { get => throw null; set => throw null; } - public bool UniqueItems { get => throw null; set => throw null; } + public bool? Transient { get => throw null; set { } } + public Newtonsoft.Json.Schema.JsonSchemaType? Type { get => throw null; set { } } + public bool UniqueItems { get => throw null; set { } } public void WriteTo(Newtonsoft.Json.JsonWriter writer) => throw null; public void WriteTo(Newtonsoft.Json.JsonWriter writer, Newtonsoft.Json.Schema.JsonSchemaResolver resolver) => throw null; } - - // Generated from `Newtonsoft.Json.Schema.JsonSchemaException` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSchemaException : Newtonsoft.Json.JsonException { public JsonSchemaException() => throw null; - public JsonSchemaException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public JsonSchemaException(string message) => throw null; public JsonSchemaException(string message, System.Exception innerException) => throw null; + public JsonSchemaException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public int LineNumber { get => throw null; } public int LinePosition { get => throw null; } public string Path { get => throw null; } } - - // Generated from `Newtonsoft.Json.Schema.JsonSchemaGenerator` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSchemaGenerator { - public Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set => throw null; } + public Newtonsoft.Json.Serialization.IContractResolver ContractResolver { get => throw null; set { } } + public JsonSchemaGenerator() => throw null; public Newtonsoft.Json.Schema.JsonSchema Generate(System.Type type) => throw null; public Newtonsoft.Json.Schema.JsonSchema Generate(System.Type type, Newtonsoft.Json.Schema.JsonSchemaResolver resolver) => throw null; - public Newtonsoft.Json.Schema.JsonSchema Generate(System.Type type, Newtonsoft.Json.Schema.JsonSchemaResolver resolver, bool rootSchemaNullable) => throw null; public Newtonsoft.Json.Schema.JsonSchema Generate(System.Type type, bool rootSchemaNullable) => throw null; - public JsonSchemaGenerator() => throw null; - public Newtonsoft.Json.Schema.UndefinedSchemaIdHandling UndefinedSchemaIdHandling { get => throw null; set => throw null; } + public Newtonsoft.Json.Schema.JsonSchema Generate(System.Type type, Newtonsoft.Json.Schema.JsonSchemaResolver resolver, bool rootSchemaNullable) => throw null; + public Newtonsoft.Json.Schema.UndefinedSchemaIdHandling UndefinedSchemaIdHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Schema.JsonSchemaResolver` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonSchemaResolver { - public virtual Newtonsoft.Json.Schema.JsonSchema GetSchema(string reference) => throw null; public JsonSchemaResolver() => throw null; - public System.Collections.Generic.IList LoadedSchemas { get => throw null; set => throw null; } + public virtual Newtonsoft.Json.Schema.JsonSchema GetSchema(string reference) => throw null; + public System.Collections.Generic.IList LoadedSchemas { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Schema.JsonSchemaType` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` [System.Flags] public enum JsonSchemaType { - Any = 127, - Array = 32, - Boolean = 8, + None = 0, + String = 1, Float = 2, Integer = 4, - None = 0, - Null = 64, + Boolean = 8, Object = 16, - String = 1, + Array = 32, + Null = 64, + Any = 127, } - - // Generated from `Newtonsoft.Json.Schema.UndefinedSchemaIdHandling` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public enum UndefinedSchemaIdHandling { None = 0, - UseAssemblyQualifiedName = 2, UseTypeName = 1, + UseAssemblyQualifiedName = 2, } - - // Generated from `Newtonsoft.Json.Schema.ValidationEventArgs` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class ValidationEventArgs : System.EventArgs { public Newtonsoft.Json.Schema.JsonSchemaException Exception { get => throw null; } public string Message { get => throw null; } public string Path { get => throw null; } } - - // Generated from `Newtonsoft.Json.Schema.ValidationEventHandler` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate void ValidationEventHandler(object sender, Newtonsoft.Json.Schema.ValidationEventArgs e); - } namespace Serialization { - // Generated from `Newtonsoft.Json.Serialization.CamelCaseNamingStrategy` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class CamelCaseNamingStrategy : Newtonsoft.Json.Serialization.NamingStrategy { - public CamelCaseNamingStrategy() => throw null; public CamelCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames) => throw null; public CamelCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames, bool processExtensionDataNames) => throw null; + public CamelCaseNamingStrategy() => throw null; protected override string ResolvePropertyName(string name) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.CamelCasePropertyNamesContractResolver` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class CamelCasePropertyNamesContractResolver : Newtonsoft.Json.Serialization.DefaultContractResolver { public CamelCasePropertyNamesContractResolver() => throw null; public override Newtonsoft.Json.Serialization.JsonContract ResolveContract(System.Type type) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.DefaultContractResolver` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class DefaultContractResolver : Newtonsoft.Json.Serialization.IContractResolver { protected virtual Newtonsoft.Json.Serialization.JsonArrayContract CreateArrayContract(System.Type objectType) => throw null; @@ -1958,92 +1722,76 @@ public class DefaultContractResolver : Newtonsoft.Json.Serialization.IContractRe protected virtual Newtonsoft.Json.Serialization.JsonProperty CreatePropertyFromConstructorParameter(Newtonsoft.Json.Serialization.JsonProperty matchingMemberProperty, System.Reflection.ParameterInfo parameterInfo) => throw null; protected virtual Newtonsoft.Json.Serialization.JsonStringContract CreateStringContract(System.Type objectType) => throw null; public DefaultContractResolver() => throw null; - public System.Reflection.BindingFlags DefaultMembersSearchFlags { get => throw null; set => throw null; } + public System.Reflection.BindingFlags DefaultMembersSearchFlags { get => throw null; set { } } public bool DynamicCodeGeneration { get => throw null; } public string GetResolvedPropertyName(string propertyName) => throw null; protected virtual System.Collections.Generic.List GetSerializableMembers(System.Type objectType) => throw null; - public bool IgnoreIsSpecifiedMembers { get => throw null; set => throw null; } - public bool IgnoreSerializableAttribute { get => throw null; set => throw null; } - public bool IgnoreSerializableInterface { get => throw null; set => throw null; } - public bool IgnoreShouldSerializeMembers { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.NamingStrategy NamingStrategy { get => throw null; set => throw null; } + public bool IgnoreIsSpecifiedMembers { get => throw null; set { } } + public bool IgnoreSerializableAttribute { get => throw null; set { } } + public bool IgnoreSerializableInterface { get => throw null; set { } } + public bool IgnoreShouldSerializeMembers { get => throw null; set { } } + public Newtonsoft.Json.Serialization.NamingStrategy NamingStrategy { get => throw null; set { } } public virtual Newtonsoft.Json.Serialization.JsonContract ResolveContract(System.Type type) => throw null; protected virtual Newtonsoft.Json.JsonConverter ResolveContractConverter(System.Type objectType) => throw null; protected virtual string ResolveDictionaryKey(string dictionaryKey) => throw null; protected virtual string ResolveExtensionDataName(string extensionDataName) => throw null; protected virtual string ResolvePropertyName(string propertyName) => throw null; - public bool SerializeCompilerGeneratedMembers { get => throw null; set => throw null; } + public bool SerializeCompilerGeneratedMembers { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.DefaultNamingStrategy` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class DefaultNamingStrategy : Newtonsoft.Json.Serialization.NamingStrategy { public DefaultNamingStrategy() => throw null; protected override string ResolvePropertyName(string name) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.DefaultSerializationBinder` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class DefaultSerializationBinder : System.Runtime.Serialization.SerializationBinder, Newtonsoft.Json.Serialization.ISerializationBinder { public override void BindToName(System.Type serializedType, out string assemblyName, out string typeName) => throw null; public override System.Type BindToType(string assemblyName, string typeName) => throw null; public DefaultSerializationBinder() => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.DiagnosticsTraceWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class DiagnosticsTraceWriter : Newtonsoft.Json.Serialization.ITraceWriter { public DiagnosticsTraceWriter() => throw null; - public System.Diagnostics.TraceLevel LevelFilter { get => throw null; set => throw null; } + public System.Diagnostics.TraceLevel LevelFilter { get => throw null; set { } } public void Trace(System.Diagnostics.TraceLevel level, string message, System.Exception ex) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.ErrorContext` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` + public class DynamicValueProvider : Newtonsoft.Json.Serialization.IValueProvider + { + public DynamicValueProvider(System.Reflection.MemberInfo memberInfo) => throw null; + public object GetValue(object target) => throw null; + public void SetValue(object target, object value) => throw null; + } public class ErrorContext { public System.Exception Error { get => throw null; } - public bool Handled { get => throw null; set => throw null; } + public bool Handled { get => throw null; set { } } public object Member { get => throw null; } public object OriginalObject { get => throw null; } public string Path { get => throw null; } } - - // Generated from `Newtonsoft.Json.Serialization.ErrorEventArgs` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class ErrorEventArgs : System.EventArgs { + public ErrorEventArgs(object currentObject, Newtonsoft.Json.Serialization.ErrorContext errorContext) => throw null; public object CurrentObject { get => throw null; } public Newtonsoft.Json.Serialization.ErrorContext ErrorContext { get => throw null; } - public ErrorEventArgs(object currentObject, Newtonsoft.Json.Serialization.ErrorContext errorContext) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.ExpressionValueProvider` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class ExpressionValueProvider : Newtonsoft.Json.Serialization.IValueProvider { public ExpressionValueProvider(System.Reflection.MemberInfo memberInfo) => throw null; public object GetValue(object target) => throw null; public void SetValue(object target, object value) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.ExtensionDataGetter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate System.Collections.Generic.IEnumerable> ExtensionDataGetter(object o); - - // Generated from `Newtonsoft.Json.Serialization.ExtensionDataSetter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate void ExtensionDataSetter(object o, string key, object value); - - // Generated from `Newtonsoft.Json.Serialization.IAttributeProvider` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IAttributeProvider { - System.Collections.Generic.IList GetAttributes(System.Type attributeType, bool inherit); System.Collections.Generic.IList GetAttributes(bool inherit); + System.Collections.Generic.IList GetAttributes(System.Type attributeType, bool inherit); } - - // Generated from `Newtonsoft.Json.Serialization.IContractResolver` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IContractResolver { Newtonsoft.Json.Serialization.JsonContract ResolveContract(System.Type type); } - - // Generated from `Newtonsoft.Json.Serialization.IReferenceResolver` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IReferenceResolver { void AddReference(object context, string reference, object value); @@ -2051,58 +1799,44 @@ public interface IReferenceResolver bool IsReferenced(object context, object value); object ResolveReference(object context, string reference); } - - // Generated from `Newtonsoft.Json.Serialization.ISerializationBinder` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface ISerializationBinder { void BindToName(System.Type serializedType, out string assemblyName, out string typeName); System.Type BindToType(string assemblyName, string typeName); } - - // Generated from `Newtonsoft.Json.Serialization.ITraceWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface ITraceWriter { System.Diagnostics.TraceLevel LevelFilter { get; } void Trace(System.Diagnostics.TraceLevel level, string message, System.Exception ex); } - - // Generated from `Newtonsoft.Json.Serialization.IValueProvider` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public interface IValueProvider { object GetValue(object target); void SetValue(object target, object value); } - - // Generated from `Newtonsoft.Json.Serialization.JsonArrayContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonArrayContract : Newtonsoft.Json.Serialization.JsonContainerContract { public System.Type CollectionItemType { get => throw null; } - public bool HasParameterizedCreator { get => throw null; set => throw null; } + public JsonArrayContract(System.Type underlyingType) => throw null; + public bool HasParameterizedCreator { get => throw null; set { } } public bool IsMultidimensionalArray { get => throw null; } - public JsonArrayContract(System.Type underlyingType) : base(default(System.Type)) => throw null; - public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set => throw null; } + public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonContainerContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonContainerContract : Newtonsoft.Json.Serialization.JsonContract { - public Newtonsoft.Json.JsonConverter ItemConverter { get => throw null; set => throw null; } - public bool? ItemIsReference { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling? ItemReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling? ItemTypeNameHandling { get => throw null; set => throw null; } - internal JsonContainerContract(System.Type underlyingType) : base(default(System.Type)) => throw null; + public Newtonsoft.Json.JsonConverter ItemConverter { get => throw null; set { } } + public bool? ItemIsReference { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling? ItemReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling? ItemTypeNameHandling { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class JsonContract { - public Newtonsoft.Json.JsonConverter Converter { get => throw null; set => throw null; } - public System.Type CreatedType { get => throw null; set => throw null; } - public System.Func DefaultCreator { get => throw null; set => throw null; } - public bool DefaultCreatorNonPublic { get => throw null; set => throw null; } - public Newtonsoft.Json.JsonConverter InternalConverter { get => throw null; set => throw null; } - public bool? IsReference { get => throw null; set => throw null; } - internal JsonContract(System.Type underlyingType) => throw null; + public Newtonsoft.Json.JsonConverter Converter { get => throw null; set { } } + public System.Type CreatedType { get => throw null; set { } } + public System.Func DefaultCreator { get => throw null; set { } } + public bool DefaultCreatorNonPublic { get => throw null; set { } } + public Newtonsoft.Json.JsonConverter InternalConverter { get => throw null; } + public bool? IsReference { get => throw null; set { } } public System.Collections.Generic.IList OnDeserializedCallbacks { get => throw null; } public System.Collections.Generic.IList OnDeserializingCallbacks { get => throw null; } public System.Collections.Generic.IList OnErrorCallbacks { get => throw null; } @@ -2110,217 +1844,181 @@ public abstract class JsonContract public System.Collections.Generic.IList OnSerializingCallbacks { get => throw null; } public System.Type UnderlyingType { get => throw null; } } - - // Generated from `Newtonsoft.Json.Serialization.JsonDictionaryContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonDictionaryContract : Newtonsoft.Json.Serialization.JsonContainerContract { - public System.Func DictionaryKeyResolver { get => throw null; set => throw null; } + public JsonDictionaryContract(System.Type underlyingType) => throw null; + public System.Func DictionaryKeyResolver { get => throw null; set { } } public System.Type DictionaryKeyType { get => throw null; } public System.Type DictionaryValueType { get => throw null; } - public bool HasParameterizedCreator { get => throw null; set => throw null; } - public JsonDictionaryContract(System.Type underlyingType) : base(default(System.Type)) => throw null; - public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set => throw null; } + public bool HasParameterizedCreator { get => throw null; set { } } + public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonDynamicContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonDynamicContract : Newtonsoft.Json.Serialization.JsonContainerContract { - public JsonDynamicContract(System.Type underlyingType) : base(default(System.Type)) => throw null; + public JsonDynamicContract(System.Type underlyingType) => throw null; public Newtonsoft.Json.Serialization.JsonPropertyCollection Properties { get => throw null; } - public System.Func PropertyNameResolver { get => throw null; set => throw null; } + public System.Func PropertyNameResolver { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonISerializableContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonISerializableContract : Newtonsoft.Json.Serialization.JsonContainerContract { - public Newtonsoft.Json.Serialization.ObjectConstructor ISerializableCreator { get => throw null; set => throw null; } - public JsonISerializableContract(System.Type underlyingType) : base(default(System.Type)) => throw null; + public JsonISerializableContract(System.Type underlyingType) => throw null; + public Newtonsoft.Json.Serialization.ObjectConstructor ISerializableCreator { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonLinqContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonLinqContract : Newtonsoft.Json.Serialization.JsonContract { - public JsonLinqContract(System.Type underlyingType) : base(default(System.Type)) => throw null; + public JsonLinqContract(System.Type underlyingType) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.JsonObjectContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonObjectContract : Newtonsoft.Json.Serialization.JsonContainerContract { public Newtonsoft.Json.Serialization.JsonPropertyCollection CreatorParameters { get => throw null; } - public Newtonsoft.Json.Serialization.ExtensionDataGetter ExtensionDataGetter { get => throw null; set => throw null; } - public System.Func ExtensionDataNameResolver { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.ExtensionDataSetter ExtensionDataSetter { get => throw null; set => throw null; } - public System.Type ExtensionDataValueType { get => throw null; set => throw null; } - public Newtonsoft.Json.NullValueHandling? ItemNullValueHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Required? ItemRequired { get => throw null; set => throw null; } - public JsonObjectContract(System.Type underlyingType) : base(default(System.Type)) => throw null; - public Newtonsoft.Json.MemberSerialization MemberSerialization { get => throw null; set => throw null; } - public Newtonsoft.Json.MissingMemberHandling? MissingMemberHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set => throw null; } + public JsonObjectContract(System.Type underlyingType) => throw null; + public Newtonsoft.Json.Serialization.ExtensionDataGetter ExtensionDataGetter { get => throw null; set { } } + public System.Func ExtensionDataNameResolver { get => throw null; set { } } + public Newtonsoft.Json.Serialization.ExtensionDataSetter ExtensionDataSetter { get => throw null; set { } } + public System.Type ExtensionDataValueType { get => throw null; set { } } + public Newtonsoft.Json.NullValueHandling? ItemNullValueHandling { get => throw null; set { } } + public Newtonsoft.Json.Required? ItemRequired { get => throw null; set { } } + public Newtonsoft.Json.MemberSerialization MemberSerialization { get => throw null; set { } } + public Newtonsoft.Json.MissingMemberHandling? MissingMemberHandling { get => throw null; set { } } + public Newtonsoft.Json.Serialization.ObjectConstructor OverrideCreator { get => throw null; set { } } public Newtonsoft.Json.Serialization.JsonPropertyCollection Properties { get => throw null; } } - - // Generated from `Newtonsoft.Json.Serialization.JsonPrimitiveContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonPrimitiveContract : Newtonsoft.Json.Serialization.JsonContract { - public JsonPrimitiveContract(System.Type underlyingType) : base(default(System.Type)) => throw null; + public JsonPrimitiveContract(System.Type underlyingType) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.JsonProperty` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonProperty { - public Newtonsoft.Json.Serialization.IAttributeProvider AttributeProvider { get => throw null; set => throw null; } - public Newtonsoft.Json.JsonConverter Converter { get => throw null; set => throw null; } - public System.Type DeclaringType { get => throw null; set => throw null; } - public object DefaultValue { get => throw null; set => throw null; } - public Newtonsoft.Json.DefaultValueHandling? DefaultValueHandling { get => throw null; set => throw null; } - public System.Predicate GetIsSpecified { get => throw null; set => throw null; } - public bool HasMemberAttribute { get => throw null; set => throw null; } - public bool Ignored { get => throw null; set => throw null; } - public bool? IsReference { get => throw null; set => throw null; } - public bool IsRequiredSpecified { get => throw null; } - public Newtonsoft.Json.JsonConverter ItemConverter { get => throw null; set => throw null; } - public bool? ItemIsReference { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling? ItemReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.TypeNameHandling? ItemTypeNameHandling { get => throw null; set => throw null; } + public Newtonsoft.Json.Serialization.IAttributeProvider AttributeProvider { get => throw null; set { } } + public Newtonsoft.Json.JsonConverter Converter { get => throw null; set { } } public JsonProperty() => throw null; - public Newtonsoft.Json.JsonConverter MemberConverter { get => throw null; set => throw null; } - public Newtonsoft.Json.NullValueHandling? NullValueHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.ObjectCreationHandling? ObjectCreationHandling { get => throw null; set => throw null; } - public int? Order { get => throw null; set => throw null; } - public string PropertyName { get => throw null; set => throw null; } - public System.Type PropertyType { get => throw null; set => throw null; } - public bool Readable { get => throw null; set => throw null; } - public Newtonsoft.Json.ReferenceLoopHandling? ReferenceLoopHandling { get => throw null; set => throw null; } - public Newtonsoft.Json.Required Required { get => throw null; set => throw null; } - public System.Action SetIsSpecified { get => throw null; set => throw null; } - public System.Predicate ShouldDeserialize { get => throw null; set => throw null; } - public System.Predicate ShouldSerialize { get => throw null; set => throw null; } + public System.Type DeclaringType { get => throw null; set { } } + public object DefaultValue { get => throw null; set { } } + public Newtonsoft.Json.DefaultValueHandling? DefaultValueHandling { get => throw null; set { } } + public System.Predicate GetIsSpecified { get => throw null; set { } } + public bool HasMemberAttribute { get => throw null; set { } } + public bool Ignored { get => throw null; set { } } + public bool? IsReference { get => throw null; set { } } + public bool IsRequiredSpecified { get => throw null; } + public Newtonsoft.Json.JsonConverter ItemConverter { get => throw null; set { } } + public bool? ItemIsReference { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling? ItemReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.TypeNameHandling? ItemTypeNameHandling { get => throw null; set { } } + public Newtonsoft.Json.JsonConverter MemberConverter { get => throw null; set { } } + public Newtonsoft.Json.NullValueHandling? NullValueHandling { get => throw null; set { } } + public Newtonsoft.Json.ObjectCreationHandling? ObjectCreationHandling { get => throw null; set { } } + public int? Order { get => throw null; set { } } + public string PropertyName { get => throw null; set { } } + public System.Type PropertyType { get => throw null; set { } } + public bool Readable { get => throw null; set { } } + public Newtonsoft.Json.ReferenceLoopHandling? ReferenceLoopHandling { get => throw null; set { } } + public Newtonsoft.Json.Required Required { get => throw null; set { } } + public System.Action SetIsSpecified { get => throw null; set { } } + public System.Predicate ShouldDeserialize { get => throw null; set { } } + public System.Predicate ShouldSerialize { get => throw null; set { } } public override string ToString() => throw null; - public Newtonsoft.Json.TypeNameHandling? TypeNameHandling { get => throw null; set => throw null; } - public string UnderlyingName { get => throw null; set => throw null; } - public Newtonsoft.Json.Serialization.IValueProvider ValueProvider { get => throw null; set => throw null; } - public bool Writable { get => throw null; set => throw null; } + public Newtonsoft.Json.TypeNameHandling? TypeNameHandling { get => throw null; set { } } + public string UnderlyingName { get => throw null; set { } } + public Newtonsoft.Json.Serialization.IValueProvider ValueProvider { get => throw null; set { } } + public bool Writable { get => throw null; set { } } } - - // Generated from `Newtonsoft.Json.Serialization.JsonPropertyCollection` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonPropertyCollection : System.Collections.ObjectModel.KeyedCollection { public void AddProperty(Newtonsoft.Json.Serialization.JsonProperty property) => throw null; + public JsonPropertyCollection(System.Type type) => throw null; public Newtonsoft.Json.Serialization.JsonProperty GetClosestMatchProperty(string propertyName) => throw null; protected override string GetKeyForItem(Newtonsoft.Json.Serialization.JsonProperty item) => throw null; public Newtonsoft.Json.Serialization.JsonProperty GetProperty(string propertyName, System.StringComparison comparisonType) => throw null; - public JsonPropertyCollection(System.Type type) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.JsonStringContract` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class JsonStringContract : Newtonsoft.Json.Serialization.JsonPrimitiveContract { public JsonStringContract(System.Type underlyingType) : base(default(System.Type)) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.KebabCaseNamingStrategy` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class KebabCaseNamingStrategy : Newtonsoft.Json.Serialization.NamingStrategy { - public KebabCaseNamingStrategy() => throw null; public KebabCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames) => throw null; public KebabCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames, bool processExtensionDataNames) => throw null; + public KebabCaseNamingStrategy() => throw null; protected override string ResolvePropertyName(string name) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.MemoryTraceWriter` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class MemoryTraceWriter : Newtonsoft.Json.Serialization.ITraceWriter { - public System.Collections.Generic.IEnumerable GetTraceMessages() => throw null; - public System.Diagnostics.TraceLevel LevelFilter { get => throw null; set => throw null; } public MemoryTraceWriter() => throw null; + public System.Collections.Generic.IEnumerable GetTraceMessages() => throw null; + public System.Diagnostics.TraceLevel LevelFilter { get => throw null; set { } } public override string ToString() => throw null; public void Trace(System.Diagnostics.TraceLevel level, string message, System.Exception ex) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.NamingStrategy` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public abstract class NamingStrategy { - protected bool Equals(Newtonsoft.Json.Serialization.NamingStrategy other) => throw null; + protected NamingStrategy() => throw null; public override bool Equals(object obj) => throw null; + protected bool Equals(Newtonsoft.Json.Serialization.NamingStrategy other) => throw null; public virtual string GetDictionaryKey(string key) => throw null; public virtual string GetExtensionDataName(string name) => throw null; public override int GetHashCode() => throw null; public virtual string GetPropertyName(string name, bool hasSpecifiedName) => throw null; - protected NamingStrategy() => throw null; - public bool OverrideSpecifiedNames { get => throw null; set => throw null; } - public bool ProcessDictionaryKeys { get => throw null; set => throw null; } - public bool ProcessExtensionDataNames { get => throw null; set => throw null; } + public bool OverrideSpecifiedNames { get => throw null; set { } } + public bool ProcessDictionaryKeys { get => throw null; set { } } + public bool ProcessExtensionDataNames { get => throw null; set { } } protected abstract string ResolvePropertyName(string name); } - - // Generated from `Newtonsoft.Json.Serialization.ObjectConstructor<>` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate object ObjectConstructor(params object[] args); - - // Generated from `Newtonsoft.Json.Serialization.OnErrorAttribute` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` - public class OnErrorAttribute : System.Attribute + public sealed class OnErrorAttribute : System.Attribute { public OnErrorAttribute() => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.ReflectionAttributeProvider` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class ReflectionAttributeProvider : Newtonsoft.Json.Serialization.IAttributeProvider { - public System.Collections.Generic.IList GetAttributes(System.Type attributeType, bool inherit) => throw null; - public System.Collections.Generic.IList GetAttributes(bool inherit) => throw null; public ReflectionAttributeProvider(object attributeProvider) => throw null; + public System.Collections.Generic.IList GetAttributes(bool inherit) => throw null; + public System.Collections.Generic.IList GetAttributes(System.Type attributeType, bool inherit) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.ReflectionValueProvider` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class ReflectionValueProvider : Newtonsoft.Json.Serialization.IValueProvider { - public object GetValue(object target) => throw null; public ReflectionValueProvider(System.Reflection.MemberInfo memberInfo) => throw null; + public object GetValue(object target) => throw null; public void SetValue(object target, object value) => throw null; } - - // Generated from `Newtonsoft.Json.Serialization.SerializationCallback` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate void SerializationCallback(object o, System.Runtime.Serialization.StreamingContext context); - - // Generated from `Newtonsoft.Json.Serialization.SerializationErrorCallback` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public delegate void SerializationErrorCallback(object o, System.Runtime.Serialization.StreamingContext context, Newtonsoft.Json.Serialization.ErrorContext errorContext); - - // Generated from `Newtonsoft.Json.Serialization.SnakeCaseNamingStrategy` in `Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed` public class SnakeCaseNamingStrategy : Newtonsoft.Json.Serialization.NamingStrategy { - protected override string ResolvePropertyName(string name) => throw null; - public SnakeCaseNamingStrategy() => throw null; public SnakeCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames) => throw null; public SnakeCaseNamingStrategy(bool processDictionaryKeys, bool overrideSpecifiedNames, bool processExtensionDataNames) => throw null; + public SnakeCaseNamingStrategy() => throw null; + protected override string ResolvePropertyName(string name) => throw null; } - } - } -} -namespace System -{ - namespace Diagnostics - { - namespace CodeAnalysis + public enum StringEscapeHandling + { + Default = 0, + EscapeNonAscii = 1, + EscapeHtml = 2, + } + public enum TypeNameAssemblyFormatHandling { - /* Duplicate type 'AllowNullAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - - /* Duplicate type 'DoesNotReturnIfAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - - /* Duplicate type 'MaybeNullAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - - /* Duplicate type 'NotNullAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - - /* Duplicate type 'NotNullWhenAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - + Simple = 0, + Full = 1, } - } - namespace Runtime - { - namespace CompilerServices + [System.Flags] + public enum TypeNameHandling + { + None = 0, + Objects = 1, + Arrays = 2, + All = 3, + Auto = 4, + } + public enum WriteState { - /* Duplicate type 'IsReadOnlyAttribute' is not stubbed in this assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. */ - + Error = 0, + Closed = 1, + Object = 2, + Array = 3, + Constructor = 4, + Property = 5, + Start = 6, } } } diff --git a/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj b/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj similarity index 100% rename from csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.1/Newtonsoft.Json.csproj rename to csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.csproj From c547adc9d46c089b9a89f413547e5aaaac1845fb Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Wed, 30 Aug 2023 10:58:42 +0200 Subject: [PATCH 06/12] C#: Regenerate `Microsoft.NetCore.App` stubs --- .../Microsoft.NETCore.App/Microsoft.CSharp.cs | 31 +- .../Microsoft.VisualBasic.Core.cs | 1660 +- .../Microsoft.VisualBasic.cs | 2 + .../Microsoft.Win32.Primitives.cs | 10 +- .../Microsoft.Win32.Registry.cs | 78 +- .../System.AppContext.cs | 2 + .../Microsoft.NETCore.App/System.Buffers.cs | 2 + .../System.Collections.Concurrent.cs | 93 +- .../System.Collections.Immutable.cs | 545 +- .../System.Collections.NonGeneric.cs | 88 +- .../System.Collections.Specialized.cs | 159 +- .../System.Collections.cs | 613 +- .../System.ComponentModel.Annotations.cs | 316 +- .../System.ComponentModel.DataAnnotations.cs | 2 + .../System.ComponentModel.EventBasedAsync.cs | 35 +- .../System.ComponentModel.Primitives.cs | 212 +- .../System.ComponentModel.TypeConverter.cs | 2812 +- .../System.ComponentModel.cs | 16 +- .../System.Configuration.cs | 2 + .../Microsoft.NETCore.App/System.Console.cs | 318 +- .../Microsoft.NETCore.App/System.Core.cs | 2 + .../System.Data.Common.cs | 4156 ++- .../System.Data.DataSetExtensions.cs | 2 + .../Microsoft.NETCore.App/System.Data.cs | 2 + .../System.Diagnostics.Contracts.cs | 52 +- .../System.Diagnostics.Debug.cs | 2 + .../System.Diagnostics.DiagnosticSource.cs | 329 +- .../System.Diagnostics.FileVersionInfo.cs | 4 +- .../System.Diagnostics.Process.cs | 192 +- .../System.Diagnostics.StackTrace.cs | 116 +- ...tem.Diagnostics.TextWriterTraceListener.cs | 25 +- .../System.Diagnostics.Tools.cs | 2 + .../System.Diagnostics.TraceSource.cs | 163 +- .../System.Diagnostics.Tracing.cs | 219 +- .../System.Drawing.Primitives.cs | 260 +- .../Microsoft.NETCore.App/System.Drawing.cs | 2 + .../System.Dynamic.Runtime.cs | 2 + .../System.Formats.Asn1.cs | 239 +- .../System.Formats.Tar.cs | 95 +- .../System.Globalization.Calendars.cs | 2 + .../System.Globalization.Extensions.cs | 2 + .../System.Globalization.cs | 2 + .../System.IO.Compression.Brotli.cs | 56 +- .../System.IO.Compression.FileSystem.cs | 2 + .../System.IO.Compression.ZipFile.cs | 7 +- .../System.IO.Compression.cs | 173 +- .../System.IO.FileSystem.AccessControl.cs | 61 +- .../System.IO.FileSystem.DriveInfo.cs | 26 +- .../System.IO.FileSystem.Primitives.cs | 2 + .../System.IO.FileSystem.Watcher.cs | 73 +- .../System.IO.FileSystem.cs | 2 + .../System.IO.IsolatedStorage.cs | 107 +- .../System.IO.MemoryMappedFiles.cs | 83 +- .../System.IO.Pipes.AccessControl.cs | 58 +- .../Microsoft.NETCore.App/System.IO.Pipes.cs | 111 +- .../System.IO.UnmanagedMemoryStream.cs | 2 + .../Microsoft.NETCore.App/System.IO.cs | 2 + .../System.Linq.Expressions.cs | 602 +- .../System.Linq.Parallel.cs | 165 +- .../System.Linq.Queryable.cs | 102 +- .../Microsoft.NETCore.App/System.Linq.cs | 168 +- .../Microsoft.NETCore.App/System.Memory.cs | 810 +- .../System.Net.Http.Json.cs | 74 +- .../Microsoft.NETCore.App/System.Net.Http.cs | 1066 +- .../System.Net.HttpListener.cs | 85 +- .../Microsoft.NETCore.App/System.Net.Mail.cs | 282 +- .../System.Net.NameResolution.cs | 9 +- .../System.Net.NetworkInformation.cs | 473 +- .../Microsoft.NETCore.App/System.Net.Ping.cs | 82 +- .../System.Net.Primitives.cs | 550 +- .../Microsoft.NETCore.App/System.Net.Quic.cs | 127 +- .../System.Net.Requests.cs | 476 +- .../System.Net.Security.cs | 869 +- .../System.Net.ServicePoint.cs | 51 +- .../System.Net.Sockets.cs | 793 +- .../System.Net.WebClient.cs | 202 +- .../System.Net.WebHeaderCollection.cs | 84 +- .../System.Net.WebProxy.cs | 31 +- .../System.Net.WebSockets.Client.cs | 43 +- .../System.Net.WebSockets.cs | 126 +- .../Microsoft.NETCore.App/System.Net.cs | 2 + .../System.Numerics.Vectors.cs | 418 +- .../Microsoft.NETCore.App/System.Numerics.cs | 2 + .../System.ObjectModel.cs | 85 +- .../System.Reflection.DispatchProxy.cs | 2 - .../System.Reflection.Emit.ILGeneration.cs | 46 +- .../System.Reflection.Emit.Lightweight.cs | 35 +- .../System.Reflection.Emit.cs | 112 +- .../System.Reflection.Extensions.cs | 2 + .../System.Reflection.Metadata.cs | 5420 ++-- .../System.Reflection.Primitives.cs | 61 +- .../System.Reflection.TypeExtensions.cs | 22 +- .../System.Reflection.cs | 2 + .../System.Resources.Reader.cs | 2 + .../System.Resources.ResourceManager.cs | 2 + .../System.Resources.Writer.cs | 17 +- .../System.Runtime.CompilerServices.Unsafe.cs | 2 + ...System.Runtime.CompilerServices.VisualC.cs | 27 +- .../System.Runtime.Extensions.cs | 2 + .../System.Runtime.Handles.cs | 2 + ...stem.Runtime.InteropServices.JavaScript.cs | 285 +- ...time.InteropServices.RuntimeInformation.cs | 2 + .../System.Runtime.InteropServices.cs | 2719 +- .../System.Runtime.Intrinsics.cs | 7357 +++--- .../System.Runtime.Loader.cs | 40 +- .../System.Runtime.Numerics.cs | 463 +- ...System.Runtime.Serialization.Formatters.cs | 173 +- .../System.Runtime.Serialization.Json.cs | 46 +- ...System.Runtime.Serialization.Primitives.cs | 77 +- .../System.Runtime.Serialization.Xml.cs | 425 +- .../System.Runtime.Serialization.cs | 2 + .../Microsoft.NETCore.App/System.Runtime.cs | 22069 ++++++++-------- .../System.Security.AccessControl.cs | 390 +- .../System.Security.Claims.cs | 234 +- ...System.Security.Cryptography.Algorithms.cs | 2 + .../System.Security.Cryptography.Cng.cs | 2 + .../System.Security.Cryptography.Csp.cs | 2 + .../System.Security.Cryptography.Encoding.cs | 2 + .../System.Security.Cryptography.OpenSsl.cs | 2 + ...System.Security.Cryptography.Primitives.cs | 2 + ....Security.Cryptography.X509Certificates.cs | 2 + .../System.Security.Cryptography.cs | 3141 +-- .../System.Security.Principal.Windows.cs | 278 +- .../System.Security.Principal.cs | 2 + .../System.Security.SecureString.cs | 2 + .../Microsoft.NETCore.App/System.Security.cs | 2 + .../System.ServiceModel.Web.cs | 2 + .../System.ServiceProcess.cs | 2 + .../System.Text.Encoding.CodePages.cs | 4 +- .../System.Text.Encoding.Extensions.cs | 166 +- .../System.Text.Encoding.cs | 2 + .../System.Text.Encodings.Web.cs | 56 +- .../Microsoft.NETCore.App/System.Text.Json.cs | 1195 +- .../System.Text.RegularExpressions.cs | 278 +- .../System.Threading.Channels.cs | 49 +- .../System.Threading.Overlapped.cs | 56 +- .../System.Threading.Tasks.Dataflow.cs | 201 +- .../System.Threading.Tasks.Extensions.cs | 2 + .../System.Threading.Tasks.Parallel.cs | 70 +- .../System.Threading.Tasks.cs | 2 + .../System.Threading.Thread.cs | 119 +- .../System.Threading.ThreadPool.cs | 28 +- .../System.Threading.Timer.cs | 2 + .../Microsoft.NETCore.App/System.Threading.cs | 281 +- .../System.Transactions.Local.cs | 136 +- .../System.Transactions.cs | 2 + .../System.ValueTuple.cs | 2 + .../System.Web.HttpUtility.cs | 32 +- .../Microsoft.NETCore.App/System.Web.cs | 2 + .../Microsoft.NETCore.App/System.Windows.cs | 2 + .../Microsoft.NETCore.App/System.Xml.Linq.cs | 2 + .../System.Xml.ReaderWriter.cs | 3630 ++- .../System.Xml.Serialization.cs | 2 + .../System.Xml.XDocument.cs | 268 +- .../System.Xml.XPath.XDocument.cs | 7 +- .../Microsoft.NETCore.App/System.Xml.XPath.cs | 11 +- .../System.Xml.XmlDocument.cs | 2 + .../System.Xml.XmlSerializer.cs | 442 +- .../Microsoft.NETCore.App/System.Xml.cs | 2 + .../Microsoft.NETCore.App/System.cs | 2 + .../Microsoft.NETCore.App/WindowsBase.cs | 2 + .../Microsoft.NETCore.App/mscorlib.cs | 2 + .../Microsoft.NETCore.App/netstandard.cs | 2 + 163 files changed, 33778 insertions(+), 38172 deletions(-) create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.CSharp.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.CSharp.cs index 659a790c78b9..ae46fcb56773 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.CSharp.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.CSharp.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.CSharp, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace CSharp @@ -21,39 +20,35 @@ public static class Binder public static System.Runtime.CompilerServices.CallSiteBinder SetMember(Microsoft.CSharp.RuntimeBinder.CSharpBinderFlags flags, string name, System.Type context, System.Collections.Generic.IEnumerable argumentInfo) => throw null; public static System.Runtime.CompilerServices.CallSiteBinder UnaryOperation(Microsoft.CSharp.RuntimeBinder.CSharpBinderFlags flags, System.Linq.Expressions.ExpressionType operation, System.Type context, System.Collections.Generic.IEnumerable argumentInfo) => throw null; } - - public class CSharpArgumentInfo + public sealed class CSharpArgumentInfo { public static Microsoft.CSharp.RuntimeBinder.CSharpArgumentInfo Create(Microsoft.CSharp.RuntimeBinder.CSharpArgumentInfoFlags flags, string name) => throw null; } - [System.Flags] - public enum CSharpArgumentInfoFlags : int + public enum CSharpArgumentInfoFlags { + None = 0, + UseCompileTimeType = 1, Constant = 2, - IsOut = 16, + NamedArgument = 4, IsRef = 8, + IsOut = 16, IsStaticType = 32, - NamedArgument = 4, - None = 0, - UseCompileTimeType = 1, } - [System.Flags] - public enum CSharpBinderFlags : int + public enum CSharpBinderFlags { - BinaryOperationLogical = 8, + None = 0, CheckedContext = 1, - ConvertArrayIndex = 32, - ConvertExplicit = 16, InvokeSimpleName = 2, InvokeSpecialName = 4, - None = 0, - ResultDiscarded = 256, + BinaryOperationLogical = 8, + ConvertExplicit = 16, + ConvertArrayIndex = 32, ResultIndexed = 64, ValueFromCompoundAssignment = 128, + ResultDiscarded = 256, } - public class RuntimeBinderException : System.Exception { public RuntimeBinderException() => throw null; @@ -61,7 +56,6 @@ public class RuntimeBinderException : System.Exception public RuntimeBinderException(string message) => throw null; public RuntimeBinderException(string message, System.Exception innerException) => throw null; } - public class RuntimeBinderInternalCompilerException : System.Exception { public RuntimeBinderInternalCompilerException() => throw null; @@ -69,7 +63,6 @@ public class RuntimeBinderInternalCompilerException : System.Exception public RuntimeBinderInternalCompilerException(string message) => throw null; public RuntimeBinderInternalCompilerException(string message, System.Exception innerException) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs index c5e90da6fcc4..981929b39bdf 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.VisualBasic.Core, Version=12.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace VisualBasic @@ -8,33 +7,31 @@ namespace VisualBasic public enum AppWinStyle : short { Hide = 0, - MaximizedFocus = 3, - MinimizedFocus = 2, - MinimizedNoFocus = 6, NormalFocus = 1, + MinimizedFocus = 2, + MaximizedFocus = 3, NormalNoFocus = 4, + MinimizedNoFocus = 6, } - - public enum CallType : int + public enum CallType { + Method = 1, Get = 2, Let = 4, - Method = 1, Set = 8, } - - public class Collection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public sealed class Collection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { - int System.Collections.IList.Add(object value) => throw null; public void Add(object Item, string Key = default(string), object Before = default(object), object After = default(object)) => throw null; + int System.Collections.IList.Add(object value) => throw null; public void Clear() => throw null; void System.Collections.IList.Clear() => throw null; - public Collection() => throw null; - bool System.Collections.IList.Contains(object value) => throw null; public bool Contains(string Key) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } int System.Collections.ICollection.Count { get => throw null; } + public Collection() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; int System.Collections.IList.IndexOf(object value) => throw null; @@ -42,18 +39,17 @@ public class Collection : System.Collections.ICollection, System.Collections.IEn bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public object this[int Index] { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public object this[object Index] { get => throw null; } - public object this[string Key] { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public void Remove(int Index) => throw null; - void System.Collections.IList.Remove(object value) => throw null; public void Remove(string Key) => throw null; + void System.Collections.IList.Remove(object value) => throw null; void System.Collections.IList.RemoveAt(int index) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public object this[int Index] { get => throw null; } + public object this[object Index] { get => throw null; } + public object this[string Key] { get => throw null; } } - - public class ComClassAttribute : System.Attribute + public sealed class ComClassAttribute : System.Attribute { public string ClassID { get => throw null; } public ComClassAttribute() => throw null; @@ -62,190 +58,483 @@ public class ComClassAttribute : System.Attribute public ComClassAttribute(string _ClassID, string _InterfaceID, string _EventId) => throw null; public string EventID { get => throw null; } public string InterfaceID { get => throw null; } - public bool InterfaceShadows { get => throw null; set => throw null; } + public bool InterfaceShadows { get => throw null; set { } } } - - public enum CompareMethod : int + public enum CompareMethod { Binary = 0, Text = 1, } - - public class Constants + namespace CompilerServices + { + public sealed class BooleanType + { + public static bool FromObject(object Value) => throw null; + public static bool FromString(string Value) => throw null; + } + public sealed class ByteType + { + public static byte FromObject(object Value) => throw null; + public static byte FromString(string Value) => throw null; + } + public sealed class CharArrayType + { + public static char[] FromObject(object Value) => throw null; + public static char[] FromString(string Value) => throw null; + } + public sealed class CharType + { + public static char FromObject(object Value) => throw null; + public static char FromString(string Value) => throw null; + } + public sealed class Conversions + { + public static object ChangeType(object Expression, System.Type TargetType) => throw null; + public static object FallbackUserDefinedConversion(object Expression, System.Type TargetType) => throw null; + public static string FromCharAndCount(char Value, int Count) => throw null; + public static string FromCharArray(char[] Value) => throw null; + public static string FromCharArraySubset(char[] Value, int StartIndex, int Length) => throw null; + public static bool ToBoolean(object Value) => throw null; + public static bool ToBoolean(string Value) => throw null; + public static byte ToByte(object Value) => throw null; + public static byte ToByte(string Value) => throw null; + public static char ToChar(object Value) => throw null; + public static char ToChar(string Value) => throw null; + public static char[] ToCharArrayRankOne(object Value) => throw null; + public static char[] ToCharArrayRankOne(string Value) => throw null; + public static System.DateTime ToDate(object Value) => throw null; + public static System.DateTime ToDate(string Value) => throw null; + public static decimal ToDecimal(bool Value) => throw null; + public static decimal ToDecimal(object Value) => throw null; + public static decimal ToDecimal(string Value) => throw null; + public static double ToDouble(object Value) => throw null; + public static double ToDouble(string Value) => throw null; + public static T ToGenericParameter(object Value) => throw null; + public static int ToInteger(object Value) => throw null; + public static int ToInteger(string Value) => throw null; + public static long ToLong(object Value) => throw null; + public static long ToLong(string Value) => throw null; + public static sbyte ToSByte(object Value) => throw null; + public static sbyte ToSByte(string Value) => throw null; + public static short ToShort(object Value) => throw null; + public static short ToShort(string Value) => throw null; + public static float ToSingle(object Value) => throw null; + public static float ToSingle(string Value) => throw null; + public static string ToString(bool Value) => throw null; + public static string ToString(byte Value) => throw null; + public static string ToString(char Value) => throw null; + public static string ToString(System.DateTime Value) => throw null; + public static string ToString(decimal Value) => throw null; + public static string ToString(decimal Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static string ToString(double Value) => throw null; + public static string ToString(double Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static string ToString(short Value) => throw null; + public static string ToString(int Value) => throw null; + public static string ToString(long Value) => throw null; + public static string ToString(object Value) => throw null; + public static string ToString(float Value) => throw null; + public static string ToString(float Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static string ToString(uint Value) => throw null; + public static string ToString(ulong Value) => throw null; + public static uint ToUInteger(object Value) => throw null; + public static uint ToUInteger(string Value) => throw null; + public static ulong ToULong(object Value) => throw null; + public static ulong ToULong(string Value) => throw null; + public static ushort ToUShort(object Value) => throw null; + public static ushort ToUShort(string Value) => throw null; + } + public sealed class DateType + { + public static System.DateTime FromObject(object Value) => throw null; + public static System.DateTime FromString(string Value) => throw null; + public static System.DateTime FromString(string Value, System.Globalization.CultureInfo culture) => throw null; + } + public sealed class DecimalType + { + public static decimal FromBoolean(bool Value) => throw null; + public static decimal FromObject(object Value) => throw null; + public static decimal FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static decimal FromString(string Value) => throw null; + public static decimal FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static decimal Parse(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + } + public sealed class DesignerGeneratedAttribute : System.Attribute + { + public DesignerGeneratedAttribute() => throw null; + } + public sealed class DoubleType + { + public static double FromObject(object Value) => throw null; + public static double FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static double FromString(string Value) => throw null; + public static double FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static double Parse(string Value) => throw null; + public static double Parse(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + } + public sealed class IncompleteInitialization : System.Exception + { + public IncompleteInitialization() => throw null; + } + public sealed class IntegerType + { + public static int FromObject(object Value) => throw null; + public static int FromString(string Value) => throw null; + } + public sealed class LateBinding + { + public static void LateCall(object o, System.Type objType, string name, object[] args, string[] paramnames, bool[] CopyBack) => throw null; + public static object LateGet(object o, System.Type objType, string name, object[] args, string[] paramnames, bool[] CopyBack) => throw null; + public static object LateIndexGet(object o, object[] args, string[] paramnames) => throw null; + public static void LateIndexSet(object o, object[] args, string[] paramnames) => throw null; + public static void LateIndexSetComplex(object o, object[] args, string[] paramnames, bool OptimisticSet, bool RValueBase) => throw null; + public static void LateSet(object o, System.Type objType, string name, object[] args, string[] paramnames) => throw null; + public static void LateSetComplex(object o, System.Type objType, string name, object[] args, string[] paramnames, bool OptimisticSet, bool RValueBase) => throw null; + } + public sealed class LikeOperator + { + public static object LikeObject(object Source, object Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; + public static bool LikeString(string Source, string Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; + } + public sealed class LongType + { + public static long FromObject(object Value) => throw null; + public static long FromString(string Value) => throw null; + } + public sealed class NewLateBinding + { + public static object FallbackCall(object Instance, string MemberName, object[] Arguments, string[] ArgumentNames, bool IgnoreReturn) => throw null; + public static object FallbackGet(object Instance, string MemberName, object[] Arguments, string[] ArgumentNames) => throw null; + public static void FallbackIndexSet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; + public static void FallbackIndexSetComplex(object Instance, object[] Arguments, string[] ArgumentNames, bool OptimisticSet, bool RValueBase) => throw null; + public static object FallbackInvokeDefault1(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; + public static object FallbackInvokeDefault2(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; + public static void FallbackSet(object Instance, string MemberName, object[] Arguments) => throw null; + public static void FallbackSetComplex(object Instance, string MemberName, object[] Arguments, bool OptimisticSet, bool RValueBase) => throw null; + public static object LateCall(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool[] CopyBack, bool IgnoreReturn) => throw null; + public static object LateCallInvokeDefault(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; + public static object LateGet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool[] CopyBack) => throw null; + public static object LateGetInvokeDefault(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; + public static object LateIndexGet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; + public static void LateIndexSet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; + public static void LateIndexSetComplex(object Instance, object[] Arguments, string[] ArgumentNames, bool OptimisticSet, bool RValueBase) => throw null; + public static void LateSet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments) => throw null; + public static void LateSet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool OptimisticSet, bool RValueBase, Microsoft.VisualBasic.CallType CallType) => throw null; + public static void LateSetComplex(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool OptimisticSet, bool RValueBase) => throw null; + } + public sealed class ObjectFlowControl + { + public static void CheckForSyncLockOnValueType(object Expression) => throw null; + public sealed class ForLoopControl + { + public static bool ForLoopInitObj(object Counter, object Start, object Limit, object StepValue, ref object LoopForResult, ref object CounterResult) => throw null; + public static bool ForNextCheckDec(decimal count, decimal limit, decimal StepValue) => throw null; + public static bool ForNextCheckObj(object Counter, object LoopObj, ref object CounterResult) => throw null; + public static bool ForNextCheckR4(float count, float limit, float StepValue) => throw null; + public static bool ForNextCheckR8(double count, double limit, double StepValue) => throw null; + } + } + public sealed class ObjectType + { + public static object AddObj(object o1, object o2) => throw null; + public static object BitAndObj(object obj1, object obj2) => throw null; + public static object BitOrObj(object obj1, object obj2) => throw null; + public static object BitXorObj(object obj1, object obj2) => throw null; + public ObjectType() => throw null; + public static object DivObj(object o1, object o2) => throw null; + public static object GetObjectValuePrimitive(object o) => throw null; + public static object IDivObj(object o1, object o2) => throw null; + public static bool LikeObj(object vLeft, object vRight, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; + public static object ModObj(object o1, object o2) => throw null; + public static object MulObj(object o1, object o2) => throw null; + public static object NegObj(object obj) => throw null; + public static object NotObj(object obj) => throw null; + public static int ObjTst(object o1, object o2, bool TextCompare) => throw null; + public static object PlusObj(object obj) => throw null; + public static object PowObj(object obj1, object obj2) => throw null; + public static object ShiftLeftObj(object o1, int amount) => throw null; + public static object ShiftRightObj(object o1, int amount) => throw null; + public static object StrCatObj(object vLeft, object vRight) => throw null; + public static object SubObj(object o1, object o2) => throw null; + public static object XorObj(object obj1, object obj2) => throw null; + } + public sealed class Operators + { + public static object AddObject(object Left, object Right) => throw null; + public static object AndObject(object Left, object Right) => throw null; + public static object CompareObjectEqual(object Left, object Right, bool TextCompare) => throw null; + public static object CompareObjectGreater(object Left, object Right, bool TextCompare) => throw null; + public static object CompareObjectGreaterEqual(object Left, object Right, bool TextCompare) => throw null; + public static object CompareObjectLess(object Left, object Right, bool TextCompare) => throw null; + public static object CompareObjectLessEqual(object Left, object Right, bool TextCompare) => throw null; + public static object CompareObjectNotEqual(object Left, object Right, bool TextCompare) => throw null; + public static int CompareString(string Left, string Right, bool TextCompare) => throw null; + public static object ConcatenateObject(object Left, object Right) => throw null; + public static bool ConditionalCompareObjectEqual(object Left, object Right, bool TextCompare) => throw null; + public static bool ConditionalCompareObjectGreater(object Left, object Right, bool TextCompare) => throw null; + public static bool ConditionalCompareObjectGreaterEqual(object Left, object Right, bool TextCompare) => throw null; + public static bool ConditionalCompareObjectLess(object Left, object Right, bool TextCompare) => throw null; + public static bool ConditionalCompareObjectLessEqual(object Left, object Right, bool TextCompare) => throw null; + public static bool ConditionalCompareObjectNotEqual(object Left, object Right, bool TextCompare) => throw null; + public static object DivideObject(object Left, object Right) => throw null; + public static object ExponentObject(object Left, object Right) => throw null; + public static object FallbackInvokeUserDefinedOperator(object vbOp, object[] arguments) => throw null; + public static object IntDivideObject(object Left, object Right) => throw null; + public static object LeftShiftObject(object Operand, object Amount) => throw null; + public static object ModObject(object Left, object Right) => throw null; + public static object MultiplyObject(object Left, object Right) => throw null; + public static object NegateObject(object Operand) => throw null; + public static object NotObject(object Operand) => throw null; + public static object OrObject(object Left, object Right) => throw null; + public static object PlusObject(object Operand) => throw null; + public static object RightShiftObject(object Operand, object Amount) => throw null; + public static object SubtractObject(object Left, object Right) => throw null; + public static object XorObject(object Left, object Right) => throw null; + } + public sealed class OptionCompareAttribute : System.Attribute + { + public OptionCompareAttribute() => throw null; + } + public sealed class OptionTextAttribute : System.Attribute + { + public OptionTextAttribute() => throw null; + } + public sealed class ProjectData + { + public static void ClearProjectError() => throw null; + public static System.Exception CreateProjectError(int hr) => throw null; + public static void EndApp() => throw null; + public static void SetProjectError(System.Exception ex) => throw null; + public static void SetProjectError(System.Exception ex, int lErl) => throw null; + } + public sealed class ShortType + { + public static short FromObject(object Value) => throw null; + public static short FromString(string Value) => throw null; + } + public sealed class SingleType + { + public static float FromObject(object Value) => throw null; + public static float FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static float FromString(string Value) => throw null; + public static float FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + } + public sealed class StandardModuleAttribute : System.Attribute + { + public StandardModuleAttribute() => throw null; + } + public sealed class StaticLocalInitFlag + { + public StaticLocalInitFlag() => throw null; + public short State; + } + public sealed class StringType + { + public static string FromBoolean(bool Value) => throw null; + public static string FromByte(byte Value) => throw null; + public static string FromChar(char Value) => throw null; + public static string FromDate(System.DateTime Value) => throw null; + public static string FromDecimal(decimal Value) => throw null; + public static string FromDecimal(decimal Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static string FromDouble(double Value) => throw null; + public static string FromDouble(double Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static string FromInteger(int Value) => throw null; + public static string FromLong(long Value) => throw null; + public static string FromObject(object Value) => throw null; + public static string FromShort(short Value) => throw null; + public static string FromSingle(float Value) => throw null; + public static string FromSingle(float Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; + public static void MidStmtStr(ref string sDest, int StartPosition, int MaxInsertLength, string sInsert) => throw null; + public static int StrCmp(string sLeft, string sRight, bool TextCompare) => throw null; + public static bool StrLike(string Source, string Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; + public static bool StrLikeBinary(string Source, string Pattern) => throw null; + public static bool StrLikeText(string Source, string Pattern) => throw null; + } + public sealed class Utils + { + public static System.Array CopyArray(System.Array arySrc, System.Array aryDest) => throw null; + public static string GetResourceString(string ResourceKey, params string[] Args) => throw null; + } + public sealed class Versioned + { + public static object CallByName(object Instance, string MethodName, Microsoft.VisualBasic.CallType UseCallType, params object[] Arguments) => throw null; + public static bool IsNumeric(object Expression) => throw null; + public static string SystemTypeName(string VbName) => throw null; + public static string TypeName(object Expression) => throw null; + public static string VbTypeName(string SystemName) => throw null; + } + } + public sealed class Constants { - public const Microsoft.VisualBasic.MsgBoxResult vbAbort = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbAbortRetryIgnore = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbApplicationModal = default; - public const Microsoft.VisualBasic.FileAttribute vbArchive = default; - public const Microsoft.VisualBasic.VariantType vbArray = default; - public const string vbBack = default; - public const Microsoft.VisualBasic.CompareMethod vbBinaryCompare = default; - public const Microsoft.VisualBasic.VariantType vbBoolean = default; - public const Microsoft.VisualBasic.VariantType vbByte = default; - public const Microsoft.VisualBasic.MsgBoxResult vbCancel = default; - public const string vbCr = default; - public const string vbCrLf = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbCritical = default; - public const Microsoft.VisualBasic.VariantType vbCurrency = default; - public const Microsoft.VisualBasic.VariantType vbDate = default; - public const Microsoft.VisualBasic.VariantType vbDecimal = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton1 = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton2 = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton3 = default; - public const Microsoft.VisualBasic.FileAttribute vbDirectory = default; - public const Microsoft.VisualBasic.VariantType vbDouble = default; - public const Microsoft.VisualBasic.VariantType vbEmpty = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbExclamation = default; - public const Microsoft.VisualBasic.TriState vbFalse = default; - public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstFourDays = default; - public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstFullWeek = default; - public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstJan1 = default; - public const string vbFormFeed = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbFriday = default; - public const Microsoft.VisualBasic.DateFormat vbGeneralDate = default; - public const Microsoft.VisualBasic.CallType vbGet = default; - public const Microsoft.VisualBasic.FileAttribute vbHidden = default; - public const Microsoft.VisualBasic.AppWinStyle vbHide = default; - public const Microsoft.VisualBasic.VbStrConv vbHiragana = default; - public const Microsoft.VisualBasic.MsgBoxResult vbIgnore = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbInformation = default; - public const Microsoft.VisualBasic.VariantType vbInteger = default; - public const Microsoft.VisualBasic.VbStrConv vbKatakana = default; - public const Microsoft.VisualBasic.CallType vbLet = default; - public const string vbLf = default; - public const Microsoft.VisualBasic.VbStrConv vbLinguisticCasing = default; - public const Microsoft.VisualBasic.VariantType vbLong = default; - public const Microsoft.VisualBasic.DateFormat vbLongDate = default; - public const Microsoft.VisualBasic.DateFormat vbLongTime = default; - public const Microsoft.VisualBasic.VbStrConv vbLowerCase = default; - public const Microsoft.VisualBasic.AppWinStyle vbMaximizedFocus = default; - public const Microsoft.VisualBasic.CallType vbMethod = default; - public const Microsoft.VisualBasic.AppWinStyle vbMinimizedFocus = default; - public const Microsoft.VisualBasic.AppWinStyle vbMinimizedNoFocus = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbMonday = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxHelp = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRight = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRtlReading = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxSetForeground = default; - public const Microsoft.VisualBasic.VbStrConv vbNarrow = default; - public const string vbNewLine = default; - public const Microsoft.VisualBasic.MsgBoxResult vbNo = default; - public const Microsoft.VisualBasic.FileAttribute vbNormal = default; - public const Microsoft.VisualBasic.AppWinStyle vbNormalFocus = default; - public const Microsoft.VisualBasic.AppWinStyle vbNormalNoFocus = default; - public const Microsoft.VisualBasic.VariantType vbNull = default; - public const string vbNullChar = default; - public const string vbNullString = default; - public const Microsoft.VisualBasic.MsgBoxResult vbOK = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbOKCancel = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbOKOnly = default; - public const Microsoft.VisualBasic.VariantType vbObject = default; - public const int vbObjectError = default; - public const Microsoft.VisualBasic.VbStrConv vbProperCase = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbQuestion = default; - public const Microsoft.VisualBasic.FileAttribute vbReadOnly = default; - public const Microsoft.VisualBasic.MsgBoxResult vbRetry = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbRetryCancel = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbSaturday = default; - public const Microsoft.VisualBasic.CallType vbSet = default; - public const Microsoft.VisualBasic.DateFormat vbShortDate = default; - public const Microsoft.VisualBasic.DateFormat vbShortTime = default; - public const Microsoft.VisualBasic.VbStrConv vbSimplifiedChinese = default; - public const Microsoft.VisualBasic.VariantType vbSingle = default; - public const Microsoft.VisualBasic.VariantType vbString = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbSunday = default; - public const Microsoft.VisualBasic.FileAttribute vbSystem = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbSystemModal = default; - public const string vbTab = default; - public const Microsoft.VisualBasic.CompareMethod vbTextCompare = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbThursday = default; - public const Microsoft.VisualBasic.VbStrConv vbTraditionalChinese = default; - public const Microsoft.VisualBasic.TriState vbTrue = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbTuesday = default; - public const Microsoft.VisualBasic.VbStrConv vbUpperCase = default; - public const Microsoft.VisualBasic.TriState vbUseDefault = default; - public const Microsoft.VisualBasic.FirstWeekOfYear vbUseSystem = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbUseSystemDayOfWeek = default; - public const Microsoft.VisualBasic.VariantType vbUserDefinedType = default; - public const Microsoft.VisualBasic.VariantType vbVariant = default; - public const string vbVerticalTab = default; - public const Microsoft.VisualBasic.FileAttribute vbVolume = default; - public const Microsoft.VisualBasic.FirstDayOfWeek vbWednesday = default; - public const Microsoft.VisualBasic.VbStrConv vbWide = default; - public const Microsoft.VisualBasic.MsgBoxResult vbYes = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbYesNo = default; - public const Microsoft.VisualBasic.MsgBoxStyle vbYesNoCancel = default; + public static Microsoft.VisualBasic.MsgBoxResult vbAbort; + public static Microsoft.VisualBasic.MsgBoxStyle vbAbortRetryIgnore; + public static Microsoft.VisualBasic.MsgBoxStyle vbApplicationModal; + public static Microsoft.VisualBasic.FileAttribute vbArchive; + public static Microsoft.VisualBasic.VariantType vbArray; + public static string vbBack; + public static Microsoft.VisualBasic.CompareMethod vbBinaryCompare; + public static Microsoft.VisualBasic.VariantType vbBoolean; + public static Microsoft.VisualBasic.VariantType vbByte; + public static Microsoft.VisualBasic.MsgBoxResult vbCancel; + public static string vbCr; + public static Microsoft.VisualBasic.MsgBoxStyle vbCritical; + public static string vbCrLf; + public static Microsoft.VisualBasic.VariantType vbCurrency; + public static Microsoft.VisualBasic.VariantType vbDate; + public static Microsoft.VisualBasic.VariantType vbDecimal; + public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton1; + public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton2; + public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton3; + public static Microsoft.VisualBasic.FileAttribute vbDirectory; + public static Microsoft.VisualBasic.VariantType vbDouble; + public static Microsoft.VisualBasic.VariantType vbEmpty; + public static Microsoft.VisualBasic.MsgBoxStyle vbExclamation; + public static Microsoft.VisualBasic.TriState vbFalse; + public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstFourDays; + public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstFullWeek; + public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstJan1; + public static string vbFormFeed; + public static Microsoft.VisualBasic.FirstDayOfWeek vbFriday; + public static Microsoft.VisualBasic.DateFormat vbGeneralDate; + public static Microsoft.VisualBasic.CallType vbGet; + public static Microsoft.VisualBasic.FileAttribute vbHidden; + public static Microsoft.VisualBasic.AppWinStyle vbHide; + public static Microsoft.VisualBasic.VbStrConv vbHiragana; + public static Microsoft.VisualBasic.MsgBoxResult vbIgnore; + public static Microsoft.VisualBasic.MsgBoxStyle vbInformation; + public static Microsoft.VisualBasic.VariantType vbInteger; + public static Microsoft.VisualBasic.VbStrConv vbKatakana; + public static Microsoft.VisualBasic.CallType vbLet; + public static string vbLf; + public static Microsoft.VisualBasic.VbStrConv vbLinguisticCasing; + public static Microsoft.VisualBasic.VariantType vbLong; + public static Microsoft.VisualBasic.DateFormat vbLongDate; + public static Microsoft.VisualBasic.DateFormat vbLongTime; + public static Microsoft.VisualBasic.VbStrConv vbLowerCase; + public static Microsoft.VisualBasic.AppWinStyle vbMaximizedFocus; + public static Microsoft.VisualBasic.CallType vbMethod; + public static Microsoft.VisualBasic.AppWinStyle vbMinimizedFocus; + public static Microsoft.VisualBasic.AppWinStyle vbMinimizedNoFocus; + public static Microsoft.VisualBasic.FirstDayOfWeek vbMonday; + public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxHelp; + public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRight; + public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRtlReading; + public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxSetForeground; + public static Microsoft.VisualBasic.VbStrConv vbNarrow; + public static string vbNewLine; + public static Microsoft.VisualBasic.MsgBoxResult vbNo; + public static Microsoft.VisualBasic.FileAttribute vbNormal; + public static Microsoft.VisualBasic.AppWinStyle vbNormalFocus; + public static Microsoft.VisualBasic.AppWinStyle vbNormalNoFocus; + public static Microsoft.VisualBasic.VariantType vbNull; + public static string vbNullChar; + public static string vbNullString; + public static Microsoft.VisualBasic.VariantType vbObject; + public static int vbObjectError; + public static Microsoft.VisualBasic.MsgBoxResult vbOK; + public static Microsoft.VisualBasic.MsgBoxStyle vbOKCancel; + public static Microsoft.VisualBasic.MsgBoxStyle vbOKOnly; + public static Microsoft.VisualBasic.VbStrConv vbProperCase; + public static Microsoft.VisualBasic.MsgBoxStyle vbQuestion; + public static Microsoft.VisualBasic.FileAttribute vbReadOnly; + public static Microsoft.VisualBasic.MsgBoxResult vbRetry; + public static Microsoft.VisualBasic.MsgBoxStyle vbRetryCancel; + public static Microsoft.VisualBasic.FirstDayOfWeek vbSaturday; + public static Microsoft.VisualBasic.CallType vbSet; + public static Microsoft.VisualBasic.DateFormat vbShortDate; + public static Microsoft.VisualBasic.DateFormat vbShortTime; + public static Microsoft.VisualBasic.VbStrConv vbSimplifiedChinese; + public static Microsoft.VisualBasic.VariantType vbSingle; + public static Microsoft.VisualBasic.VariantType vbString; + public static Microsoft.VisualBasic.FirstDayOfWeek vbSunday; + public static Microsoft.VisualBasic.FileAttribute vbSystem; + public static Microsoft.VisualBasic.MsgBoxStyle vbSystemModal; + public static string vbTab; + public static Microsoft.VisualBasic.CompareMethod vbTextCompare; + public static Microsoft.VisualBasic.FirstDayOfWeek vbThursday; + public static Microsoft.VisualBasic.VbStrConv vbTraditionalChinese; + public static Microsoft.VisualBasic.TriState vbTrue; + public static Microsoft.VisualBasic.FirstDayOfWeek vbTuesday; + public static Microsoft.VisualBasic.VbStrConv vbUpperCase; + public static Microsoft.VisualBasic.TriState vbUseDefault; + public static Microsoft.VisualBasic.VariantType vbUserDefinedType; + public static Microsoft.VisualBasic.FirstWeekOfYear vbUseSystem; + public static Microsoft.VisualBasic.FirstDayOfWeek vbUseSystemDayOfWeek; + public static Microsoft.VisualBasic.VariantType vbVariant; + public static string vbVerticalTab; + public static Microsoft.VisualBasic.FileAttribute vbVolume; + public static Microsoft.VisualBasic.FirstDayOfWeek vbWednesday; + public static Microsoft.VisualBasic.VbStrConv vbWide; + public static Microsoft.VisualBasic.MsgBoxResult vbYes; + public static Microsoft.VisualBasic.MsgBoxStyle vbYesNo; + public static Microsoft.VisualBasic.MsgBoxStyle vbYesNoCancel; } - - public class ControlChars + public sealed class ControlChars { - public const System.Char Back = default; + public static char Back; + public static char Cr; + public static string CrLf; public ControlChars() => throw null; - public const System.Char Cr = default; - public const string CrLf = default; - public const System.Char FormFeed = default; - public const System.Char Lf = default; - public const string NewLine = default; - public const System.Char NullChar = default; - public const System.Char Quote = default; - public const System.Char Tab = default; - public const System.Char VerticalTab = default; + public static char FormFeed; + public static char Lf; + public static string NewLine; + public static char NullChar; + public static char Quote; + public static char Tab; + public static char VerticalTab; } - - public class Conversion + public sealed class Conversion { public static object CTypeDynamic(object Expression, System.Type TargetType) => throw null; public static TargetType CTypeDynamic(object Expression) => throw null; public static string ErrorToString() => throw null; public static string ErrorToString(int ErrorNumber) => throw null; - public static System.Decimal Fix(System.Decimal Number) => throw null; + public static decimal Fix(decimal Number) => throw null; public static double Fix(double Number) => throw null; - public static float Fix(float Number) => throw null; + public static short Fix(short Number) => throw null; public static int Fix(int Number) => throw null; - public static System.Int64 Fix(System.Int64 Number) => throw null; + public static long Fix(long Number) => throw null; public static object Fix(object Number) => throw null; - public static System.Int16 Fix(System.Int16 Number) => throw null; - public static string Hex(System.Byte Number) => throw null; + public static float Fix(float Number) => throw null; + public static string Hex(byte Number) => throw null; + public static string Hex(short Number) => throw null; public static string Hex(int Number) => throw null; - public static string Hex(System.Int64 Number) => throw null; + public static string Hex(long Number) => throw null; public static string Hex(object Number) => throw null; - public static string Hex(System.SByte Number) => throw null; - public static string Hex(System.Int16 Number) => throw null; - public static string Hex(System.UInt32 Number) => throw null; - public static string Hex(System.UInt64 Number) => throw null; - public static string Hex(System.UInt16 Number) => throw null; - public static System.Decimal Int(System.Decimal Number) => throw null; + public static string Hex(sbyte Number) => throw null; + public static string Hex(ushort Number) => throw null; + public static string Hex(uint Number) => throw null; + public static string Hex(ulong Number) => throw null; + public static decimal Int(decimal Number) => throw null; public static double Int(double Number) => throw null; - public static float Int(float Number) => throw null; + public static short Int(short Number) => throw null; public static int Int(int Number) => throw null; - public static System.Int64 Int(System.Int64 Number) => throw null; + public static long Int(long Number) => throw null; public static object Int(object Number) => throw null; - public static System.Int16 Int(System.Int16 Number) => throw null; - public static string Oct(System.Byte Number) => throw null; + public static float Int(float Number) => throw null; + public static string Oct(byte Number) => throw null; + public static string Oct(short Number) => throw null; public static string Oct(int Number) => throw null; - public static string Oct(System.Int64 Number) => throw null; + public static string Oct(long Number) => throw null; public static string Oct(object Number) => throw null; - public static string Oct(System.SByte Number) => throw null; - public static string Oct(System.Int16 Number) => throw null; - public static string Oct(System.UInt32 Number) => throw null; - public static string Oct(System.UInt64 Number) => throw null; - public static string Oct(System.UInt16 Number) => throw null; + public static string Oct(sbyte Number) => throw null; + public static string Oct(ushort Number) => throw null; + public static string Oct(uint Number) => throw null; + public static string Oct(ulong Number) => throw null; public static string Str(object Number) => throw null; - public static int Val(System.Char Expression) => throw null; + public static int Val(char Expression) => throw null; public static double Val(object Expression) => throw null; public static double Val(string InputStr) => throw null; } - - public class DateAndTime + public sealed class DateAndTime { public static System.DateTime DateAdd(Microsoft.VisualBasic.DateInterval Interval, double Number, System.DateTime DateValue) => throw null; public static System.DateTime DateAdd(string Interval, double Number, object DateValue) => throw null; - public static System.Int64 DateDiff(Microsoft.VisualBasic.DateInterval Interval, System.DateTime Date1, System.DateTime Date2, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear WeekOfYear = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; - public static System.Int64 DateDiff(string Interval, object Date1, object Date2, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear WeekOfYear = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; + public static long DateDiff(Microsoft.VisualBasic.DateInterval Interval, System.DateTime Date1, System.DateTime Date2, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear WeekOfYear = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; + public static long DateDiff(string Interval, object Date1, object Date2, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear WeekOfYear = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; public static int DatePart(Microsoft.VisualBasic.DateInterval Interval, System.DateTime DateValue, Microsoft.VisualBasic.FirstDayOfWeek FirstDayOfWeekValue = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear FirstWeekOfYearValue = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; public static int DatePart(string Interval, object DateValue, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek), Microsoft.VisualBasic.FirstWeekOfYear WeekOfYear = default(Microsoft.VisualBasic.FirstWeekOfYear)) => throw null; public static System.DateTime DateSerial(int Year, int Month, int Day) => throw null; - public static string DateString { get => throw null; set => throw null; } + public static string DateString { get => throw null; set { } } public static System.DateTime DateValue(string StringDate) => throw null; public static int Day(System.DateTime DateValue) => throw null; public static int Hour(System.DateTime TimeValue) => throw null; @@ -254,79 +543,220 @@ public class DateAndTime public static string MonthName(int Month, bool Abbreviate = default(bool)) => throw null; public static System.DateTime Now { get => throw null; } public static int Second(System.DateTime TimeValue) => throw null; - public static System.DateTime TimeOfDay { get => throw null; set => throw null; } + public static System.DateTime TimeOfDay { get => throw null; set { } } + public static double Timer { get => throw null; } public static System.DateTime TimeSerial(int Hour, int Minute, int Second) => throw null; - public static string TimeString { get => throw null; set => throw null; } + public static string TimeString { get => throw null; set { } } public static System.DateTime TimeValue(string StringTime) => throw null; - public static double Timer { get => throw null; } - public static System.DateTime Today { get => throw null; set => throw null; } + public static System.DateTime Today { get => throw null; set { } } public static int Weekday(System.DateTime DateValue, Microsoft.VisualBasic.FirstDayOfWeek DayOfWeek = default(Microsoft.VisualBasic.FirstDayOfWeek)) => throw null; public static string WeekdayName(int Weekday, bool Abbreviate = default(bool), Microsoft.VisualBasic.FirstDayOfWeek FirstDayOfWeekValue = default(Microsoft.VisualBasic.FirstDayOfWeek)) => throw null; public static int Year(System.DateTime DateValue) => throw null; } - - public enum DateFormat : int + public enum DateFormat { GeneralDate = 0, LongDate = 1, - LongTime = 3, ShortDate = 2, + LongTime = 3, ShortTime = 4, } - - public enum DateInterval : int + public enum DateInterval { - Day = 4, + Year = 0, + Quarter = 1, + Month = 2, DayOfYear = 3, + Day = 4, + WeekOfYear = 5, + Weekday = 6, Hour = 7, Minute = 8, - Month = 2, - Quarter = 1, Second = 9, - WeekOfYear = 5, - Weekday = 6, - Year = 0, } - - public enum DueDate : int + public enum DueDate { - BegOfPeriod = 1, EndOfPeriod = 0, + BegOfPeriod = 1, } - - public class ErrObject + public sealed class ErrObject { public void Clear() => throw null; - public string Description { get => throw null; set => throw null; } + public string Description { get => throw null; set { } } public int Erl { get => throw null; } public System.Exception GetException() => throw null; - public int HelpContext { get => throw null; set => throw null; } - public string HelpFile { get => throw null; set => throw null; } + public int HelpContext { get => throw null; set { } } + public string HelpFile { get => throw null; set { } } public int LastDllError { get => throw null; } - public int Number { get => throw null; set => throw null; } + public int Number { get => throw null; set { } } public void Raise(int Number, object Source = default(object), object Description = default(object), object HelpFile = default(object), object HelpContext = default(object)) => throw null; - public string Source { get => throw null; set => throw null; } + public string Source { get => throw null; set { } } } - [System.Flags] - public enum FileAttribute : int + public enum FileAttribute { - Archive = 32, - Directory = 16, - Hidden = 2, Normal = 0, ReadOnly = 1, + Hidden = 2, System = 4, Volume = 8, + Directory = 16, + Archive = 32, + } + namespace FileIO + { + public enum DeleteDirectoryOption + { + ThrowIfDirectoryNonEmpty = 4, + DeleteAllContents = 5, + } + public enum FieldType + { + Delimited = 0, + FixedWidth = 1, + } + public class FileSystem + { + public static string CombinePath(string baseDirectory, string relativePath) => throw null; + public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName) => throw null; + public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; + public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, bool overwrite) => throw null; + public static void CopyFile(string sourceFileName, string destinationFileName) => throw null; + public static void CopyFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; + public static void CopyFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static void CopyFile(string sourceFileName, string destinationFileName, bool overwrite) => throw null; + public static void CreateDirectory(string directory) => throw null; + public FileSystem() => throw null; + public static string CurrentDirectory { get => throw null; set { } } + public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.DeleteDirectoryOption onDirectoryNotEmpty) => throw null; + public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle) => throw null; + public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static void DeleteFile(string file) => throw null; + public static void DeleteFile(string file, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle) => throw null; + public static void DeleteFile(string file, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static bool DirectoryExists(string directory) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection Drives { get => throw null; } + public static bool FileExists(string file) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection FindInFiles(string directory, string containsText, bool ignoreCase, Microsoft.VisualBasic.FileIO.SearchOption searchType) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection FindInFiles(string directory, string containsText, bool ignoreCase, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] fileWildcards) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection GetDirectories(string directory) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection GetDirectories(string directory, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] wildcards) => throw null; + public static System.IO.DirectoryInfo GetDirectoryInfo(string directory) => throw null; + public static System.IO.DriveInfo GetDriveInfo(string drive) => throw null; + public static System.IO.FileInfo GetFileInfo(string file) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection GetFiles(string directory) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection GetFiles(string directory, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] wildcards) => throw null; + public static string GetName(string path) => throw null; + public static string GetParentPath(string path) => throw null; + public static string GetTempFileName() => throw null; + public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName) => throw null; + public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; + public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, bool overwrite) => throw null; + public static void MoveFile(string sourceFileName, string destinationFileName) => throw null; + public static void MoveFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; + public static void MoveFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; + public static void MoveFile(string sourceFileName, string destinationFileName, bool overwrite) => throw null; + public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file) => throw null; + public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file, params int[] fieldWidths) => throw null; + public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file, params string[] delimiters) => throw null; + public static System.IO.StreamReader OpenTextFileReader(string file) => throw null; + public static System.IO.StreamReader OpenTextFileReader(string file, System.Text.Encoding encoding) => throw null; + public static System.IO.StreamWriter OpenTextFileWriter(string file, bool append) => throw null; + public static System.IO.StreamWriter OpenTextFileWriter(string file, bool append, System.Text.Encoding encoding) => throw null; + public static byte[] ReadAllBytes(string file) => throw null; + public static string ReadAllText(string file) => throw null; + public static string ReadAllText(string file, System.Text.Encoding encoding) => throw null; + public static void RenameDirectory(string directory, string newName) => throw null; + public static void RenameFile(string file, string newName) => throw null; + public static void WriteAllBytes(string file, byte[] data, bool append) => throw null; + public static void WriteAllText(string file, string text, bool append) => throw null; + public static void WriteAllText(string file, string text, bool append, System.Text.Encoding encoding) => throw null; + } + public class MalformedLineException : System.Exception + { + public MalformedLineException() => throw null; + protected MalformedLineException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MalformedLineException(string message) => throw null; + public MalformedLineException(string message, System.Exception innerException) => throw null; + public MalformedLineException(string message, long lineNumber) => throw null; + public MalformedLineException(string message, long lineNumber, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public long LineNumber { get => throw null; set { } } + public override string ToString() => throw null; + } + public enum RecycleOption + { + DeletePermanently = 2, + SendToRecycleBin = 3, + } + public enum SearchOption + { + SearchTopLevelOnly = 2, + SearchAllSubDirectories = 3, + } + public class SpecialDirectories + { + public static string AllUsersApplicationData { get => throw null; } + public SpecialDirectories() => throw null; + public static string CurrentUserApplicationData { get => throw null; } + public static string Desktop { get => throw null; } + public static string MyDocuments { get => throw null; } + public static string MyMusic { get => throw null; } + public static string MyPictures { get => throw null; } + public static string ProgramFiles { get => throw null; } + public static string Programs { get => throw null; } + public static string Temp { get => throw null; } + } + public class TextFieldParser : System.IDisposable + { + public void Close() => throw null; + public string[] CommentTokens { get => throw null; set { } } + public TextFieldParser(System.IO.Stream stream) => throw null; + public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding) => throw null; + public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding, bool detectEncoding) => throw null; + public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding, bool detectEncoding, bool leaveOpen) => throw null; + public TextFieldParser(System.IO.TextReader reader) => throw null; + public TextFieldParser(string path) => throw null; + public TextFieldParser(string path, System.Text.Encoding defaultEncoding) => throw null; + public TextFieldParser(string path, System.Text.Encoding defaultEncoding, bool detectEncoding) => throw null; + public string[] Delimiters { get => throw null; set { } } + protected virtual void Dispose(bool disposing) => throw null; + void System.IDisposable.Dispose() => throw null; + public bool EndOfData { get => throw null; } + public string ErrorLine { get => throw null; } + public long ErrorLineNumber { get => throw null; } + public int[] FieldWidths { get => throw null; set { } } + public bool HasFieldsEnclosedInQuotes { get => throw null; set { } } + public long LineNumber { get => throw null; } + public string PeekChars(int numberOfChars) => throw null; + public string[] ReadFields() => throw null; + public string ReadLine() => throw null; + public string ReadToEnd() => throw null; + public void SetDelimiters(params string[] delimiters) => throw null; + public void SetFieldWidths(params int[] fieldWidths) => throw null; + public Microsoft.VisualBasic.FileIO.FieldType TextFieldType { get => throw null; set { } } + public bool TrimWhiteSpace { get => throw null; set { } } + } + public enum UICancelOption + { + DoNothing = 2, + ThrowException = 3, + } + public enum UIOption + { + OnlyErrorDialogs = 2, + AllDialogs = 3, + } } - - public class FileSystem + public sealed class FileSystem { public static void ChDir(string Path) => throw null; - public static void ChDrive(System.Char Drive) => throw null; + public static void ChDrive(char Drive) => throw null; public static void ChDrive(string Drive) => throw null; public static string CurDir() => throw null; - public static string CurDir(System.Char Drive) => throw null; + public static string CurDir(char Drive) => throw null; public static string Dir() => throw null; public static string Dir(string PathName, Microsoft.VisualBasic.FileAttribute Attributes = default(Microsoft.VisualBasic.FileAttribute)) => throw null; public static bool EOF(int FileNumber) => throw null; @@ -334,128 +764,123 @@ public class FileSystem public static void FileClose(params int[] FileNumbers) => throw null; public static void FileCopy(string Source, string Destination) => throw null; public static System.DateTime FileDateTime(string PathName) => throw null; - public static void FileGet(int FileNumber, ref System.Array Value, System.Int64 RecordNumber = default(System.Int64), bool ArrayIsDynamic = default(bool), bool StringIsFixedLength = default(bool)) => throw null; - public static void FileGet(int FileNumber, ref System.DateTime Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.ValueType Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref bool Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.Byte Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.Char Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.Decimal Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref double Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref float Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref int Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.Int64 Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref System.Int16 Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FileGet(int FileNumber, ref string Value, System.Int64 RecordNumber = default(System.Int64), bool StringIsFixedLength = default(bool)) => throw null; - public static void FileGetObject(int FileNumber, ref object Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static System.Int64 FileLen(string PathName) => throw null; + public static void FileGet(int FileNumber, ref System.Array Value, long RecordNumber = default(long), bool ArrayIsDynamic = default(bool), bool StringIsFixedLength = default(bool)) => throw null; + public static void FileGet(int FileNumber, ref bool Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref byte Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref char Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref System.DateTime Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref decimal Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref double Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref short Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref int Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref long Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref float Value, long RecordNumber = default(long)) => throw null; + public static void FileGet(int FileNumber, ref string Value, long RecordNumber = default(long), bool StringIsFixedLength = default(bool)) => throw null; + public static void FileGet(int FileNumber, ref System.ValueType Value, long RecordNumber = default(long)) => throw null; + public static void FileGetObject(int FileNumber, ref object Value, long RecordNumber = default(long)) => throw null; + public static long FileLen(string PathName) => throw null; public static void FileOpen(int FileNumber, string FileName, Microsoft.VisualBasic.OpenMode Mode, Microsoft.VisualBasic.OpenAccess Access = default(Microsoft.VisualBasic.OpenAccess), Microsoft.VisualBasic.OpenShare Share = default(Microsoft.VisualBasic.OpenShare), int RecordLength = default(int)) => throw null; - public static void FilePut(int FileNumber, System.Array Value, System.Int64 RecordNumber = default(System.Int64), bool ArrayIsDynamic = default(bool), bool StringIsFixedLength = default(bool)) => throw null; - public static void FilePut(int FileNumber, System.DateTime Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.ValueType Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, bool Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.Byte Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.Char Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.Decimal Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, double Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, float Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, int Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.Int64 Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, System.Int16 Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; - public static void FilePut(int FileNumber, string Value, System.Int64 RecordNumber = default(System.Int64), bool StringIsFixedLength = default(bool)) => throw null; + public static void FilePut(int FileNumber, System.Array Value, long RecordNumber = default(long), bool ArrayIsDynamic = default(bool), bool StringIsFixedLength = default(bool)) => throw null; + public static void FilePut(int FileNumber, bool Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, byte Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, char Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, System.DateTime Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, decimal Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, double Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, short Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, int Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, long Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, float Value, long RecordNumber = default(long)) => throw null; + public static void FilePut(int FileNumber, string Value, long RecordNumber = default(long), bool StringIsFixedLength = default(bool)) => throw null; + public static void FilePut(int FileNumber, System.ValueType Value, long RecordNumber = default(long)) => throw null; public static void FilePut(object FileNumber, object Value, object RecordNumber) => throw null; - public static void FilePutObject(int FileNumber, object Value, System.Int64 RecordNumber = default(System.Int64)) => throw null; + public static void FilePutObject(int FileNumber, object Value, long RecordNumber = default(long)) => throw null; public static void FileWidth(int FileNumber, int RecordWidth) => throw null; public static int FreeFile() => throw null; public static Microsoft.VisualBasic.FileAttribute GetAttr(string PathName) => throw null; - public static void Input(int FileNumber, ref System.DateTime Value) => throw null; public static void Input(int FileNumber, ref bool Value) => throw null; - public static void Input(int FileNumber, ref System.Byte Value) => throw null; - public static void Input(int FileNumber, ref System.Char Value) => throw null; - public static void Input(int FileNumber, ref System.Decimal Value) => throw null; + public static void Input(int FileNumber, ref byte Value) => throw null; + public static void Input(int FileNumber, ref char Value) => throw null; + public static void Input(int FileNumber, ref System.DateTime Value) => throw null; + public static void Input(int FileNumber, ref decimal Value) => throw null; public static void Input(int FileNumber, ref double Value) => throw null; - public static void Input(int FileNumber, ref float Value) => throw null; + public static void Input(int FileNumber, ref short Value) => throw null; public static void Input(int FileNumber, ref int Value) => throw null; - public static void Input(int FileNumber, ref System.Int64 Value) => throw null; + public static void Input(int FileNumber, ref long Value) => throw null; public static void Input(int FileNumber, ref object Value) => throw null; - public static void Input(int FileNumber, ref System.Int16 Value) => throw null; + public static void Input(int FileNumber, ref float Value) => throw null; public static void Input(int FileNumber, ref string Value) => throw null; public static string InputString(int FileNumber, int CharCount) => throw null; public static void Kill(string PathName) => throw null; - public static System.Int64 LOF(int FileNumber) => throw null; public static string LineInput(int FileNumber) => throw null; - public static System.Int64 Loc(int FileNumber) => throw null; + public static long Loc(int FileNumber) => throw null; public static void Lock(int FileNumber) => throw null; - public static void Lock(int FileNumber, System.Int64 Record) => throw null; - public static void Lock(int FileNumber, System.Int64 FromRecord, System.Int64 ToRecord) => throw null; + public static void Lock(int FileNumber, long Record) => throw null; + public static void Lock(int FileNumber, long FromRecord, long ToRecord) => throw null; + public static long LOF(int FileNumber) => throw null; public static void MkDir(string Path) => throw null; public static void Print(int FileNumber, params object[] Output) => throw null; public static void PrintLine(int FileNumber, params object[] Output) => throw null; public static void Rename(string OldPath, string NewPath) => throw null; public static void Reset() => throw null; public static void RmDir(string Path) => throw null; - public static Microsoft.VisualBasic.SpcInfo SPC(System.Int16 Count) => throw null; - public static System.Int64 Seek(int FileNumber) => throw null; - public static void Seek(int FileNumber, System.Int64 Position) => throw null; + public static long Seek(int FileNumber) => throw null; + public static void Seek(int FileNumber, long Position) => throw null; public static void SetAttr(string PathName, Microsoft.VisualBasic.FileAttribute Attributes) => throw null; + public static Microsoft.VisualBasic.SpcInfo SPC(short Count) => throw null; public static Microsoft.VisualBasic.TabInfo TAB() => throw null; - public static Microsoft.VisualBasic.TabInfo TAB(System.Int16 Column) => throw null; + public static Microsoft.VisualBasic.TabInfo TAB(short Column) => throw null; public static void Unlock(int FileNumber) => throw null; - public static void Unlock(int FileNumber, System.Int64 Record) => throw null; - public static void Unlock(int FileNumber, System.Int64 FromRecord, System.Int64 ToRecord) => throw null; + public static void Unlock(int FileNumber, long Record) => throw null; + public static void Unlock(int FileNumber, long FromRecord, long ToRecord) => throw null; public static void Write(int FileNumber, params object[] Output) => throw null; public static void WriteLine(int FileNumber, params object[] Output) => throw null; } - - public class Financial + public sealed class Financial { public static double DDB(double Cost, double Salvage, double Life, double Period, double Factor = default(double)) => throw null; public static double FV(double Rate, double NPer, double Pmt, double PV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; public static double IPmt(double Rate, double Per, double NPer, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; public static double IRR(ref double[] ValueArray, double Guess = default(double)) => throw null; public static double MIRR(ref double[] ValueArray, double FinanceRate, double ReinvestRate) => throw null; - public static double NPV(double Rate, ref double[] ValueArray) => throw null; public static double NPer(double Rate, double Pmt, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; + public static double NPV(double Rate, ref double[] ValueArray) => throw null; + public static double Pmt(double Rate, double NPer, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; public static double PPmt(double Rate, double Per, double NPer, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; public static double PV(double Rate, double NPer, double Pmt, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; - public static double Pmt(double Rate, double NPer, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate)) => throw null; public static double Rate(double NPer, double Pmt, double PV, double FV = default(double), Microsoft.VisualBasic.DueDate Due = default(Microsoft.VisualBasic.DueDate), double Guess = default(double)) => throw null; public static double SLN(double Cost, double Salvage, double Life) => throw null; public static double SYD(double Cost, double Salvage, double Life, double Period) => throw null; } - - public enum FirstDayOfWeek : int + public enum FirstDayOfWeek { - Friday = 6, - Monday = 2, - Saturday = 7, - Sunday = 1, System = 0, - Thursday = 5, + Sunday = 1, + Monday = 2, Tuesday = 3, Wednesday = 4, + Thursday = 5, + Friday = 6, + Saturday = 7, } - - public enum FirstWeekOfYear : int + public enum FirstWeekOfYear { + System = 0, + Jan1 = 1, FirstFourDays = 2, FirstFullWeek = 3, - Jan1 = 1, - System = 0, } - - public class HideModuleNameAttribute : System.Attribute + public sealed class HideModuleNameAttribute : System.Attribute { public HideModuleNameAttribute() => throw null; } - - public class Information + public sealed class Information { public static int Erl() => throw null; public static Microsoft.VisualBasic.ErrObject Err() => throw null; public static bool IsArray(object VarName) => throw null; - public static bool IsDBNull(object Expression) => throw null; public static bool IsDate(object Expression) => throw null; + public static bool IsDBNull(object Expression) => throw null; public static bool IsError(object Expression) => throw null; public static bool IsNothing(object Expression) => throw null; public static bool IsNumeric(object Expression) => throw null; @@ -469,8 +894,7 @@ public class Information public static Microsoft.VisualBasic.VariantType VarType(object VarName) => throw null; public static string VbTypeName(string UrtName) => throw null; } - - public class Interaction + public sealed class Interaction { public static void AppActivate(int ProcessId) => throw null; public static void AppActivate(string Title) => throw null; @@ -480,104 +904,95 @@ public class Interaction public static string Command() => throw null; public static object CreateObject(string ProgId, string ServerName = default(string)) => throw null; public static void DeleteSetting(string AppName, string Section = default(string), string Key = default(string)) => throw null; - public static string Environ(int Expression) => throw null; public static string Environ(string Expression) => throw null; - public static string[] GetAllSettings(string AppName, string Section) => throw null; + public static string Environ(int Expression) => throw null; + public static string[,] GetAllSettings(string AppName, string Section) => throw null; public static object GetObject(string PathName = default(string), string Class = default(string)) => throw null; public static string GetSetting(string AppName, string Section, string Key, string Default = default(string)) => throw null; public static object IIf(bool Expression, object TruePart, object FalsePart) => throw null; public static string InputBox(string Prompt, string Title = default(string), string DefaultResponse = default(string), int XPos = default(int), int YPos = default(int)) => throw null; public static Microsoft.VisualBasic.MsgBoxResult MsgBox(object Prompt, Microsoft.VisualBasic.MsgBoxStyle Buttons = default(Microsoft.VisualBasic.MsgBoxStyle), object Title = default(object)) => throw null; - public static string Partition(System.Int64 Number, System.Int64 Start, System.Int64 Stop, System.Int64 Interval) => throw null; + public static string Partition(long Number, long Start, long Stop, long Interval) => throw null; public static void SaveSetting(string AppName, string Section, string Key, string Setting) => throw null; public static int Shell(string PathName, Microsoft.VisualBasic.AppWinStyle Style = default(Microsoft.VisualBasic.AppWinStyle), bool Wait = default(bool), int Timeout = default(int)) => throw null; public static object Switch(params object[] VarExpr) => throw null; } - - public enum MsgBoxResult : int + public enum MsgBoxResult { - Abort = 3, - Cancel = 2, - Ignore = 5, - No = 7, Ok = 1, + Cancel = 2, + Abort = 3, Retry = 4, + Ignore = 5, Yes = 6, + No = 7, } - [System.Flags] - public enum MsgBoxStyle : int + public enum MsgBoxStyle { - AbortRetryIgnore = 2, ApplicationModal = 0, - Critical = 16, DefaultButton1 = 0, - DefaultButton2 = 256, - DefaultButton3 = 512, + OkOnly = 0, + OkCancel = 1, + AbortRetryIgnore = 2, + YesNoCancel = 3, + YesNo = 4, + RetryCancel = 5, + Critical = 16, + Question = 32, Exclamation = 48, Information = 64, + DefaultButton2 = 256, + DefaultButton3 = 512, + SystemModal = 4096, MsgBoxHelp = 16384, + MsgBoxSetForeground = 65536, MsgBoxRight = 524288, MsgBoxRtlReading = 1048576, - MsgBoxSetForeground = 65536, - OkCancel = 1, - OkOnly = 0, - Question = 32, - RetryCancel = 5, - SystemModal = 4096, - YesNo = 4, - YesNoCancel = 3, } - - public class MyGroupCollectionAttribute : System.Attribute + public sealed class MyGroupCollectionAttribute : System.Attribute { public string CreateMethod { get => throw null; } + public MyGroupCollectionAttribute(string typeToCollect, string createInstanceMethodName, string disposeInstanceMethodName, string defaultInstanceAlias) => throw null; public string DefaultInstanceAlias { get => throw null; } public string DisposeMethod { get => throw null; } - public MyGroupCollectionAttribute(string typeToCollect, string createInstanceMethodName, string disposeInstanceMethodName, string defaultInstanceAlias) => throw null; public string MyGroupName { get => throw null; } } - - public enum OpenAccess : int + public enum OpenAccess { Default = -1, Read = 1, - ReadWrite = 3, Write = 2, + ReadWrite = 3, } - - public enum OpenMode : int + public enum OpenMode { - Append = 8, - Binary = 32, Input = 1, Output = 2, Random = 4, + Append = 8, + Binary = 32, } - - public enum OpenShare : int + public enum OpenShare { Default = -1, - LockRead = 2, LockReadWrite = 0, LockWrite = 1, + LockRead = 2, Shared = 3, } - public struct SpcInfo { - public System.Int16 Count; - // Stub generator skipped constructor + public short Count; } - - public class Strings + public sealed class Strings { - public static int Asc(System.Char String) => throw null; + public static int Asc(char String) => throw null; public static int Asc(string String) => throw null; - public static int AscW(System.Char String) => throw null; + public static int AscW(char String) => throw null; public static int AscW(string String) => throw null; - public static System.Char Chr(int CharCode) => throw null; - public static System.Char ChrW(int CharCode) => throw null; + public static char Chr(int CharCode) => throw null; + public static char ChrW(int CharCode) => throw null; public static string[] Filter(object[] Source, string Match, bool Include = default(bool), Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static string[] Filter(string[] Source, string Match, bool Include = default(bool), Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static string Format(object Expression, string Style = default(string)) => throw null; @@ -585,612 +1000,117 @@ public class Strings public static string FormatDateTime(System.DateTime Expression, Microsoft.VisualBasic.DateFormat NamedFormat = default(Microsoft.VisualBasic.DateFormat)) => throw null; public static string FormatNumber(object Expression, int NumDigitsAfterDecimal = default(int), Microsoft.VisualBasic.TriState IncludeLeadingDigit = default(Microsoft.VisualBasic.TriState), Microsoft.VisualBasic.TriState UseParensForNegativeNumbers = default(Microsoft.VisualBasic.TriState), Microsoft.VisualBasic.TriState GroupDigits = default(Microsoft.VisualBasic.TriState)) => throw null; public static string FormatPercent(object Expression, int NumDigitsAfterDecimal = default(int), Microsoft.VisualBasic.TriState IncludeLeadingDigit = default(Microsoft.VisualBasic.TriState), Microsoft.VisualBasic.TriState UseParensForNegativeNumbers = default(Microsoft.VisualBasic.TriState), Microsoft.VisualBasic.TriState GroupDigits = default(Microsoft.VisualBasic.TriState)) => throw null; - public static System.Char GetChar(string str, int Index) => throw null; + public static char GetChar(string str, int Index) => throw null; public static int InStr(int Start, string String1, string String2, Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static int InStr(string String1, string String2, Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static int InStrRev(string StringCheck, string StringMatch, int Start = default(int), Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static string Join(object[] SourceArray, string Delimiter = default(string)) => throw null; public static string Join(string[] SourceArray, string Delimiter = default(string)) => throw null; - public static System.Char LCase(System.Char Value) => throw null; + public static char LCase(char Value) => throw null; public static string LCase(string Value) => throw null; - public static string LSet(string Source, int Length) => throw null; - public static string LTrim(string str) => throw null; public static string Left(string str, int Length) => throw null; - public static int Len(System.DateTime Expression) => throw null; public static int Len(bool Expression) => throw null; - public static int Len(System.Byte Expression) => throw null; - public static int Len(System.Char Expression) => throw null; - public static int Len(System.Decimal Expression) => throw null; + public static int Len(byte Expression) => throw null; + public static int Len(char Expression) => throw null; + public static int Len(System.DateTime Expression) => throw null; + public static int Len(decimal Expression) => throw null; public static int Len(double Expression) => throw null; - public static int Len(float Expression) => throw null; + public static int Len(short Expression) => throw null; public static int Len(int Expression) => throw null; - public static int Len(System.Int64 Expression) => throw null; + public static int Len(long Expression) => throw null; public static int Len(object Expression) => throw null; - public static int Len(System.SByte Expression) => throw null; - public static int Len(System.Int16 Expression) => throw null; + public static int Len(sbyte Expression) => throw null; + public static int Len(float Expression) => throw null; public static int Len(string Expression) => throw null; - public static int Len(System.UInt32 Expression) => throw null; - public static int Len(System.UInt64 Expression) => throw null; - public static int Len(System.UInt16 Expression) => throw null; + public static int Len(ushort Expression) => throw null; + public static int Len(uint Expression) => throw null; + public static int Len(ulong Expression) => throw null; + public static string LSet(string Source, int Length) => throw null; + public static string LTrim(string str) => throw null; public static string Mid(string str, int Start) => throw null; public static string Mid(string str, int Start, int Length) => throw null; - public static string RSet(string Source, int Length) => throw null; - public static string RTrim(string str) => throw null; public static string Replace(string Expression, string Find, string Replacement, int Start = default(int), int Count = default(int), Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static string Right(string str, int Length) => throw null; + public static string RSet(string Source, int Length) => throw null; + public static string RTrim(string str) => throw null; public static string Space(int Number) => throw null; public static string[] Split(string Expression, string Delimiter = default(string), int Limit = default(int), Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static int StrComp(string String1, string String2, Microsoft.VisualBasic.CompareMethod Compare = default(Microsoft.VisualBasic.CompareMethod)) => throw null; public static string StrConv(string str, Microsoft.VisualBasic.VbStrConv Conversion, int LocaleID = default(int)) => throw null; - public static string StrDup(int Number, System.Char Character) => throw null; + public static string StrDup(int Number, char Character) => throw null; public static object StrDup(int Number, object Character) => throw null; public static string StrDup(int Number, string Character) => throw null; public static string StrReverse(string Expression) => throw null; public static string Trim(string str) => throw null; - public static System.Char UCase(System.Char Value) => throw null; + public static char UCase(char Value) => throw null; public static string UCase(string Value) => throw null; } - public struct TabInfo { - public System.Int16 Column; - // Stub generator skipped constructor + public short Column; } - - public enum TriState : int + public enum TriState { - False = 0, - True = -1, UseDefault = -2, + True = -1, + False = 0, + } + public enum VariantType + { + Empty = 0, + Null = 1, + Short = 2, + Integer = 3, + Single = 4, + Double = 5, + Currency = 6, + Date = 7, + String = 8, + Object = 9, + Error = 10, + Boolean = 11, + Variant = 12, + DataObject = 13, + Decimal = 14, + Byte = 17, + Char = 18, + Long = 20, + UserDefinedType = 36, + Array = 8192, } - - public class VBFixedArrayAttribute : System.Attribute + public sealed class VBFixedArrayAttribute : System.Attribute { public int[] Bounds { get => throw null; } - public int Length { get => throw null; } public VBFixedArrayAttribute(int UpperBound1) => throw null; public VBFixedArrayAttribute(int UpperBound1, int UpperBound2) => throw null; + public int Length { get => throw null; } } - - public class VBFixedStringAttribute : System.Attribute + public sealed class VBFixedStringAttribute : System.Attribute { - public int Length { get => throw null; } public VBFixedStringAttribute(int Length) => throw null; + public int Length { get => throw null; } } - - public class VBMath + public sealed class VBMath { public static void Randomize() => throw null; public static void Randomize(double Number) => throw null; public static float Rnd() => throw null; public static float Rnd(float Number) => throw null; } - - public enum VariantType : int + [System.Flags] + public enum VbStrConv { - Array = 8192, - Boolean = 11, - Byte = 17, - Char = 18, - Currency = 6, - DataObject = 13, - Date = 7, - Decimal = 14, - Double = 5, - Empty = 0, - Error = 10, - Integer = 3, - Long = 20, - Null = 1, - Object = 9, - Short = 2, - Single = 4, - String = 8, - UserDefinedType = 36, - Variant = 12, - } - - [System.Flags] - public enum VbStrConv : int - { - Hiragana = 32, - Katakana = 16, - LinguisticCasing = 1024, - Lowercase = 2, - Narrow = 8, None = 0, + Uppercase = 1, + Lowercase = 2, ProperCase = 3, + Wide = 4, + Narrow = 8, + Katakana = 16, + Hiragana = 32, SimplifiedChinese = 256, TraditionalChinese = 512, - Uppercase = 1, - Wide = 4, - } - - namespace CompilerServices - { - public class BooleanType - { - public static bool FromObject(object Value) => throw null; - public static bool FromString(string Value) => throw null; - } - - public class ByteType - { - public static System.Byte FromObject(object Value) => throw null; - public static System.Byte FromString(string Value) => throw null; - } - - public class CharArrayType - { - public static System.Char[] FromObject(object Value) => throw null; - public static System.Char[] FromString(string Value) => throw null; - } - - public class CharType - { - public static System.Char FromObject(object Value) => throw null; - public static System.Char FromString(string Value) => throw null; - } - - public class Conversions - { - public static object ChangeType(object Expression, System.Type TargetType) => throw null; - public static object FallbackUserDefinedConversion(object Expression, System.Type TargetType) => throw null; - public static string FromCharAndCount(System.Char Value, int Count) => throw null; - public static string FromCharArray(System.Char[] Value) => throw null; - public static string FromCharArraySubset(System.Char[] Value, int StartIndex, int Length) => throw null; - public static bool ToBoolean(object Value) => throw null; - public static bool ToBoolean(string Value) => throw null; - public static System.Byte ToByte(object Value) => throw null; - public static System.Byte ToByte(string Value) => throw null; - public static System.Char ToChar(object Value) => throw null; - public static System.Char ToChar(string Value) => throw null; - public static System.Char[] ToCharArrayRankOne(object Value) => throw null; - public static System.Char[] ToCharArrayRankOne(string Value) => throw null; - public static System.DateTime ToDate(object Value) => throw null; - public static System.DateTime ToDate(string Value) => throw null; - public static System.Decimal ToDecimal(bool Value) => throw null; - public static System.Decimal ToDecimal(object Value) => throw null; - public static System.Decimal ToDecimal(string Value) => throw null; - public static double ToDouble(object Value) => throw null; - public static double ToDouble(string Value) => throw null; - public static T ToGenericParameter(object Value) => throw null; - public static int ToInteger(object Value) => throw null; - public static int ToInteger(string Value) => throw null; - public static System.Int64 ToLong(object Value) => throw null; - public static System.Int64 ToLong(string Value) => throw null; - public static System.SByte ToSByte(object Value) => throw null; - public static System.SByte ToSByte(string Value) => throw null; - public static System.Int16 ToShort(object Value) => throw null; - public static System.Int16 ToShort(string Value) => throw null; - public static float ToSingle(object Value) => throw null; - public static float ToSingle(string Value) => throw null; - public static string ToString(System.DateTime Value) => throw null; - public static string ToString(bool Value) => throw null; - public static string ToString(System.Byte Value) => throw null; - public static string ToString(System.Char Value) => throw null; - public static string ToString(System.Decimal Value) => throw null; - public static string ToString(System.Decimal Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static string ToString(double Value) => throw null; - public static string ToString(double Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static string ToString(float Value) => throw null; - public static string ToString(float Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static string ToString(int Value) => throw null; - public static string ToString(System.Int64 Value) => throw null; - public static string ToString(object Value) => throw null; - public static string ToString(System.Int16 Value) => throw null; - public static string ToString(System.UInt32 Value) => throw null; - public static string ToString(System.UInt64 Value) => throw null; - public static System.UInt32 ToUInteger(object Value) => throw null; - public static System.UInt32 ToUInteger(string Value) => throw null; - public static System.UInt64 ToULong(object Value) => throw null; - public static System.UInt64 ToULong(string Value) => throw null; - public static System.UInt16 ToUShort(object Value) => throw null; - public static System.UInt16 ToUShort(string Value) => throw null; - } - - public class DateType - { - public static System.DateTime FromObject(object Value) => throw null; - public static System.DateTime FromString(string Value) => throw null; - public static System.DateTime FromString(string Value, System.Globalization.CultureInfo culture) => throw null; - } - - public class DecimalType - { - public static System.Decimal FromBoolean(bool Value) => throw null; - public static System.Decimal FromObject(object Value) => throw null; - public static System.Decimal FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static System.Decimal FromString(string Value) => throw null; - public static System.Decimal FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static System.Decimal Parse(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - } - - public class DesignerGeneratedAttribute : System.Attribute - { - public DesignerGeneratedAttribute() => throw null; - } - - public class DoubleType - { - public static double FromObject(object Value) => throw null; - public static double FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static double FromString(string Value) => throw null; - public static double FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static double Parse(string Value) => throw null; - public static double Parse(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - } - - public class IncompleteInitialization : System.Exception - { - public IncompleteInitialization() => throw null; - } - - public class IntegerType - { - public static int FromObject(object Value) => throw null; - public static int FromString(string Value) => throw null; - } - - public class LateBinding - { - public static void LateCall(object o, System.Type objType, string name, object[] args, string[] paramnames, bool[] CopyBack) => throw null; - public static object LateGet(object o, System.Type objType, string name, object[] args, string[] paramnames, bool[] CopyBack) => throw null; - public static object LateIndexGet(object o, object[] args, string[] paramnames) => throw null; - public static void LateIndexSet(object o, object[] args, string[] paramnames) => throw null; - public static void LateIndexSetComplex(object o, object[] args, string[] paramnames, bool OptimisticSet, bool RValueBase) => throw null; - public static void LateSet(object o, System.Type objType, string name, object[] args, string[] paramnames) => throw null; - public static void LateSetComplex(object o, System.Type objType, string name, object[] args, string[] paramnames, bool OptimisticSet, bool RValueBase) => throw null; - } - - public class LikeOperator - { - public static object LikeObject(object Source, object Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; - public static bool LikeString(string Source, string Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; - } - - public class LongType - { - public static System.Int64 FromObject(object Value) => throw null; - public static System.Int64 FromString(string Value) => throw null; - } - - public class NewLateBinding - { - public static object FallbackCall(object Instance, string MemberName, object[] Arguments, string[] ArgumentNames, bool IgnoreReturn) => throw null; - public static object FallbackGet(object Instance, string MemberName, object[] Arguments, string[] ArgumentNames) => throw null; - public static void FallbackIndexSet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; - public static void FallbackIndexSetComplex(object Instance, object[] Arguments, string[] ArgumentNames, bool OptimisticSet, bool RValueBase) => throw null; - public static object FallbackInvokeDefault1(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; - public static object FallbackInvokeDefault2(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; - public static void FallbackSet(object Instance, string MemberName, object[] Arguments) => throw null; - public static void FallbackSetComplex(object Instance, string MemberName, object[] Arguments, bool OptimisticSet, bool RValueBase) => throw null; - public static object LateCall(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool[] CopyBack, bool IgnoreReturn) => throw null; - public static object LateCallInvokeDefault(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; - public static object LateGet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool[] CopyBack) => throw null; - public static object LateGetInvokeDefault(object Instance, object[] Arguments, string[] ArgumentNames, bool ReportErrors) => throw null; - public static object LateIndexGet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; - public static void LateIndexSet(object Instance, object[] Arguments, string[] ArgumentNames) => throw null; - public static void LateIndexSetComplex(object Instance, object[] Arguments, string[] ArgumentNames, bool OptimisticSet, bool RValueBase) => throw null; - public static void LateSet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments) => throw null; - public static void LateSet(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool OptimisticSet, bool RValueBase, Microsoft.VisualBasic.CallType CallType) => throw null; - public static void LateSetComplex(object Instance, System.Type Type, string MemberName, object[] Arguments, string[] ArgumentNames, System.Type[] TypeArguments, bool OptimisticSet, bool RValueBase) => throw null; - } - - public class ObjectFlowControl - { - public class ForLoopControl - { - public static bool ForLoopInitObj(object Counter, object Start, object Limit, object StepValue, ref object LoopForResult, ref object CounterResult) => throw null; - public static bool ForNextCheckDec(System.Decimal count, System.Decimal limit, System.Decimal StepValue) => throw null; - public static bool ForNextCheckObj(object Counter, object LoopObj, ref object CounterResult) => throw null; - public static bool ForNextCheckR4(float count, float limit, float StepValue) => throw null; - public static bool ForNextCheckR8(double count, double limit, double StepValue) => throw null; - } - - - public static void CheckForSyncLockOnValueType(object Expression) => throw null; - } - - public class ObjectType - { - public static object AddObj(object o1, object o2) => throw null; - public static object BitAndObj(object obj1, object obj2) => throw null; - public static object BitOrObj(object obj1, object obj2) => throw null; - public static object BitXorObj(object obj1, object obj2) => throw null; - public static object DivObj(object o1, object o2) => throw null; - public static object GetObjectValuePrimitive(object o) => throw null; - public static object IDivObj(object o1, object o2) => throw null; - public static bool LikeObj(object vLeft, object vRight, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; - public static object ModObj(object o1, object o2) => throw null; - public static object MulObj(object o1, object o2) => throw null; - public static object NegObj(object obj) => throw null; - public static object NotObj(object obj) => throw null; - public static int ObjTst(object o1, object o2, bool TextCompare) => throw null; - public ObjectType() => throw null; - public static object PlusObj(object obj) => throw null; - public static object PowObj(object obj1, object obj2) => throw null; - public static object ShiftLeftObj(object o1, int amount) => throw null; - public static object ShiftRightObj(object o1, int amount) => throw null; - public static object StrCatObj(object vLeft, object vRight) => throw null; - public static object SubObj(object o1, object o2) => throw null; - public static object XorObj(object obj1, object obj2) => throw null; - } - - public class Operators - { - public static object AddObject(object Left, object Right) => throw null; - public static object AndObject(object Left, object Right) => throw null; - public static object CompareObjectEqual(object Left, object Right, bool TextCompare) => throw null; - public static object CompareObjectGreater(object Left, object Right, bool TextCompare) => throw null; - public static object CompareObjectGreaterEqual(object Left, object Right, bool TextCompare) => throw null; - public static object CompareObjectLess(object Left, object Right, bool TextCompare) => throw null; - public static object CompareObjectLessEqual(object Left, object Right, bool TextCompare) => throw null; - public static object CompareObjectNotEqual(object Left, object Right, bool TextCompare) => throw null; - public static int CompareString(string Left, string Right, bool TextCompare) => throw null; - public static object ConcatenateObject(object Left, object Right) => throw null; - public static bool ConditionalCompareObjectEqual(object Left, object Right, bool TextCompare) => throw null; - public static bool ConditionalCompareObjectGreater(object Left, object Right, bool TextCompare) => throw null; - public static bool ConditionalCompareObjectGreaterEqual(object Left, object Right, bool TextCompare) => throw null; - public static bool ConditionalCompareObjectLess(object Left, object Right, bool TextCompare) => throw null; - public static bool ConditionalCompareObjectLessEqual(object Left, object Right, bool TextCompare) => throw null; - public static bool ConditionalCompareObjectNotEqual(object Left, object Right, bool TextCompare) => throw null; - public static object DivideObject(object Left, object Right) => throw null; - public static object ExponentObject(object Left, object Right) => throw null; - public static object FallbackInvokeUserDefinedOperator(object vbOp, object[] arguments) => throw null; - public static object IntDivideObject(object Left, object Right) => throw null; - public static object LeftShiftObject(object Operand, object Amount) => throw null; - public static object ModObject(object Left, object Right) => throw null; - public static object MultiplyObject(object Left, object Right) => throw null; - public static object NegateObject(object Operand) => throw null; - public static object NotObject(object Operand) => throw null; - public static object OrObject(object Left, object Right) => throw null; - public static object PlusObject(object Operand) => throw null; - public static object RightShiftObject(object Operand, object Amount) => throw null; - public static object SubtractObject(object Left, object Right) => throw null; - public static object XorObject(object Left, object Right) => throw null; - } - - public class OptionCompareAttribute : System.Attribute - { - public OptionCompareAttribute() => throw null; - } - - public class OptionTextAttribute : System.Attribute - { - public OptionTextAttribute() => throw null; - } - - public class ProjectData - { - public static void ClearProjectError() => throw null; - public static System.Exception CreateProjectError(int hr) => throw null; - public static void EndApp() => throw null; - public static void SetProjectError(System.Exception ex) => throw null; - public static void SetProjectError(System.Exception ex, int lErl) => throw null; - } - - public class ShortType - { - public static System.Int16 FromObject(object Value) => throw null; - public static System.Int16 FromString(string Value) => throw null; - } - - public class SingleType - { - public static float FromObject(object Value) => throw null; - public static float FromObject(object Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static float FromString(string Value) => throw null; - public static float FromString(string Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - } - - public class StandardModuleAttribute : System.Attribute - { - public StandardModuleAttribute() => throw null; - } - - public class StaticLocalInitFlag - { - public System.Int16 State; - public StaticLocalInitFlag() => throw null; - } - - public class StringType - { - public static string FromBoolean(bool Value) => throw null; - public static string FromByte(System.Byte Value) => throw null; - public static string FromChar(System.Char Value) => throw null; - public static string FromDate(System.DateTime Value) => throw null; - public static string FromDecimal(System.Decimal Value) => throw null; - public static string FromDecimal(System.Decimal Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static string FromDouble(double Value) => throw null; - public static string FromDouble(double Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static string FromInteger(int Value) => throw null; - public static string FromLong(System.Int64 Value) => throw null; - public static string FromObject(object Value) => throw null; - public static string FromShort(System.Int16 Value) => throw null; - public static string FromSingle(float Value) => throw null; - public static string FromSingle(float Value, System.Globalization.NumberFormatInfo NumberFormat) => throw null; - public static void MidStmtStr(ref string sDest, int StartPosition, int MaxInsertLength, string sInsert) => throw null; - public static int StrCmp(string sLeft, string sRight, bool TextCompare) => throw null; - public static bool StrLike(string Source, string Pattern, Microsoft.VisualBasic.CompareMethod CompareOption) => throw null; - public static bool StrLikeBinary(string Source, string Pattern) => throw null; - public static bool StrLikeText(string Source, string Pattern) => throw null; - } - - public class Utils - { - public static System.Array CopyArray(System.Array arySrc, System.Array aryDest) => throw null; - public static string GetResourceString(string ResourceKey, params string[] Args) => throw null; - } - - public class Versioned - { - public static object CallByName(object Instance, string MethodName, Microsoft.VisualBasic.CallType UseCallType, params object[] Arguments) => throw null; - public static bool IsNumeric(object Expression) => throw null; - public static string SystemTypeName(string VbName) => throw null; - public static string TypeName(object Expression) => throw null; - public static string VbTypeName(string SystemName) => throw null; - } - - } - namespace FileIO - { - public enum DeleteDirectoryOption : int - { - DeleteAllContents = 5, - ThrowIfDirectoryNonEmpty = 4, - } - - public enum FieldType : int - { - Delimited = 0, - FixedWidth = 1, - } - - public class FileSystem - { - public static string CombinePath(string baseDirectory, string relativePath) => throw null; - public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName) => throw null; - public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; - public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static void CopyDirectory(string sourceDirectoryName, string destinationDirectoryName, bool overwrite) => throw null; - public static void CopyFile(string sourceFileName, string destinationFileName) => throw null; - public static void CopyFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; - public static void CopyFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static void CopyFile(string sourceFileName, string destinationFileName, bool overwrite) => throw null; - public static void CreateDirectory(string directory) => throw null; - public static string CurrentDirectory { get => throw null; set => throw null; } - public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.DeleteDirectoryOption onDirectoryNotEmpty) => throw null; - public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle) => throw null; - public static void DeleteDirectory(string directory, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static void DeleteFile(string file) => throw null; - public static void DeleteFile(string file, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle) => throw null; - public static void DeleteFile(string file, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.RecycleOption recycle, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static bool DirectoryExists(string directory) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection Drives { get => throw null; } - public static bool FileExists(string file) => throw null; - public FileSystem() => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection FindInFiles(string directory, string containsText, bool ignoreCase, Microsoft.VisualBasic.FileIO.SearchOption searchType) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection FindInFiles(string directory, string containsText, bool ignoreCase, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] fileWildcards) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection GetDirectories(string directory) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection GetDirectories(string directory, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] wildcards) => throw null; - public static System.IO.DirectoryInfo GetDirectoryInfo(string directory) => throw null; - public static System.IO.DriveInfo GetDriveInfo(string drive) => throw null; - public static System.IO.FileInfo GetFileInfo(string file) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection GetFiles(string directory) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection GetFiles(string directory, Microsoft.VisualBasic.FileIO.SearchOption searchType, params string[] wildcards) => throw null; - public static string GetName(string path) => throw null; - public static string GetParentPath(string path) => throw null; - public static string GetTempFileName() => throw null; - public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName) => throw null; - public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; - public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName, bool overwrite) => throw null; - public static void MoveFile(string sourceFileName, string destinationFileName) => throw null; - public static void MoveFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI) => throw null; - public static void MoveFile(string sourceFileName, string destinationFileName, Microsoft.VisualBasic.FileIO.UIOption showUI, Microsoft.VisualBasic.FileIO.UICancelOption onUserCancel) => throw null; - public static void MoveFile(string sourceFileName, string destinationFileName, bool overwrite) => throw null; - public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file) => throw null; - public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file, params int[] fieldWidths) => throw null; - public static Microsoft.VisualBasic.FileIO.TextFieldParser OpenTextFieldParser(string file, params string[] delimiters) => throw null; - public static System.IO.StreamReader OpenTextFileReader(string file) => throw null; - public static System.IO.StreamReader OpenTextFileReader(string file, System.Text.Encoding encoding) => throw null; - public static System.IO.StreamWriter OpenTextFileWriter(string file, bool append) => throw null; - public static System.IO.StreamWriter OpenTextFileWriter(string file, bool append, System.Text.Encoding encoding) => throw null; - public static System.Byte[] ReadAllBytes(string file) => throw null; - public static string ReadAllText(string file) => throw null; - public static string ReadAllText(string file, System.Text.Encoding encoding) => throw null; - public static void RenameDirectory(string directory, string newName) => throw null; - public static void RenameFile(string file, string newName) => throw null; - public static void WriteAllBytes(string file, System.Byte[] data, bool append) => throw null; - public static void WriteAllText(string file, string text, bool append) => throw null; - public static void WriteAllText(string file, string text, bool append, System.Text.Encoding encoding) => throw null; - } - - public class MalformedLineException : System.Exception - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Int64 LineNumber { get => throw null; set => throw null; } - public MalformedLineException() => throw null; - protected MalformedLineException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MalformedLineException(string message) => throw null; - public MalformedLineException(string message, System.Exception innerException) => throw null; - public MalformedLineException(string message, System.Int64 lineNumber) => throw null; - public MalformedLineException(string message, System.Int64 lineNumber, System.Exception innerException) => throw null; - public override string ToString() => throw null; - } - - public enum RecycleOption : int - { - DeletePermanently = 2, - SendToRecycleBin = 3, - } - - public enum SearchOption : int - { - SearchAllSubDirectories = 3, - SearchTopLevelOnly = 2, - } - - public class SpecialDirectories - { - public static string AllUsersApplicationData { get => throw null; } - public static string CurrentUserApplicationData { get => throw null; } - public static string Desktop { get => throw null; } - public static string MyDocuments { get => throw null; } - public static string MyMusic { get => throw null; } - public static string MyPictures { get => throw null; } - public static string ProgramFiles { get => throw null; } - public static string Programs { get => throw null; } - public SpecialDirectories() => throw null; - public static string Temp { get => throw null; } - } - - public class TextFieldParser : System.IDisposable - { - public void Close() => throw null; - public string[] CommentTokens { get => throw null; set => throw null; } - public string[] Delimiters { get => throw null; set => throw null; } - void System.IDisposable.Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public bool EndOfData { get => throw null; } - public string ErrorLine { get => throw null; } - public System.Int64 ErrorLineNumber { get => throw null; } - public int[] FieldWidths { get => throw null; set => throw null; } - public bool HasFieldsEnclosedInQuotes { get => throw null; set => throw null; } - public System.Int64 LineNumber { get => throw null; } - public string PeekChars(int numberOfChars) => throw null; - public string[] ReadFields() => throw null; - public string ReadLine() => throw null; - public string ReadToEnd() => throw null; - public void SetDelimiters(params string[] delimiters) => throw null; - public void SetFieldWidths(params int[] fieldWidths) => throw null; - public TextFieldParser(System.IO.Stream stream) => throw null; - public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding) => throw null; - public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding, bool detectEncoding) => throw null; - public TextFieldParser(System.IO.Stream stream, System.Text.Encoding defaultEncoding, bool detectEncoding, bool leaveOpen) => throw null; - public TextFieldParser(System.IO.TextReader reader) => throw null; - public TextFieldParser(string path) => throw null; - public TextFieldParser(string path, System.Text.Encoding defaultEncoding) => throw null; - public TextFieldParser(string path, System.Text.Encoding defaultEncoding, bool detectEncoding) => throw null; - public Microsoft.VisualBasic.FileIO.FieldType TextFieldType { get => throw null; set => throw null; } - public bool TrimWhiteSpace { get => throw null; set => throw null; } - // ERR: Stub generator didn't handle member: ~TextFieldParser - } - - public enum UICancelOption : int - { - DoNothing = 2, - ThrowException = 3, - } - - public enum UIOption : int - { - AllDialogs = 3, - OnlyErrorDialogs = 2, - } - + LinguisticCasing = 1024, } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs new file mode 100644 index 000000000000..f172d3e4a002 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Primitives.cs index 5a60e762ef49..dcacc382f6e1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Primitives.cs @@ -1,22 +1,20 @@ // This file contains auto-generated code. // Generated from `Microsoft.Win32.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace ComponentModel { public class Win32Exception : System.Runtime.InteropServices.ExternalException, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public int NativeErrorCode { get => throw null; } - public override string ToString() => throw null; public Win32Exception() => throw null; - protected Win32Exception(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public Win32Exception(int error) => throw null; public Win32Exception(int error, string message) => throw null; + protected Win32Exception(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public Win32Exception(string message) => throw null; public Win32Exception(string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int NativeErrorCode { get => throw null; } + public override string ToString() => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Registry.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Registry.cs index 97a5c94d86b3..9665df7b6c27 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Registry.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.Win32.Registry.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Win32.Registry, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 @@ -17,18 +16,16 @@ public static class Registry public static void SetValue(string keyName, string valueName, object value, Microsoft.Win32.RegistryValueKind valueKind) => throw null; public static Microsoft.Win32.RegistryKey Users; } - - public enum RegistryHive : int + public enum RegistryHive { ClassesRoot = -2147483648, - CurrentConfig = -2147483643, CurrentUser = -2147483647, LocalMachine = -2147483646, - PerformanceData = -2147483644, Users = -2147483645, + PerformanceData = -2147483644, + CurrentConfig = -2147483643, } - - public class RegistryKey : System.MarshalByRefObject, System.IDisposable + public sealed class RegistryKey : System.MarshalByRefObject, System.IDisposable { public void Close() => throw null; public Microsoft.Win32.RegistryKey CreateSubKey(string subkey) => throw null; @@ -64,8 +61,8 @@ public class RegistryKey : System.MarshalByRefObject, System.IDisposable public Microsoft.Win32.RegistryKey OpenSubKey(string name) => throw null; public Microsoft.Win32.RegistryKey OpenSubKey(string name, Microsoft.Win32.RegistryKeyPermissionCheck permissionCheck) => throw null; public Microsoft.Win32.RegistryKey OpenSubKey(string name, Microsoft.Win32.RegistryKeyPermissionCheck permissionCheck, System.Security.AccessControl.RegistryRights rights) => throw null; - public Microsoft.Win32.RegistryKey OpenSubKey(string name, System.Security.AccessControl.RegistryRights rights) => throw null; public Microsoft.Win32.RegistryKey OpenSubKey(string name, bool writable) => throw null; + public Microsoft.Win32.RegistryKey OpenSubKey(string name, System.Security.AccessControl.RegistryRights rights) => throw null; public void SetAccessControl(System.Security.AccessControl.RegistrySecurity registrySecurity) => throw null; public void SetValue(string name, object value) => throw null; public void SetValue(string name, object value, Microsoft.Win32.RegistryValueKind valueKind) => throw null; @@ -74,56 +71,49 @@ public class RegistryKey : System.MarshalByRefObject, System.IDisposable public int ValueCount { get => throw null; } public Microsoft.Win32.RegistryView View { get => throw null; } } - - public enum RegistryKeyPermissionCheck : int + public enum RegistryKeyPermissionCheck { Default = 0, ReadSubTree = 1, ReadWriteSubTree = 2, } - [System.Flags] - public enum RegistryOptions : int + public enum RegistryOptions { None = 0, Volatile = 1, } - - public enum RegistryValueKind : int + public enum RegistryValueKind { + None = -1, + Unknown = 0, + String = 1, + ExpandString = 2, Binary = 3, DWord = 4, - ExpandString = 2, MultiString = 7, - None = -1, QWord = 11, - String = 1, - Unknown = 0, } - [System.Flags] - public enum RegistryValueOptions : int + public enum RegistryValueOptions { - DoNotExpandEnvironmentNames = 1, None = 0, + DoNotExpandEnvironmentNames = 1, } - - public enum RegistryView : int + public enum RegistryView { Default = 0, - Registry32 = 512, Registry64 = 256, + Registry32 = 512, } - namespace SafeHandles { - public class SafeRegistryHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeRegistryHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { - protected override bool ReleaseHandle() => throw null; public SafeRegistryHandle() : base(default(bool)) => throw null; - public SafeRegistryHandle(System.IntPtr preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; + public SafeRegistryHandle(nint preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; + protected override bool ReleaseHandle() => throw null; } - } } } @@ -133,7 +123,7 @@ namespace Security { namespace AccessControl { - public class RegistryAccessRule : System.Security.AccessControl.AccessRule + public sealed class RegistryAccessRule : System.Security.AccessControl.AccessRule { public RegistryAccessRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.RegistryRights registryRights, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public RegistryAccessRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.RegistryRights registryRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; @@ -141,34 +131,31 @@ public class RegistryAccessRule : System.Security.AccessControl.AccessRule public RegistryAccessRule(string identity, System.Security.AccessControl.RegistryRights registryRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public System.Security.AccessControl.RegistryRights RegistryRights { get => throw null; } } - - public class RegistryAuditRule : System.Security.AccessControl.AuditRule + public sealed class RegistryAuditRule : System.Security.AccessControl.AuditRule { public RegistryAuditRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.RegistryRights registryRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public RegistryAuditRule(string identity, System.Security.AccessControl.RegistryRights registryRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public System.Security.AccessControl.RegistryRights RegistryRights { get => throw null; } } - [System.Flags] - public enum RegistryRights : int + public enum RegistryRights { - ChangePermissions = 262144, - CreateLink = 32, + QueryValues = 1, + SetValue = 2, CreateSubKey = 4, - Delete = 65536, EnumerateSubKeys = 8, - ExecuteKey = 131097, - FullControl = 983103, Notify = 16, - QueryValues = 1, - ReadKey = 131097, + CreateLink = 32, + Delete = 65536, ReadPermissions = 131072, - SetValue = 2, - TakeOwnership = 524288, WriteKey = 131078, + ExecuteKey = 131097, + ReadKey = 131097, + ChangePermissions = 262144, + TakeOwnership = 524288, + FullControl = 983103, } - - public class RegistrySecurity : System.Security.AccessControl.NativeObjectSecurity + public sealed class RegistrySecurity : System.Security.AccessControl.NativeObjectSecurity { public override System.Type AccessRightType { get => throw null; } public override System.Security.AccessControl.AccessRule AccessRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) => throw null; @@ -188,7 +175,6 @@ public class RegistrySecurity : System.Security.AccessControl.NativeObjectSecuri public void SetAccessRule(System.Security.AccessControl.RegistryAccessRule rule) => throw null; public void SetAuditRule(System.Security.AccessControl.RegistryAuditRule rule) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs new file mode 100644 index 000000000000..a996113e93e1 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.AppContext, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs new file mode 100644 index 000000000000..c3d79aed8ff2 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Buffers, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs index a4552677a278..27562a6aaec7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs @@ -1,27 +1,26 @@ // This file contains auto-generated code. // Generated from `System.Collections.Concurrent, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections { namespace Concurrent { - public class BlockingCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable, System.IDisposable + public class BlockingCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.IDisposable { public void Add(T item) => throw null; public void Add(T item, System.Threading.CancellationToken cancellationToken) => throw null; public static int AddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item) => throw null; public static int AddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item, System.Threading.CancellationToken cancellationToken) => throw null; - public BlockingCollection() => throw null; - public BlockingCollection(System.Collections.Concurrent.IProducerConsumerCollection collection) => throw null; - public BlockingCollection(System.Collections.Concurrent.IProducerConsumerCollection collection, int boundedCapacity) => throw null; - public BlockingCollection(int boundedCapacity) => throw null; public int BoundedCapacity { get => throw null; } public void CompleteAdding() => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public BlockingCollection() => throw null; + public BlockingCollection(System.Collections.Concurrent.IProducerConsumerCollection collection) => throw null; + public BlockingCollection(System.Collections.Concurrent.IProducerConsumerCollection collection, int boundedCapacity) => throw null; + public BlockingCollection(int boundedCapacity) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public System.Collections.Generic.IEnumerable GetConsumingEnumerable() => throw null; @@ -38,32 +37,31 @@ public class BlockingCollection : System.Collections.Generic.IEnumerable, public static int TakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, System.Threading.CancellationToken cancellationToken) => throw null; public T[] ToArray() => throw null; public bool TryAdd(T item) => throw null; - public bool TryAdd(T item, System.TimeSpan timeout) => throw null; public bool TryAdd(T item, int millisecondsTimeout) => throw null; public bool TryAdd(T item, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; + public bool TryAdd(T item, System.TimeSpan timeout) => throw null; public static int TryAddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item) => throw null; - public static int TryAddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item, System.TimeSpan timeout) => throw null; public static int TryAddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item, int millisecondsTimeout) => throw null; public static int TryAddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; + public static int TryAddToAny(System.Collections.Concurrent.BlockingCollection[] collections, T item, System.TimeSpan timeout) => throw null; public bool TryTake(out T item) => throw null; - public bool TryTake(out T item, System.TimeSpan timeout) => throw null; public bool TryTake(out T item, int millisecondsTimeout) => throw null; public bool TryTake(out T item, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; + public bool TryTake(out T item, System.TimeSpan timeout) => throw null; public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item) => throw null; - public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, System.TimeSpan timeout) => throw null; public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, int millisecondsTimeout) => throw null; public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; + public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, System.TimeSpan timeout) => throw null; } - - public class ConcurrentBag : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class ConcurrentBag : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection { public void Add(T item) => throw null; public void Clear() => throw null; - public ConcurrentBag() => throw null; - public ConcurrentBag(System.Collections.Generic.IEnumerable collection) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ConcurrentBag() => throw null; + public ConcurrentBag(System.Collections.Generic.IEnumerable collection) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsEmpty { get => throw null; } @@ -74,8 +72,7 @@ public class ConcurrentBag : System.Collections.Concurrent.IProducerConsumerC public bool TryPeek(out T result) => throw null; public bool TryTake(out T result) => throw null; } - - public class ConcurrentDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public class ConcurrentDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; @@ -85,6 +82,12 @@ public class ConcurrentDictionary : System.Collections.Generic.ICo public TValue AddOrUpdate(TKey key, System.Func addValueFactory, System.Func updateValueFactory, TArg factoryArgument) => throw null; public void Clear() => throw null; public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } + bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + bool System.Collections.IDictionary.Contains(object key) => throw null; + public bool ContainsKey(TKey key) => throw null; + void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } public ConcurrentDictionary() => throw null; public ConcurrentDictionary(System.Collections.Generic.IEnumerable> collection) => throw null; public ConcurrentDictionary(System.Collections.Generic.IEnumerable> collection, System.Collections.Generic.IEqualityComparer comparer) => throw null; @@ -92,12 +95,6 @@ public class ConcurrentDictionary : System.Collections.Generic.ICo public ConcurrentDictionary(int concurrencyLevel, System.Collections.Generic.IEnumerable> collection, System.Collections.Generic.IEqualityComparer comparer) => throw null; public ConcurrentDictionary(int concurrencyLevel, int capacity) => throw null; public ConcurrentDictionary(int concurrencyLevel, int capacity, System.Collections.Generic.IEqualityComparer comparer) => throw null; - bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - bool System.Collections.IDictionary.Contains(object key) => throw null; - public bool ContainsKey(TKey key) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; - public int Count { get => throw null; } public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -109,8 +106,7 @@ public class ConcurrentDictionary : System.Collections.Generic.ICo bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } public System.Collections.Generic.ICollection Keys { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } @@ -118,25 +114,25 @@ public class ConcurrentDictionary : System.Collections.Generic.ICo bool System.Collections.Generic.IDictionary.Remove(TKey key) => throw null; void System.Collections.IDictionary.Remove(object key) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } public System.Collections.Generic.KeyValuePair[] ToArray() => throw null; public bool TryAdd(TKey key, TValue value) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; public bool TryRemove(System.Collections.Generic.KeyValuePair item) => throw null; public bool TryRemove(TKey key, out TValue value) => throw null; public bool TryUpdate(TKey key, TValue newValue, TValue comparisonValue) => throw null; - public System.Collections.Generic.ICollection Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.ICollection Values { get => throw null; } } - - public class ConcurrentQueue : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class ConcurrentQueue : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; - public ConcurrentQueue() => throw null; - public ConcurrentQueue(System.Collections.Generic.IEnumerable collection) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ConcurrentQueue() => throw null; + public ConcurrentQueue(System.Collections.Generic.IEnumerable collection) => throw null; public void Enqueue(T item) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -149,15 +145,14 @@ public class ConcurrentQueue : System.Collections.Concurrent.IProducerConsume public bool TryPeek(out T result) => throw null; bool System.Collections.Concurrent.IProducerConsumerCollection.TryTake(out T item) => throw null; } - - public class ConcurrentStack : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class ConcurrentStack : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; - public ConcurrentStack() => throw null; - public ConcurrentStack(System.Collections.Generic.IEnumerable collection) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ConcurrentStack() => throw null; + public ConcurrentStack(System.Collections.Generic.IEnumerable collection) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsEmpty { get => throw null; } @@ -174,54 +169,48 @@ public class ConcurrentStack : System.Collections.Concurrent.IProducerConsume public int TryPopRange(T[] items, int startIndex, int count) => throw null; bool System.Collections.Concurrent.IProducerConsumerCollection.TryTake(out T item) => throw null; } - [System.Flags] - public enum EnumerablePartitionerOptions : int + public enum EnumerablePartitionerOptions { - NoBuffering = 1, None = 0, + NoBuffering = 1, } - - public interface IProducerConsumerCollection : System.Collections.Generic.IEnumerable, System.Collections.ICollection, System.Collections.IEnumerable + public interface IProducerConsumerCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection { void CopyTo(T[] array, int index); T[] ToArray(); bool TryAdd(T item); bool TryTake(out T item); } - public abstract class OrderablePartitioner : System.Collections.Concurrent.Partitioner { + protected OrderablePartitioner(bool keysOrderedInEachPartition, bool keysOrderedAcrossPartitions, bool keysNormalized) => throw null; public override System.Collections.Generic.IEnumerable GetDynamicPartitions() => throw null; - public virtual System.Collections.Generic.IEnumerable> GetOrderableDynamicPartitions() => throw null; - public abstract System.Collections.Generic.IList>> GetOrderablePartitions(int partitionCount); + public virtual System.Collections.Generic.IEnumerable> GetOrderableDynamicPartitions() => throw null; + public abstract System.Collections.Generic.IList>> GetOrderablePartitions(int partitionCount); public override System.Collections.Generic.IList> GetPartitions(int partitionCount) => throw null; public bool KeysNormalized { get => throw null; } public bool KeysOrderedAcrossPartitions { get => throw null; } public bool KeysOrderedInEachPartition { get => throw null; } - protected OrderablePartitioner(bool keysOrderedInEachPartition, bool keysOrderedAcrossPartitions, bool keysNormalized) => throw null; } - public static class Partitioner { public static System.Collections.Concurrent.OrderablePartitioner> Create(int fromInclusive, int toExclusive) => throw null; public static System.Collections.Concurrent.OrderablePartitioner> Create(int fromInclusive, int toExclusive, int rangeSize) => throw null; - public static System.Collections.Concurrent.OrderablePartitioner> Create(System.Int64 fromInclusive, System.Int64 toExclusive) => throw null; - public static System.Collections.Concurrent.OrderablePartitioner> Create(System.Int64 fromInclusive, System.Int64 toExclusive, System.Int64 rangeSize) => throw null; + public static System.Collections.Concurrent.OrderablePartitioner> Create(long fromInclusive, long toExclusive) => throw null; + public static System.Collections.Concurrent.OrderablePartitioner> Create(long fromInclusive, long toExclusive, long rangeSize) => throw null; public static System.Collections.Concurrent.OrderablePartitioner Create(System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Concurrent.OrderablePartitioner Create(System.Collections.Generic.IEnumerable source, System.Collections.Concurrent.EnumerablePartitionerOptions partitionerOptions) => throw null; public static System.Collections.Concurrent.OrderablePartitioner Create(System.Collections.Generic.IList list, bool loadBalance) => throw null; public static System.Collections.Concurrent.OrderablePartitioner Create(TSource[] array, bool loadBalance) => throw null; } - public abstract class Partitioner { + protected Partitioner() => throw null; public virtual System.Collections.Generic.IEnumerable GetDynamicPartitions() => throw null; public abstract System.Collections.Generic.IList> GetPartitions(int partitionCount); - protected Partitioner() => throw null; public virtual bool SupportsDynamicPartitions { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs index c8eb72a94e91..62e1bf6ee1cc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Collections.Immutable, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections { namespace Immutable { - public interface IImmutableDictionary : System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public interface IImmutableDictionary : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { System.Collections.Immutable.IImmutableDictionary Add(TKey key, TValue value); System.Collections.Immutable.IImmutableDictionary AddRange(System.Collections.Generic.IEnumerable> pairs); @@ -19,8 +18,7 @@ public interface IImmutableDictionary : System.Collections.Generic System.Collections.Immutable.IImmutableDictionary SetItems(System.Collections.Generic.IEnumerable> items); bool TryGetKey(TKey equalKey, out TKey actualKey); } - - public interface IImmutableList : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable + public interface IImmutableList : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { System.Collections.Immutable.IImmutableList Add(T value); System.Collections.Immutable.IImmutableList AddRange(System.Collections.Generic.IEnumerable items); @@ -37,7 +35,6 @@ public interface IImmutableList : System.Collections.Generic.IEnumerable, System.Collections.Immutable.IImmutableList Replace(T oldValue, T newValue, System.Collections.Generic.IEqualityComparer equalityComparer); System.Collections.Immutable.IImmutableList SetItem(int index, T value); } - public interface IImmutableQueue : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { System.Collections.Immutable.IImmutableQueue Clear(); @@ -46,8 +43,7 @@ public interface IImmutableQueue : System.Collections.Generic.IEnumerable, bool IsEmpty { get; } T Peek(); } - - public interface IImmutableSet : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public interface IImmutableSet : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { System.Collections.Immutable.IImmutableSet Add(T value); System.Collections.Immutable.IImmutableSet Clear(); @@ -65,7 +61,6 @@ public interface IImmutableSet : System.Collections.Generic.IEnumerable, S bool TryGetValue(T equalValue, out T actualValue); System.Collections.Immutable.IImmutableSet Union(System.Collections.Generic.IEnumerable other); } - public interface IImmutableStack : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { System.Collections.Immutable.IImmutableStack Clear(); @@ -74,74 +69,89 @@ public interface IImmutableStack : System.Collections.Generic.IEnumerable, System.Collections.Immutable.IImmutableStack Pop(); System.Collections.Immutable.IImmutableStack Push(T value); } - public static class ImmutableArray { - public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, T value) => throw null; - public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, T value, System.Collections.Generic.IComparer comparer) => throw null; public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, int index, int length, T value) => throw null; public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, int index, int length, T value, System.Collections.Generic.IComparer comparer) => throw null; + public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, T value) => throw null; + public static int BinarySearch(this System.Collections.Immutable.ImmutableArray array, T value, System.Collections.Generic.IComparer comparer) => throw null; public static System.Collections.Immutable.ImmutableArray Create() => throw null; public static System.Collections.Immutable.ImmutableArray Create(System.Collections.Immutable.ImmutableArray items, int start, int length) => throw null; - public static System.Collections.Immutable.ImmutableArray Create(System.ReadOnlySpan items) => throw null; - public static System.Collections.Immutable.ImmutableArray Create(System.Span items) => throw null; public static System.Collections.Immutable.ImmutableArray Create(T item) => throw null; public static System.Collections.Immutable.ImmutableArray Create(T item1, T item2) => throw null; public static System.Collections.Immutable.ImmutableArray Create(T item1, T item2, T item3) => throw null; public static System.Collections.Immutable.ImmutableArray Create(T item1, T item2, T item3, T item4) => throw null; - public static System.Collections.Immutable.ImmutableArray Create(T[] items, int start, int length) => throw null; public static System.Collections.Immutable.ImmutableArray Create(params T[] items) => throw null; + public static System.Collections.Immutable.ImmutableArray Create(T[] items, int start, int length) => throw null; + public static System.Collections.Immutable.ImmutableArray Create(System.ReadOnlySpan items) => throw null; + public static System.Collections.Immutable.ImmutableArray Create(System.Span items) => throw null; public static System.Collections.Immutable.ImmutableArray.Builder CreateBuilder() => throw null; public static System.Collections.Immutable.ImmutableArray.Builder CreateBuilder(int initialCapacity) => throw null; public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Generic.IEnumerable items) => throw null; - public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, System.Func selector, TArg arg) => throw null; - public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, int start, int length, System.Func selector, TArg arg) => throw null; public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, System.Func selector) => throw null; public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, int start, int length, System.Func selector) => throw null; + public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, System.Func selector, TArg arg) => throw null; + public static System.Collections.Immutable.ImmutableArray CreateRange(System.Collections.Immutable.ImmutableArray items, int start, int length, System.Func selector, TArg arg) => throw null; + public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Collections.Generic.IEnumerable items) => throw null; + public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.ReadOnlySpan items) => throw null; public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Span items) => throw null; - public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; - public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Collections.Generic.IEnumerable items) => throw null; } - - public struct ImmutableArray : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Collections.Immutable.IImmutableList, System.IEquatable> + public struct ImmutableArray : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IEquatable> { - public class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable + public System.Collections.Immutable.ImmutableArray Add(T item) => throw null; + void System.Collections.Generic.ICollection.Add(T item) => throw null; + int System.Collections.IList.Add(object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Add(T value) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Generic.IEnumerable items) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(T[] items, int length) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(TDerived[] items) where TDerived : T => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items, int length) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items) where TDerived : T => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(System.ReadOnlySpan items) => throw null; + public System.Collections.Immutable.ImmutableArray AddRange(params T[] items) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.AddRange(System.Collections.Generic.IEnumerable items) => throw null; + public System.Collections.Immutable.ImmutableArray As() where TOther : class => throw null; + public System.ReadOnlyMemory AsMemory() => throw null; + public System.ReadOnlySpan AsSpan() => throw null; + public System.ReadOnlySpan AsSpan(int start, int length) => throw null; + public System.ReadOnlySpan AsSpan(System.Range range) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public void Add(T item) => throw null; - public void AddRange(System.Collections.Immutable.ImmutableArray.Builder items) => throw null; public void AddRange(System.Collections.Generic.IEnumerable items) => throw null; public void AddRange(System.Collections.Immutable.ImmutableArray items) => throw null; public void AddRange(System.Collections.Immutable.ImmutableArray items, int length) => throw null; - public void AddRange(System.ReadOnlySpan items) => throw null; - public void AddRange(T[] items, int length) => throw null; + public void AddRange(System.Collections.Immutable.ImmutableArray.Builder items) => throw null; public void AddRange(params T[] items) => throw null; - public void AddRange(System.Collections.Immutable.ImmutableArray.Builder items) where TDerived : T => throw null; + public void AddRange(T[] items, int length) => throw null; public void AddRange(System.Collections.Immutable.ImmutableArray items) where TDerived : T => throw null; - public void AddRange(System.ReadOnlySpan items) where TDerived : T => throw null; + public void AddRange(System.Collections.Immutable.ImmutableArray.Builder items) where TDerived : T => throw null; public void AddRange(TDerived[] items) where TDerived : T => throw null; - public int Capacity { get => throw null; set => throw null; } + public void AddRange(System.ReadOnlySpan items) => throw null; + public void AddRange(System.ReadOnlySpan items) where TDerived : T => throw null; + public int Capacity { get => throw null; set { } } public void Clear() => throw null; public bool Contains(T item) => throw null; - public void CopyTo(System.Span destination) => throw null; - public void CopyTo(T[] destination) => throw null; public void CopyTo(T[] array, int index) => throw null; + public void CopyTo(T[] destination) => throw null; public void CopyTo(int sourceIndex, T[] destination, int destinationIndex, int length) => throw null; - public int Count { get => throw null; set => throw null; } + public void CopyTo(System.Span destination) => throw null; + public int Count { get => throw null; set { } } public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public int IndexOf(T item) => throw null; public int IndexOf(T item, int startIndex) => throw null; - public int IndexOf(T item, int startIndex, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public int IndexOf(T item, int startIndex, int count) => throw null; + public int IndexOf(T item, int startIndex, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public int IndexOf(T item, int startIndex, int count, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public void Insert(int index, T item) => throw null; public void InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; public void InsertRange(int index, System.Collections.Immutable.ImmutableArray items) => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; set => throw null; } public int LastIndexOf(T item) => throw null; public int LastIndexOf(T item, int startIndex) => throw null; public int LastIndexOf(T item, int startIndex, int count) => throw null; @@ -151,51 +161,20 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect public bool Remove(T element, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public void RemoveAll(System.Predicate match) => throw null; public void RemoveAt(int index) => throw null; + public void RemoveRange(int index, int length) => throw null; public void RemoveRange(System.Collections.Generic.IEnumerable items) => throw null; public void RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - public void RemoveRange(int index, int length) => throw null; public void Replace(T oldValue, T newValue) => throw null; public void Replace(T oldValue, T newValue, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public void Reverse() => throw null; public void Sort() => throw null; - public void Sort(System.Comparison comparison) => throw null; public void Sort(System.Collections.Generic.IComparer comparer) => throw null; + public void Sort(System.Comparison comparison) => throw null; public void Sort(int index, int count, System.Collections.Generic.IComparer comparer) => throw null; + public T this[int index] { get => throw null; set { } } public T[] ToArray() => throw null; public System.Collections.Immutable.ImmutableArray ToImmutable() => throw null; } - - - public struct Enumerator - { - public T Current { get => throw null; } - // Stub generator skipped constructor - public bool MoveNext() => throw null; - } - - - public static bool operator !=(System.Collections.Immutable.ImmutableArray left, System.Collections.Immutable.ImmutableArray right) => throw null; - public static bool operator !=(System.Collections.Immutable.ImmutableArray? left, System.Collections.Immutable.ImmutableArray? right) => throw null; - public static bool operator ==(System.Collections.Immutable.ImmutableArray left, System.Collections.Immutable.ImmutableArray right) => throw null; - public static bool operator ==(System.Collections.Immutable.ImmutableArray? left, System.Collections.Immutable.ImmutableArray? right) => throw null; - public System.Collections.Immutable.ImmutableArray Add(T item) => throw null; - void System.Collections.Generic.ICollection.Add(T item) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Add(T value) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Generic.IEnumerable items) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.AddRange(System.Collections.Generic.IEnumerable items) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items, int length) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(System.ReadOnlySpan items) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(T[] items, int length) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(params T[] items) => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(System.Collections.Immutable.ImmutableArray items) where TDerived : T => throw null; - public System.Collections.Immutable.ImmutableArray AddRange(TDerived[] items) where TDerived : T => throw null; - public System.Collections.Immutable.ImmutableArray As() where TOther : class => throw null; - public System.ReadOnlyMemory AsMemory() => throw null; - public System.ReadOnlySpan AsSpan() => throw null; - public System.ReadOnlySpan AsSpan(System.Range range) => throw null; - public System.ReadOnlySpan AsSpan(int start, int length) => throw null; public System.Collections.Immutable.ImmutableArray CastArray() where TOther : class => throw null; public static System.Collections.Immutable.ImmutableArray CastUp(System.Collections.Immutable.ImmutableArray items) where TDerived : class, T => throw null; public System.Collections.Immutable.ImmutableArray Clear() => throw null; @@ -205,15 +184,20 @@ public struct Enumerator int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; public bool Contains(T item) => throw null; bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Span destination) => throw null; + public void CopyTo(int sourceIndex, T[] destination, int destinationIndex, int length) => throw null; public void CopyTo(T[] destination) => throw null; public void CopyTo(T[] destination, int destinationIndex) => throw null; - public void CopyTo(int sourceIndex, T[] destination, int destinationIndex, int length) => throw null; + public void CopyTo(System.Span destination) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; int System.Collections.Generic.ICollection.Count { get => throw null; } int System.Collections.Generic.IReadOnlyCollection.Count { get => throw null; } int System.Collections.ICollection.Count { get => throw null; } public static System.Collections.Immutable.ImmutableArray Empty; + public struct Enumerator + { + public T Current { get => throw null; } + public bool MoveNext() => throw null; + } public bool Equals(System.Collections.Immutable.ImmutableArray other) => throw null; public override bool Equals(object obj) => throw null; bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; @@ -222,7 +206,6 @@ public struct Enumerator System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public override int GetHashCode() => throw null; int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - // Stub generator skipped constructor public int IndexOf(T item) => throw null; public int IndexOf(T item, int startIndex) => throw null; public int IndexOf(T item, int startIndex, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; @@ -231,13 +214,13 @@ public struct Enumerator int System.Collections.IList.IndexOf(object value) => throw null; public System.Collections.Immutable.ImmutableArray Insert(int index, T item) => throw null; void System.Collections.Generic.IList.Insert(int index, T item) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Insert(int index, T element) => throw null; void System.Collections.IList.Insert(int index, object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Insert(int index, T element) => throw null; public System.Collections.Immutable.ImmutableArray InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; public System.Collections.Immutable.ImmutableArray InsertRange(int index, System.Collections.Immutable.ImmutableArray items) => throw null; - public System.Collections.Immutable.ImmutableArray InsertRange(int index, System.ReadOnlySpan items) => throw null; public System.Collections.Immutable.ImmutableArray InsertRange(int index, T[] items) => throw null; + public System.Collections.Immutable.ImmutableArray InsertRange(int index, System.ReadOnlySpan items) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; public bool IsDefault { get => throw null; } public bool IsDefaultOrEmpty { get => throw null; } public bool IsEmpty { get => throw null; } @@ -245,22 +228,25 @@ public struct Enumerator bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; } - T System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } + T System.Collections.Generic.IList.this[int index] { get => throw null; set { } } T System.Collections.Generic.IReadOnlyList.this[int index] { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + public T ItemRef(int index) => throw null; public int LastIndexOf(T item) => throw null; public int LastIndexOf(T item, int startIndex) => throw null; public int LastIndexOf(T item, int startIndex, int count) => throw null; public int LastIndexOf(T item, int startIndex, int count, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public int Length { get => throw null; } public System.Collections.Generic.IEnumerable OfType() => throw null; + public static bool operator ==(System.Collections.Immutable.ImmutableArray left, System.Collections.Immutable.ImmutableArray right) => throw null; + public static bool operator ==(System.Collections.Immutable.ImmutableArray? left, System.Collections.Immutable.ImmutableArray? right) => throw null; + public static bool operator !=(System.Collections.Immutable.ImmutableArray left, System.Collections.Immutable.ImmutableArray right) => throw null; + public static bool operator !=(System.Collections.Immutable.ImmutableArray? left, System.Collections.Immutable.ImmutableArray? right) => throw null; public System.Collections.Immutable.ImmutableArray Remove(T item) => throw null; - bool System.Collections.Generic.ICollection.Remove(T item) => throw null; public System.Collections.Immutable.ImmutableArray Remove(T item, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Remove(T value, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; + bool System.Collections.Generic.ICollection.Remove(T item) => throw null; void System.Collections.IList.Remove(object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Remove(T value, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public System.Collections.Immutable.ImmutableArray RemoveAll(System.Predicate match) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveAll(System.Predicate match) => throw null; public System.Collections.Immutable.ImmutableArray RemoveAt(int index) => throw null; @@ -269,12 +255,12 @@ public struct Enumerator System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveAt(int index) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(System.Collections.Generic.IEnumerable items) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(System.Collections.Immutable.ImmutableArray items) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(System.Collections.Immutable.ImmutableArray items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; + public System.Collections.Immutable.ImmutableArray RemoveRange(int index, int length) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(System.ReadOnlySpan items, System.Collections.Generic.IEqualityComparer equalityComparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; public System.Collections.Immutable.ImmutableArray RemoveRange(T[] items, System.Collections.Generic.IEqualityComparer equalityComparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; - public System.Collections.Immutable.ImmutableArray RemoveRange(int index, int length) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(int index, int count) => throw null; public System.Collections.Immutable.ImmutableArray Replace(T oldValue, T newValue) => throw null; public System.Collections.Immutable.ImmutableArray Replace(T oldValue, T newValue, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; @@ -283,13 +269,13 @@ public struct Enumerator System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.SetItem(int index, T value) => throw null; public System.Collections.Immutable.ImmutableArray Slice(int start, int length) => throw null; public System.Collections.Immutable.ImmutableArray Sort() => throw null; - public System.Collections.Immutable.ImmutableArray Sort(System.Comparison comparison) => throw null; public System.Collections.Immutable.ImmutableArray Sort(System.Collections.Generic.IComparer comparer) => throw null; + public System.Collections.Immutable.ImmutableArray Sort(System.Comparison comparison) => throw null; public System.Collections.Immutable.ImmutableArray Sort(int index, int count, System.Collections.Generic.IComparer comparer) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; } public System.Collections.Immutable.ImmutableArray.Builder ToBuilder() => throw null; } - public static class ImmutableDictionary { public static bool Contains(this System.Collections.Immutable.IImmutableDictionary map, TKey key, TValue value) => throw null; @@ -304,20 +290,26 @@ public static class ImmutableDictionary public static System.Collections.Immutable.ImmutableDictionary CreateRange(System.Collections.Generic.IEqualityComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer, System.Collections.Generic.IEnumerable> items) => throw null; public static TValue GetValueOrDefault(this System.Collections.Immutable.IImmutableDictionary dictionary, TKey key) => throw null; public static TValue GetValueOrDefault(this System.Collections.Immutable.IImmutableDictionary dictionary, TKey key, TValue defaultValue) => throw null; - public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Immutable.ImmutableDictionary.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable> source) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable> source, System.Collections.Generic.IEqualityComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable> source, System.Collections.Generic.IEqualityComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; + public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; + public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer keyComparer) => throw null; + public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Immutable.ImmutableDictionary.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; - public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; - public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer keyComparer) => throw null; } - - public class ImmutableDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableDictionary + public sealed class ImmutableDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.Immutable.IImmutableDictionary { - public class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public System.Collections.Immutable.ImmutableDictionary Add(TKey key, TValue value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; + void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; + public System.Collections.Immutable.ImmutableDictionary AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(TKey key, TValue value) => throw null; @@ -328,8 +320,8 @@ public class Builder : System.Collections.Generic.ICollection throw null; public bool ContainsKey(TKey key) => throw null; public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public System.Collections.Immutable.ImmutableDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; @@ -341,9 +333,8 @@ public class Builder : System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public System.Collections.Generic.IEqualityComparer KeyComparer { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + public System.Collections.Generic.IEqualityComparer KeyComparer { get => throw null; set { } } public System.Collections.Generic.IEnumerable Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } @@ -352,34 +343,15 @@ public class Builder : System.Collections.Generic.ICollection throw null; public void RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } public System.Collections.Immutable.ImmutableDictionary ToImmutable() => throw null; public bool TryGetKey(TKey equalKey, out TKey actualKey) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable Values { get => throw null; } + public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; set { } } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.IEnumerable Values { get => throw null; } } - - - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable - { - public System.Collections.Generic.KeyValuePair Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; - public System.Collections.Immutable.ImmutableDictionary Add(TKey key, TValue value) => throw null; - void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - public System.Collections.Immutable.ImmutableDictionary AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; public System.Collections.Immutable.ImmutableDictionary Clear() => throw null; void System.Collections.Generic.ICollection>.Clear() => throw null; void System.Collections.IDictionary.Clear() => throw null; @@ -388,10 +360,18 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; public bool ContainsKey(TKey key) => throw null; public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableDictionary Empty; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + { + public System.Collections.Generic.KeyValuePair Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public System.Collections.Immutable.ImmutableDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; @@ -401,18 +381,17 @@ public struct Enumerator : System.Collections.Generic.IEnumerator>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; } - TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } + TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set { } } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } public System.Collections.Generic.IEqualityComparer KeyComparer { get => throw null; } public System.Collections.Generic.IEnumerable Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public System.Collections.Immutable.ImmutableDictionary Remove(TKey key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.Remove(TKey key) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Remove(TKey key) => throw null; void System.Collections.IDictionary.Remove(object key) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Remove(TKey key) => throw null; public System.Collections.Immutable.ImmutableDictionary RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; public System.Collections.Immutable.ImmutableDictionary SetItem(TKey key, TValue value) => throw null; @@ -420,17 +399,17 @@ public struct Enumerator : System.Collections.Generic.IEnumerator SetItems(System.Collections.Generic.IEnumerable> items) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.SetItems(System.Collections.Generic.IEnumerable> items) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; } public System.Collections.Immutable.ImmutableDictionary.Builder ToBuilder() => throw null; public bool TryGetKey(TKey equalKey, out TKey actualKey) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; } - public System.Collections.Generic.IEnumerable Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.IEnumerable Values { get => throw null; } public System.Collections.Immutable.ImmutableDictionary WithComparers(System.Collections.Generic.IEqualityComparer keyComparer) => throw null; public System.Collections.Immutable.ImmutableDictionary WithComparers(System.Collections.Generic.IEqualityComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; } - public static class ImmutableHashSet { public static System.Collections.Immutable.ImmutableHashSet Create() => throw null; @@ -443,14 +422,17 @@ public static class ImmutableHashSet public static System.Collections.Immutable.ImmutableHashSet.Builder CreateBuilder(System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public static System.Collections.Immutable.ImmutableHashSet CreateRange(System.Collections.Generic.IEnumerable items) => throw null; public static System.Collections.Immutable.ImmutableHashSet CreateRange(System.Collections.Generic.IEqualityComparer equalityComparer, System.Collections.Generic.IEnumerable items) => throw null; - public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Immutable.ImmutableHashSet.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; + public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Immutable.ImmutableHashSet.Builder builder) => throw null; } - - public class ImmutableHashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableSet + public sealed class ImmutableHashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Collections.Immutable.IImmutableSet { - public class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.IEnumerable + public System.Collections.Immutable.ImmutableHashSet Add(T item) => throw null; + void System.Collections.Generic.ICollection.Add(T item) => throw null; + bool System.Collections.Generic.ISet.Add(T item) => throw null; + System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Add(T item) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet { public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -468,7 +450,7 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public System.Collections.Generic.IEqualityComparer KeyComparer { get => throw null; set => throw null; } + public System.Collections.Generic.IEqualityComparer KeyComparer { get => throw null; set { } } public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; public bool Remove(T item) => throw null; public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; @@ -477,31 +459,22 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - - + public System.Collections.Immutable.ImmutableHashSet Clear() => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Clear() => throw null; + public bool Contains(T item) => throw null; + void System.Collections.Generic.ICollection.CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public static System.Collections.Immutable.ImmutableHashSet Empty; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; public void Reset() => throw null; } - - - public System.Collections.Immutable.ImmutableHashSet Add(T item) => throw null; - void System.Collections.Generic.ICollection.Add(T item) => throw null; - bool System.Collections.Generic.ISet.Add(T item) => throw null; - System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Add(T item) => throw null; - public System.Collections.Immutable.ImmutableHashSet Clear() => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Clear() => throw null; - public bool Contains(T item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; - void System.Collections.Generic.ICollection.CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public static System.Collections.Immutable.ImmutableHashSet Empty; public System.Collections.Immutable.ImmutableHashSet Except(System.Collections.Generic.IEnumerable other) => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Except(System.Collections.Generic.IEnumerable other) => throw null; void System.Collections.Generic.ISet.ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; @@ -530,20 +503,19 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col object System.Collections.ICollection.SyncRoot { get => throw null; } public System.Collections.Immutable.ImmutableHashSet.Builder ToBuilder() => throw null; public bool TryGetValue(T equalValue, out T actualValue) => throw null; - public System.Collections.Immutable.ImmutableHashSet Union(System.Collections.Generic.IEnumerable other) => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Union(System.Collections.Generic.IEnumerable other) => throw null; + public System.Collections.Immutable.ImmutableHashSet Union(System.Collections.Generic.IEnumerable other) => throw null; void System.Collections.Generic.ISet.UnionWith(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Immutable.ImmutableHashSet WithComparer(System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; } - public static class ImmutableInterlocked { public static TValue AddOrUpdate(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, System.Func addValueFactory, System.Func updateValueFactory) => throw null; public static TValue AddOrUpdate(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, TValue addValue, System.Func updateValueFactory) => throw null; public static void Enqueue(ref System.Collections.Immutable.ImmutableQueue location, T value) => throw null; - public static TValue GetOrAdd(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, System.Func valueFactory, TArg factoryArgument) => throw null; public static TValue GetOrAdd(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, System.Func valueFactory) => throw null; public static TValue GetOrAdd(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, TValue value) => throw null; + public static TValue GetOrAdd(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, System.Func valueFactory, TArg factoryArgument) => throw null; public static System.Collections.Immutable.ImmutableArray InterlockedCompareExchange(ref System.Collections.Immutable.ImmutableArray location, System.Collections.Immutable.ImmutableArray value, System.Collections.Immutable.ImmutableArray comparand) => throw null; public static System.Collections.Immutable.ImmutableArray InterlockedExchange(ref System.Collections.Immutable.ImmutableArray location, System.Collections.Immutable.ImmutableArray value) => throw null; public static bool InterlockedInitialize(ref System.Collections.Immutable.ImmutableArray location, System.Collections.Immutable.ImmutableArray value) => throw null; @@ -553,12 +525,11 @@ public static class ImmutableInterlocked public static bool TryPop(ref System.Collections.Immutable.ImmutableStack location, out T value) => throw null; public static bool TryRemove(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, out TValue value) => throw null; public static bool TryUpdate(ref System.Collections.Immutable.ImmutableDictionary location, TKey key, TValue newValue, TValue comparisonValue) => throw null; - public static bool Update(ref System.Collections.Immutable.ImmutableArray location, System.Func, TArg, System.Collections.Immutable.ImmutableArray> transformer, TArg transformerArgument) => throw null; + public static bool Update(ref T location, System.Func transformer) where T : class => throw null; public static bool Update(ref T location, System.Func transformer, TArg transformerArgument) where T : class => throw null; public static bool Update(ref System.Collections.Immutable.ImmutableArray location, System.Func, System.Collections.Immutable.ImmutableArray> transformer) => throw null; - public static bool Update(ref T location, System.Func transformer) where T : class => throw null; + public static bool Update(ref System.Collections.Immutable.ImmutableArray location, System.Func, TArg, System.Collections.Immutable.ImmutableArray> transformer, TArg transformerArgument) => throw null; } - public static class ImmutableList { public static System.Collections.Immutable.ImmutableList Create() => throw null; @@ -577,40 +548,48 @@ public static class ImmutableList public static System.Collections.Immutable.IImmutableList Remove(this System.Collections.Immutable.IImmutableList list, T value) => throw null; public static System.Collections.Immutable.IImmutableList RemoveRange(this System.Collections.Immutable.IImmutableList list, System.Collections.Generic.IEnumerable items) => throw null; public static System.Collections.Immutable.IImmutableList Replace(this System.Collections.Immutable.IImmutableList list, T oldValue, T newValue) => throw null; - public static System.Collections.Immutable.ImmutableList ToImmutableList(this System.Collections.Immutable.ImmutableList.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableList ToImmutableList(this System.Collections.Generic.IEnumerable source) => throw null; + public static System.Collections.Immutable.ImmutableList ToImmutableList(this System.Collections.Immutable.ImmutableList.Builder builder) => throw null; } - - public class ImmutableList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.Immutable.IImmutableList + public sealed class ImmutableList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableList { - public class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public System.Collections.Immutable.ImmutableList Add(T value) => throw null; + void System.Collections.Generic.ICollection.Add(T item) => throw null; + int System.Collections.IList.Add(object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Add(T value) => throw null; + public System.Collections.Immutable.ImmutableList AddRange(System.Collections.Generic.IEnumerable items) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.AddRange(System.Collections.Generic.IEnumerable items) => throw null; + public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; + public int BinarySearch(T item) => throw null; + public int BinarySearch(T item, System.Collections.Generic.IComparer comparer) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList { public void Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; public void AddRange(System.Collections.Generic.IEnumerable items) => throw null; + public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; public int BinarySearch(T item) => throw null; public int BinarySearch(T item, System.Collections.Generic.IComparer comparer) => throw null; - public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; public void Clear() => throw null; void System.Collections.IList.Clear() => throw null; public bool Contains(T item) => throw null; bool System.Collections.IList.Contains(object value) => throw null; public System.Collections.Immutable.ImmutableList ConvertAll(System.Func converter) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; public void CopyTo(T[] array) => throw null; public void CopyTo(T[] array, int arrayIndex) => throw null; - public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public bool Exists(System.Predicate match) => throw null; public T Find(System.Predicate match) => throw null; public System.Collections.Immutable.ImmutableList FindAll(System.Predicate match) => throw null; - public int FindIndex(System.Predicate match) => throw null; - public int FindIndex(int startIndex, System.Predicate match) => throw null; public int FindIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindIndex(int startIndex, System.Predicate match) => throw null; + public int FindIndex(System.Predicate match) => throw null; public T FindLast(System.Predicate match) => throw null; - public int FindLastIndex(System.Predicate match) => throw null; - public int FindLastIndex(int startIndex, System.Predicate match) => throw null; public int FindLastIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindLastIndex(int startIndex, System.Predicate match) => throw null; + public int FindLastIndex(System.Predicate match) => throw null; public void ForEach(System.Action action) => throw null; public System.Collections.Immutable.ImmutableList.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; @@ -628,9 +607,8 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } public int LastIndexOf(T item) => throw null; public int LastIndexOf(T item, int startIndex) => throw null; public int LastIndexOf(T item, int startIndex, int count) => throw null; @@ -640,43 +618,22 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect void System.Collections.IList.Remove(object value) => throw null; public int RemoveAll(System.Predicate match) => throw null; public void RemoveAt(int index) => throw null; + public void RemoveRange(int index, int count) => throw null; public void RemoveRange(System.Collections.Generic.IEnumerable items) => throw null; public void RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - public void RemoveRange(int index, int count) => throw null; public void Replace(T oldValue, T newValue) => throw null; public void Replace(T oldValue, T newValue, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public void Reverse() => throw null; public void Reverse(int index, int count) => throw null; public void Sort() => throw null; - public void Sort(System.Comparison comparison) => throw null; public void Sort(System.Collections.Generic.IComparer comparer) => throw null; + public void Sort(System.Comparison comparison) => throw null; public void Sort(int index, int count, System.Collections.Generic.IComparer comparer) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } public System.Collections.Immutable.ImmutableList ToImmutable() => throw null; public bool TrueForAll(System.Predicate match) => throw null; } - - - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - - public System.Collections.Immutable.ImmutableList Add(T value) => throw null; - void System.Collections.Generic.ICollection.Add(T item) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Add(T value) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public System.Collections.Immutable.ImmutableList AddRange(System.Collections.Generic.IEnumerable items) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.AddRange(System.Collections.Generic.IEnumerable items) => throw null; - public int BinarySearch(T item) => throw null; - public int BinarySearch(T item, System.Collections.Generic.IComparer comparer) => throw null; - public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; public System.Collections.Immutable.ImmutableList Clear() => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; void System.Collections.IList.Clear() => throw null; @@ -684,22 +641,30 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public bool Contains(T value) => throw null; bool System.Collections.IList.Contains(object value) => throw null; public System.Collections.Immutable.ImmutableList ConvertAll(System.Func converter) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; public void CopyTo(T[] array) => throw null; public void CopyTo(T[] array, int arrayIndex) => throw null; - public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableList Empty; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public bool Exists(System.Predicate match) => throw null; public T Find(System.Predicate match) => throw null; public System.Collections.Immutable.ImmutableList FindAll(System.Predicate match) => throw null; - public int FindIndex(System.Predicate match) => throw null; - public int FindIndex(int startIndex, System.Predicate match) => throw null; public int FindIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindIndex(int startIndex, System.Predicate match) => throw null; + public int FindIndex(System.Predicate match) => throw null; public T FindLast(System.Predicate match) => throw null; - public int FindLastIndex(System.Predicate match) => throw null; - public int FindLastIndex(int startIndex, System.Predicate match) => throw null; public int FindLastIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindLastIndex(int startIndex, System.Predicate match) => throw null; + public int FindLastIndex(System.Predicate match) => throw null; public void ForEach(System.Action action) => throw null; public System.Collections.Immutable.ImmutableList.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; @@ -710,8 +675,8 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col int System.Collections.IList.IndexOf(object value) => throw null; public System.Collections.Immutable.ImmutableList Insert(int index, T item) => throw null; void System.Collections.Generic.IList.Insert(int index, T item) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Insert(int index, T item) => throw null; void System.Collections.IList.Insert(int index, object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Insert(int index, T item) => throw null; public System.Collections.Immutable.ImmutableList InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.InsertRange(int index, System.Collections.Generic.IEnumerable items) => throw null; public bool IsEmpty { get => throw null; } @@ -719,16 +684,15 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } + T System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; } - T System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } public int LastIndexOf(T item, int index, int count, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public System.Collections.Immutable.ImmutableList Remove(T value) => throw null; - bool System.Collections.Generic.ICollection.Remove(T item) => throw null; public System.Collections.Immutable.ImmutableList Remove(T value, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Remove(T value, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; + bool System.Collections.Generic.ICollection.Remove(T item) => throw null; void System.Collections.IList.Remove(object value) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.Remove(T value, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public System.Collections.Immutable.ImmutableList RemoveAll(System.Predicate match) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveAll(System.Predicate match) => throw null; public System.Collections.Immutable.ImmutableList RemoveAt(int index) => throw null; @@ -737,8 +701,8 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveAt(int index) => throw null; public System.Collections.Immutable.ImmutableList RemoveRange(System.Collections.Generic.IEnumerable items) => throw null; public System.Collections.Immutable.ImmutableList RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public System.Collections.Immutable.ImmutableList RemoveRange(int index, int count) => throw null; + System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.RemoveRange(int index, int count) => throw null; public System.Collections.Immutable.ImmutableList Replace(T oldValue, T newValue) => throw null; public System.Collections.Immutable.ImmutableList Replace(T oldValue, T newValue, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; @@ -748,14 +712,14 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public System.Collections.Immutable.ImmutableList SetItem(int index, T value) => throw null; System.Collections.Immutable.IImmutableList System.Collections.Immutable.IImmutableList.SetItem(int index, T value) => throw null; public System.Collections.Immutable.ImmutableList Sort() => throw null; - public System.Collections.Immutable.ImmutableList Sort(System.Comparison comparison) => throw null; public System.Collections.Immutable.ImmutableList Sort(System.Collections.Generic.IComparer comparer) => throw null; + public System.Collections.Immutable.ImmutableList Sort(System.Comparison comparison) => throw null; public System.Collections.Immutable.ImmutableList Sort(int index, int count, System.Collections.Generic.IComparer comparer) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; } public System.Collections.Immutable.ImmutableList.Builder ToBuilder() => throw null; public bool TrueForAll(System.Predicate match) => throw null; } - public static class ImmutableQueue { public static System.Collections.Immutable.ImmutableQueue Create() => throw null; @@ -764,25 +728,21 @@ public static class ImmutableQueue public static System.Collections.Immutable.ImmutableQueue CreateRange(System.Collections.Generic.IEnumerable items) => throw null; public static System.Collections.Immutable.IImmutableQueue Dequeue(this System.Collections.Immutable.IImmutableQueue queue, out T value) => throw null; } - - public class ImmutableQueue : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableQueue + public sealed class ImmutableQueue : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableQueue { - public struct Enumerator - { - public T Current { get => throw null; } - // Stub generator skipped constructor - public bool MoveNext() => throw null; - } - - public System.Collections.Immutable.ImmutableQueue Clear() => throw null; System.Collections.Immutable.IImmutableQueue System.Collections.Immutable.IImmutableQueue.Clear() => throw null; public System.Collections.Immutable.ImmutableQueue Dequeue() => throw null; - System.Collections.Immutable.IImmutableQueue System.Collections.Immutable.IImmutableQueue.Dequeue() => throw null; public System.Collections.Immutable.ImmutableQueue Dequeue(out T value) => throw null; + System.Collections.Immutable.IImmutableQueue System.Collections.Immutable.IImmutableQueue.Dequeue() => throw null; public static System.Collections.Immutable.ImmutableQueue Empty { get => throw null; } public System.Collections.Immutable.ImmutableQueue Enqueue(T value) => throw null; System.Collections.Immutable.IImmutableQueue System.Collections.Immutable.IImmutableQueue.Enqueue(T value) => throw null; + public struct Enumerator + { + public T Current { get => throw null; } + public bool MoveNext() => throw null; + } public System.Collections.Immutable.ImmutableQueue.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -790,7 +750,6 @@ public struct Enumerator public T Peek() => throw null; public T PeekRef() => throw null; } - public static class ImmutableSortedDictionary { public static System.Collections.Immutable.ImmutableSortedDictionary Create() => throw null; @@ -802,18 +761,24 @@ public static class ImmutableSortedDictionary public static System.Collections.Immutable.ImmutableSortedDictionary CreateRange(System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEnumerable> items) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary CreateRange(System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer, System.Collections.Generic.IEnumerable> items) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary CreateRange(System.Collections.Generic.IEnumerable> items) => throw null; - public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Immutable.ImmutableSortedDictionary.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable> source) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable> source, System.Collections.Generic.IComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable> source, System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; + public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Immutable.ImmutableSortedDictionary.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; } - - public class ImmutableSortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableDictionary + public sealed class ImmutableSortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.Immutable.IImmutableDictionary { - public class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public System.Collections.Immutable.ImmutableSortedDictionary Add(TKey key, TValue value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; + void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; + public System.Collections.Immutable.ImmutableSortedDictionary AddRange(System.Collections.Generic.IEnumerable> items) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(TKey key, TValue value) => throw null; @@ -824,8 +789,8 @@ public class Builder : System.Collections.Generic.ICollection throw null; public bool ContainsKey(TKey key) => throw null; public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public System.Collections.Immutable.ImmutableSortedDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; @@ -837,9 +802,8 @@ public class Builder : System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public System.Collections.Generic.IComparer KeyComparer { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + public System.Collections.Generic.IComparer KeyComparer { get => throw null; set { } } public System.Collections.Generic.IEnumerable Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } @@ -848,35 +812,16 @@ public class Builder : System.Collections.Generic.ICollection throw null; public void RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } public System.Collections.Immutable.ImmutableSortedDictionary ToImmutable() => throw null; public bool TryGetKey(TKey equalKey, out TKey actualKey) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; set => throw null; } + public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; set { } } public TValue ValueRef(TKey key) => throw null; - public System.Collections.Generic.IEnumerable Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.IEnumerable Values { get => throw null; } } - - - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable - { - public System.Collections.Generic.KeyValuePair Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; - public System.Collections.Immutable.ImmutableSortedDictionary Add(TKey key, TValue value) => throw null; - void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - public System.Collections.Immutable.ImmutableSortedDictionary AddRange(System.Collections.Generic.IEnumerable> items) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary Clear() => throw null; void System.Collections.Generic.ICollection>.Clear() => throw null; void System.Collections.IDictionary.Clear() => throw null; @@ -885,10 +830,18 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; public bool ContainsKey(TKey key) => throw null; public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableSortedDictionary Empty; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + { + public System.Collections.Generic.KeyValuePair Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public System.Collections.Immutable.ImmutableSortedDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; @@ -898,18 +851,17 @@ public struct Enumerator : System.Collections.Generic.IEnumerator>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; } - TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } + TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set { } } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } public System.Collections.Generic.IComparer KeyComparer { get => throw null; } public System.Collections.Generic.IEnumerable Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary Remove(TKey value) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.Remove(TKey key) => throw null; - System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Remove(TKey key) => throw null; void System.Collections.IDictionary.Remove(object key) => throw null; + System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Remove(TKey key) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.RemoveRange(System.Collections.Generic.IEnumerable keys) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary SetItem(TKey key, TValue value) => throw null; @@ -917,18 +869,18 @@ public struct Enumerator : System.Collections.Generic.IEnumerator SetItems(System.Collections.Generic.IEnumerable> items) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.SetItems(System.Collections.Generic.IEnumerable> items) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; } public System.Collections.Immutable.ImmutableSortedDictionary.Builder ToBuilder() => throw null; public bool TryGetKey(TKey equalKey, out TKey actualKey) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; public System.Collections.Generic.IEqualityComparer ValueComparer { get => throw null; } public TValue ValueRef(TKey key) => throw null; - public System.Collections.Generic.IEnumerable Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.IEnumerable Values { get => throw null; } public System.Collections.Immutable.ImmutableSortedDictionary WithComparers(System.Collections.Generic.IComparer keyComparer) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary WithComparers(System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; } - public static class ImmutableSortedSet { public static System.Collections.Immutable.ImmutableSortedSet Create() => throw null; @@ -941,21 +893,25 @@ public static class ImmutableSortedSet public static System.Collections.Immutable.ImmutableSortedSet.Builder CreateBuilder(System.Collections.Generic.IComparer comparer) => throw null; public static System.Collections.Immutable.ImmutableSortedSet CreateRange(System.Collections.Generic.IComparer comparer, System.Collections.Generic.IEnumerable items) => throw null; public static System.Collections.Immutable.ImmutableSortedSet CreateRange(System.Collections.Generic.IEnumerable items) => throw null; - public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Immutable.ImmutableSortedSet.Builder builder) => throw null; public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; + public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Immutable.ImmutableSortedSet.Builder builder) => throw null; } - - public class ImmutableSortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.Immutable.IImmutableSet + public sealed class ImmutableSortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableSet { - public class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.ICollection, System.Collections.IEnumerable + public System.Collections.Immutable.ImmutableSortedSet Add(T value) => throw null; + void System.Collections.Generic.ICollection.Add(T item) => throw null; + bool System.Collections.Generic.ISet.Add(T item) => throw null; + int System.Collections.IList.Add(object value) => throw null; + System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Add(T value) => throw null; + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.ICollection { public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; public void Clear() => throw null; public bool Contains(T item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; void System.Collections.Generic.ICollection.CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Immutable.ImmutableSortedSet.Enumerator GetEnumerator() => throw null; @@ -970,8 +926,7 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; } - public System.Collections.Generic.IComparer KeyComparer { get => throw null; set => throw null; } + public System.Collections.Generic.IComparer KeyComparer { get => throw null; set { } } public T Max { get => throw null; } public T Min { get => throw null; } public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; @@ -980,38 +935,29 @@ public class Builder : System.Collections.Generic.ICollection, System.Collect public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; } public System.Collections.Immutable.ImmutableSortedSet ToImmutable() => throw null; public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - - - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - - public System.Collections.Immutable.ImmutableSortedSet Add(T value) => throw null; - void System.Collections.Generic.ICollection.Add(T item) => throw null; - bool System.Collections.Generic.ISet.Add(T item) => throw null; - System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Add(T value) => throw null; - int System.Collections.IList.Add(object value) => throw null; public System.Collections.Immutable.ImmutableSortedSet Clear() => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; void System.Collections.IList.Clear() => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Clear() => throw null; public bool Contains(T value) => throw null; bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; void System.Collections.Generic.ICollection.CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableSortedSet Empty; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public System.Collections.Immutable.ImmutableSortedSet Except(System.Collections.Generic.IEnumerable other) => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Except(System.Collections.Generic.IEnumerable other) => throw null; void System.Collections.Generic.ISet.ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; @@ -1034,18 +980,17 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } + T System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } public T ItemRef(int index) => throw null; - public T this[int index] { get => throw null; } - T System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } public System.Collections.Generic.IComparer KeyComparer { get => throw null; } public T Max { get => throw null; } public T Min { get => throw null; } public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Immutable.ImmutableSortedSet Remove(T value) => throw null; bool System.Collections.Generic.ICollection.Remove(T item) => throw null; - System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Remove(T value) => throw null; void System.Collections.IList.Remove(object value) => throw null; + System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Remove(T value) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; void System.Collections.IList.RemoveAt(int index) => throw null; public System.Collections.Generic.IEnumerable Reverse() => throw null; @@ -1054,14 +999,14 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.SymmetricExcept(System.Collections.Generic.IEnumerable other) => throw null; void System.Collections.Generic.ISet.SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; } public System.Collections.Immutable.ImmutableSortedSet.Builder ToBuilder() => throw null; public bool TryGetValue(T equalValue, out T actualValue) => throw null; - public System.Collections.Immutable.ImmutableSortedSet Union(System.Collections.Generic.IEnumerable other) => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Union(System.Collections.Generic.IEnumerable other) => throw null; + public System.Collections.Immutable.ImmutableSortedSet Union(System.Collections.Generic.IEnumerable other) => throw null; void System.Collections.Generic.ISet.UnionWith(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Immutable.ImmutableSortedSet WithComparer(System.Collections.Generic.IComparer comparer) => throw null; } - public static class ImmutableStack { public static System.Collections.Immutable.ImmutableStack Create() => throw null; @@ -1070,20 +1015,16 @@ public static class ImmutableStack public static System.Collections.Immutable.ImmutableStack CreateRange(System.Collections.Generic.IEnumerable items) => throw null; public static System.Collections.Immutable.IImmutableStack Pop(this System.Collections.Immutable.IImmutableStack stack, out T value) => throw null; } - - public class ImmutableStack : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableStack + public sealed class ImmutableStack : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableStack { + public System.Collections.Immutable.ImmutableStack Clear() => throw null; + System.Collections.Immutable.IImmutableStack System.Collections.Immutable.IImmutableStack.Clear() => throw null; + public static System.Collections.Immutable.ImmutableStack Empty { get => throw null; } public struct Enumerator { public T Current { get => throw null; } - // Stub generator skipped constructor public bool MoveNext() => throw null; } - - - public System.Collections.Immutable.ImmutableStack Clear() => throw null; - System.Collections.Immutable.IImmutableStack System.Collections.Immutable.IImmutableStack.Clear() => throw null; - public static System.Collections.Immutable.ImmutableStack Empty { get => throw null; } public System.Collections.Immutable.ImmutableStack.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -1091,44 +1032,43 @@ public struct Enumerator public T Peek() => throw null; public T PeekRef() => throw null; public System.Collections.Immutable.ImmutableStack Pop() => throw null; - System.Collections.Immutable.IImmutableStack System.Collections.Immutable.IImmutableStack.Pop() => throw null; public System.Collections.Immutable.ImmutableStack Pop(out T value) => throw null; + System.Collections.Immutable.IImmutableStack System.Collections.Immutable.IImmutableStack.Pop() => throw null; public System.Collections.Immutable.ImmutableStack Push(T value) => throw null; System.Collections.Immutable.IImmutableStack System.Collections.Immutable.IImmutableStack.Push(T value) => throw null; } - } } namespace Linq { - public static class ImmutableArrayExtensions + public static partial class ImmutableArrayExtensions { public static T Aggregate(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func func) => throw null; public static TAccumulate Aggregate(this System.Collections.Immutable.ImmutableArray immutableArray, TAccumulate seed, System.Func func) => throw null; public static TResult Aggregate(this System.Collections.Immutable.ImmutableArray immutableArray, TAccumulate seed, System.Func func, System.Func resultSelector) => throw null; public static bool All(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; - public static bool Any(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static bool Any(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static bool Any(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; + public static bool Any(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static T ElementAt(this System.Collections.Immutable.ImmutableArray immutableArray, int index) => throw null; public static T ElementAtOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray, int index) => throw null; - public static T First(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static T First(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static T First(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; - public static T FirstOrDefault(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; + public static T First(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static T FirstOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static T FirstOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; - public static T Last(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; + public static T FirstOrDefault(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static T Last(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static T Last(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; - public static T LastOrDefault(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; + public static T Last(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static T LastOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static T LastOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; + public static T LastOrDefault(this System.Collections.Immutable.ImmutableArray.Builder builder) => throw null; public static System.Collections.Generic.IEnumerable Select(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func selector) => throw null; public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func> collectionSelector, System.Func resultSelector) => throw null; public static bool SequenceEqual(this System.Collections.Immutable.ImmutableArray immutableArray, System.Collections.Generic.IEnumerable items, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) where TDerived : TBase => throw null; - public static bool SequenceEqual(this System.Collections.Immutable.ImmutableArray immutableArray, System.Collections.Immutable.ImmutableArray items, System.Func predicate) where TDerived : TBase => throw null; public static bool SequenceEqual(this System.Collections.Immutable.ImmutableArray immutableArray, System.Collections.Immutable.ImmutableArray items, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) where TDerived : TBase => throw null; + public static bool SequenceEqual(this System.Collections.Immutable.ImmutableArray immutableArray, System.Collections.Immutable.ImmutableArray items, System.Func predicate) where TDerived : TBase => throw null; public static T Single(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; public static T Single(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; public static T SingleOrDefault(this System.Collections.Immutable.ImmutableArray immutableArray) => throw null; @@ -1140,6 +1080,5 @@ public static class ImmutableArrayExtensions public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable Where(this System.Collections.Immutable.ImmutableArray immutableArray, System.Func predicate) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs index cb64504fca49..b1acd32ceaf7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs @@ -1,19 +1,17 @@ // This file contains auto-generated code. // Generated from `System.Collections.NonGeneric, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections { public class CaseInsensitiveComparer : System.Collections.IComparer { + public int Compare(object a, object b) => throw null; public CaseInsensitiveComparer() => throw null; public CaseInsensitiveComparer(System.Globalization.CultureInfo culture) => throw null; - public int Compare(object a, object b) => throw null; public static System.Collections.CaseInsensitiveComparer Default { get => throw null; } public static System.Collections.CaseInsensitiveComparer DefaultInvariant { get => throw null; } } - public class CaseInsensitiveHashCodeProvider : System.Collections.IHashCodeProvider { public CaseInsensitiveHashCodeProvider() => throw null; @@ -22,17 +20,16 @@ public class CaseInsensitiveHashCodeProvider : System.Collections.IHashCodeProvi public static System.Collections.CaseInsensitiveHashCodeProvider DefaultInvariant { get => throw null; } public int GetHashCode(object obj) => throw null; } - public abstract class CollectionBase : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { int System.Collections.IList.Add(object value) => throw null; - public int Capacity { get => throw null; set => throw null; } + public int Capacity { get => throw null; set { } } public void Clear() => throw null; - protected CollectionBase() => throw null; - protected CollectionBase(int capacity) => throw null; bool System.Collections.IList.Contains(object value) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + protected CollectionBase() => throw null; + protected CollectionBase(int capacity) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; int System.Collections.IList.IndexOf(object value) => throw null; protected System.Collections.ArrayList InnerList { get => throw null; } @@ -40,7 +37,7 @@ public abstract class CollectionBase : System.Collections.ICollection, System.Co bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } protected System.Collections.IList List { get => throw null; } protected virtual void OnClear() => throw null; protected virtual void OnClearComplete() => throw null; @@ -55,23 +52,22 @@ public abstract class CollectionBase : System.Collections.ICollection, System.Co public void RemoveAt(int index) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - - public abstract class DictionaryBase : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public abstract class DictionaryBase : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary { void System.Collections.IDictionary.Add(object key, object value) => throw null; public void Clear() => throw null; bool System.Collections.IDictionary.Contains(object key) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } - protected System.Collections.IDictionary Dictionary { get => throw null; } protected DictionaryBase() => throw null; + protected System.Collections.IDictionary Dictionary { get => throw null; } public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; protected System.Collections.Hashtable InnerHashtable { get => throw null; } bool System.Collections.IDictionary.IsFixedSize { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } protected virtual void OnClear() => throw null; protected virtual void OnClearComplete() => throw null; @@ -87,7 +83,6 @@ public abstract class DictionaryBase : System.Collections.ICollection, System.Co object System.Collections.ICollection.SyncRoot { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } } - public class Queue : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable { public virtual void Clear() => throw null; @@ -95,36 +90,34 @@ public class Queue : System.Collections.ICollection, System.Collections.IEnumera public virtual bool Contains(object obj) => throw null; public virtual void CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + public Queue() => throw null; + public Queue(System.Collections.ICollection col) => throw null; + public Queue(int capacity) => throw null; + public Queue(int capacity, float growFactor) => throw null; public virtual object Dequeue() => throw null; public virtual void Enqueue(object obj) => throw null; public virtual System.Collections.IEnumerator GetEnumerator() => throw null; public virtual bool IsSynchronized { get => throw null; } public virtual object Peek() => throw null; - public Queue() => throw null; - public Queue(System.Collections.ICollection col) => throw null; - public Queue(int capacity) => throw null; - public Queue(int capacity, float growFactor) => throw null; - public virtual object SyncRoot { get => throw null; } public static System.Collections.Queue Synchronized(System.Collections.Queue queue) => throw null; + public virtual object SyncRoot { get => throw null; } public virtual object[] ToArray() => throw null; public virtual void TrimToSize() => throw null; } - public abstract class ReadOnlyCollectionBase : System.Collections.ICollection, System.Collections.IEnumerable { void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + protected ReadOnlyCollectionBase() => throw null; public virtual System.Collections.IEnumerator GetEnumerator() => throw null; protected System.Collections.ArrayList InnerList { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - protected ReadOnlyCollectionBase() => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - - public class SortedList : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.ICloneable + public class SortedList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ICloneable { public virtual void Add(object key, object value) => throw null; - public virtual int Capacity { get => throw null; set => throw null; } + public virtual int Capacity { get => throw null; set { } } public virtual void Clear() => throw null; public virtual object Clone() => throw null; public virtual bool Contains(object key) => throw null; @@ -132,6 +125,12 @@ public class SortedList : System.Collections.ICollection, System.Collections.IDi public virtual bool ContainsValue(object value) => throw null; public virtual void CopyTo(System.Array array, int arrayIndex) => throw null; public virtual int Count { get => throw null; } + public SortedList() => throw null; + public SortedList(System.Collections.IComparer comparer) => throw null; + public SortedList(System.Collections.IComparer comparer, int capacity) => throw null; + public SortedList(System.Collections.IDictionary d) => throw null; + public SortedList(System.Collections.IDictionary d, System.Collections.IComparer comparer) => throw null; + public SortedList(int initialCapacity) => throw null; public virtual object GetByIndex(int index) => throw null; public virtual System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -143,23 +142,27 @@ public class SortedList : System.Collections.ICollection, System.Collections.IDi public virtual bool IsFixedSize { get => throw null; } public virtual bool IsReadOnly { get => throw null; } public virtual bool IsSynchronized { get => throw null; } - public virtual object this[object key] { get => throw null; set => throw null; } public virtual System.Collections.ICollection Keys { get => throw null; } public virtual void Remove(object key) => throw null; public virtual void RemoveAt(int index) => throw null; public virtual void SetByIndex(int index, object value) => throw null; - public SortedList() => throw null; - public SortedList(System.Collections.IComparer comparer) => throw null; - public SortedList(System.Collections.IComparer comparer, int capacity) => throw null; - public SortedList(System.Collections.IDictionary d) => throw null; - public SortedList(System.Collections.IDictionary d, System.Collections.IComparer comparer) => throw null; - public SortedList(int initialCapacity) => throw null; - public virtual object SyncRoot { get => throw null; } public static System.Collections.SortedList Synchronized(System.Collections.SortedList list) => throw null; + public virtual object SyncRoot { get => throw null; } + public virtual object this[object key] { get => throw null; set { } } public virtual void TrimToSize() => throw null; public virtual System.Collections.ICollection Values { get => throw null; } } - + namespace Specialized + { + public class CollectionsUtil + { + public static System.Collections.Hashtable CreateCaseInsensitiveHashtable() => throw null; + public static System.Collections.Hashtable CreateCaseInsensitiveHashtable(System.Collections.IDictionary d) => throw null; + public static System.Collections.Hashtable CreateCaseInsensitiveHashtable(int capacity) => throw null; + public static System.Collections.SortedList CreateCaseInsensitiveSortedList() => throw null; + public CollectionsUtil() => throw null; + } + } public class Stack : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable { public virtual void Clear() => throw null; @@ -167,30 +170,17 @@ public class Stack : System.Collections.ICollection, System.Collections.IEnumera public virtual bool Contains(object obj) => throw null; public virtual void CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + public Stack() => throw null; + public Stack(System.Collections.ICollection col) => throw null; + public Stack(int initialCapacity) => throw null; public virtual System.Collections.IEnumerator GetEnumerator() => throw null; public virtual bool IsSynchronized { get => throw null; } public virtual object Peek() => throw null; public virtual object Pop() => throw null; public virtual void Push(object obj) => throw null; - public Stack() => throw null; - public Stack(System.Collections.ICollection col) => throw null; - public Stack(int initialCapacity) => throw null; - public virtual object SyncRoot { get => throw null; } public static System.Collections.Stack Synchronized(System.Collections.Stack stack) => throw null; + public virtual object SyncRoot { get => throw null; } public virtual object[] ToArray() => throw null; } - - namespace Specialized - { - public class CollectionsUtil - { - public CollectionsUtil() => throw null; - public static System.Collections.Hashtable CreateCaseInsensitiveHashtable() => throw null; - public static System.Collections.Hashtable CreateCaseInsensitiveHashtable(System.Collections.IDictionary d) => throw null; - public static System.Collections.Hashtable CreateCaseInsensitiveHashtable(int capacity) => throw null; - public static System.Collections.SortedList CreateCaseInsensitiveSortedList() => throw null; - } - - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs index 3a63dff333ad..eff72319823c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Collections.Specialized, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections @@ -9,104 +8,84 @@ namespace Specialized { public struct BitVector32 : System.IEquatable { + public static int CreateMask() => throw null; + public static int CreateMask(int previous) => throw null; + public static System.Collections.Specialized.BitVector32.Section CreateSection(short maxValue) => throw null; + public static System.Collections.Specialized.BitVector32.Section CreateSection(short maxValue, System.Collections.Specialized.BitVector32.Section previous) => throw null; + public BitVector32(System.Collections.Specialized.BitVector32 value) => throw null; + public BitVector32(int data) => throw null; + public int Data { get => throw null; } + public bool Equals(System.Collections.Specialized.BitVector32 other) => throw null; + public override bool Equals(object o) => throw null; + public override int GetHashCode() => throw null; public struct Section : System.IEquatable { - public static bool operator !=(System.Collections.Specialized.BitVector32.Section a, System.Collections.Specialized.BitVector32.Section b) => throw null; - public static bool operator ==(System.Collections.Specialized.BitVector32.Section a, System.Collections.Specialized.BitVector32.Section b) => throw null; public bool Equals(System.Collections.Specialized.BitVector32.Section obj) => throw null; public override bool Equals(object o) => throw null; public override int GetHashCode() => throw null; - public System.Int16 Mask { get => throw null; } - public System.Int16 Offset { get => throw null; } - // Stub generator skipped constructor + public short Mask { get => throw null; } + public short Offset { get => throw null; } + public static bool operator ==(System.Collections.Specialized.BitVector32.Section a, System.Collections.Specialized.BitVector32.Section b) => throw null; + public static bool operator !=(System.Collections.Specialized.BitVector32.Section a, System.Collections.Specialized.BitVector32.Section b) => throw null; public override string ToString() => throw null; public static string ToString(System.Collections.Specialized.BitVector32.Section value) => throw null; } - - - // Stub generator skipped constructor - public BitVector32(System.Collections.Specialized.BitVector32 value) => throw null; - public BitVector32(int data) => throw null; - public static int CreateMask() => throw null; - public static int CreateMask(int previous) => throw null; - public static System.Collections.Specialized.BitVector32.Section CreateSection(System.Int16 maxValue) => throw null; - public static System.Collections.Specialized.BitVector32.Section CreateSection(System.Int16 maxValue, System.Collections.Specialized.BitVector32.Section previous) => throw null; - public int Data { get => throw null; } - public bool Equals(System.Collections.Specialized.BitVector32 other) => throw null; - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - public int this[System.Collections.Specialized.BitVector32.Section section] { get => throw null; set => throw null; } - public bool this[int bit] { get => throw null; set => throw null; } + public int this[System.Collections.Specialized.BitVector32.Section section] { get => throw null; set { } } + public bool this[int bit] { get => throw null; set { } } public override string ToString() => throw null; public static string ToString(System.Collections.Specialized.BitVector32 value) => throw null; } - - public class HybridDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public class HybridDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary { public void Add(object key, object value) => throw null; public void Clear() => throw null; public bool Contains(object key) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } - public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public HybridDictionary() => throw null; public HybridDictionary(bool caseInsensitive) => throw null; public HybridDictionary(int initialSize) => throw null; public HybridDictionary(int initialSize, bool caseInsensitive) => throw null; + public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } public System.Collections.ICollection Keys { get => throw null; } public void Remove(object key) => throw null; public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - - public interface IOrderedDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public interface IOrderedDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary { System.Collections.IDictionaryEnumerator GetEnumerator(); void Insert(int index, object key, object value); - object this[int index] { get; set; } void RemoveAt(int index); + object this[int index] { get; set; } } - - public class ListDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public class ListDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary { public void Add(object key, object value) => throw null; public void Clear() => throw null; public bool Contains(object key) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ListDictionary() => throw null; + public ListDictionary(System.Collections.IComparer comparer) => throw null; public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } public System.Collections.ICollection Keys { get => throw null; } - public ListDictionary() => throw null; - public ListDictionary(System.Collections.IComparer comparer) => throw null; public void Remove(object key) => throw null; public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - public abstract class NameObjectCollectionBase : System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public class KeysCollection : System.Collections.ICollection, System.Collections.IEnumerable - { - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - public virtual string Get(int index) => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public string this[int index] { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - protected void BaseAdd(string name, object value) => throw null; protected void BaseClear() => throw null; protected object BaseGet(int index) => throw null; @@ -122,22 +101,31 @@ public class KeysCollection : System.Collections.ICollection, System.Collections protected void BaseSet(string name, object value) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected bool IsReadOnly { get => throw null; set => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.Collections.Specialized.NameObjectCollectionBase.KeysCollection Keys { get => throw null; } protected NameObjectCollectionBase() => throw null; protected NameObjectCollectionBase(System.Collections.IEqualityComparer equalityComparer) => throw null; protected NameObjectCollectionBase(System.Collections.IHashCodeProvider hashProvider, System.Collections.IComparer comparer) => throw null; - protected NameObjectCollectionBase(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; protected NameObjectCollectionBase(int capacity) => throw null; protected NameObjectCollectionBase(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; protected NameObjectCollectionBase(int capacity, System.Collections.IHashCodeProvider hashProvider, System.Collections.IComparer comparer) => throw null; + protected NameObjectCollectionBase(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected bool IsReadOnly { get => throw null; set { } } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public virtual System.Collections.Specialized.NameObjectCollectionBase.KeysCollection Keys { get => throw null; } + public class KeysCollection : System.Collections.ICollection, System.Collections.IEnumerable + { + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public virtual string Get(int index) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public string this[int index] { get => throw null; } + } public virtual void OnDeserialization(object sender) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - public class NameValueCollection : System.Collections.Specialized.NameObjectCollectionBase { public void Add(System.Collections.Specialized.NameValueCollection c) => throw null; @@ -145,29 +133,28 @@ public class NameValueCollection : System.Collections.Specialized.NameObjectColl public virtual string[] AllKeys { get => throw null; } public virtual void Clear() => throw null; public void CopyTo(System.Array dest, int index) => throw null; - public virtual string Get(int index) => throw null; - public virtual string Get(string name) => throw null; - public virtual string GetKey(int index) => throw null; - public virtual string[] GetValues(int index) => throw null; - public virtual string[] GetValues(string name) => throw null; - public bool HasKeys() => throw null; - protected void InvalidateCachedArrays() => throw null; - public string this[int index] { get => throw null; } - public string this[string name] { get => throw null; set => throw null; } public NameValueCollection() => throw null; public NameValueCollection(System.Collections.IEqualityComparer equalityComparer) => throw null; public NameValueCollection(System.Collections.IHashCodeProvider hashProvider, System.Collections.IComparer comparer) => throw null; public NameValueCollection(System.Collections.Specialized.NameValueCollection col) => throw null; - protected NameValueCollection(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public NameValueCollection(int capacity) => throw null; public NameValueCollection(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; public NameValueCollection(int capacity, System.Collections.IHashCodeProvider hashProvider, System.Collections.IComparer comparer) => throw null; public NameValueCollection(int capacity, System.Collections.Specialized.NameValueCollection col) => throw null; + protected NameValueCollection(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual string Get(int index) => throw null; + public virtual string Get(string name) => throw null; + public virtual string GetKey(int index) => throw null; + public virtual string[] GetValues(int index) => throw null; + public virtual string[] GetValues(string name) => throw null; + public bool HasKeys() => throw null; + protected void InvalidateCachedArrays() => throw null; public virtual void Remove(string name) => throw null; public virtual void Set(string name, string value) => throw null; + public string this[int index] { get => throw null; } + public string this[string name] { get => throw null; set { } } } - - public class OrderedDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.Specialized.IOrderedDictionary, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class OrderedDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.Specialized.IOrderedDictionary, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { public void Add(object key, object value) => throw null; public System.Collections.Specialized.OrderedDictionary AsReadOnly() => throw null; @@ -175,6 +162,11 @@ public class OrderedDictionary : System.Collections.ICollection, System.Collecti public bool Contains(object key) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public OrderedDictionary() => throw null; + public OrderedDictionary(System.Collections.IEqualityComparer comparer) => throw null; + public OrderedDictionary(int capacity) => throw null; + public OrderedDictionary(int capacity, System.Collections.IEqualityComparer comparer) => throw null; + protected OrderedDictionary(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public virtual System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; @@ -182,52 +174,45 @@ public class OrderedDictionary : System.Collections.ICollection, System.Collecti bool System.Collections.IDictionary.IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public object this[int index] { get => throw null; set => throw null; } - public object this[object key] { get => throw null; set => throw null; } public System.Collections.ICollection Keys { get => throw null; } protected virtual void OnDeserialization(object sender) => throw null; void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public OrderedDictionary() => throw null; - public OrderedDictionary(System.Collections.IEqualityComparer comparer) => throw null; - protected OrderedDictionary(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public OrderedDictionary(int capacity) => throw null; - public OrderedDictionary(int capacity, System.Collections.IEqualityComparer comparer) => throw null; public void Remove(object key) => throw null; public void RemoveAt(int index) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public object this[int index] { get => throw null; set { } } + public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - public class StringCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { - int System.Collections.IList.Add(object value) => throw null; public int Add(string value) => throw null; + int System.Collections.IList.Add(object value) => throw null; public void AddRange(string[] value) => throw null; public void Clear() => throw null; - bool System.Collections.IList.Contains(object value) => throw null; public bool Contains(string value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; public void CopyTo(string[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public StringCollection() => throw null; public System.Collections.Specialized.StringEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; public int IndexOf(string value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; public void Insert(int index, string value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; bool System.Collections.IList.IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public string this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - void System.Collections.IList.Remove(object value) => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } public void Remove(string value) => throw null; + void System.Collections.IList.Remove(object value) => throw null; public void RemoveAt(int index) => throw null; - public StringCollection() => throw null; public object SyncRoot { get => throw null; } + public string this[int index] { get => throw null; set { } } } - public class StringDictionary : System.Collections.IEnumerable { public virtual void Add(string key, string value) => throw null; @@ -236,23 +221,21 @@ public class StringDictionary : System.Collections.IEnumerable public virtual bool ContainsValue(string value) => throw null; public virtual void CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + public StringDictionary() => throw null; public virtual System.Collections.IEnumerator GetEnumerator() => throw null; public virtual bool IsSynchronized { get => throw null; } - public virtual string this[string key] { get => throw null; set => throw null; } public virtual System.Collections.ICollection Keys { get => throw null; } public virtual void Remove(string key) => throw null; - public StringDictionary() => throw null; public virtual object SyncRoot { get => throw null; } + public virtual string this[string key] { get => throw null; set { } } public virtual System.Collections.ICollection Values { get => throw null; } } - public class StringEnumerator { public string Current { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs index 97c546252543..187f7a05739f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs @@ -1,47 +1,39 @@ // This file contains auto-generated code. // Generated from `System.Collections, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections { - public class BitArray : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable + public sealed class BitArray : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable { public System.Collections.BitArray And(System.Collections.BitArray value) => throw null; - public BitArray(System.Collections.BitArray bits) => throw null; - public BitArray(bool[] values) => throw null; - public BitArray(System.Byte[] bytes) => throw null; - public BitArray(int[] values) => throw null; - public BitArray(int length) => throw null; - public BitArray(int length, bool defaultValue) => throw null; public object Clone() => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public BitArray(bool[] values) => throw null; + public BitArray(byte[] bytes) => throw null; + public BitArray(System.Collections.BitArray bits) => throw null; + public BitArray(int length) => throw null; + public BitArray(int length, bool defaultValue) => throw null; + public BitArray(int[] values) => throw null; public bool Get(int index) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public bool this[int index] { get => throw null; set => throw null; } public System.Collections.BitArray LeftShift(int count) => throw null; - public int Length { get => throw null; set => throw null; } + public int Length { get => throw null; set { } } public System.Collections.BitArray Not() => throw null; public System.Collections.BitArray Or(System.Collections.BitArray value) => throw null; public System.Collections.BitArray RightShift(int count) => throw null; public void Set(int index, bool value) => throw null; public void SetAll(bool value) => throw null; public object SyncRoot { get => throw null; } + public bool this[int index] { get => throw null; set { } } public System.Collections.BitArray Xor(System.Collections.BitArray value) => throw null; } - - public static class StructuralComparisons - { - public static System.Collections.IComparer StructuralComparer { get => throw null; } - public static System.Collections.IEqualityComparer StructuralEqualityComparer { get => throw null; } - } - namespace Generic { - public static class CollectionExtensions + public static partial class CollectionExtensions { public static System.Collections.ObjectModel.ReadOnlyCollection AsReadOnly(this System.Collections.Generic.IList list) => throw null; public static System.Collections.ObjectModel.ReadOnlyDictionary AsReadOnly(this System.Collections.Generic.IDictionary dictionary) => throw null; @@ -50,81 +42,116 @@ public static class CollectionExtensions public static bool Remove(this System.Collections.Generic.IDictionary dictionary, TKey key, out TValue value) => throw null; public static bool TryAdd(this System.Collections.Generic.IDictionary dictionary, TKey key, TValue value) => throw null; } - public abstract class Comparer : System.Collections.Generic.IComparer, System.Collections.IComparer { public abstract int Compare(T x, T y); int System.Collections.IComparer.Compare(object x, object y) => throw null; - protected Comparer() => throw null; public static System.Collections.Generic.Comparer Create(System.Comparison comparison) => throw null; + protected Comparer() => throw null; public static System.Collections.Generic.Comparer Default { get => throw null; } } - - public class Dictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class Dictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IDictionaryEnumerator, System.Collections.IEnumerator, System.IDisposable + public void Add(TKey key, TValue value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + public void Clear() => throw null; + public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } + bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + bool System.Collections.IDictionary.Contains(object key) => throw null; + public bool ContainsKey(TKey key) => throw null; + public bool ContainsValue(TValue value) => throw null; + void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public Dictionary() => throw null; + public Dictionary(System.Collections.Generic.IDictionary dictionary) => throw null; + public Dictionary(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public Dictionary(System.Collections.Generic.IEnumerable> collection) => throw null; + public Dictionary(System.Collections.Generic.IEnumerable> collection, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public Dictionary(System.Collections.Generic.IEqualityComparer comparer) => throw null; + public Dictionary(int capacity) => throw null; + public Dictionary(int capacity, System.Collections.Generic.IEqualityComparer comparer) => throw null; + protected Dictionary(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int EnsureCapacity(int capacity) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable, System.Collections.IDictionaryEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; System.Collections.DictionaryEntry System.Collections.IDictionaryEnumerator.Entry { get => throw null; } - // Stub generator skipped constructor object System.Collections.IDictionaryEnumerator.Key { get => throw null; } public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; object System.Collections.IDictionaryEnumerator.Value { get => throw null; } } - - - public class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public System.Collections.Generic.Dictionary.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + bool System.Collections.IDictionary.IsFixedSize { get => throw null; } + bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } + bool System.Collections.IDictionary.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + void System.Collections.Generic.ICollection.Add(TKey item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; + public void CopyTo(TKey[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public KeyCollection(System.Collections.Generic.Dictionary dictionary) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public TKey Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - void System.Collections.Generic.ICollection.Add(TKey item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TKey[] array, int index) => throw null; - public int Count { get => throw null; } public System.Collections.Generic.Dictionary.KeyCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public KeyCollection(System.Collections.Generic.Dictionary dictionary) => throw null; bool System.Collections.Generic.ICollection.Remove(TKey item) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - - - public class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public System.Collections.Generic.Dictionary.KeyCollection Keys { get => throw null; } + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } + public virtual void OnDeserialization(object sender) => throw null; + public bool Remove(TKey key) => throw null; + public bool Remove(TKey key, out TValue value) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + void System.Collections.IDictionary.Remove(object key) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } + public void TrimExcess() => throw null; + public void TrimExcess(int capacity) => throw null; + public bool TryAdd(TKey key, TValue value) => throw null; + public bool TryGetValue(TKey key, out TValue value) => throw null; + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + void System.Collections.Generic.ICollection.Add(TValue item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; + public void CopyTo(TValue[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public ValueCollection(System.Collections.Generic.Dictionary dictionary) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public TValue Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - void System.Collections.Generic.ICollection.Add(TValue item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TValue[] array, int index) => throw null; - public int Count { get => throw null; } public System.Collections.Generic.Dictionary.ValueCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -132,86 +159,23 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, Syste bool System.Collections.ICollection.IsSynchronized { get => throw null; } bool System.Collections.Generic.ICollection.Remove(TValue item) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } - public ValueCollection(System.Collections.Generic.Dictionary dictionary) => throw null; } - - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - public void Add(TKey key, TValue value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - public void Clear() => throw null; - public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } - bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - bool System.Collections.IDictionary.Contains(object key) => throw null; - public bool ContainsKey(TKey key) => throw null; - public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; - public int Count { get => throw null; } - public Dictionary() => throw null; - public Dictionary(System.Collections.Generic.IDictionary dictionary) => throw null; - public Dictionary(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public Dictionary(System.Collections.Generic.IEnumerable> collection) => throw null; - public Dictionary(System.Collections.Generic.IEnumerable> collection, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public Dictionary(System.Collections.Generic.IEqualityComparer comparer) => throw null; - protected Dictionary(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Dictionary(int capacity) => throw null; - public Dictionary(int capacity, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public int EnsureCapacity(int capacity) => throw null; - public System.Collections.Generic.Dictionary.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; - System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - bool System.Collections.IDictionary.IsFixedSize { get => throw null; } - bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - bool System.Collections.IDictionary.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public System.Collections.Generic.Dictionary.KeyCollection Keys { get => throw null; } - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - public virtual void OnDeserialization(object sender) => throw null; - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - public bool Remove(TKey key) => throw null; - public bool Remove(TKey key, out TValue value) => throw null; - void System.Collections.IDictionary.Remove(object key) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - public void TrimExcess() => throw null; - public void TrimExcess(int capacity) => throw null; - public bool TryAdd(TKey key, TValue value) => throw null; - public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.Dictionary.ValueCollection Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.Dictionary.ValueCollection Values { get => throw null; } } - public abstract class EqualityComparer : System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer { - public static System.Collections.Generic.EqualityComparer Default { get => throw null; } protected EqualityComparer() => throw null; + public static System.Collections.Generic.EqualityComparer Default { get => throw null; } public abstract bool Equals(T x, T y); bool System.Collections.IEqualityComparer.Equals(object x, object y) => throw null; public abstract int GetHashCode(T obj); int System.Collections.IEqualityComparer.GetHashCode(object obj) => throw null; } - - public class HashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class HashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; public void Clear() => throw null; @@ -222,19 +186,27 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public void CopyTo(T[] array, int arrayIndex, int count) => throw null; public int Count { get => throw null; } public static System.Collections.Generic.IEqualityComparer> CreateSetComparer() => throw null; - public int EnsureCapacity(int capacity) => throw null; - public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public System.Collections.Generic.HashSet.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public HashSet() => throw null; public HashSet(System.Collections.Generic.IEnumerable collection) => throw null; public HashSet(System.Collections.Generic.IEnumerable collection, System.Collections.Generic.IEqualityComparer comparer) => throw null; public HashSet(System.Collections.Generic.IEqualityComparer comparer) => throw null; - protected HashSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public HashSet(int capacity) => throw null; public HashSet(int capacity, System.Collections.Generic.IEqualityComparer comparer) => throw null; + protected HashSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int EnsureCapacity(int capacity) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } + public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; + public System.Collections.Generic.HashSet.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; @@ -251,22 +223,8 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - - public class LinkedList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class LinkedList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public bool MoveNext() => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - void System.Collections.Generic.ICollection.Add(T value) => throw null; public void AddAfter(System.Collections.Generic.LinkedListNode node, System.Collections.Generic.LinkedListNode newNode) => throw null; public System.Collections.Generic.LinkedListNode AddAfter(System.Collections.Generic.LinkedListNode node, T value) => throw null; @@ -278,9 +236,22 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public System.Collections.Generic.LinkedListNode AddLast(T value) => throw null; public void Clear() => throw null; public bool Contains(T value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public LinkedList() => throw null; + public LinkedList(System.Collections.Generic.IEnumerable collection) => throw null; + protected LinkedList(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool MoveNext() => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } public System.Collections.Generic.LinkedListNode Find(T value) => throw null; public System.Collections.Generic.LinkedListNode FindLast(T value) => throw null; public System.Collections.Generic.LinkedListNode First { get => throw null; } @@ -291,9 +262,6 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } public System.Collections.Generic.LinkedListNode Last { get => throw null; } - public LinkedList() => throw null; - public LinkedList(System.Collections.Generic.IEnumerable collection) => throw null; - protected LinkedList(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public virtual void OnDeserialization(object sender) => throw null; public void Remove(System.Collections.Generic.LinkedListNode node) => throw null; public bool Remove(T value) => throw null; @@ -301,58 +269,56 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public void RemoveLast() => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - - public class LinkedListNode + public sealed class LinkedListNode { public LinkedListNode(T value) => throw null; public System.Collections.Generic.LinkedList List { get => throw null; } public System.Collections.Generic.LinkedListNode Next { get => throw null; } public System.Collections.Generic.LinkedListNode Previous { get => throw null; } - public T Value { get => throw null; set => throw null; } + public T Value { get => throw null; set { } } public T ValueRef { get => throw null; } } - - public class List : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public class List : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - public void Add(T item) => throw null; int System.Collections.IList.Add(object item) => throw null; public void AddRange(System.Collections.Generic.IEnumerable collection) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection AsReadOnly() => throw null; + public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; public int BinarySearch(T item) => throw null; public int BinarySearch(T item, System.Collections.Generic.IComparer comparer) => throw null; - public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; - public int Capacity { get => throw null; set => throw null; } + public int Capacity { get => throw null; set { } } public void Clear() => throw null; public bool Contains(T item) => throw null; bool System.Collections.IList.Contains(object item) => throw null; public System.Collections.Generic.List ConvertAll(System.Converter converter) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; public void CopyTo(T[] array) => throw null; public void CopyTo(T[] array, int arrayIndex) => throw null; - public void CopyTo(int index, T[] array, int arrayIndex, int count) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } + public List() => throw null; + public List(System.Collections.Generic.IEnumerable collection) => throw null; + public List(int capacity) => throw null; public int EnsureCapacity(int capacity) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } public bool Exists(System.Predicate match) => throw null; public T Find(System.Predicate match) => throw null; public System.Collections.Generic.List FindAll(System.Predicate match) => throw null; - public int FindIndex(System.Predicate match) => throw null; - public int FindIndex(int startIndex, System.Predicate match) => throw null; public int FindIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindIndex(int startIndex, System.Predicate match) => throw null; + public int FindIndex(System.Predicate match) => throw null; public T FindLast(System.Predicate match) => throw null; - public int FindLastIndex(System.Predicate match) => throw null; - public int FindLastIndex(int startIndex, System.Predicate match) => throw null; public int FindLastIndex(int startIndex, int count, System.Predicate match) => throw null; + public int FindLastIndex(int startIndex, System.Predicate match) => throw null; + public int FindLastIndex(System.Predicate match) => throw null; public void ForEach(System.Action action) => throw null; public System.Collections.Generic.List.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; @@ -369,14 +335,10 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public int LastIndexOf(T item) => throw null; public int LastIndexOf(T item, int index) => throw null; public int LastIndexOf(T item, int index, int count) => throw null; - public List() => throw null; - public List(System.Collections.Generic.IEnumerable collection) => throw null; - public List(int capacity) => throw null; public bool Remove(T item) => throw null; void System.Collections.IList.Remove(object item) => throw null; public int RemoveAll(System.Predicate match) => throw null; @@ -385,171 +347,185 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public void Reverse() => throw null; public void Reverse(int index, int count) => throw null; public void Sort() => throw null; - public void Sort(System.Comparison comparison) => throw null; public void Sort(System.Collections.Generic.IComparer comparer) => throw null; + public void Sort(System.Comparison comparison) => throw null; public void Sort(int index, int count, System.Collections.Generic.IComparer comparer) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } public T[] ToArray() => throw null; public void TrimExcess() => throw null; public bool TrueForAll(System.Predicate match) => throw null; } - public class PriorityQueue { - public class UnorderedItemsCollection : System.Collections.Generic.IEnumerable<(TElement, TPriority)>, System.Collections.Generic.IReadOnlyCollection<(TElement, TPriority)>, System.Collections.ICollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator<(TElement, TPriority)>, System.Collections.IEnumerator, System.IDisposable - { - public (TElement, TPriority) Current { get => throw null; } - (TElement, TPriority) System.Collections.Generic.IEnumerator<(TElement, TPriority)>.Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.PriorityQueue.UnorderedItemsCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator<(TElement, TPriority)> System.Collections.Generic.IEnumerable<(TElement, TPriority)>.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public void Clear() => throw null; public System.Collections.Generic.IComparer Comparer { get => throw null; } public int Count { get => throw null; } + public PriorityQueue() => throw null; + public PriorityQueue(System.Collections.Generic.IComparer comparer) => throw null; + public PriorityQueue(System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)> items) => throw null; + public PriorityQueue(System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)> items, System.Collections.Generic.IComparer comparer) => throw null; + public PriorityQueue(int initialCapacity) => throw null; + public PriorityQueue(int initialCapacity, System.Collections.Generic.IComparer comparer) => throw null; public TElement Dequeue() => throw null; public void Enqueue(TElement element, TPriority priority) => throw null; public TElement EnqueueDequeue(TElement element, TPriority priority) => throw null; - public void EnqueueRange(System.Collections.Generic.IEnumerable<(TElement, TPriority)> items) => throw null; + public void EnqueueRange(System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)> items) => throw null; public void EnqueueRange(System.Collections.Generic.IEnumerable elements, TPriority priority) => throw null; public int EnsureCapacity(int capacity) => throw null; public TElement Peek() => throw null; - public PriorityQueue() => throw null; - public PriorityQueue(System.Collections.Generic.IComparer comparer) => throw null; - public PriorityQueue(System.Collections.Generic.IEnumerable<(TElement, TPriority)> items) => throw null; - public PriorityQueue(System.Collections.Generic.IEnumerable<(TElement, TPriority)> items, System.Collections.Generic.IComparer comparer) => throw null; - public PriorityQueue(int initialCapacity) => throw null; - public PriorityQueue(int initialCapacity, System.Collections.Generic.IComparer comparer) => throw null; public void TrimExcess() => throw null; public bool TryDequeue(out TElement element, out TPriority priority) => throw null; public bool TryPeek(out TElement element, out TPriority priority) => throw null; public System.Collections.Generic.PriorityQueue.UnorderedItemsCollection UnorderedItems { get => throw null; } + public sealed class UnorderedItemsCollection : System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection<(TElement Element, TPriority Priority)>, System.Collections.ICollection + { + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)>, System.Collections.IEnumerator, System.IDisposable + { + (TElement Element, TPriority Priority) System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)>.Current { get => throw null; } + public (TElement Element, TPriority Priority) Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } + public System.Collections.Generic.PriorityQueue.UnorderedItemsCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)> System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)>.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + } } - - public class Queue : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class Queue : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + public void Clear() => throw null; + public bool Contains(T item) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public Queue() => throw null; + public Queue(System.Collections.Generic.IEnumerable collection) => throw null; + public Queue(int capacity) => throw null; + public T Dequeue() => throw null; + public void Enqueue(T item) => throw null; + public int EnsureCapacity(int capacity) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public void Clear() => throw null; - public bool Contains(T item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public T Dequeue() => throw null; - public void Enqueue(T item) => throw null; - public int EnsureCapacity(int capacity) => throw null; public System.Collections.Generic.Queue.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } public T Peek() => throw null; - public Queue() => throw null; - public Queue(System.Collections.Generic.IEnumerable collection) => throw null; - public Queue(int capacity) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } public T[] ToArray() => throw null; public void TrimExcess() => throw null; public bool TryDequeue(out T result) => throw null; public bool TryPeek(out T result) => throw null; } - - public class ReferenceEqualityComparer : System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer + public sealed class ReferenceEqualityComparer : System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer { public bool Equals(object x, object y) => throw null; public int GetHashCode(object obj) => throw null; public static System.Collections.Generic.ReferenceEqualityComparer Instance { get => throw null; } } - - public class SortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public class SortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary { - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IDictionaryEnumerator, System.Collections.IEnumerator, System.IDisposable + public void Add(TKey key, TValue value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + public void Clear() => throw null; + public System.Collections.Generic.IComparer Comparer { get => throw null; } + bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + bool System.Collections.IDictionary.Contains(object key) => throw null; + public bool ContainsKey(TKey key) => throw null; + public bool ContainsValue(TValue value) => throw null; + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public SortedDictionary() => throw null; + public SortedDictionary(System.Collections.Generic.IComparer comparer) => throw null; + public SortedDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; + public SortedDictionary(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IComparer comparer) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable, System.Collections.IDictionaryEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; System.Collections.DictionaryEntry System.Collections.IDictionaryEnumerator.Entry { get => throw null; } - // Stub generator skipped constructor object System.Collections.IDictionaryEnumerator.Key { get => throw null; } public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; object System.Collections.IDictionaryEnumerator.Value { get => throw null; } } - - - public class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public System.Collections.Generic.SortedDictionary.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.IDictionary.IsFixedSize { get => throw null; } + bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } + bool System.Collections.IDictionary.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + void System.Collections.Generic.ICollection.Add(TKey item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; + public void CopyTo(TKey[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public KeyCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public TKey Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - void System.Collections.Generic.ICollection.Add(TKey item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TKey[] array, int index) => throw null; - public int Count { get => throw null; } public System.Collections.Generic.SortedDictionary.KeyCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public KeyCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; bool System.Collections.Generic.ICollection.Remove(TKey item) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - - - public class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public System.Collections.Generic.SortedDictionary.KeyCollection Keys { get => throw null; } + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } + public bool Remove(TKey key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; + void System.Collections.IDictionary.Remove(object key) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } + public bool TryGetValue(TKey key, out TValue value) => throw null; + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + void System.Collections.Generic.ICollection.Add(TValue item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; + public void CopyTo(TValue[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public ValueCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public TValue Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - void System.Collections.Generic.ICollection.Add(TValue item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TValue[] array, int index) => throw null; - public int Count { get => throw null; } public System.Collections.Generic.SortedDictionary.ValueCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -557,66 +533,33 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, Syste bool System.Collections.ICollection.IsSynchronized { get => throw null; } bool System.Collections.Generic.ICollection.Remove(TValue item) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } - public ValueCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; } - - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - public void Add(TKey key, TValue value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - public void Clear() => throw null; - public System.Collections.Generic.IComparer Comparer { get => throw null; } - bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - bool System.Collections.IDictionary.Contains(object key) => throw null; - public bool ContainsKey(TKey key) => throw null; - public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.SortedDictionary.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; - System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - bool System.Collections.IDictionary.IsFixedSize { get => throw null; } - bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - bool System.Collections.IDictionary.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public System.Collections.Generic.SortedDictionary.KeyCollection Keys { get => throw null; } - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; - public bool Remove(TKey key) => throw null; - void System.Collections.IDictionary.Remove(object key) => throw null; - public SortedDictionary() => throw null; - public SortedDictionary(System.Collections.Generic.IComparer comparer) => throw null; - public SortedDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; - public SortedDictionary(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IComparer comparer) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.SortedDictionary.ValueCollection Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.SortedDictionary.ValueCollection Values { get => throw null; } } - - public class SortedList : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable + public class SortedList : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary { - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public void Add(TKey key, TValue value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; void System.Collections.IDictionary.Add(object key, object value) => throw null; - public int Capacity { get => throw null; set => throw null; } + public int Capacity { get => throw null; set { } } public void Clear() => throw null; public System.Collections.Generic.IComparer Comparer { get => throw null; } bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; bool System.Collections.IDictionary.Contains(object key) => throw null; public bool ContainsKey(TKey key) => throw null; public bool ContainsValue(TValue value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public SortedList() => throw null; + public SortedList(System.Collections.Generic.IComparer comparer) => throw null; + public SortedList(System.Collections.Generic.IDictionary dictionary) => throw null; + public SortedList(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IComparer comparer) => throw null; + public SortedList(int capacity) => throw null; + public SortedList(int capacity, System.Collections.Generic.IComparer comparer) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; @@ -629,59 +572,54 @@ public class SortedList : System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } public System.Collections.Generic.IList Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public bool Remove(TKey key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; void System.Collections.IDictionary.Remove(object key) => throw null; public void RemoveAt(int index) => throw null; public void SetValueAtIndex(int index, TValue value) => throw null; - public SortedList() => throw null; - public SortedList(System.Collections.Generic.IComparer comparer) => throw null; - public SortedList(System.Collections.Generic.IDictionary dictionary) => throw null; - public SortedList(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IComparer comparer) => throw null; - public SortedList(int capacity) => throw null; - public SortedList(int capacity, System.Collections.Generic.IComparer comparer) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } public void TrimExcess() => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.IList Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.Generic.IList Values { get => throw null; } } - - public class SortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet, System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class SortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public bool MoveNext() => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; public virtual void Clear() => throw null; public System.Collections.Generic.IComparer Comparer { get => throw null; } public virtual bool Contains(T item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array) => throw null; public void CopyTo(T[] array, int index) => throw null; public void CopyTo(T[] array, int index, int count) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public static System.Collections.Generic.IEqualityComparer> CreateSetComparer() => throw null; public static System.Collections.Generic.IEqualityComparer> CreateSetComparer(System.Collections.Generic.IEqualityComparer memberEqualityComparer) => throw null; + public SortedSet() => throw null; + public SortedSet(System.Collections.Generic.IComparer comparer) => throw null; + public SortedSet(System.Collections.Generic.IEnumerable collection) => throw null; + public SortedSet(System.Collections.Generic.IEnumerable collection, System.Collections.Generic.IComparer comparer) => throw null; + protected SortedSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool MoveNext() => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Generic.SortedSet.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; @@ -705,36 +643,30 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public int RemoveWhere(System.Predicate match) => throw null; public System.Collections.Generic.IEnumerable Reverse() => throw null; public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; - public SortedSet() => throw null; - public SortedSet(System.Collections.Generic.IComparer comparer) => throw null; - public SortedSet(System.Collections.Generic.IEnumerable collection) => throw null; - public SortedSet(System.Collections.Generic.IEnumerable collection, System.Collections.Generic.IComparer comparer) => throw null; - protected SortedSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - - public class Stack : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class Stack : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { + public void Clear() => throw null; + public bool Contains(T item) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public Stack() => throw null; + public Stack(System.Collections.Generic.IEnumerable collection) => throw null; + public Stack(int capacity) => throw null; + public int EnsureCapacity(int capacity) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public void Clear() => throw null; - public bool Contains(T item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public int EnsureCapacity(int capacity) => throw null; public System.Collections.Generic.Stack.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -742,16 +674,17 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public T Peek() => throw null; public T Pop() => throw null; public void Push(T item) => throw null; - public Stack() => throw null; - public Stack(System.Collections.Generic.IEnumerable collection) => throw null; - public Stack(int capacity) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } public T[] ToArray() => throw null; public void TrimExcess() => throw null; public bool TryPeek(out T result) => throw null; public bool TryPop(out T result) => throw null; } - + } + public static class StructuralComparisons + { + public static System.Collections.IComparer StructuralComparer { get => throw null; } + public static System.Collections.IEqualityComparer StructuralEqualityComparer { get => throw null; } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Annotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Annotations.cs index e9d1bd902c57..d294faed5b11 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Annotations.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Annotations.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.ComponentModel.Annotations, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace ComponentModel @@ -13,18 +12,16 @@ public class AssociatedMetadataTypeTypeDescriptionProvider : System.ComponentMod public AssociatedMetadataTypeTypeDescriptionProvider(System.Type type, System.Type associatedMetadataType) => throw null; public override System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(System.Type objectType, object instance) => throw null; } - - public class AssociationAttribute : System.Attribute + public sealed class AssociationAttribute : System.Attribute { public AssociationAttribute(string name, string thisKey, string otherKey) => throw null; - public bool IsForeignKey { get => throw null; set => throw null; } + public bool IsForeignKey { get => throw null; set { } } public string Name { get => throw null; } public string OtherKey { get => throw null; } public System.Collections.Generic.IEnumerable OtherKeyMembers { get => throw null; } public string ThisKey { get => throw null; } public System.Collections.Generic.IEnumerable ThisKeyMembers { get => throw null; } } - public class CompareAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { public CompareAttribute(string otherProperty) => throw null; @@ -34,19 +31,16 @@ public class CompareAttribute : System.ComponentModel.DataAnnotations.Validation public string OtherPropertyDisplayName { get => throw null; } public override bool RequiresValidationContext { get => throw null; } } - - public class ConcurrencyCheckAttribute : System.Attribute + public sealed class ConcurrencyCheckAttribute : System.Attribute { public ConcurrencyCheckAttribute() => throw null; } - - public class CreditCardAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class CreditCardAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { public CreditCardAttribute() : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; public override bool IsValid(object value) => throw null; } - - public class CustomValidationAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute + public sealed class CustomValidationAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { public CustomValidationAttribute(System.Type validatorType, string method) => throw null; public override string FormatErrorMessage(string name) => throw null; @@ -54,45 +48,42 @@ public class CustomValidationAttribute : System.ComponentModel.DataAnnotations.V public string Method { get => throw null; } public System.Type ValidatorType { get => throw null; } } - - public enum DataType : int + public enum DataType { - CreditCard = 14, - Currency = 6, Custom = 0, - Date = 2, DateTime = 1, + Date = 2, + Time = 3, Duration = 4, - EmailAddress = 10, + PhoneNumber = 5, + Currency = 6, + Text = 7, Html = 8, - ImageUrl = 13, MultilineText = 9, + EmailAddress = 10, Password = 11, - PhoneNumber = 5, + Url = 12, + ImageUrl = 13, + CreditCard = 14, PostalCode = 15, - Text = 7, - Time = 3, Upload = 16, - Url = 12, } - public class DataTypeAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { - public string CustomDataType { get => throw null; } - public System.ComponentModel.DataAnnotations.DataType DataType { get => throw null; } public DataTypeAttribute(System.ComponentModel.DataAnnotations.DataType dataType) => throw null; public DataTypeAttribute(string customDataType) => throw null; - public System.ComponentModel.DataAnnotations.DisplayFormatAttribute DisplayFormat { get => throw null; set => throw null; } + public string CustomDataType { get => throw null; } + public System.ComponentModel.DataAnnotations.DataType DataType { get => throw null; } + public System.ComponentModel.DataAnnotations.DisplayFormatAttribute DisplayFormat { get => throw null; set { } } public virtual string GetDataTypeName() => throw null; public override bool IsValid(object value) => throw null; } - - public class DisplayAttribute : System.Attribute + public sealed class DisplayAttribute : System.Attribute { - public bool AutoGenerateField { get => throw null; set => throw null; } - public bool AutoGenerateFilter { get => throw null; set => throw null; } - public string Description { get => throw null; set => throw null; } + public bool AutoGenerateField { get => throw null; set { } } + public bool AutoGenerateFilter { get => throw null; set { } } public DisplayAttribute() => throw null; + public string Description { get => throw null; set { } } public bool? GetAutoGenerateField() => throw null; public bool? GetAutoGenerateFilter() => throw null; public string GetDescription() => throw null; @@ -101,189 +92,216 @@ public class DisplayAttribute : System.Attribute public int? GetOrder() => throw null; public string GetPrompt() => throw null; public string GetShortName() => throw null; - public string GroupName { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public string Prompt { get => throw null; set => throw null; } - public System.Type ResourceType { get => throw null; set => throw null; } - public string ShortName { get => throw null; set => throw null; } - } - + public string GroupName { get => throw null; set { } } + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } + public string Prompt { get => throw null; set { } } + public System.Type ResourceType { get => throw null; set { } } + public string ShortName { get => throw null; set { } } + } public class DisplayColumnAttribute : System.Attribute { - public string DisplayColumn { get => throw null; } public DisplayColumnAttribute(string displayColumn) => throw null; public DisplayColumnAttribute(string displayColumn, string sortColumn) => throw null; public DisplayColumnAttribute(string displayColumn, string sortColumn, bool sortDescending) => throw null; + public string DisplayColumn { get => throw null; } public string SortColumn { get => throw null; } public bool SortDescending { get => throw null; } } - public class DisplayFormatAttribute : System.Attribute { - public bool ApplyFormatInEditMode { get => throw null; set => throw null; } - public bool ConvertEmptyStringToNull { get => throw null; set => throw null; } - public string DataFormatString { get => throw null; set => throw null; } + public bool ApplyFormatInEditMode { get => throw null; set { } } + public bool ConvertEmptyStringToNull { get => throw null; set { } } public DisplayFormatAttribute() => throw null; + public string DataFormatString { get => throw null; set { } } public string GetNullDisplayText() => throw null; - public bool HtmlEncode { get => throw null; set => throw null; } - public string NullDisplayText { get => throw null; set => throw null; } - public System.Type NullDisplayTextResourceType { get => throw null; set => throw null; } + public bool HtmlEncode { get => throw null; set { } } + public string NullDisplayText { get => throw null; set { } } + public System.Type NullDisplayTextResourceType { get => throw null; set { } } } - - public class EditableAttribute : System.Attribute + public sealed class EditableAttribute : System.Attribute { public bool AllowEdit { get => throw null; } - public bool AllowInitialValue { get => throw null; set => throw null; } + public bool AllowInitialValue { get => throw null; set { } } public EditableAttribute(bool allowEdit) => throw null; } - - public class EmailAddressAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class EmailAddressAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { public EmailAddressAttribute() : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; public override bool IsValid(object value) => throw null; } - - public class EnumDataTypeAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class EnumDataTypeAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { public EnumDataTypeAttribute(System.Type enumType) : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; public System.Type EnumType { get => throw null; } public override bool IsValid(object value) => throw null; } - - public class FileExtensionsAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class FileExtensionsAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { - public string Extensions { get => throw null; set => throw null; } public FileExtensionsAttribute() : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; + public string Extensions { get => throw null; set { } } public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; } - - public class FilterUIHintAttribute : System.Attribute + public sealed class FilterUIHintAttribute : System.Attribute { public System.Collections.Generic.IDictionary ControlParameters { get => throw null; } - public override bool Equals(object obj) => throw null; - public string FilterUIHint { get => throw null; } public FilterUIHintAttribute(string filterUIHint) => throw null; public FilterUIHintAttribute(string filterUIHint, string presentationLayer) => throw null; public FilterUIHintAttribute(string filterUIHint, string presentationLayer, params object[] controlParameters) => throw null; + public override bool Equals(object obj) => throw null; + public string FilterUIHint { get => throw null; } public override int GetHashCode() => throw null; public string PresentationLayer { get => throw null; } } - public interface IValidatableObject { System.Collections.Generic.IEnumerable Validate(System.ComponentModel.DataAnnotations.ValidationContext validationContext); } - - public class KeyAttribute : System.Attribute + public sealed class KeyAttribute : System.Attribute { public KeyAttribute() => throw null; } - public class MaxLengthAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { + public MaxLengthAttribute() => throw null; + public MaxLengthAttribute(int length) => throw null; public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; public int Length { get => throw null; } - public MaxLengthAttribute() => throw null; - public MaxLengthAttribute(int length) => throw null; } - - public class MetadataTypeAttribute : System.Attribute + public sealed class MetadataTypeAttribute : System.Attribute { - public System.Type MetadataClassType { get => throw null; } public MetadataTypeAttribute(System.Type metadataClassType) => throw null; + public System.Type MetadataClassType { get => throw null; } } - public class MinLengthAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { + public MinLengthAttribute(int length) => throw null; public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; public int Length { get => throw null; } - public MinLengthAttribute(int length) => throw null; } - - public class PhoneAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class PhoneAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { - public override bool IsValid(object value) => throw null; public PhoneAttribute() : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; + public override bool IsValid(object value) => throw null; } - public class RangeAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { - public bool ConvertValueInInvariantCulture { get => throw null; set => throw null; } + public bool ConvertValueInInvariantCulture { get => throw null; set { } } + public RangeAttribute(double minimum, double maximum) => throw null; + public RangeAttribute(int minimum, int maximum) => throw null; + public RangeAttribute(System.Type type, string minimum, string maximum) => throw null; public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; public object Maximum { get => throw null; } public object Minimum { get => throw null; } public System.Type OperandType { get => throw null; } - public bool ParseLimitsInInvariantCulture { get => throw null; set => throw null; } - public RangeAttribute(System.Type type, string minimum, string maximum) => throw null; - public RangeAttribute(double minimum, double maximum) => throw null; - public RangeAttribute(int minimum, int maximum) => throw null; + public bool ParseLimitsInInvariantCulture { get => throw null; set { } } } - public class RegularExpressionAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { + public RegularExpressionAttribute(string pattern) => throw null; public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; public System.TimeSpan MatchTimeout { get => throw null; } - public int MatchTimeoutInMilliseconds { get => throw null; set => throw null; } + public int MatchTimeoutInMilliseconds { get => throw null; set { } } public string Pattern { get => throw null; } - public RegularExpressionAttribute(string pattern) => throw null; } - public class RequiredAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { - public bool AllowEmptyStrings { get => throw null; set => throw null; } - public override bool IsValid(object value) => throw null; + public bool AllowEmptyStrings { get => throw null; set { } } public RequiredAttribute() => throw null; + public override bool IsValid(object value) => throw null; } - public class ScaffoldColumnAttribute : System.Attribute { - public bool Scaffold { get => throw null; } public ScaffoldColumnAttribute(bool scaffold) => throw null; + public bool Scaffold { get => throw null; } + } + namespace Schema + { + public class ColumnAttribute : System.Attribute + { + public ColumnAttribute() => throw null; + public ColumnAttribute(string name) => throw null; + public string Name { get => throw null; } + public int Order { get => throw null; set { } } + public string TypeName { get => throw null; set { } } + } + public class ComplexTypeAttribute : System.Attribute + { + public ComplexTypeAttribute() => throw null; + } + public class DatabaseGeneratedAttribute : System.Attribute + { + public DatabaseGeneratedAttribute(System.ComponentModel.DataAnnotations.Schema.DatabaseGeneratedOption databaseGeneratedOption) => throw null; + public System.ComponentModel.DataAnnotations.Schema.DatabaseGeneratedOption DatabaseGeneratedOption { get => throw null; } + } + public enum DatabaseGeneratedOption + { + None = 0, + Identity = 1, + Computed = 2, + } + public class ForeignKeyAttribute : System.Attribute + { + public ForeignKeyAttribute(string name) => throw null; + public string Name { get => throw null; } + } + public class InversePropertyAttribute : System.Attribute + { + public InversePropertyAttribute(string property) => throw null; + public string Property { get => throw null; } + } + public class NotMappedAttribute : System.Attribute + { + public NotMappedAttribute() => throw null; + } + public class TableAttribute : System.Attribute + { + public TableAttribute(string name) => throw null; + public string Name { get => throw null; } + public string Schema { get => throw null; set { } } + } } - public class StringLengthAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { + public StringLengthAttribute(int maximumLength) => throw null; public override string FormatErrorMessage(string name) => throw null; public override bool IsValid(object value) => throw null; public int MaximumLength { get => throw null; } - public int MinimumLength { get => throw null; set => throw null; } - public StringLengthAttribute(int maximumLength) => throw null; + public int MinimumLength { get => throw null; set { } } } - - public class TimestampAttribute : System.Attribute + public sealed class TimestampAttribute : System.Attribute { public TimestampAttribute() => throw null; } - public class UIHintAttribute : System.Attribute { public System.Collections.Generic.IDictionary ControlParameters { get => throw null; } + public UIHintAttribute(string uiHint) => throw null; + public UIHintAttribute(string uiHint, string presentationLayer) => throw null; + public UIHintAttribute(string uiHint, string presentationLayer, params object[] controlParameters) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string PresentationLayer { get => throw null; } public string UIHint { get => throw null; } - public UIHintAttribute(string uiHint) => throw null; - public UIHintAttribute(string uiHint, string presentationLayer) => throw null; - public UIHintAttribute(string uiHint, string presentationLayer, params object[] controlParameters) => throw null; } - - public class UrlAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute + public sealed class UrlAttribute : System.ComponentModel.DataAnnotations.DataTypeAttribute { - public override bool IsValid(object value) => throw null; public UrlAttribute() : base(default(System.ComponentModel.DataAnnotations.DataType)) => throw null; + public override bool IsValid(object value) => throw null; } - public abstract class ValidationAttribute : System.Attribute { - public string ErrorMessage { get => throw null; set => throw null; } - public string ErrorMessageResourceName { get => throw null; set => throw null; } - public System.Type ErrorMessageResourceType { get => throw null; set => throw null; } + protected ValidationAttribute() => throw null; + protected ValidationAttribute(System.Func errorMessageAccessor) => throw null; + protected ValidationAttribute(string errorMessage) => throw null; + public string ErrorMessage { get => throw null; set { } } + public string ErrorMessageResourceName { get => throw null; set { } } + public System.Type ErrorMessageResourceType { get => throw null; set { } } protected string ErrorMessageString { get => throw null; } public virtual string FormatErrorMessage(string name) => throw null; public System.ComponentModel.DataAnnotations.ValidationResult GetValidationResult(object value, System.ComponentModel.DataAnnotations.ValidationContext validationContext) => throw null; @@ -292,49 +310,42 @@ public abstract class ValidationAttribute : System.Attribute public virtual bool RequiresValidationContext { get => throw null; } public void Validate(object value, System.ComponentModel.DataAnnotations.ValidationContext validationContext) => throw null; public void Validate(object value, string name) => throw null; - protected ValidationAttribute() => throw null; - protected ValidationAttribute(System.Func errorMessageAccessor) => throw null; - protected ValidationAttribute(string errorMessage) => throw null; } - - public class ValidationContext : System.IServiceProvider + public sealed class ValidationContext : System.IServiceProvider { - public string DisplayName { get => throw null; set => throw null; } + public ValidationContext(object instance) => throw null; + public ValidationContext(object instance, System.Collections.Generic.IDictionary items) => throw null; + public ValidationContext(object instance, System.IServiceProvider serviceProvider, System.Collections.Generic.IDictionary items) => throw null; + public string DisplayName { get => throw null; set { } } public object GetService(System.Type serviceType) => throw null; public void InitializeServiceProvider(System.Func serviceProvider) => throw null; public System.Collections.Generic.IDictionary Items { get => throw null; } - public string MemberName { get => throw null; set => throw null; } + public string MemberName { get => throw null; set { } } public object ObjectInstance { get => throw null; } public System.Type ObjectType { get => throw null; } - public ValidationContext(object instance) => throw null; - public ValidationContext(object instance, System.Collections.Generic.IDictionary items) => throw null; - public ValidationContext(object instance, System.IServiceProvider serviceProvider, System.Collections.Generic.IDictionary items) => throw null; } - public class ValidationException : System.Exception { - public System.ComponentModel.DataAnnotations.ValidationAttribute ValidationAttribute { get => throw null; } public ValidationException() => throw null; - protected ValidationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ValidationException(System.ComponentModel.DataAnnotations.ValidationResult validationResult, System.ComponentModel.DataAnnotations.ValidationAttribute validatingAttribute, object value) => throw null; + protected ValidationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ValidationException(string message) => throw null; - public ValidationException(string message, System.Exception innerException) => throw null; public ValidationException(string errorMessage, System.ComponentModel.DataAnnotations.ValidationAttribute validatingAttribute, object value) => throw null; + public ValidationException(string message, System.Exception innerException) => throw null; + public System.ComponentModel.DataAnnotations.ValidationAttribute ValidationAttribute { get => throw null; } public System.ComponentModel.DataAnnotations.ValidationResult ValidationResult { get => throw null; } public object Value { get => throw null; } } - public class ValidationResult { - public string ErrorMessage { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable MemberNames { get => throw null; } - public static System.ComponentModel.DataAnnotations.ValidationResult Success; - public override string ToString() => throw null; protected ValidationResult(System.ComponentModel.DataAnnotations.ValidationResult validationResult) => throw null; public ValidationResult(string errorMessage) => throw null; public ValidationResult(string errorMessage, System.Collections.Generic.IEnumerable memberNames) => throw null; + public string ErrorMessage { get => throw null; set { } } + public System.Collections.Generic.IEnumerable MemberNames { get => throw null; } + public static System.ComponentModel.DataAnnotations.ValidationResult Success; + public override string ToString() => throw null; } - public static class Validator { public static bool TryValidateObject(object instance, System.ComponentModel.DataAnnotations.ValidationContext validationContext, System.Collections.Generic.ICollection validationResults) => throw null; @@ -346,61 +357,6 @@ public static class Validator public static void ValidateProperty(object value, System.ComponentModel.DataAnnotations.ValidationContext validationContext) => throw null; public static void ValidateValue(object value, System.ComponentModel.DataAnnotations.ValidationContext validationContext, System.Collections.Generic.IEnumerable validationAttributes) => throw null; } - - namespace Schema - { - public class ColumnAttribute : System.Attribute - { - public ColumnAttribute() => throw null; - public ColumnAttribute(string name) => throw null; - public string Name { get => throw null; } - public int Order { get => throw null; set => throw null; } - public string TypeName { get => throw null; set => throw null; } - } - - public class ComplexTypeAttribute : System.Attribute - { - public ComplexTypeAttribute() => throw null; - } - - public class DatabaseGeneratedAttribute : System.Attribute - { - public DatabaseGeneratedAttribute(System.ComponentModel.DataAnnotations.Schema.DatabaseGeneratedOption databaseGeneratedOption) => throw null; - public System.ComponentModel.DataAnnotations.Schema.DatabaseGeneratedOption DatabaseGeneratedOption { get => throw null; } - } - - public enum DatabaseGeneratedOption : int - { - Computed = 2, - Identity = 1, - None = 0, - } - - public class ForeignKeyAttribute : System.Attribute - { - public ForeignKeyAttribute(string name) => throw null; - public string Name { get => throw null; } - } - - public class InversePropertyAttribute : System.Attribute - { - public InversePropertyAttribute(string property) => throw null; - public string Property { get => throw null; } - } - - public class NotMappedAttribute : System.Attribute - { - public NotMappedAttribute() => throw null; - } - - public class TableAttribute : System.Attribute - { - public string Name { get => throw null; } - public string Schema { get => throw null; set => throw null; } - public TableAttribute(string name) => throw null; - } - - } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs new file mode 100644 index 000000000000..11c944b602be --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.ComponentModel.DataAnnotations, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs index a1532ad632c2..6baaea7207ec 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs @@ -1,84 +1,71 @@ // This file contains auto-generated code. // Generated from `System.ComponentModel.EventBasedAsync, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace ComponentModel { public class AsyncCompletedEventArgs : System.EventArgs { - public AsyncCompletedEventArgs(System.Exception error, bool cancelled, object userState) => throw null; public bool Cancelled { get => throw null; } + public AsyncCompletedEventArgs(System.Exception error, bool cancelled, object userState) => throw null; public System.Exception Error { get => throw null; } protected void RaiseExceptionIfNecessary() => throw null; public object UserState { get => throw null; } } - public delegate void AsyncCompletedEventHandler(object sender, System.ComponentModel.AsyncCompletedEventArgs e); - - public class AsyncOperation + public sealed class AsyncOperation { public void OperationCompleted() => throw null; public void Post(System.Threading.SendOrPostCallback d, object arg) => throw null; public void PostOperationCompleted(System.Threading.SendOrPostCallback d, object arg) => throw null; public System.Threading.SynchronizationContext SynchronizationContext { get => throw null; } public object UserSuppliedState { get => throw null; } - // ERR: Stub generator didn't handle member: ~AsyncOperation } - public static class AsyncOperationManager { public static System.ComponentModel.AsyncOperation CreateOperation(object userSuppliedState) => throw null; - public static System.Threading.SynchronizationContext SynchronizationContext { get => throw null; set => throw null; } + public static System.Threading.SynchronizationContext SynchronizationContext { get => throw null; set { } } } - public class BackgroundWorker : System.ComponentModel.Component { - public BackgroundWorker() => throw null; public void CancelAsync() => throw null; public bool CancellationPending { get => throw null; } + public BackgroundWorker() => throw null; protected override void Dispose(bool disposing) => throw null; - public event System.ComponentModel.DoWorkEventHandler DoWork; + public event System.ComponentModel.DoWorkEventHandler DoWork { add { } remove { } } public bool IsBusy { get => throw null; } protected virtual void OnDoWork(System.ComponentModel.DoWorkEventArgs e) => throw null; protected virtual void OnProgressChanged(System.ComponentModel.ProgressChangedEventArgs e) => throw null; protected virtual void OnRunWorkerCompleted(System.ComponentModel.RunWorkerCompletedEventArgs e) => throw null; - public event System.ComponentModel.ProgressChangedEventHandler ProgressChanged; + public event System.ComponentModel.ProgressChangedEventHandler ProgressChanged { add { } remove { } } public void ReportProgress(int percentProgress) => throw null; public void ReportProgress(int percentProgress, object userState) => throw null; public void RunWorkerAsync() => throw null; public void RunWorkerAsync(object argument) => throw null; - public event System.ComponentModel.RunWorkerCompletedEventHandler RunWorkerCompleted; - public bool WorkerReportsProgress { get => throw null; set => throw null; } - public bool WorkerSupportsCancellation { get => throw null; set => throw null; } + public event System.ComponentModel.RunWorkerCompletedEventHandler RunWorkerCompleted { add { } remove { } } + public bool WorkerReportsProgress { get => throw null; set { } } + public bool WorkerSupportsCancellation { get => throw null; set { } } } - public class DoWorkEventArgs : System.ComponentModel.CancelEventArgs { public object Argument { get => throw null; } public DoWorkEventArgs(object argument) => throw null; - public object Result { get => throw null; set => throw null; } + public object Result { get => throw null; set { } } } - public delegate void DoWorkEventHandler(object sender, System.ComponentModel.DoWorkEventArgs e); - public class ProgressChangedEventArgs : System.EventArgs { public ProgressChangedEventArgs(int progressPercentage, object userState) => throw null; public int ProgressPercentage { get => throw null; } public object UserState { get => throw null; } } - public delegate void ProgressChangedEventHandler(object sender, System.ComponentModel.ProgressChangedEventArgs e); - public class RunWorkerCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - public object Result { get => throw null; } public RunWorkerCompletedEventArgs(object result, System.Exception error, bool cancelled) : base(default(System.Exception), default(bool), default(object)) => throw null; + public object Result { get => throw null; } public object UserState { get => throw null; } } - public delegate void RunWorkerCompletedEventHandler(object sender, System.ComponentModel.RunWorkerCompletedEventArgs e); - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs index be80b38c754e..b4c6afc5d774 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs @@ -1,11 +1,10 @@ // This file contains auto-generated code. // Generated from `System.ComponentModel.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace ComponentModel { - public class BrowsableAttribute : System.Attribute + public sealed class BrowsableAttribute : System.Attribute { public bool Browsable { get => throw null; } public BrowsableAttribute(bool browsable) => throw null; @@ -16,7 +15,6 @@ public class BrowsableAttribute : System.Attribute public static System.ComponentModel.BrowsableAttribute No; public static System.ComponentModel.BrowsableAttribute Yes; } - public class CategoryAttribute : System.Attribute { public static System.ComponentModel.CategoryAttribute Action { get => throw null; } @@ -41,76 +39,73 @@ public class CategoryAttribute : System.Attribute public static System.ComponentModel.CategoryAttribute Mouse { get => throw null; } public static System.ComponentModel.CategoryAttribute WindowStyle { get => throw null; } } - public class Component : System.MarshalByRefObject, System.ComponentModel.IComponent, System.IDisposable { protected virtual bool CanRaiseEvents { get => throw null; } - public Component() => throw null; public System.ComponentModel.IContainer Container { get => throw null; } + public Component() => throw null; protected bool DesignMode { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler Disposed; + public event System.EventHandler Disposed { add { } remove { } } protected System.ComponentModel.EventHandlerList Events { get => throw null; } protected virtual object GetService(System.Type service) => throw null; - public virtual System.ComponentModel.ISite Site { get => throw null; set => throw null; } + public virtual System.ComponentModel.ISite Site { get => throw null; set { } } public override string ToString() => throw null; - // ERR: Stub generator didn't handle member: ~Component } - public class ComponentCollection : System.Collections.ReadOnlyCollectionBase { - public ComponentCollection(System.ComponentModel.IComponent[] components) => throw null; public void CopyTo(System.ComponentModel.IComponent[] array, int index) => throw null; + public ComponentCollection(System.ComponentModel.IComponent[] components) => throw null; public virtual System.ComponentModel.IComponent this[int index] { get => throw null; } public virtual System.ComponentModel.IComponent this[string name] { get => throw null; } } - public class DescriptionAttribute : System.Attribute { - public static System.ComponentModel.DescriptionAttribute Default; - public virtual string Description { get => throw null; } public DescriptionAttribute() => throw null; public DescriptionAttribute(string description) => throw null; - protected string DescriptionValue { get => throw null; set => throw null; } + public static System.ComponentModel.DescriptionAttribute Default; + public virtual string Description { get => throw null; } + protected string DescriptionValue { get => throw null; set { } } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; } - - public class DesignOnlyAttribute : System.Attribute + namespace Design { - public static System.ComponentModel.DesignOnlyAttribute Default; - public DesignOnlyAttribute(bool isDesignOnly) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public bool IsDesignOnly { get => throw null; } - public static System.ComponentModel.DesignOnlyAttribute No; - public static System.ComponentModel.DesignOnlyAttribute Yes; + namespace Serialization + { + public sealed class DesignerSerializerAttribute : System.Attribute + { + public DesignerSerializerAttribute(string serializerTypeName, string baseSerializerTypeName) => throw null; + public DesignerSerializerAttribute(string serializerTypeName, System.Type baseSerializerType) => throw null; + public DesignerSerializerAttribute(System.Type serializerType, System.Type baseSerializerType) => throw null; + public string SerializerBaseTypeName { get => throw null; } + public string SerializerTypeName { get => throw null; } + public override object TypeId { get => throw null; } + } + } } - - public class DesignerAttribute : System.Attribute + public sealed class DesignerAttribute : System.Attribute { - public DesignerAttribute(System.Type designerType) => throw null; - public DesignerAttribute(System.Type designerType, System.Type designerBaseType) => throw null; public DesignerAttribute(string designerTypeName) => throw null; - public DesignerAttribute(string designerTypeName, System.Type designerBaseType) => throw null; public DesignerAttribute(string designerTypeName, string designerBaseTypeName) => throw null; + public DesignerAttribute(string designerTypeName, System.Type designerBaseType) => throw null; + public DesignerAttribute(System.Type designerType) => throw null; + public DesignerAttribute(System.Type designerType, System.Type designerBaseType) => throw null; public string DesignerBaseTypeName { get => throw null; } public string DesignerTypeName { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override object TypeId { get => throw null; } } - - public class DesignerCategoryAttribute : System.Attribute + public sealed class DesignerCategoryAttribute : System.Attribute { public string Category { get => throw null; } public static System.ComponentModel.DesignerCategoryAttribute Component; - public static System.ComponentModel.DesignerCategoryAttribute Default; public DesignerCategoryAttribute() => throw null; public DesignerCategoryAttribute(string category) => throw null; + public static System.ComponentModel.DesignerCategoryAttribute Default; public override bool Equals(object obj) => throw null; public static System.ComponentModel.DesignerCategoryAttribute Form; public static System.ComponentModel.DesignerCategoryAttribute Generic; @@ -118,19 +113,17 @@ public class DesignerCategoryAttribute : System.Attribute public override bool IsDefaultAttribute() => throw null; public override object TypeId { get => throw null; } } - - public enum DesignerSerializationVisibility : int + public enum DesignerSerializationVisibility { - Content = 2, Hidden = 0, Visible = 1, + Content = 2, } - - public class DesignerSerializationVisibilityAttribute : System.Attribute + public sealed class DesignerSerializationVisibilityAttribute : System.Attribute { public static System.ComponentModel.DesignerSerializationVisibilityAttribute Content; - public static System.ComponentModel.DesignerSerializationVisibilityAttribute Default; public DesignerSerializationVisibilityAttribute(System.ComponentModel.DesignerSerializationVisibility visibility) => throw null; + public static System.ComponentModel.DesignerSerializationVisibilityAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.ComponentModel.DesignerSerializationVisibilityAttribute Hidden; @@ -138,48 +131,54 @@ public class DesignerSerializationVisibilityAttribute : System.Attribute public System.ComponentModel.DesignerSerializationVisibility Visibility { get => throw null; } public static System.ComponentModel.DesignerSerializationVisibilityAttribute Visible; } - + public sealed class DesignOnlyAttribute : System.Attribute + { + public DesignOnlyAttribute(bool isDesignOnly) => throw null; + public static System.ComponentModel.DesignOnlyAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public bool IsDesignOnly { get => throw null; } + public static System.ComponentModel.DesignOnlyAttribute No; + public static System.ComponentModel.DesignOnlyAttribute Yes; + } public class DisplayNameAttribute : System.Attribute { - public static System.ComponentModel.DisplayNameAttribute Default; - public virtual string DisplayName { get => throw null; } public DisplayNameAttribute() => throw null; public DisplayNameAttribute(string displayName) => throw null; - protected string DisplayNameValue { get => throw null; set => throw null; } + public static System.ComponentModel.DisplayNameAttribute Default; + public virtual string DisplayName { get => throw null; } + protected string DisplayNameValue { get => throw null; set { } } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; } - - public class EditorAttribute : System.Attribute + public sealed class EditorAttribute : System.Attribute { public EditorAttribute() => throw null; - public EditorAttribute(System.Type type, System.Type baseType) => throw null; - public EditorAttribute(string typeName, System.Type baseType) => throw null; public EditorAttribute(string typeName, string baseTypeName) => throw null; + public EditorAttribute(string typeName, System.Type baseType) => throw null; + public EditorAttribute(System.Type type, System.Type baseType) => throw null; public string EditorBaseTypeName { get => throw null; } public string EditorTypeName { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override object TypeId { get => throw null; } } - - public class EventHandlerList : System.IDisposable + public sealed class EventHandlerList : System.IDisposable { public void AddHandler(object key, System.Delegate value) => throw null; public void AddHandlers(System.ComponentModel.EventHandlerList listToAddFrom) => throw null; - public void Dispose() => throw null; public EventHandlerList() => throw null; - public System.Delegate this[object key] { get => throw null; set => throw null; } + public void Dispose() => throw null; public void RemoveHandler(object key, System.Delegate value) => throw null; + public System.Delegate this[object key] { get => throw null; set { } } } - public interface IComponent : System.IDisposable { - event System.EventHandler Disposed; + event System.EventHandler Disposed { add { } remove { } } System.ComponentModel.ISite Site { get; set; } } - public interface IContainer : System.IDisposable { void Add(System.ComponentModel.IComponent component); @@ -187,47 +186,22 @@ public interface IContainer : System.IDisposable System.ComponentModel.ComponentCollection Components { get; } void Remove(System.ComponentModel.IComponent component); } - - public interface ISite : System.IServiceProvider - { - System.ComponentModel.IComponent Component { get; } - System.ComponentModel.IContainer Container { get; } - bool DesignMode { get; } - string Name { get; set; } - } - - public interface ISupportInitialize - { - void BeginInit(); - void EndInit(); - } - - public interface ISynchronizeInvoke - { - System.IAsyncResult BeginInvoke(System.Delegate method, object[] args); - object EndInvoke(System.IAsyncResult result); - object Invoke(System.Delegate method, object[] args); - bool InvokeRequired { get; } - } - - public class ImmutableObjectAttribute : System.Attribute + public sealed class ImmutableObjectAttribute : System.Attribute { + public ImmutableObjectAttribute(bool immutable) => throw null; public static System.ComponentModel.ImmutableObjectAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool Immutable { get => throw null; } - public ImmutableObjectAttribute(bool immutable) => throw null; public override bool IsDefaultAttribute() => throw null; public static System.ComponentModel.ImmutableObjectAttribute No; public static System.ComponentModel.ImmutableObjectAttribute Yes; } - - public class InitializationEventAttribute : System.Attribute + public sealed class InitializationEventAttribute : System.Attribute { - public string EventName { get => throw null; } public InitializationEventAttribute(string eventName) => throw null; + public string EventName { get => throw null; } } - public class InvalidAsynchronousStateException : System.ArgumentException { public InvalidAsynchronousStateException() => throw null; @@ -235,7 +209,6 @@ public class InvalidAsynchronousStateException : System.ArgumentException public InvalidAsynchronousStateException(string message) => throw null; public InvalidAsynchronousStateException(string message, System.Exception innerException) => throw null; } - public class InvalidEnumArgumentException : System.ArgumentException { public InvalidEnumArgumentException() => throw null; @@ -244,100 +217,95 @@ public class InvalidEnumArgumentException : System.ArgumentException public InvalidEnumArgumentException(string message, System.Exception innerException) => throw null; public InvalidEnumArgumentException(string argumentName, int invalidValue, System.Type enumClass) => throw null; } - - public class LocalizableAttribute : System.Attribute + public interface ISite : System.IServiceProvider + { + System.ComponentModel.IComponent Component { get; } + System.ComponentModel.IContainer Container { get; } + bool DesignMode { get; } + string Name { get; set; } + } + public interface ISupportInitialize + { + void BeginInit(); + void EndInit(); + } + public interface ISynchronizeInvoke + { + System.IAsyncResult BeginInvoke(System.Delegate method, object[] args); + object EndInvoke(System.IAsyncResult result); + object Invoke(System.Delegate method, object[] args); + bool InvokeRequired { get; } + } + public sealed class LocalizableAttribute : System.Attribute { + public LocalizableAttribute(bool isLocalizable) => throw null; public static System.ComponentModel.LocalizableAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; public bool IsLocalizable { get => throw null; } - public LocalizableAttribute(bool isLocalizable) => throw null; public static System.ComponentModel.LocalizableAttribute No; public static System.ComponentModel.LocalizableAttribute Yes; } - - public class MergablePropertyAttribute : System.Attribute + public sealed class MergablePropertyAttribute : System.Attribute { public bool AllowMerge { get => throw null; } + public MergablePropertyAttribute(bool allowMerge) => throw null; public static System.ComponentModel.MergablePropertyAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; - public MergablePropertyAttribute(bool allowMerge) => throw null; public static System.ComponentModel.MergablePropertyAttribute No; public static System.ComponentModel.MergablePropertyAttribute Yes; } - - public class NotifyParentPropertyAttribute : System.Attribute + public sealed class NotifyParentPropertyAttribute : System.Attribute { + public NotifyParentPropertyAttribute(bool notifyParent) => throw null; public static System.ComponentModel.NotifyParentPropertyAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; public static System.ComponentModel.NotifyParentPropertyAttribute No; public bool NotifyParent { get => throw null; } - public NotifyParentPropertyAttribute(bool notifyParent) => throw null; public static System.ComponentModel.NotifyParentPropertyAttribute Yes; } - - public class ParenthesizePropertyNameAttribute : System.Attribute + public sealed class ParenthesizePropertyNameAttribute : System.Attribute { + public ParenthesizePropertyNameAttribute() => throw null; + public ParenthesizePropertyNameAttribute(bool needParenthesis) => throw null; public static System.ComponentModel.ParenthesizePropertyNameAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; public bool NeedParenthesis { get => throw null; } - public ParenthesizePropertyNameAttribute() => throw null; - public ParenthesizePropertyNameAttribute(bool needParenthesis) => throw null; } - - public class ReadOnlyAttribute : System.Attribute + public sealed class ReadOnlyAttribute : System.Attribute { + public ReadOnlyAttribute(bool isReadOnly) => throw null; public static System.ComponentModel.ReadOnlyAttribute Default; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; public bool IsReadOnly { get => throw null; } public static System.ComponentModel.ReadOnlyAttribute No; - public ReadOnlyAttribute(bool isReadOnly) => throw null; public static System.ComponentModel.ReadOnlyAttribute Yes; } - - public enum RefreshProperties : int + public enum RefreshProperties { - All = 1, None = 0, + All = 1, Repaint = 2, } - - public class RefreshPropertiesAttribute : System.Attribute + public sealed class RefreshPropertiesAttribute : System.Attribute { public static System.ComponentModel.RefreshPropertiesAttribute All; + public RefreshPropertiesAttribute(System.ComponentModel.RefreshProperties refresh) => throw null; public static System.ComponentModel.RefreshPropertiesAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public override bool IsDefaultAttribute() => throw null; public System.ComponentModel.RefreshProperties RefreshProperties { get => throw null; } - public RefreshPropertiesAttribute(System.ComponentModel.RefreshProperties refresh) => throw null; public static System.ComponentModel.RefreshPropertiesAttribute Repaint; } - - namespace Design - { - namespace Serialization - { - public class DesignerSerializerAttribute : System.Attribute - { - public DesignerSerializerAttribute(System.Type serializerType, System.Type baseSerializerType) => throw null; - public DesignerSerializerAttribute(string serializerTypeName, System.Type baseSerializerType) => throw null; - public DesignerSerializerAttribute(string serializerTypeName, string baseSerializerTypeName) => throw null; - public string SerializerBaseTypeName { get => throw null; } - public string SerializerTypeName { get => throw null; } - public override object TypeId { get => throw null; } - } - - } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs index 6fcf33bc6ae7..1b31b88cd974 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs @@ -1,103 +1,84 @@ // This file contains auto-generated code. // Generated from `System.ComponentModel.TypeConverter, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { - public class UriTypeConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public UriTypeConverter() => throw null; - } - namespace ComponentModel { public class AddingNewEventArgs : System.EventArgs { public AddingNewEventArgs() => throw null; public AddingNewEventArgs(object newObject) => throw null; - public object NewObject { get => throw null; set => throw null; } + public object NewObject { get => throw null; set { } } } - public delegate void AddingNewEventHandler(object sender, System.ComponentModel.AddingNewEventArgs e); - - public class AmbientValueAttribute : System.Attribute + public sealed class AmbientValueAttribute : System.Attribute { - public AmbientValueAttribute(System.Type type, string value) => throw null; public AmbientValueAttribute(bool value) => throw null; - public AmbientValueAttribute(System.Byte value) => throw null; - public AmbientValueAttribute(System.Char value) => throw null; + public AmbientValueAttribute(byte value) => throw null; + public AmbientValueAttribute(char value) => throw null; public AmbientValueAttribute(double value) => throw null; - public AmbientValueAttribute(float value) => throw null; + public AmbientValueAttribute(short value) => throw null; public AmbientValueAttribute(int value) => throw null; - public AmbientValueAttribute(System.Int64 value) => throw null; + public AmbientValueAttribute(long value) => throw null; public AmbientValueAttribute(object value) => throw null; - public AmbientValueAttribute(System.Int16 value) => throw null; + public AmbientValueAttribute(float value) => throw null; public AmbientValueAttribute(string value) => throw null; + public AmbientValueAttribute(System.Type type, string value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public object Value { get => throw null; } } - public class ArrayConverter : System.ComponentModel.CollectionConverter { - public ArrayConverter() => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public ArrayConverter() => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; } - public class AttributeCollection : System.Collections.ICollection, System.Collections.IEnumerable { - protected AttributeCollection() => throw null; - public AttributeCollection(params System.Attribute[] attributes) => throw null; protected virtual System.Attribute[] Attributes { get => throw null; } public bool Contains(System.Attribute attribute) => throw null; public bool Contains(System.Attribute[] attributes) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } int System.Collections.ICollection.Count { get => throw null; } + protected AttributeCollection() => throw null; + public AttributeCollection(params System.Attribute[] attributes) => throw null; public static System.ComponentModel.AttributeCollection Empty; public static System.ComponentModel.AttributeCollection FromExisting(System.ComponentModel.AttributeCollection existing, params System.Attribute[] newAttributes) => throw null; protected System.Attribute GetDefaultAttribute(System.Type attributeType) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.Attribute this[System.Type attributeType] { get => throw null; } - public virtual System.Attribute this[int index] { get => throw null; } public bool Matches(System.Attribute attribute) => throw null; public bool Matches(System.Attribute[] attributes) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual System.Attribute this[int index] { get => throw null; } + public virtual System.Attribute this[System.Type attributeType] { get => throw null; } } - public class AttributeProviderAttribute : System.Attribute { - public AttributeProviderAttribute(System.Type type) => throw null; public AttributeProviderAttribute(string typeName) => throw null; public AttributeProviderAttribute(string typeName, string propertyName) => throw null; + public AttributeProviderAttribute(System.Type type) => throw null; public string PropertyName { get => throw null; } public string TypeName { get => throw null; } } - public abstract class BaseNumberConverter : System.ComponentModel.TypeConverter { - internal BaseNumberConverter() => throw null; public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; } - - public class BindableAttribute : System.Attribute + public sealed class BindableAttribute : System.Attribute { public bool Bindable { get => throw null; } - public BindableAttribute(System.ComponentModel.BindableSupport flags) => throw null; - public BindableAttribute(System.ComponentModel.BindableSupport flags, System.ComponentModel.BindingDirection direction) => throw null; public BindableAttribute(bool bindable) => throw null; public BindableAttribute(bool bindable, System.ComponentModel.BindingDirection direction) => throw null; + public BindableAttribute(System.ComponentModel.BindableSupport flags) => throw null; + public BindableAttribute(System.ComponentModel.BindableSupport flags, System.ComponentModel.BindingDirection direction) => throw null; public static System.ComponentModel.BindableAttribute Default; public System.ComponentModel.BindingDirection Direction { get => throw null; } public override bool Equals(object obj) => throw null; @@ -106,49 +87,46 @@ public class BindableAttribute : System.Attribute public static System.ComponentModel.BindableAttribute No; public static System.ComponentModel.BindableAttribute Yes; } - - public enum BindableSupport : int + public enum BindableSupport { - Default = 2, No = 0, Yes = 1, + Default = 2, } - - public enum BindingDirection : int + public enum BindingDirection { OneWay = 0, TwoWay = 1, } - public class BindingList : System.Collections.ObjectModel.Collection, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.ICancelAddNew, System.ComponentModel.IRaiseItemChangedEvents { void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor prop) => throw null; + public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } remove { } } public T AddNew() => throw null; object System.ComponentModel.IBindingList.AddNew() => throw null; protected virtual object AddNewCore() => throw null; - public event System.ComponentModel.AddingNewEventHandler AddingNew; - public bool AllowEdit { get => throw null; set => throw null; } + public bool AllowEdit { get => throw null; set { } } bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } - public bool AllowNew { get => throw null; set => throw null; } + public bool AllowNew { get => throw null; set { } } bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } - public bool AllowRemove { get => throw null; set => throw null; } + public bool AllowRemove { get => throw null; set { } } bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } void System.ComponentModel.IBindingList.ApplySort(System.ComponentModel.PropertyDescriptor prop, System.ComponentModel.ListSortDirection direction) => throw null; protected virtual void ApplySortCore(System.ComponentModel.PropertyDescriptor prop, System.ComponentModel.ListSortDirection direction) => throw null; - public BindingList() => throw null; - public BindingList(System.Collections.Generic.IList list) => throw null; public virtual void CancelNew(int itemIndex) => throw null; protected override void ClearItems() => throw null; + public BindingList() => throw null; + public BindingList(System.Collections.Generic.IList list) => throw null; public virtual void EndNew(int itemIndex) => throw null; int System.ComponentModel.IBindingList.Find(System.ComponentModel.PropertyDescriptor prop, object key) => throw null; protected virtual int FindCore(System.ComponentModel.PropertyDescriptor prop, object key) => throw null; protected override void InsertItem(int index, T item) => throw null; bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } protected virtual bool IsSortedCore { get => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged; + public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } protected virtual void OnAddingNew(System.ComponentModel.AddingNewEventArgs e) => throw null; protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; - public bool RaiseListChangedEvents { get => throw null; set => throw null; } + public bool RaiseListChangedEvents { get => throw null; set { } } bool System.ComponentModel.IRaiseItemChangedEvents.RaisesItemChangedEvents { get => throw null; } void System.ComponentModel.IBindingList.RemoveIndex(System.ComponentModel.PropertyDescriptor prop) => throw null; protected override void RemoveItem(int index) => throw null; @@ -168,56 +146,47 @@ public class BindingList : System.Collections.ObjectModel.Collection, Syst bool System.ComponentModel.IBindingList.SupportsSorting { get => throw null; } protected virtual bool SupportsSortingCore { get => throw null; } } - public class BooleanConverter : System.ComponentModel.TypeConverter { - public BooleanConverter() => throw null; public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public BooleanConverter() => throw null; public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; } - public class ByteConverter : System.ComponentModel.BaseNumberConverter { public ByteConverter() => throw null; } - public delegate void CancelEventHandler(object sender, System.ComponentModel.CancelEventArgs e); - public class CharConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public CharConverter() => throw null; public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public CharConverter() => throw null; } - - public enum CollectionChangeAction : int + public enum CollectionChangeAction { Add = 1, - Refresh = 3, Remove = 2, + Refresh = 3, } - public class CollectionChangeEventArgs : System.EventArgs { public virtual System.ComponentModel.CollectionChangeAction Action { get => throw null; } public CollectionChangeEventArgs(System.ComponentModel.CollectionChangeAction action, object element) => throw null; public virtual object Element { get => throw null; } } - public delegate void CollectionChangeEventHandler(object sender, System.ComponentModel.CollectionChangeEventArgs e); - public class CollectionConverter : System.ComponentModel.TypeConverter { - public CollectionConverter() => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public CollectionConverter() => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; } - - public class ComplexBindingPropertiesAttribute : System.Attribute + public sealed class ComplexBindingPropertiesAttribute : System.Attribute { public ComplexBindingPropertiesAttribute() => throw null; public ComplexBindingPropertiesAttribute(string dataSource) => throw null; @@ -228,21 +197,18 @@ public class ComplexBindingPropertiesAttribute : System.Attribute public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; } - public class ComponentConverter : System.ComponentModel.ReferenceConverter { public ComponentConverter(System.Type type) : base(default(System.Type)) => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; } - public abstract class ComponentEditor { protected ComponentEditor() => throw null; public abstract bool EditComponent(System.ComponentModel.ITypeDescriptorContext context, object component); public bool EditComponent(object component) => throw null; } - public class ComponentResourceManager : System.Resources.ResourceManager { public void ApplyResources(object value, string objectName) => throw null; @@ -250,29 +216,25 @@ public class ComponentResourceManager : System.Resources.ResourceManager public ComponentResourceManager() => throw null; public ComponentResourceManager(System.Type t) => throw null; } - public class Container : System.ComponentModel.IContainer, System.IDisposable { public virtual void Add(System.ComponentModel.IComponent component) => throw null; public virtual void Add(System.ComponentModel.IComponent component, string name) => throw null; public virtual System.ComponentModel.ComponentCollection Components { get => throw null; } - public Container() => throw null; protected virtual System.ComponentModel.ISite CreateSite(System.ComponentModel.IComponent component, string name) => throw null; + public Container() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; protected virtual object GetService(System.Type service) => throw null; public virtual void Remove(System.ComponentModel.IComponent component) => throw null; protected void RemoveWithoutUnsiting(System.ComponentModel.IComponent component) => throw null; protected virtual void ValidateName(System.ComponentModel.IComponent component, string name) => throw null; - // ERR: Stub generator didn't handle member: ~Container } - public abstract class ContainerFilterService { protected ContainerFilterService() => throw null; public virtual System.ComponentModel.ComponentCollection FilterComponents(System.ComponentModel.ComponentCollection components) => throw null; } - public class CultureInfoConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -285,7 +247,6 @@ public class CultureInfoConverter : System.ComponentModel.TypeConverter public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; } - public abstract class CustomTypeDescriptor : System.ComponentModel.ICustomTypeDescriptor { protected CustomTypeDescriptor() => throw null; @@ -303,12 +264,11 @@ public abstract class CustomTypeDescriptor : System.ComponentModel.ICustomTypeDe public virtual System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Attribute[] attributes) => throw null; public virtual object GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd) => throw null; } - - public class DataObjectAttribute : System.Attribute + public sealed class DataObjectAttribute : System.Attribute { - public static System.ComponentModel.DataObjectAttribute DataObject; public DataObjectAttribute() => throw null; public DataObjectAttribute(bool isDataObject) => throw null; + public static System.ComponentModel.DataObjectAttribute DataObject; public static System.ComponentModel.DataObjectAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; @@ -316,8 +276,7 @@ public class DataObjectAttribute : System.Attribute public override bool IsDefaultAttribute() => throw null; public static System.ComponentModel.DataObjectAttribute NonDataObject; } - - public class DataObjectFieldAttribute : System.Attribute + public sealed class DataObjectFieldAttribute : System.Attribute { public DataObjectFieldAttribute(bool primaryKey) => throw null; public DataObjectFieldAttribute(bool primaryKey, bool isIdentity) => throw null; @@ -330,8 +289,7 @@ public class DataObjectFieldAttribute : System.Attribute public int Length { get => throw null; } public bool PrimaryKey { get => throw null; } } - - public class DataObjectMethodAttribute : System.Attribute + public sealed class DataObjectMethodAttribute : System.Attribute { public DataObjectMethodAttribute(System.ComponentModel.DataObjectMethodType methodType) => throw null; public DataObjectMethodAttribute(System.ComponentModel.DataObjectMethodType methodType, bool isDefault) => throw null; @@ -341,16 +299,14 @@ public class DataObjectMethodAttribute : System.Attribute public override bool Match(object obj) => throw null; public System.ComponentModel.DataObjectMethodType MethodType { get => throw null; } } - - public enum DataObjectMethodType : int + public enum DataObjectMethodType { - Delete = 4, Fill = 0, - Insert = 3, Select = 1, Update = 2, + Insert = 3, + Delete = 4, } - public class DateOnlyConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -359,7 +315,6 @@ public class DateOnlyConverter : System.ComponentModel.TypeConverter public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public DateOnlyConverter() => throw null; } - public class DateTimeConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -368,7 +323,6 @@ public class DateTimeConverter : System.ComponentModel.TypeConverter public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public DateTimeConverter() => throw null; } - public class DateTimeOffsetConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -377,1177 +331,38 @@ public class DateTimeOffsetConverter : System.ComponentModel.TypeConverter public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public DateTimeOffsetConverter() => throw null; } - public class DecimalConverter : System.ComponentModel.BaseNumberConverter { public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public DecimalConverter() => throw null; } - - public class DefaultBindingPropertyAttribute : System.Attribute + public sealed class DefaultBindingPropertyAttribute : System.Attribute { - public static System.ComponentModel.DefaultBindingPropertyAttribute Default; public DefaultBindingPropertyAttribute() => throw null; public DefaultBindingPropertyAttribute(string name) => throw null; + public static System.ComponentModel.DefaultBindingPropertyAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } } - - public class DefaultEventAttribute : System.Attribute + public sealed class DefaultEventAttribute : System.Attribute { - public static System.ComponentModel.DefaultEventAttribute Default; public DefaultEventAttribute(string name) => throw null; + public static System.ComponentModel.DefaultEventAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } } - - public class DefaultPropertyAttribute : System.Attribute + public sealed class DefaultPropertyAttribute : System.Attribute { - public static System.ComponentModel.DefaultPropertyAttribute Default; public DefaultPropertyAttribute(string name) => throw null; + public static System.ComponentModel.DefaultPropertyAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } } - - public class DesignTimeVisibleAttribute : System.Attribute - { - public static System.ComponentModel.DesignTimeVisibleAttribute Default; - public DesignTimeVisibleAttribute() => throw null; - public DesignTimeVisibleAttribute(bool visible) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.DesignTimeVisibleAttribute No; - public bool Visible { get => throw null; } - public static System.ComponentModel.DesignTimeVisibleAttribute Yes; - } - - public class DoubleConverter : System.ComponentModel.BaseNumberConverter - { - public DoubleConverter() => throw null; - } - - public class EnumConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - protected virtual System.Collections.IComparer Comparer { get => throw null; } - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public EnumConverter(System.Type type) => throw null; - protected System.Type EnumType { get => throw null; } - public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - protected System.ComponentModel.TypeConverter.StandardValuesCollection Values { get => throw null; set => throw null; } - } - - public abstract class EventDescriptor : System.ComponentModel.MemberDescriptor - { - public abstract void AddEventHandler(object component, System.Delegate value); - public abstract System.Type ComponentType { get; } - protected EventDescriptor(System.ComponentModel.MemberDescriptor descr) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - protected EventDescriptor(System.ComponentModel.MemberDescriptor descr, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - protected EventDescriptor(string name, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - public abstract System.Type EventType { get; } - public abstract bool IsMulticast { get; } - public abstract void RemoveEventHandler(object component, System.Delegate value); - } - - public class EventDescriptorCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - public int Add(System.ComponentModel.EventDescriptor value) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public void Clear() => throw null; - void System.Collections.IList.Clear() => throw null; - public bool Contains(System.ComponentModel.EventDescriptor value) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - int System.Collections.ICollection.Count { get => throw null; } - public static System.ComponentModel.EventDescriptorCollection Empty; - public EventDescriptorCollection(System.ComponentModel.EventDescriptor[] events) => throw null; - public EventDescriptorCollection(System.ComponentModel.EventDescriptor[] events, bool readOnly) => throw null; - public virtual System.ComponentModel.EventDescriptor Find(string name, bool ignoreCase) => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(System.ComponentModel.EventDescriptor value) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public void Insert(int index, System.ComponentModel.EventDescriptor value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - protected void InternalSort(System.Collections.IComparer sorter) => throw null; - protected void InternalSort(string[] names) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.ComponentModel.EventDescriptor this[int index] { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public virtual System.ComponentModel.EventDescriptor this[string name] { get => throw null; } - public void Remove(System.ComponentModel.EventDescriptor value) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public void RemoveAt(int index) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - public virtual System.ComponentModel.EventDescriptorCollection Sort() => throw null; - public virtual System.ComponentModel.EventDescriptorCollection Sort(System.Collections.IComparer comparer) => throw null; - public virtual System.ComponentModel.EventDescriptorCollection Sort(string[] names) => throw null; - public virtual System.ComponentModel.EventDescriptorCollection Sort(string[] names, System.Collections.IComparer comparer) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public class ExpandableObjectConverter : System.ComponentModel.TypeConverter - { - public ExpandableObjectConverter() => throw null; - public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; - public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - } - - public class ExtenderProvidedPropertyAttribute : System.Attribute - { - public override bool Equals(object obj) => throw null; - public System.ComponentModel.PropertyDescriptor ExtenderProperty { get => throw null; } - public ExtenderProvidedPropertyAttribute() => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public System.ComponentModel.IExtenderProvider Provider { get => throw null; } - public System.Type ReceiverType { get => throw null; } - } - - public class GuidConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public GuidConverter() => throw null; - } - - public class HalfConverter : System.ComponentModel.BaseNumberConverter - { - public HalfConverter() => throw null; - } - - public class HandledEventArgs : System.EventArgs - { - public bool Handled { get => throw null; set => throw null; } - public HandledEventArgs() => throw null; - public HandledEventArgs(bool defaultHandledValue) => throw null; - } - - public delegate void HandledEventHandler(object sender, System.ComponentModel.HandledEventArgs e); - - public interface IBindingList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - void AddIndex(System.ComponentModel.PropertyDescriptor property); - object AddNew(); - bool AllowEdit { get; } - bool AllowNew { get; } - bool AllowRemove { get; } - void ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction); - int Find(System.ComponentModel.PropertyDescriptor property, object key); - bool IsSorted { get; } - event System.ComponentModel.ListChangedEventHandler ListChanged; - void RemoveIndex(System.ComponentModel.PropertyDescriptor property); - void RemoveSort(); - System.ComponentModel.ListSortDirection SortDirection { get; } - System.ComponentModel.PropertyDescriptor SortProperty { get; } - bool SupportsChangeNotification { get; } - bool SupportsSearching { get; } - bool SupportsSorting { get; } - } - - public interface IBindingListView : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList - { - void ApplySort(System.ComponentModel.ListSortDescriptionCollection sorts); - string Filter { get; set; } - void RemoveFilter(); - System.ComponentModel.ListSortDescriptionCollection SortDescriptions { get; } - bool SupportsAdvancedSorting { get; } - bool SupportsFiltering { get; } - } - - public interface ICancelAddNew - { - void CancelNew(int itemIndex); - void EndNew(int itemIndex); - } - - public interface IComNativeDescriptorHandler - { - System.ComponentModel.AttributeCollection GetAttributes(object component); - string GetClassName(object component); - System.ComponentModel.TypeConverter GetConverter(object component); - System.ComponentModel.EventDescriptor GetDefaultEvent(object component); - System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component); - object GetEditor(object component, System.Type baseEditorType); - System.ComponentModel.EventDescriptorCollection GetEvents(object component); - System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes); - string GetName(object component); - System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes); - object GetPropertyValue(object component, int dispid, ref bool success); - object GetPropertyValue(object component, string propertyName, ref bool success); - } - - public interface ICustomTypeDescriptor - { - System.ComponentModel.AttributeCollection GetAttributes(); - string GetClassName(); - string GetComponentName(); - System.ComponentModel.TypeConverter GetConverter(); - System.ComponentModel.EventDescriptor GetDefaultEvent(); - System.ComponentModel.PropertyDescriptor GetDefaultProperty(); - object GetEditor(System.Type editorBaseType); - System.ComponentModel.EventDescriptorCollection GetEvents(); - System.ComponentModel.EventDescriptorCollection GetEvents(System.Attribute[] attributes); - System.ComponentModel.PropertyDescriptorCollection GetProperties(); - System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Attribute[] attributes); - object GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd); - } - - public interface IDataErrorInfo - { - string Error { get; } - string this[string columnName] { get; } - } - - public interface IExtenderProvider - { - bool CanExtend(object extendee); - } - - public interface IIntellisenseBuilder - { - string Name { get; } - bool Show(string language, string value, ref string newValue); - } - - public interface IListSource - { - bool ContainsListCollection { get; } - System.Collections.IList GetList(); - } - - public interface INestedContainer : System.ComponentModel.IContainer, System.IDisposable - { - System.ComponentModel.IComponent Owner { get; } - } - - public interface INestedSite : System.ComponentModel.ISite, System.IServiceProvider - { - string FullName { get; } - } - - public interface IRaiseItemChangedEvents - { - bool RaisesItemChangedEvents { get; } - } - - public interface ISupportInitializeNotification : System.ComponentModel.ISupportInitialize - { - event System.EventHandler Initialized; - bool IsInitialized { get; } - } - - public interface ITypeDescriptorContext : System.IServiceProvider - { - System.ComponentModel.IContainer Container { get; } - object Instance { get; } - void OnComponentChanged(); - bool OnComponentChanging(); - System.ComponentModel.PropertyDescriptor PropertyDescriptor { get; } - } - - public interface ITypedList - { - System.ComponentModel.PropertyDescriptorCollection GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors); - string GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors); - } - - public class InheritanceAttribute : System.Attribute - { - public static System.ComponentModel.InheritanceAttribute Default; - public override bool Equals(object value) => throw null; - public override int GetHashCode() => throw null; - public InheritanceAttribute() => throw null; - public InheritanceAttribute(System.ComponentModel.InheritanceLevel inheritanceLevel) => throw null; - public System.ComponentModel.InheritanceLevel InheritanceLevel { get => throw null; } - public static System.ComponentModel.InheritanceAttribute Inherited; - public static System.ComponentModel.InheritanceAttribute InheritedReadOnly; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.InheritanceAttribute NotInherited; - public override string ToString() => throw null; - } - - public enum InheritanceLevel : int - { - Inherited = 1, - InheritedReadOnly = 2, - NotInherited = 3, - } - - public class InstallerTypeAttribute : System.Attribute - { - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public virtual System.Type InstallerType { get => throw null; } - public InstallerTypeAttribute(System.Type installerType) => throw null; - public InstallerTypeAttribute(string typeName) => throw null; - } - - public abstract class InstanceCreationEditor - { - public abstract object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Type instanceType); - protected InstanceCreationEditor() => throw null; - public virtual string Text { get => throw null; } - } - - public class Int128Converter : System.ComponentModel.BaseNumberConverter - { - public Int128Converter() => throw null; - } - - public class Int16Converter : System.ComponentModel.BaseNumberConverter - { - public Int16Converter() => throw null; - } - - public class Int32Converter : System.ComponentModel.BaseNumberConverter - { - public Int32Converter() => throw null; - } - - public class Int64Converter : System.ComponentModel.BaseNumberConverter - { - public Int64Converter() => throw null; - } - - public class LicFileLicenseProvider : System.ComponentModel.LicenseProvider - { - protected virtual string GetKey(System.Type type) => throw null; - public override System.ComponentModel.License GetLicense(System.ComponentModel.LicenseContext context, System.Type type, object instance, bool allowExceptions) => throw null; - protected virtual bool IsKeyValid(string key, System.Type type) => throw null; - public LicFileLicenseProvider() => throw null; - } - - public abstract class License : System.IDisposable - { - public abstract void Dispose(); - protected License() => throw null; - public abstract string LicenseKey { get; } - } - - public class LicenseContext : System.IServiceProvider - { - public virtual string GetSavedLicenseKey(System.Type type, System.Reflection.Assembly resourceAssembly) => throw null; - public virtual object GetService(System.Type type) => throw null; - public LicenseContext() => throw null; - public virtual void SetSavedLicenseKey(System.Type type, string key) => throw null; - public virtual System.ComponentModel.LicenseUsageMode UsageMode { get => throw null; } - } - - public class LicenseException : System.SystemException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected LicenseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public LicenseException(System.Type type) => throw null; - public LicenseException(System.Type type, object instance) => throw null; - public LicenseException(System.Type type, object instance, string message) => throw null; - public LicenseException(System.Type type, object instance, string message, System.Exception innerException) => throw null; - public System.Type LicensedType { get => throw null; } - } - - public class LicenseManager - { - public static object CreateWithContext(System.Type type, System.ComponentModel.LicenseContext creationContext) => throw null; - public static object CreateWithContext(System.Type type, System.ComponentModel.LicenseContext creationContext, object[] args) => throw null; - public static System.ComponentModel.LicenseContext CurrentContext { get => throw null; set => throw null; } - public static bool IsLicensed(System.Type type) => throw null; - public static bool IsValid(System.Type type) => throw null; - public static bool IsValid(System.Type type, object instance, out System.ComponentModel.License license) => throw null; - public static void LockContext(object contextUser) => throw null; - public static void UnlockContext(object contextUser) => throw null; - public static System.ComponentModel.LicenseUsageMode UsageMode { get => throw null; } - public static void Validate(System.Type type) => throw null; - public static System.ComponentModel.License Validate(System.Type type, object instance) => throw null; - } - - public abstract class LicenseProvider - { - public abstract System.ComponentModel.License GetLicense(System.ComponentModel.LicenseContext context, System.Type type, object instance, bool allowExceptions); - protected LicenseProvider() => throw null; - } - - public class LicenseProviderAttribute : System.Attribute - { - public static System.ComponentModel.LicenseProviderAttribute Default; - public override bool Equals(object value) => throw null; - public override int GetHashCode() => throw null; - public System.Type LicenseProvider { get => throw null; } - public LicenseProviderAttribute() => throw null; - public LicenseProviderAttribute(System.Type type) => throw null; - public LicenseProviderAttribute(string typeName) => throw null; - public override object TypeId { get => throw null; } - } - - public enum LicenseUsageMode : int - { - Designtime = 1, - Runtime = 0, - } - - public class ListBindableAttribute : System.Attribute - { - public static System.ComponentModel.ListBindableAttribute Default; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public bool ListBindable { get => throw null; } - public ListBindableAttribute(System.ComponentModel.BindableSupport flags) => throw null; - public ListBindableAttribute(bool listBindable) => throw null; - public static System.ComponentModel.ListBindableAttribute No; - public static System.ComponentModel.ListBindableAttribute Yes; - } - - public class ListChangedEventArgs : System.EventArgs - { - public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, System.ComponentModel.PropertyDescriptor propDesc) => throw null; - public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex) => throw null; - public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex, System.ComponentModel.PropertyDescriptor propDesc) => throw null; - public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex, int oldIndex) => throw null; - public System.ComponentModel.ListChangedType ListChangedType { get => throw null; } - public int NewIndex { get => throw null; } - public int OldIndex { get => throw null; } - public System.ComponentModel.PropertyDescriptor PropertyDescriptor { get => throw null; } - } - - public delegate void ListChangedEventHandler(object sender, System.ComponentModel.ListChangedEventArgs e); - - public enum ListChangedType : int - { - ItemAdded = 1, - ItemChanged = 4, - ItemDeleted = 2, - ItemMoved = 3, - PropertyDescriptorAdded = 5, - PropertyDescriptorChanged = 7, - PropertyDescriptorDeleted = 6, - Reset = 0, - } - - public class ListSortDescription - { - public ListSortDescription(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; - public System.ComponentModel.PropertyDescriptor PropertyDescriptor { get => throw null; set => throw null; } - public System.ComponentModel.ListSortDirection SortDirection { get => throw null; set => throw null; } - } - - public class ListSortDescriptionCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - int System.Collections.IList.Add(object value) => throw null; - void System.Collections.IList.Clear() => throw null; - public bool Contains(object value) => throw null; - public void CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(object value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.ComponentModel.ListSortDescription this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public ListSortDescriptionCollection() => throw null; - public ListSortDescriptionCollection(System.ComponentModel.ListSortDescription[] sorts) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public enum ListSortDirection : int - { - Ascending = 0, - Descending = 1, - } - - public class LookupBindingPropertiesAttribute : System.Attribute - { - public string DataSource { get => throw null; } - public static System.ComponentModel.LookupBindingPropertiesAttribute Default; - public string DisplayMember { get => throw null; } - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public LookupBindingPropertiesAttribute() => throw null; - public LookupBindingPropertiesAttribute(string dataSource, string displayMember, string valueMember, string lookupMember) => throw null; - public string LookupMember { get => throw null; } - public string ValueMember { get => throw null; } - } - - public class MarshalByValueComponent : System.ComponentModel.IComponent, System.IDisposable, System.IServiceProvider - { - public virtual System.ComponentModel.IContainer Container { get => throw null; } - public virtual bool DesignMode { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler Disposed; - protected System.ComponentModel.EventHandlerList Events { get => throw null; } - public virtual object GetService(System.Type service) => throw null; - public MarshalByValueComponent() => throw null; - public virtual System.ComponentModel.ISite Site { get => throw null; set => throw null; } - public override string ToString() => throw null; - // ERR: Stub generator didn't handle member: ~MarshalByValueComponent - } - - public class MaskedTextProvider : System.ICloneable - { - public bool Add(System.Char input) => throw null; - public bool Add(System.Char input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool Add(string input) => throw null; - public bool Add(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool AllowPromptAsInput { get => throw null; } - public bool AsciiOnly { get => throw null; } - public int AssignedEditPositionCount { get => throw null; } - public int AvailableEditPositionCount { get => throw null; } - public void Clear() => throw null; - public void Clear(out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public object Clone() => throw null; - public System.Globalization.CultureInfo Culture { get => throw null; } - public static System.Char DefaultPasswordChar { get => throw null; } - public int EditPositionCount { get => throw null; } - public System.Collections.IEnumerator EditPositions { get => throw null; } - public int FindAssignedEditPositionFrom(int position, bool direction) => throw null; - public int FindAssignedEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; - public int FindEditPositionFrom(int position, bool direction) => throw null; - public int FindEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; - public int FindNonEditPositionFrom(int position, bool direction) => throw null; - public int FindNonEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; - public int FindUnassignedEditPositionFrom(int position, bool direction) => throw null; - public int FindUnassignedEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; - public static bool GetOperationResultFromHint(System.ComponentModel.MaskedTextResultHint hint) => throw null; - public bool IncludeLiterals { get => throw null; set => throw null; } - public bool IncludePrompt { get => throw null; set => throw null; } - public bool InsertAt(System.Char input, int position) => throw null; - public bool InsertAt(System.Char input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool InsertAt(string input, int position) => throw null; - public bool InsertAt(string input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public static int InvalidIndex { get => throw null; } - public bool IsAvailablePosition(int position) => throw null; - public bool IsEditPosition(int position) => throw null; - public bool IsPassword { get => throw null; set => throw null; } - public static bool IsValidInputChar(System.Char c) => throw null; - public static bool IsValidMaskChar(System.Char c) => throw null; - public static bool IsValidPasswordChar(System.Char c) => throw null; - public System.Char this[int index] { get => throw null; } - public int LastAssignedPosition { get => throw null; } - public int Length { get => throw null; } - public string Mask { get => throw null; } - public bool MaskCompleted { get => throw null; } - public bool MaskFull { get => throw null; } - public MaskedTextProvider(string mask) => throw null; - public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture) => throw null; - public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, bool restrictToAscii) => throw null; - public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, bool allowPromptAsInput, System.Char promptChar, System.Char passwordChar, bool restrictToAscii) => throw null; - public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, System.Char passwordChar, bool allowPromptAsInput) => throw null; - public MaskedTextProvider(string mask, bool restrictToAscii) => throw null; - public MaskedTextProvider(string mask, System.Char passwordChar, bool allowPromptAsInput) => throw null; - public System.Char PasswordChar { get => throw null; set => throw null; } - public System.Char PromptChar { get => throw null; set => throw null; } - public bool Remove() => throw null; - public bool Remove(out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool RemoveAt(int position) => throw null; - public bool RemoveAt(int startPosition, int endPosition) => throw null; - public bool RemoveAt(int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool Replace(System.Char input, int position) => throw null; - public bool Replace(System.Char input, int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool Replace(System.Char input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool Replace(string input, int position) => throw null; - public bool Replace(string input, int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool Replace(string input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool ResetOnPrompt { get => throw null; set => throw null; } - public bool ResetOnSpace { get => throw null; set => throw null; } - public bool Set(string input) => throw null; - public bool Set(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - public bool SkipLiterals { get => throw null; set => throw null; } - public string ToDisplayString() => throw null; - public override string ToString() => throw null; - public string ToString(bool ignorePasswordChar) => throw null; - public string ToString(bool includePrompt, bool includeLiterals) => throw null; - public string ToString(bool ignorePasswordChar, bool includePrompt, bool includeLiterals, int startPosition, int length) => throw null; - public string ToString(bool includePrompt, bool includeLiterals, int startPosition, int length) => throw null; - public string ToString(bool ignorePasswordChar, int startPosition, int length) => throw null; - public string ToString(int startPosition, int length) => throw null; - public bool VerifyChar(System.Char input, int position, out System.ComponentModel.MaskedTextResultHint hint) => throw null; - public bool VerifyEscapeChar(System.Char input, int position) => throw null; - public bool VerifyString(string input) => throw null; - public bool VerifyString(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; - } - - public enum MaskedTextResultHint : int - { - AlphanumericCharacterExpected = -2, - AsciiCharacterExpected = -1, - CharacterEscaped = 1, - DigitExpected = -3, - InvalidInput = -51, - LetterExpected = -4, - NoEffect = 2, - NonEditPosition = -54, - PositionOutOfRange = -55, - PromptCharNotAllowed = -52, - SideEffect = 3, - SignedDigitExpected = -5, - Success = 4, - UnavailableEditPosition = -53, - Unknown = 0, - } - - public abstract class MemberDescriptor - { - protected virtual System.Attribute[] AttributeArray { get => throw null; set => throw null; } - public virtual System.ComponentModel.AttributeCollection Attributes { get => throw null; } - public virtual string Category { get => throw null; } - protected virtual System.ComponentModel.AttributeCollection CreateAttributeCollection() => throw null; - public virtual string Description { get => throw null; } - public virtual bool DesignTimeOnly { get => throw null; } - public virtual string DisplayName { get => throw null; } - public override bool Equals(object obj) => throw null; - protected virtual void FillAttributes(System.Collections.IList attributeList) => throw null; - protected static System.Reflection.MethodInfo FindMethod(System.Type componentClass, string name, System.Type[] args, System.Type returnType) => throw null; - protected static System.Reflection.MethodInfo FindMethod(System.Type componentClass, string name, System.Type[] args, System.Type returnType, bool publicOnly) => throw null; - public override int GetHashCode() => throw null; - protected virtual object GetInvocationTarget(System.Type type, object instance) => throw null; - protected static object GetInvokee(System.Type componentClass, object component) => throw null; - protected static System.ComponentModel.ISite GetSite(object component) => throw null; - public virtual bool IsBrowsable { get => throw null; } - protected MemberDescriptor(System.ComponentModel.MemberDescriptor descr) => throw null; - protected MemberDescriptor(System.ComponentModel.MemberDescriptor oldMemberDescriptor, System.Attribute[] newAttributes) => throw null; - protected MemberDescriptor(string name) => throw null; - protected MemberDescriptor(string name, System.Attribute[] attributes) => throw null; - public virtual string Name { get => throw null; } - protected virtual int NameHashCode { get => throw null; } - } - - public class MultilineStringConverter : System.ComponentModel.TypeConverter - { - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; - public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public MultilineStringConverter() => throw null; - } - - public class NestedContainer : System.ComponentModel.Container, System.ComponentModel.IContainer, System.ComponentModel.INestedContainer, System.IDisposable - { - protected override System.ComponentModel.ISite CreateSite(System.ComponentModel.IComponent component, string name) => throw null; - protected override void Dispose(bool disposing) => throw null; - protected override object GetService(System.Type service) => throw null; - public NestedContainer(System.ComponentModel.IComponent owner) => throw null; - public System.ComponentModel.IComponent Owner { get => throw null; } - protected virtual string OwnerName { get => throw null; } - } - - public class NullableConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; - public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; - public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public NullableConverter(System.Type type) => throw null; - public System.Type NullableType { get => throw null; } - public System.Type UnderlyingType { get => throw null; } - public System.ComponentModel.TypeConverter UnderlyingTypeConverter { get => throw null; } - } - - public class PasswordPropertyTextAttribute : System.Attribute - { - public static System.ComponentModel.PasswordPropertyTextAttribute Default; - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.PasswordPropertyTextAttribute No; - public bool Password { get => throw null; } - public PasswordPropertyTextAttribute() => throw null; - public PasswordPropertyTextAttribute(bool password) => throw null; - public static System.ComponentModel.PasswordPropertyTextAttribute Yes; - } - - public abstract class PropertyDescriptor : System.ComponentModel.MemberDescriptor - { - public virtual void AddValueChanged(object component, System.EventHandler handler) => throw null; - public abstract bool CanResetValue(object component); - public abstract System.Type ComponentType { get; } - public virtual System.ComponentModel.TypeConverter Converter { get => throw null; } - protected object CreateInstance(System.Type type) => throw null; - public override bool Equals(object obj) => throw null; - protected override void FillAttributes(System.Collections.IList attributeList) => throw null; - public System.ComponentModel.PropertyDescriptorCollection GetChildProperties() => throw null; - public System.ComponentModel.PropertyDescriptorCollection GetChildProperties(System.Attribute[] filter) => throw null; - public System.ComponentModel.PropertyDescriptorCollection GetChildProperties(object instance) => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection GetChildProperties(object instance, System.Attribute[] filter) => throw null; - public virtual object GetEditor(System.Type editorBaseType) => throw null; - public override int GetHashCode() => throw null; - protected override object GetInvocationTarget(System.Type type, object instance) => throw null; - protected System.Type GetTypeFromName(string typeName) => throw null; - public abstract object GetValue(object component); - protected internal System.EventHandler GetValueChangedHandler(object component) => throw null; - public virtual bool IsLocalizable { get => throw null; } - public abstract bool IsReadOnly { get; } - protected virtual void OnValueChanged(object component, System.EventArgs e) => throw null; - protected PropertyDescriptor(System.ComponentModel.MemberDescriptor descr) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - protected PropertyDescriptor(System.ComponentModel.MemberDescriptor descr, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - protected PropertyDescriptor(string name, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - public abstract System.Type PropertyType { get; } - public virtual void RemoveValueChanged(object component, System.EventHandler handler) => throw null; - public abstract void ResetValue(object component); - public System.ComponentModel.DesignerSerializationVisibility SerializationVisibility { get => throw null; } - public abstract void SetValue(object component, object value); - public abstract bool ShouldSerializeValue(object component); - public virtual bool SupportsChangeEvents { get => throw null; } - } - - public class PropertyDescriptorCollection : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.IList - { - public int Add(System.ComponentModel.PropertyDescriptor value) => throw null; - int System.Collections.IList.Add(object value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - public void Clear() => throw null; - void System.Collections.IDictionary.Clear() => throw null; - void System.Collections.IList.Clear() => throw null; - public bool Contains(System.ComponentModel.PropertyDescriptor value) => throw null; - bool System.Collections.IDictionary.Contains(object key) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - public void CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - int System.Collections.ICollection.Count { get => throw null; } - public static System.ComponentModel.PropertyDescriptorCollection Empty; - public virtual System.ComponentModel.PropertyDescriptor Find(string name, bool ignoreCase) => throw null; - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(System.ComponentModel.PropertyDescriptor value) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public void Insert(int index, System.ComponentModel.PropertyDescriptor value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - protected void InternalSort(System.Collections.IComparer sorter) => throw null; - protected void InternalSort(string[] names) => throw null; - bool System.Collections.IDictionary.IsFixedSize { get => throw null; } - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.IDictionary.IsReadOnly { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.ComponentModel.PropertyDescriptor this[int index] { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public virtual System.ComponentModel.PropertyDescriptor this[string name] { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - public PropertyDescriptorCollection(System.ComponentModel.PropertyDescriptor[] properties) => throw null; - public PropertyDescriptorCollection(System.ComponentModel.PropertyDescriptor[] properties, bool readOnly) => throw null; - public void Remove(System.ComponentModel.PropertyDescriptor value) => throw null; - void System.Collections.IDictionary.Remove(object key) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public void RemoveAt(int index) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection Sort() => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection Sort(System.Collections.IComparer comparer) => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection Sort(string[] names) => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection Sort(string[] names, System.Collections.IComparer comparer) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } - } - - public class PropertyTabAttribute : System.Attribute - { - public bool Equals(System.ComponentModel.PropertyTabAttribute other) => throw null; - public override bool Equals(object other) => throw null; - public override int GetHashCode() => throw null; - protected void InitializeArrays(string[] tabClassNames, System.ComponentModel.PropertyTabScope[] tabScopes) => throw null; - protected void InitializeArrays(System.Type[] tabClasses, System.ComponentModel.PropertyTabScope[] tabScopes) => throw null; - public PropertyTabAttribute() => throw null; - public PropertyTabAttribute(System.Type tabClass) => throw null; - public PropertyTabAttribute(System.Type tabClass, System.ComponentModel.PropertyTabScope tabScope) => throw null; - public PropertyTabAttribute(string tabClassName) => throw null; - public PropertyTabAttribute(string tabClassName, System.ComponentModel.PropertyTabScope tabScope) => throw null; - protected string[] TabClassNames { get => throw null; } - public System.Type[] TabClasses { get => throw null; } - public System.ComponentModel.PropertyTabScope[] TabScopes { get => throw null; } - } - - public enum PropertyTabScope : int - { - Component = 3, - Document = 2, - Global = 1, - Static = 0, - } - - public class ProvidePropertyAttribute : System.Attribute - { - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public string PropertyName { get => throw null; } - public ProvidePropertyAttribute(string propertyName, System.Type receiverType) => throw null; - public ProvidePropertyAttribute(string propertyName, string receiverTypeName) => throw null; - public string ReceiverTypeName { get => throw null; } - public override object TypeId { get => throw null; } - } - - public class RecommendedAsConfigurableAttribute : System.Attribute - { - public static System.ComponentModel.RecommendedAsConfigurableAttribute Default; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.RecommendedAsConfigurableAttribute No; - public bool RecommendedAsConfigurable { get => throw null; } - public RecommendedAsConfigurableAttribute(bool recommendedAsConfigurable) => throw null; - public static System.ComponentModel.RecommendedAsConfigurableAttribute Yes; - } - - public class ReferenceConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - protected virtual bool IsValueAllowed(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public ReferenceConverter(System.Type type) => throw null; - } - - public class RefreshEventArgs : System.EventArgs - { - public object ComponentChanged { get => throw null; } - public RefreshEventArgs(System.Type typeChanged) => throw null; - public RefreshEventArgs(object componentChanged) => throw null; - public System.Type TypeChanged { get => throw null; } - } - - public delegate void RefreshEventHandler(System.ComponentModel.RefreshEventArgs e); - - public class RunInstallerAttribute : System.Attribute - { - public static System.ComponentModel.RunInstallerAttribute Default; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.RunInstallerAttribute No; - public bool RunInstaller { get => throw null; } - public RunInstallerAttribute(bool runInstaller) => throw null; - public static System.ComponentModel.RunInstallerAttribute Yes; - } - - public class SByteConverter : System.ComponentModel.BaseNumberConverter - { - public SByteConverter() => throw null; - } - - public class SettingsBindableAttribute : System.Attribute - { - public bool Bindable { get => throw null; } - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static System.ComponentModel.SettingsBindableAttribute No; - public SettingsBindableAttribute(bool bindable) => throw null; - public static System.ComponentModel.SettingsBindableAttribute Yes; - } - - public class SingleConverter : System.ComponentModel.BaseNumberConverter - { - public SingleConverter() => throw null; - } - - public class StringConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public StringConverter() => throw null; - } - - public static class SyntaxCheck - { - public static bool CheckMachineName(string value) => throw null; - public static bool CheckPath(string value) => throw null; - public static bool CheckRootedPath(string value) => throw null; - } - - public class TimeOnlyConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public TimeOnlyConverter() => throw null; - } - - public class TimeSpanConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public TimeSpanConverter() => throw null; - } - - public class ToolboxItemAttribute : System.Attribute - { - public static System.ComponentModel.ToolboxItemAttribute Default; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override bool IsDefaultAttribute() => throw null; - public static System.ComponentModel.ToolboxItemAttribute None; - public ToolboxItemAttribute(System.Type toolboxItemType) => throw null; - public ToolboxItemAttribute(bool defaultType) => throw null; - public ToolboxItemAttribute(string toolboxItemTypeName) => throw null; - public System.Type ToolboxItemType { get => throw null; } - public string ToolboxItemTypeName { get => throw null; } - } - - public class ToolboxItemFilterAttribute : System.Attribute - { - public override bool Equals(object obj) => throw null; - public string FilterString { get => throw null; } - public System.ComponentModel.ToolboxItemFilterType FilterType { get => throw null; } - public override int GetHashCode() => throw null; - public override bool Match(object obj) => throw null; - public override string ToString() => throw null; - public ToolboxItemFilterAttribute(string filterString) => throw null; - public ToolboxItemFilterAttribute(string filterString, System.ComponentModel.ToolboxItemFilterType filterType) => throw null; - public override object TypeId { get => throw null; } - } - - public enum ToolboxItemFilterType : int - { - Allow = 0, - Custom = 1, - Prevent = 2, - Require = 3, - } - - public class TypeConverter - { - protected abstract class SimplePropertyDescriptor : System.ComponentModel.PropertyDescriptor - { - public override bool CanResetValue(object component) => throw null; - public override System.Type ComponentType { get => throw null; } - public override bool IsReadOnly { get => throw null; } - public override System.Type PropertyType { get => throw null; } - public override void ResetValue(object component) => throw null; - public override bool ShouldSerializeValue(object component) => throw null; - protected SimplePropertyDescriptor(System.Type componentType, string name, System.Type propertyType) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - protected SimplePropertyDescriptor(System.Type componentType, string name, System.Type propertyType, System.Attribute[] attributes) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; - } - - - public class StandardValuesCollection : System.Collections.ICollection, System.Collections.IEnumerable - { - public void CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public object this[int index] { get => throw null; } - public StandardValuesCollection(System.Collections.ICollection values) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - - public virtual bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public bool CanConvertFrom(System.Type sourceType) => throw null; - public virtual bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public bool CanConvertTo(System.Type destinationType) => throw null; - public virtual object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public object ConvertFrom(object value) => throw null; - public object ConvertFromInvariantString(System.ComponentModel.ITypeDescriptorContext context, string text) => throw null; - public object ConvertFromInvariantString(string text) => throw null; - public object ConvertFromString(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, string text) => throw null; - public object ConvertFromString(System.ComponentModel.ITypeDescriptorContext context, string text) => throw null; - public object ConvertFromString(string text) => throw null; - public virtual object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public object ConvertTo(object value, System.Type destinationType) => throw null; - public string ConvertToInvariantString(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public string ConvertToInvariantString(object value) => throw null; - public string ConvertToString(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public string ConvertToString(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public string ConvertToString(object value) => throw null; - public object CreateInstance(System.Collections.IDictionary propertyValues) => throw null; - public virtual object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; - protected System.Exception GetConvertFromException(object value) => throw null; - protected System.Exception GetConvertToException(object value, System.Type destinationType) => throw null; - public bool GetCreateInstanceSupported() => throw null; - public virtual bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public virtual System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; - public System.ComponentModel.PropertyDescriptorCollection GetProperties(object value) => throw null; - public bool GetPropertiesSupported() => throw null; - public virtual bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public System.Collections.ICollection GetStandardValues() => throw null; - public virtual System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public bool GetStandardValuesExclusive() => throw null; - public virtual bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public bool GetStandardValuesSupported() => throw null; - public virtual bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public virtual bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public bool IsValid(object value) => throw null; - protected System.ComponentModel.PropertyDescriptorCollection SortProperties(System.ComponentModel.PropertyDescriptorCollection props, string[] names) => throw null; - public TypeConverter() => throw null; - } - - public abstract class TypeDescriptionProvider - { - public virtual object CreateInstance(System.IServiceProvider provider, System.Type objectType, System.Type[] argTypes, object[] args) => throw null; - public virtual System.Collections.IDictionary GetCache(object instance) => throw null; - public virtual System.ComponentModel.ICustomTypeDescriptor GetExtendedTypeDescriptor(object instance) => throw null; - protected internal virtual System.ComponentModel.IExtenderProvider[] GetExtenderProviders(object instance) => throw null; - public virtual string GetFullComponentName(object component) => throw null; - public System.Type GetReflectionType(System.Type objectType) => throw null; - public virtual System.Type GetReflectionType(System.Type objectType, object instance) => throw null; - public System.Type GetReflectionType(object instance) => throw null; - public virtual System.Type GetRuntimeType(System.Type reflectionType) => throw null; - public System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(System.Type objectType) => throw null; - public virtual System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(System.Type objectType, object instance) => throw null; - public System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(object instance) => throw null; - public virtual bool IsSupportedType(System.Type type) => throw null; - protected TypeDescriptionProvider() => throw null; - protected TypeDescriptionProvider(System.ComponentModel.TypeDescriptionProvider parent) => throw null; - } - - public class TypeDescriptor - { - public static System.ComponentModel.TypeDescriptionProvider AddAttributes(System.Type type, params System.Attribute[] attributes) => throw null; - public static System.ComponentModel.TypeDescriptionProvider AddAttributes(object instance, params System.Attribute[] attributes) => throw null; - public static void AddEditorTable(System.Type editorBaseType, System.Collections.Hashtable table) => throw null; - public static void AddProvider(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; - public static void AddProvider(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; - public static void AddProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; - public static void AddProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; - public static System.ComponentModel.IComNativeDescriptorHandler ComNativeDescriptorHandler { get => throw null; set => throw null; } - public static System.Type ComObjectType { get => throw null; } - public static void CreateAssociation(object primary, object secondary) => throw null; - public static System.ComponentModel.Design.IDesigner CreateDesigner(System.ComponentModel.IComponent component, System.Type designerBaseType) => throw null; - public static System.ComponentModel.EventDescriptor CreateEvent(System.Type componentType, System.ComponentModel.EventDescriptor oldEventDescriptor, params System.Attribute[] attributes) => throw null; - public static System.ComponentModel.EventDescriptor CreateEvent(System.Type componentType, string name, System.Type type, params System.Attribute[] attributes) => throw null; - public static object CreateInstance(System.IServiceProvider provider, System.Type objectType, System.Type[] argTypes, object[] args) => throw null; - public static System.ComponentModel.PropertyDescriptor CreateProperty(System.Type componentType, System.ComponentModel.PropertyDescriptor oldPropertyDescriptor, params System.Attribute[] attributes) => throw null; - public static System.ComponentModel.PropertyDescriptor CreateProperty(System.Type componentType, string name, System.Type type, params System.Attribute[] attributes) => throw null; - public static object GetAssociation(System.Type type, object primary) => throw null; - public static System.ComponentModel.AttributeCollection GetAttributes(System.Type componentType) => throw null; - public static System.ComponentModel.AttributeCollection GetAttributes(object component) => throw null; - public static System.ComponentModel.AttributeCollection GetAttributes(object component, bool noCustomTypeDesc) => throw null; - public static string GetClassName(System.Type componentType) => throw null; - public static string GetClassName(object component) => throw null; - public static string GetClassName(object component, bool noCustomTypeDesc) => throw null; - public static string GetComponentName(object component) => throw null; - public static string GetComponentName(object component, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.TypeConverter GetConverter(System.Type type) => throw null; - public static System.ComponentModel.TypeConverter GetConverter(object component) => throw null; - public static System.ComponentModel.TypeConverter GetConverter(object component, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.EventDescriptor GetDefaultEvent(System.Type componentType) => throw null; - public static System.ComponentModel.EventDescriptor GetDefaultEvent(object component) => throw null; - public static System.ComponentModel.EventDescriptor GetDefaultEvent(object component, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(System.Type componentType) => throw null; - public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component) => throw null; - public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component, bool noCustomTypeDesc) => throw null; - public static object GetEditor(System.Type type, System.Type editorBaseType) => throw null; - public static object GetEditor(object component, System.Type editorBaseType) => throw null; - public static object GetEditor(object component, System.Type editorBaseType, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(System.Type componentType) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(System.Type componentType, System.Attribute[] attributes) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(object component) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, bool noCustomTypeDesc) => throw null; - public static string GetFullComponentName(object component) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Type componentType) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Type componentType, System.Attribute[] attributes) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, bool noCustomTypeDesc) => throw null; - public static System.ComponentModel.TypeDescriptionProvider GetProvider(System.Type type) => throw null; - public static System.ComponentModel.TypeDescriptionProvider GetProvider(object instance) => throw null; - public static System.Type GetReflectionType(System.Type type) => throw null; - public static System.Type GetReflectionType(object instance) => throw null; - public static System.Type InterfaceType { get => throw null; } - public static void Refresh(System.Reflection.Assembly assembly) => throw null; - public static void Refresh(System.Reflection.Module module) => throw null; - public static void Refresh(System.Type type) => throw null; - public static void Refresh(object component) => throw null; - public static event System.ComponentModel.RefreshEventHandler Refreshed; - public static void RemoveAssociation(object primary, object secondary) => throw null; - public static void RemoveAssociations(object primary) => throw null; - public static void RemoveProvider(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; - public static void RemoveProvider(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; - public static void RemoveProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; - public static void RemoveProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; - public static void SortDescriptorArray(System.Collections.IList infos) => throw null; - } - - public abstract class TypeListConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - protected TypeListConverter(System.Type[] types) => throw null; - } - - public class UInt128Converter : System.ComponentModel.BaseNumberConverter - { - public UInt128Converter() => throw null; - } - - public class UInt16Converter : System.ComponentModel.BaseNumberConverter - { - public UInt16Converter() => throw null; - } - - public class UInt32Converter : System.ComponentModel.BaseNumberConverter - { - public UInt32Converter() => throw null; - } - - public class UInt64Converter : System.ComponentModel.BaseNumberConverter - { - public UInt64Converter() => throw null; - } - - public class VersionConverter : System.ComponentModel.TypeConverter - { - public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; - public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; - public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; - public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; - public VersionConverter() => throw null; - } - - public class WarningException : System.SystemException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string HelpTopic { get => throw null; } - public string HelpUrl { get => throw null; } - public WarningException() => throw null; - protected WarningException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public WarningException(string message) => throw null; - public WarningException(string message, System.Exception innerException) => throw null; - public WarningException(string message, string helpUrl) => throw null; - public WarningException(string message, string helpUrl, string helpTopic) => throw null; - } - - namespace Design + namespace Design { public class ActiveDesignerEventArgs : System.EventArgs { @@ -1555,9 +370,7 @@ public class ActiveDesignerEventArgs : System.EventArgs public System.ComponentModel.Design.IDesignerHost NewDesigner { get => throw null; } public System.ComponentModel.Design.IDesignerHost OldDesigner { get => throw null; } } - public delegate void ActiveDesignerEventHandler(object sender, System.ComponentModel.Design.ActiveDesignerEventArgs e); - public class CheckoutException : System.Runtime.InteropServices.ExternalException { public static System.ComponentModel.Design.CheckoutException Canceled; @@ -1567,7 +380,6 @@ public class CheckoutException : System.Runtime.InteropServices.ExternalExceptio public CheckoutException(string message, System.Exception innerException) => throw null; public CheckoutException(string message, int errorCode) => throw null; } - public class CommandID { public CommandID(System.Guid menuGroup, int commandID) => throw null; @@ -1577,8 +389,7 @@ public class CommandID public virtual int ID { get => throw null; } public override string ToString() => throw null; } - - public class ComponentChangedEventArgs : System.EventArgs + public sealed class ComponentChangedEventArgs : System.EventArgs { public object Component { get => throw null; } public ComponentChangedEventArgs(object component, System.ComponentModel.MemberDescriptor member, object oldValue, object newValue) => throw null; @@ -1586,26 +397,20 @@ public class ComponentChangedEventArgs : System.EventArgs public object NewValue { get => throw null; } public object OldValue { get => throw null; } } - public delegate void ComponentChangedEventHandler(object sender, System.ComponentModel.Design.ComponentChangedEventArgs e); - - public class ComponentChangingEventArgs : System.EventArgs + public sealed class ComponentChangingEventArgs : System.EventArgs { public object Component { get => throw null; } public ComponentChangingEventArgs(object component, System.ComponentModel.MemberDescriptor member) => throw null; public System.ComponentModel.MemberDescriptor Member { get => throw null; } } - public delegate void ComponentChangingEventHandler(object sender, System.ComponentModel.Design.ComponentChangingEventArgs e); - public class ComponentEventArgs : System.EventArgs { public virtual System.ComponentModel.IComponent Component { get => throw null; } public ComponentEventArgs(System.ComponentModel.IComponent component) => throw null; } - public delegate void ComponentEventHandler(object sender, System.ComponentModel.Design.ComponentEventArgs e); - public class ComponentRenameEventArgs : System.EventArgs { public object Component { get => throw null; } @@ -1613,34 +418,31 @@ public class ComponentRenameEventArgs : System.EventArgs public virtual string NewName { get => throw null; } public virtual string OldName { get => throw null; } } - public delegate void ComponentRenameEventHandler(object sender, System.ComponentModel.Design.ComponentRenameEventArgs e); - public class DesignerCollection : System.Collections.ICollection, System.Collections.IEnumerable { void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } int System.Collections.ICollection.Count { get => throw null; } - public DesignerCollection(System.ComponentModel.Design.IDesignerHost[] designers) => throw null; public DesignerCollection(System.Collections.IList designers) => throw null; + public DesignerCollection(System.ComponentModel.Design.IDesignerHost[] designers) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.ComponentModel.Design.IDesignerHost this[int index] { get => throw null; } object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual System.ComponentModel.Design.IDesignerHost this[int index] { get => throw null; } } - public class DesignerEventArgs : System.EventArgs { - public System.ComponentModel.Design.IDesignerHost Designer { get => throw null; } public DesignerEventArgs(System.ComponentModel.Design.IDesignerHost host) => throw null; + public System.ComponentModel.Design.IDesignerHost Designer { get => throw null; } } - public delegate void DesignerEventHandler(object sender, System.ComponentModel.Design.DesignerEventArgs e); - public abstract class DesignerOptionService : System.ComponentModel.Design.IDesignerOptionService { - public class DesignerOptionCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + protected System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection CreateOptionCollection(System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection parent, string name, object value) => throw null; + protected DesignerOptionService() => throw null; + public sealed class DesignerOptionCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { int System.Collections.IList.Add(object value) => throw null; void System.Collections.IList.Clear() => throw null; @@ -1654,9 +456,7 @@ public class DesignerOptionCollection : System.Collections.ICollection, System.C bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection this[int index] { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection this[string name] { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public string Name { get => throw null; } public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection Parent { get => throw null; } public System.ComponentModel.PropertyDescriptorCollection Properties { get => throw null; } @@ -1664,34 +464,29 @@ public class DesignerOptionCollection : System.Collections.ICollection, System.C void System.Collections.IList.RemoveAt(int index) => throw null; public bool ShowDialog() => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection this[int index] { get => throw null; } + public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection this[string name] { get => throw null; } } - - - protected System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection CreateOptionCollection(System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection parent, string name, object value) => throw null; - protected DesignerOptionService() => throw null; object System.ComponentModel.Design.IDesignerOptionService.GetOptionValue(string pageName, string valueName) => throw null; public System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection Options { get => throw null; } protected virtual void PopulateOptionCollection(System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection options) => throw null; void System.ComponentModel.Design.IDesignerOptionService.SetOptionValue(string pageName, string valueName, object value) => throw null; protected virtual bool ShowDialog(System.ComponentModel.Design.DesignerOptionService.DesignerOptionCollection options, object optionObject) => throw null; } - public abstract class DesignerTransaction : System.IDisposable { public void Cancel() => throw null; public bool Canceled { get => throw null; } public void Commit() => throw null; public bool Committed { get => throw null; } - public string Description { get => throw null; } protected DesignerTransaction() => throw null; protected DesignerTransaction(string description) => throw null; - void System.IDisposable.Dispose() => throw null; + public string Description { get => throw null; } protected virtual void Dispose(bool disposing) => throw null; + void System.IDisposable.Dispose() => throw null; protected abstract void OnCancel(); protected abstract void OnCommit(); - // ERR: Stub generator didn't handle member: ~DesignerTransaction } - public class DesignerTransactionCloseEventArgs : System.EventArgs { public DesignerTransactionCloseEventArgs(bool commit) => throw null; @@ -1699,18 +494,15 @@ public class DesignerTransactionCloseEventArgs : System.EventArgs public bool LastTransaction { get => throw null; } public bool TransactionCommitted { get => throw null; } } - public delegate void DesignerTransactionCloseEventHandler(object sender, System.ComponentModel.Design.DesignerTransactionCloseEventArgs e); - public class DesignerVerb : System.ComponentModel.Design.MenuCommand { - public string Description { get => throw null; set => throw null; } public DesignerVerb(string text, System.EventHandler handler) : base(default(System.EventHandler), default(System.ComponentModel.Design.CommandID)) => throw null; public DesignerVerb(string text, System.EventHandler handler, System.ComponentModel.Design.CommandID startCommandID) : base(default(System.EventHandler), default(System.ComponentModel.Design.CommandID)) => throw null; + public string Description { get => throw null; set { } } public string Text { get => throw null; } public override string ToString() => throw null; } - public class DesignerVerbCollection : System.Collections.CollectionBase { public int Add(System.ComponentModel.Design.DesignerVerb value) => throw null; @@ -1722,11 +514,10 @@ public class DesignerVerbCollection : System.Collections.CollectionBase public DesignerVerbCollection(System.ComponentModel.Design.DesignerVerb[] value) => throw null; public int IndexOf(System.ComponentModel.Design.DesignerVerb value) => throw null; public void Insert(int index, System.ComponentModel.Design.DesignerVerb value) => throw null; - public System.ComponentModel.Design.DesignerVerb this[int index] { get => throw null; set => throw null; } protected override void OnValidate(object value) => throw null; public void Remove(System.ComponentModel.Design.DesignerVerb value) => throw null; + public System.ComponentModel.Design.DesignerVerb this[int index] { get => throw null; set { } } } - public class DesigntimeLicenseContext : System.ComponentModel.LicenseContext { public DesigntimeLicenseContext() => throw null; @@ -1734,63 +525,55 @@ public class DesigntimeLicenseContext : System.ComponentModel.LicenseContext public override void SetSavedLicenseKey(System.Type type, string key) => throw null; public override System.ComponentModel.LicenseUsageMode UsageMode { get => throw null; } } - public class DesigntimeLicenseContextSerializer { public static void Serialize(System.IO.Stream o, string cryptoKey, System.ComponentModel.Design.DesigntimeLicenseContext context) => throw null; } - - public enum HelpContextType : int + public enum HelpContextType { Ambient = 0, + Window = 1, Selection = 2, ToolWindowSelection = 3, - Window = 1, } - - public class HelpKeywordAttribute : System.Attribute + public sealed class HelpKeywordAttribute : System.Attribute { + public HelpKeywordAttribute() => throw null; + public HelpKeywordAttribute(string keyword) => throw null; + public HelpKeywordAttribute(System.Type t) => throw null; public static System.ComponentModel.Design.HelpKeywordAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string HelpKeyword { get => throw null; } - public HelpKeywordAttribute() => throw null; - public HelpKeywordAttribute(System.Type t) => throw null; - public HelpKeywordAttribute(string keyword) => throw null; public override bool IsDefaultAttribute() => throw null; } - - public enum HelpKeywordType : int + public enum HelpKeywordType { F1Keyword = 0, - FilterKeyword = 2, GeneralKeyword = 1, + FilterKeyword = 2, } - public interface IComponentChangeService { - event System.ComponentModel.Design.ComponentEventHandler ComponentAdded; - event System.ComponentModel.Design.ComponentEventHandler ComponentAdding; - event System.ComponentModel.Design.ComponentChangedEventHandler ComponentChanged; - event System.ComponentModel.Design.ComponentChangingEventHandler ComponentChanging; - event System.ComponentModel.Design.ComponentEventHandler ComponentRemoved; - event System.ComponentModel.Design.ComponentEventHandler ComponentRemoving; - event System.ComponentModel.Design.ComponentRenameEventHandler ComponentRename; + event System.ComponentModel.Design.ComponentEventHandler ComponentAdded { add { } remove { } } + event System.ComponentModel.Design.ComponentEventHandler ComponentAdding { add { } remove { } } + event System.ComponentModel.Design.ComponentChangedEventHandler ComponentChanged { add { } remove { } } + event System.ComponentModel.Design.ComponentChangingEventHandler ComponentChanging { add { } remove { } } + event System.ComponentModel.Design.ComponentEventHandler ComponentRemoved { add { } remove { } } + event System.ComponentModel.Design.ComponentEventHandler ComponentRemoving { add { } remove { } } + event System.ComponentModel.Design.ComponentRenameEventHandler ComponentRename { add { } remove { } } void OnComponentChanged(object component, System.ComponentModel.MemberDescriptor member, object oldValue, object newValue); void OnComponentChanging(object component, System.ComponentModel.MemberDescriptor member); } - public interface IComponentDiscoveryService { System.Collections.ICollection GetComponentTypes(System.ComponentModel.Design.IDesignerHost designerHost, System.Type baseType); } - public interface IComponentInitializer { void InitializeExistingComponent(System.Collections.IDictionary defaultValues); void InitializeNewComponent(System.Collections.IDictionary defaultValues); } - public interface IDesigner : System.IDisposable { System.ComponentModel.IComponent Component { get; } @@ -1798,17 +581,15 @@ public interface IDesigner : System.IDisposable void Initialize(System.ComponentModel.IComponent component); System.ComponentModel.Design.DesignerVerbCollection Verbs { get; } } - public interface IDesignerEventService { System.ComponentModel.Design.IDesignerHost ActiveDesigner { get; } - event System.ComponentModel.Design.ActiveDesignerEventHandler ActiveDesignerChanged; - event System.ComponentModel.Design.DesignerEventHandler DesignerCreated; - event System.ComponentModel.Design.DesignerEventHandler DesignerDisposed; + event System.ComponentModel.Design.ActiveDesignerEventHandler ActiveDesignerChanged { add { } remove { } } + event System.ComponentModel.Design.DesignerEventHandler DesignerCreated { add { } remove { } } + event System.ComponentModel.Design.DesignerEventHandler DesignerDisposed { add { } remove { } } System.ComponentModel.Design.DesignerCollection Designers { get; } - event System.EventHandler SelectionChanged; + event System.EventHandler SelectionChanged { add { } remove { } } } - public interface IDesignerFilter { void PostFilterAttributes(System.Collections.IDictionary attributes); @@ -1818,50 +599,45 @@ public interface IDesignerFilter void PreFilterEvents(System.Collections.IDictionary events); void PreFilterProperties(System.Collections.IDictionary properties); } - public interface IDesignerHost : System.ComponentModel.Design.IServiceContainer, System.IServiceProvider { void Activate(); - event System.EventHandler Activated; + event System.EventHandler Activated { add { } remove { } } System.ComponentModel.IContainer Container { get; } System.ComponentModel.IComponent CreateComponent(System.Type componentClass); System.ComponentModel.IComponent CreateComponent(System.Type componentClass, string name); System.ComponentModel.Design.DesignerTransaction CreateTransaction(); System.ComponentModel.Design.DesignerTransaction CreateTransaction(string description); - event System.EventHandler Deactivated; + event System.EventHandler Deactivated { add { } remove { } } void DestroyComponent(System.ComponentModel.IComponent component); System.ComponentModel.Design.IDesigner GetDesigner(System.ComponentModel.IComponent component); System.Type GetType(string typeName); bool InTransaction { get; } - event System.EventHandler LoadComplete; + event System.EventHandler LoadComplete { add { } remove { } } bool Loading { get; } System.ComponentModel.IComponent RootComponent { get; } string RootComponentClassName { get; } - event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosed; - event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosing; + event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosed { add { } remove { } } + event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosing { add { } remove { } } string TransactionDescription { get; } - event System.EventHandler TransactionOpened; - event System.EventHandler TransactionOpening; + event System.EventHandler TransactionOpened { add { } remove { } } + event System.EventHandler TransactionOpening { add { } remove { } } } - public interface IDesignerHostTransactionState { bool IsClosingTransaction { get; } } - public interface IDesignerOptionService { object GetOptionValue(string pageName, string valueName); void SetOptionValue(string pageName, string valueName, object value); } - public interface IDictionaryService { object GetKey(object value); object GetValue(object key); void SetValue(object key, object value); } - public interface IEventBindingService { string CreateUniqueMethodName(System.ComponentModel.IComponent component, System.ComponentModel.EventDescriptor e); @@ -1873,18 +649,15 @@ public interface IEventBindingService bool ShowCode(System.ComponentModel.IComponent component, System.ComponentModel.EventDescriptor e); bool ShowCode(int lineNumber); } - public interface IExtenderListService { System.ComponentModel.IExtenderProvider[] GetExtenderProviders(); } - public interface IExtenderProviderService { void AddExtenderProvider(System.ComponentModel.IExtenderProvider provider); void RemoveExtenderProvider(System.ComponentModel.IExtenderProvider provider); } - public interface IHelpService { void AddContextAttribute(string name, string value, System.ComponentModel.Design.HelpKeywordType keywordType); @@ -1895,13 +668,11 @@ public interface IHelpService void ShowHelpFromKeyword(string helpKeyword); void ShowHelpFromUrl(string helpUrl); } - public interface IInheritanceService { void AddInheritedComponents(System.ComponentModel.IComponent component, System.ComponentModel.IContainer container); System.ComponentModel.InheritanceAttribute GetInheritanceAttribute(System.ComponentModel.IComponent component); } - public interface IMenuCommandService { void AddCommand(System.ComponentModel.Design.MenuCommand command); @@ -1913,7 +684,6 @@ public interface IMenuCommandService void ShowContextMenu(System.ComponentModel.Design.CommandID menuID, int x, int y); System.ComponentModel.Design.DesignerVerbCollection Verbs { get; } } - public interface IReferenceService { System.ComponentModel.IComponent GetComponent(object reference); @@ -1922,31 +692,27 @@ public interface IReferenceService object[] GetReferences(); object[] GetReferences(System.Type baseType); } - public interface IResourceService { System.Resources.IResourceReader GetResourceReader(System.Globalization.CultureInfo info); System.Resources.IResourceWriter GetResourceWriter(System.Globalization.CultureInfo info); } - public interface IRootDesigner : System.ComponentModel.Design.IDesigner, System.IDisposable { object GetView(System.ComponentModel.Design.ViewTechnology technology); System.ComponentModel.Design.ViewTechnology[] SupportedTechnologies { get; } } - public interface ISelectionService { bool GetComponentSelected(object component); System.Collections.ICollection GetSelectedComponents(); object PrimarySelection { get; } - event System.EventHandler SelectionChanged; - event System.EventHandler SelectionChanging; + event System.EventHandler SelectionChanged { add { } remove { } } + event System.EventHandler SelectionChanging { add { } remove { } } int SelectionCount { get; } void SetSelectedComponents(System.Collections.ICollection components); void SetSelectedComponents(System.Collections.ICollection components, System.ComponentModel.Design.SelectionTypes selectionType); } - public interface IServiceContainer : System.IServiceProvider { void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback); @@ -1956,25 +722,21 @@ public interface IServiceContainer : System.IServiceProvider void RemoveService(System.Type serviceType); void RemoveService(System.Type serviceType, bool promote); } - public interface ITreeDesigner : System.ComponentModel.Design.IDesigner, System.IDisposable { System.Collections.ICollection Children { get; } System.ComponentModel.Design.IDesigner Parent { get; } } - public interface ITypeDescriptorFilterService { bool FilterAttributes(System.ComponentModel.IComponent component, System.Collections.IDictionary attributes); bool FilterEvents(System.ComponentModel.IComponent component, System.Collections.IDictionary events); bool FilterProperties(System.ComponentModel.IComponent component, System.Collections.IDictionary properties); } - public interface ITypeDiscoveryService { System.Collections.ICollection GetTypes(System.Type baseType, bool excludeGlobalTypes); } - public interface ITypeResolutionService { System.Reflection.Assembly GetAssembly(System.Reflection.AssemblyName name); @@ -1985,151 +747,43 @@ public interface ITypeResolutionService System.Type GetType(string name, bool throwOnError, bool ignoreCase); void ReferenceAssembly(System.Reflection.AssemblyName name); } - public class MenuCommand { - public virtual bool Checked { get => throw null; set => throw null; } - public event System.EventHandler CommandChanged; + public virtual bool Checked { get => throw null; set { } } + public event System.EventHandler CommandChanged { add { } remove { } } public virtual System.ComponentModel.Design.CommandID CommandID { get => throw null; } - public virtual bool Enabled { get => throw null; set => throw null; } + public MenuCommand(System.EventHandler handler, System.ComponentModel.Design.CommandID command) => throw null; + public virtual bool Enabled { get => throw null; set { } } public virtual void Invoke() => throw null; public virtual void Invoke(object arg) => throw null; - public MenuCommand(System.EventHandler handler, System.ComponentModel.Design.CommandID command) => throw null; public virtual int OleStatus { get => throw null; } protected virtual void OnCommandChanged(System.EventArgs e) => throw null; public virtual System.Collections.IDictionary Properties { get => throw null; } - public virtual bool Supported { get => throw null; set => throw null; } + public virtual bool Supported { get => throw null; set { } } public override string ToString() => throw null; - public virtual bool Visible { get => throw null; set => throw null; } + public virtual bool Visible { get => throw null; set { } } } - [System.Flags] - public enum SelectionTypes : int + public enum SelectionTypes { - Add = 64, Auto = 1, - Click = 16, + Normal = 1, + Replace = 2, MouseDown = 4, MouseUp = 8, - Normal = 1, + Click = 16, Primary = 16, - Remove = 128, - Replace = 2, - Toggle = 32, Valid = 31, + Toggle = 32, + Add = 64, + Remove = 128, } - - public class ServiceContainer : System.ComponentModel.Design.IServiceContainer, System.IDisposable, System.IServiceProvider - { - public void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback) => throw null; - public virtual void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback, bool promote) => throw null; - public void AddService(System.Type serviceType, object serviceInstance) => throw null; - public virtual void AddService(System.Type serviceType, object serviceInstance, bool promote) => throw null; - protected virtual System.Type[] DefaultServices { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public virtual object GetService(System.Type serviceType) => throw null; - public void RemoveService(System.Type serviceType) => throw null; - public virtual void RemoveService(System.Type serviceType, bool promote) => throw null; - public ServiceContainer() => throw null; - public ServiceContainer(System.IServiceProvider parentProvider) => throw null; - } - - public delegate object ServiceCreatorCallback(System.ComponentModel.Design.IServiceContainer container, System.Type serviceType); - - public class StandardCommands - { - public static System.ComponentModel.Design.CommandID AlignBottom; - public static System.ComponentModel.Design.CommandID AlignHorizontalCenters; - public static System.ComponentModel.Design.CommandID AlignLeft; - public static System.ComponentModel.Design.CommandID AlignRight; - public static System.ComponentModel.Design.CommandID AlignToGrid; - public static System.ComponentModel.Design.CommandID AlignTop; - public static System.ComponentModel.Design.CommandID AlignVerticalCenters; - public static System.ComponentModel.Design.CommandID ArrangeBottom; - public static System.ComponentModel.Design.CommandID ArrangeIcons; - public static System.ComponentModel.Design.CommandID ArrangeRight; - public static System.ComponentModel.Design.CommandID BringForward; - public static System.ComponentModel.Design.CommandID BringToFront; - public static System.ComponentModel.Design.CommandID CenterHorizontally; - public static System.ComponentModel.Design.CommandID CenterVertically; - public static System.ComponentModel.Design.CommandID Copy; - public static System.ComponentModel.Design.CommandID Cut; - public static System.ComponentModel.Design.CommandID Delete; - public static System.ComponentModel.Design.CommandID DocumentOutline; - public static System.ComponentModel.Design.CommandID F1Help; - public static System.ComponentModel.Design.CommandID Group; - public static System.ComponentModel.Design.CommandID HorizSpaceConcatenate; - public static System.ComponentModel.Design.CommandID HorizSpaceDecrease; - public static System.ComponentModel.Design.CommandID HorizSpaceIncrease; - public static System.ComponentModel.Design.CommandID HorizSpaceMakeEqual; - public static System.ComponentModel.Design.CommandID LineupIcons; - public static System.ComponentModel.Design.CommandID LockControls; - public static System.ComponentModel.Design.CommandID MultiLevelRedo; - public static System.ComponentModel.Design.CommandID MultiLevelUndo; - public static System.ComponentModel.Design.CommandID Paste; - public static System.ComponentModel.Design.CommandID Properties; - public static System.ComponentModel.Design.CommandID PropertiesWindow; - public static System.ComponentModel.Design.CommandID Redo; - public static System.ComponentModel.Design.CommandID Replace; - public static System.ComponentModel.Design.CommandID SelectAll; - public static System.ComponentModel.Design.CommandID SendBackward; - public static System.ComponentModel.Design.CommandID SendToBack; - public static System.ComponentModel.Design.CommandID ShowGrid; - public static System.ComponentModel.Design.CommandID ShowLargeIcons; - public static System.ComponentModel.Design.CommandID SizeToControl; - public static System.ComponentModel.Design.CommandID SizeToControlHeight; - public static System.ComponentModel.Design.CommandID SizeToControlWidth; - public static System.ComponentModel.Design.CommandID SizeToFit; - public static System.ComponentModel.Design.CommandID SizeToGrid; - public static System.ComponentModel.Design.CommandID SnapToGrid; - public StandardCommands() => throw null; - public static System.ComponentModel.Design.CommandID TabOrder; - public static System.ComponentModel.Design.CommandID Undo; - public static System.ComponentModel.Design.CommandID Ungroup; - public static System.ComponentModel.Design.CommandID VerbFirst; - public static System.ComponentModel.Design.CommandID VerbLast; - public static System.ComponentModel.Design.CommandID VertSpaceConcatenate; - public static System.ComponentModel.Design.CommandID VertSpaceDecrease; - public static System.ComponentModel.Design.CommandID VertSpaceIncrease; - public static System.ComponentModel.Design.CommandID VertSpaceMakeEqual; - public static System.ComponentModel.Design.CommandID ViewCode; - public static System.ComponentModel.Design.CommandID ViewGrid; - } - - public class StandardToolWindows - { - public static System.Guid ObjectBrowser; - public static System.Guid OutputWindow; - public static System.Guid ProjectExplorer; - public static System.Guid PropertyBrowser; - public static System.Guid RelatedLinks; - public static System.Guid ServerExplorer; - public StandardToolWindows() => throw null; - public static System.Guid TaskList; - public static System.Guid Toolbox; - } - - public abstract class TypeDescriptionProviderService - { - public abstract System.ComponentModel.TypeDescriptionProvider GetProvider(System.Type type); - public abstract System.ComponentModel.TypeDescriptionProvider GetProvider(object instance); - protected TypeDescriptionProviderService() => throw null; - } - - public enum ViewTechnology : int - { - Default = 2, - Passthrough = 0, - WindowsForms = 1, - } - namespace Serialization { public abstract class ComponentSerializationService { - protected ComponentSerializationService() => throw null; public abstract System.ComponentModel.Design.Serialization.SerializationStore CreateStore(); + protected ComponentSerializationService() => throw null; public abstract System.Collections.ICollection Deserialize(System.ComponentModel.Design.Serialization.SerializationStore store); public abstract System.Collections.ICollection Deserialize(System.ComponentModel.Design.Serialization.SerializationStore store, System.ComponentModel.IContainer container); public void DeserializeTo(System.ComponentModel.Design.Serialization.SerializationStore store, System.ComponentModel.IContainer container) => throw null; @@ -2141,25 +795,22 @@ public abstract class ComponentSerializationService public abstract void SerializeMember(System.ComponentModel.Design.Serialization.SerializationStore store, object owningObject, System.ComponentModel.MemberDescriptor member); public abstract void SerializeMemberAbsolute(System.ComponentModel.Design.Serialization.SerializationStore store, object owningObject, System.ComponentModel.MemberDescriptor member); } - - public class ContextStack + public sealed class ContextStack { public void Append(object context) => throw null; public ContextStack() => throw null; public object Current { get => throw null; } - public object this[System.Type type] { get => throw null; } - public object this[int level] { get => throw null; } public object Pop() => throw null; public void Push(object context) => throw null; + public object this[int level] { get => throw null; } + public object this[System.Type type] { get => throw null; } } - - public class DefaultSerializationProviderAttribute : System.Attribute + public sealed class DefaultSerializationProviderAttribute : System.Attribute { - public DefaultSerializationProviderAttribute(System.Type providerType) => throw null; public DefaultSerializationProviderAttribute(string providerTypeName) => throw null; + public DefaultSerializationProviderAttribute(System.Type providerType) => throw null; public string ProviderTypeName { get => throw null; } } - public abstract class DesignerLoader { public abstract void BeginLoad(System.ComponentModel.Design.Serialization.IDesignerLoaderHost host); @@ -2168,26 +819,22 @@ public abstract class DesignerLoader public virtual void Flush() => throw null; public virtual bool Loading { get => throw null; } } - public interface IDesignerLoaderHost : System.ComponentModel.Design.IDesignerHost, System.ComponentModel.Design.IServiceContainer, System.IServiceProvider { void EndLoad(string baseClassName, bool successful, System.Collections.ICollection errorCollection); void Reload(); } - - public interface IDesignerLoaderHost2 : System.ComponentModel.Design.IDesignerHost, System.ComponentModel.Design.IServiceContainer, System.ComponentModel.Design.Serialization.IDesignerLoaderHost, System.IServiceProvider + public interface IDesignerLoaderHost2 : System.ComponentModel.Design.IDesignerHost, System.ComponentModel.Design.IServiceContainer, System.IServiceProvider, System.ComponentModel.Design.Serialization.IDesignerLoaderHost { bool CanReloadWithErrors { get; set; } bool IgnoreErrorsDuringReload { get; set; } } - public interface IDesignerLoaderService { void AddLoadDependency(); void DependentLoadComplete(bool successful, System.Collections.ICollection errorCollection); bool Reload(); } - public interface IDesignerSerializationManager : System.IServiceProvider { void AddSerializationProvider(System.ComponentModel.Design.Serialization.IDesignerSerializationProvider provider); @@ -2200,30 +847,26 @@ public interface IDesignerSerializationManager : System.IServiceProvider System.ComponentModel.PropertyDescriptorCollection Properties { get; } void RemoveSerializationProvider(System.ComponentModel.Design.Serialization.IDesignerSerializationProvider provider); void ReportError(object errorInformation); - event System.ComponentModel.Design.Serialization.ResolveNameEventHandler ResolveName; - event System.EventHandler SerializationComplete; + event System.ComponentModel.Design.Serialization.ResolveNameEventHandler ResolveName { add { } remove { } } + event System.EventHandler SerializationComplete { add { } remove { } } void SetName(object instance, string name); } - public interface IDesignerSerializationProvider { object GetSerializer(System.ComponentModel.Design.Serialization.IDesignerSerializationManager manager, object currentSerializer, System.Type objectType, System.Type serializerType); } - public interface IDesignerSerializationService { System.Collections.ICollection Deserialize(object serializationData); object Serialize(System.Collections.ICollection objects); } - public interface INameCreationService { string CreateName(System.ComponentModel.IContainer container, System.Type dataType); bool IsValidName(string name); void ValidateName(string name); } - - public class InstanceDescriptor + public sealed class InstanceDescriptor { public System.Collections.ICollection Arguments { get => throw null; } public InstanceDescriptor(System.Reflection.MemberInfo member, System.Collections.ICollection arguments) => throw null; @@ -2232,63 +875,1195 @@ public class InstanceDescriptor public bool IsComplete { get => throw null; } public System.Reflection.MemberInfo MemberInfo { get => throw null; } } - public struct MemberRelationship : System.IEquatable { - public static bool operator !=(System.ComponentModel.Design.Serialization.MemberRelationship left, System.ComponentModel.Design.Serialization.MemberRelationship right) => throw null; - public static bool operator ==(System.ComponentModel.Design.Serialization.MemberRelationship left, System.ComponentModel.Design.Serialization.MemberRelationship right) => throw null; + public MemberRelationship(object owner, System.ComponentModel.MemberDescriptor member) => throw null; public static System.ComponentModel.Design.Serialization.MemberRelationship Empty; public bool Equals(System.ComponentModel.Design.Serialization.MemberRelationship other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsEmpty { get => throw null; } public System.ComponentModel.MemberDescriptor Member { get => throw null; } - // Stub generator skipped constructor - public MemberRelationship(object owner, System.ComponentModel.MemberDescriptor member) => throw null; + public static bool operator ==(System.ComponentModel.Design.Serialization.MemberRelationship left, System.ComponentModel.Design.Serialization.MemberRelationship right) => throw null; + public static bool operator !=(System.ComponentModel.Design.Serialization.MemberRelationship left, System.ComponentModel.Design.Serialization.MemberRelationship right) => throw null; public object Owner { get => throw null; } } - public abstract class MemberRelationshipService { - protected virtual System.ComponentModel.Design.Serialization.MemberRelationship GetRelationship(System.ComponentModel.Design.Serialization.MemberRelationship source) => throw null; - public System.ComponentModel.Design.Serialization.MemberRelationship this[System.ComponentModel.Design.Serialization.MemberRelationship source] { get => throw null; set => throw null; } - public System.ComponentModel.Design.Serialization.MemberRelationship this[object sourceOwner, System.ComponentModel.MemberDescriptor sourceMember] { get => throw null; set => throw null; } protected MemberRelationshipService() => throw null; + protected virtual System.ComponentModel.Design.Serialization.MemberRelationship GetRelationship(System.ComponentModel.Design.Serialization.MemberRelationship source) => throw null; protected virtual void SetRelationship(System.ComponentModel.Design.Serialization.MemberRelationship source, System.ComponentModel.Design.Serialization.MemberRelationship relationship) => throw null; public abstract bool SupportsRelationship(System.ComponentModel.Design.Serialization.MemberRelationship source, System.ComponentModel.Design.Serialization.MemberRelationship relationship); + public System.ComponentModel.Design.Serialization.MemberRelationship this[System.ComponentModel.Design.Serialization.MemberRelationship source] { get => throw null; set { } } + public System.ComponentModel.Design.Serialization.MemberRelationship this[object sourceOwner, System.ComponentModel.MemberDescriptor sourceMember] { get => throw null; set { } } } - public class ResolveNameEventArgs : System.EventArgs { - public string Name { get => throw null; } public ResolveNameEventArgs(string name) => throw null; - public object Value { get => throw null; set => throw null; } + public string Name { get => throw null; } + public object Value { get => throw null; set { } } } - public delegate void ResolveNameEventHandler(object sender, System.ComponentModel.Design.Serialization.ResolveNameEventArgs e); - - public class RootDesignerSerializerAttribute : System.Attribute + public sealed class RootDesignerSerializerAttribute : System.Attribute { - public bool Reloadable { get => throw null; } - public RootDesignerSerializerAttribute(System.Type serializerType, System.Type baseSerializerType, bool reloadable) => throw null; - public RootDesignerSerializerAttribute(string serializerTypeName, System.Type baseSerializerType, bool reloadable) => throw null; public RootDesignerSerializerAttribute(string serializerTypeName, string baseSerializerTypeName, bool reloadable) => throw null; + public RootDesignerSerializerAttribute(string serializerTypeName, System.Type baseSerializerType, bool reloadable) => throw null; + public RootDesignerSerializerAttribute(System.Type serializerType, System.Type baseSerializerType, bool reloadable) => throw null; + public bool Reloadable { get => throw null; } public string SerializerBaseTypeName { get => throw null; } public string SerializerTypeName { get => throw null; } public override object TypeId { get => throw null; } } - public abstract class SerializationStore : System.IDisposable { public abstract void Close(); - void System.IDisposable.Dispose() => throw null; + protected SerializationStore() => throw null; protected virtual void Dispose(bool disposing) => throw null; + void System.IDisposable.Dispose() => throw null; public abstract System.Collections.ICollection Errors { get; } public abstract void Save(System.IO.Stream stream); - protected SerializationStore() => throw null; } - } + public class ServiceContainer : System.ComponentModel.Design.IServiceContainer, System.IServiceProvider, System.IDisposable + { + public void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback) => throw null; + public virtual void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback, bool promote) => throw null; + public void AddService(System.Type serviceType, object serviceInstance) => throw null; + public virtual void AddService(System.Type serviceType, object serviceInstance, bool promote) => throw null; + public ServiceContainer() => throw null; + public ServiceContainer(System.IServiceProvider parentProvider) => throw null; + protected virtual System.Type[] DefaultServices { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public virtual object GetService(System.Type serviceType) => throw null; + public void RemoveService(System.Type serviceType) => throw null; + public virtual void RemoveService(System.Type serviceType, bool promote) => throw null; + } + public delegate object ServiceCreatorCallback(System.ComponentModel.Design.IServiceContainer container, System.Type serviceType); + public class StandardCommands + { + public static System.ComponentModel.Design.CommandID AlignBottom; + public static System.ComponentModel.Design.CommandID AlignHorizontalCenters; + public static System.ComponentModel.Design.CommandID AlignLeft; + public static System.ComponentModel.Design.CommandID AlignRight; + public static System.ComponentModel.Design.CommandID AlignToGrid; + public static System.ComponentModel.Design.CommandID AlignTop; + public static System.ComponentModel.Design.CommandID AlignVerticalCenters; + public static System.ComponentModel.Design.CommandID ArrangeBottom; + public static System.ComponentModel.Design.CommandID ArrangeIcons; + public static System.ComponentModel.Design.CommandID ArrangeRight; + public static System.ComponentModel.Design.CommandID BringForward; + public static System.ComponentModel.Design.CommandID BringToFront; + public static System.ComponentModel.Design.CommandID CenterHorizontally; + public static System.ComponentModel.Design.CommandID CenterVertically; + public static System.ComponentModel.Design.CommandID Copy; + public StandardCommands() => throw null; + public static System.ComponentModel.Design.CommandID Cut; + public static System.ComponentModel.Design.CommandID Delete; + public static System.ComponentModel.Design.CommandID DocumentOutline; + public static System.ComponentModel.Design.CommandID F1Help; + public static System.ComponentModel.Design.CommandID Group; + public static System.ComponentModel.Design.CommandID HorizSpaceConcatenate; + public static System.ComponentModel.Design.CommandID HorizSpaceDecrease; + public static System.ComponentModel.Design.CommandID HorizSpaceIncrease; + public static System.ComponentModel.Design.CommandID HorizSpaceMakeEqual; + public static System.ComponentModel.Design.CommandID LineupIcons; + public static System.ComponentModel.Design.CommandID LockControls; + public static System.ComponentModel.Design.CommandID MultiLevelRedo; + public static System.ComponentModel.Design.CommandID MultiLevelUndo; + public static System.ComponentModel.Design.CommandID Paste; + public static System.ComponentModel.Design.CommandID Properties; + public static System.ComponentModel.Design.CommandID PropertiesWindow; + public static System.ComponentModel.Design.CommandID Redo; + public static System.ComponentModel.Design.CommandID Replace; + public static System.ComponentModel.Design.CommandID SelectAll; + public static System.ComponentModel.Design.CommandID SendBackward; + public static System.ComponentModel.Design.CommandID SendToBack; + public static System.ComponentModel.Design.CommandID ShowGrid; + public static System.ComponentModel.Design.CommandID ShowLargeIcons; + public static System.ComponentModel.Design.CommandID SizeToControl; + public static System.ComponentModel.Design.CommandID SizeToControlHeight; + public static System.ComponentModel.Design.CommandID SizeToControlWidth; + public static System.ComponentModel.Design.CommandID SizeToFit; + public static System.ComponentModel.Design.CommandID SizeToGrid; + public static System.ComponentModel.Design.CommandID SnapToGrid; + public static System.ComponentModel.Design.CommandID TabOrder; + public static System.ComponentModel.Design.CommandID Undo; + public static System.ComponentModel.Design.CommandID Ungroup; + public static System.ComponentModel.Design.CommandID VerbFirst; + public static System.ComponentModel.Design.CommandID VerbLast; + public static System.ComponentModel.Design.CommandID VertSpaceConcatenate; + public static System.ComponentModel.Design.CommandID VertSpaceDecrease; + public static System.ComponentModel.Design.CommandID VertSpaceIncrease; + public static System.ComponentModel.Design.CommandID VertSpaceMakeEqual; + public static System.ComponentModel.Design.CommandID ViewCode; + public static System.ComponentModel.Design.CommandID ViewGrid; + } + public class StandardToolWindows + { + public StandardToolWindows() => throw null; + public static System.Guid ObjectBrowser; + public static System.Guid OutputWindow; + public static System.Guid ProjectExplorer; + public static System.Guid PropertyBrowser; + public static System.Guid RelatedLinks; + public static System.Guid ServerExplorer; + public static System.Guid TaskList; + public static System.Guid Toolbox; + } + public abstract class TypeDescriptionProviderService + { + protected TypeDescriptionProviderService() => throw null; + public abstract System.ComponentModel.TypeDescriptionProvider GetProvider(object instance); + public abstract System.ComponentModel.TypeDescriptionProvider GetProvider(System.Type type); + } + public enum ViewTechnology + { + Passthrough = 0, + WindowsForms = 1, + Default = 2, + } + } + public sealed class DesignTimeVisibleAttribute : System.Attribute + { + public DesignTimeVisibleAttribute() => throw null; + public DesignTimeVisibleAttribute(bool visible) => throw null; + public static System.ComponentModel.DesignTimeVisibleAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.DesignTimeVisibleAttribute No; + public bool Visible { get => throw null; } + public static System.ComponentModel.DesignTimeVisibleAttribute Yes; + } + public class DoubleConverter : System.ComponentModel.BaseNumberConverter + { + public DoubleConverter() => throw null; + } + public class EnumConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + protected virtual System.Collections.IComparer Comparer { get => throw null; } + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public EnumConverter(System.Type type) => throw null; + protected System.Type EnumType { get => throw null; } + public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + protected System.ComponentModel.TypeConverter.StandardValuesCollection Values { get => throw null; set { } } + } + public abstract class EventDescriptor : System.ComponentModel.MemberDescriptor + { + public abstract void AddEventHandler(object component, System.Delegate value); + public abstract System.Type ComponentType { get; } + protected EventDescriptor(System.ComponentModel.MemberDescriptor descr) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + protected EventDescriptor(System.ComponentModel.MemberDescriptor descr, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + protected EventDescriptor(string name, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + public abstract System.Type EventType { get; } + public abstract bool IsMulticast { get; } + public abstract void RemoveEventHandler(object component, System.Delegate value); + } + public class EventDescriptorCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + public int Add(System.ComponentModel.EventDescriptor value) => throw null; + int System.Collections.IList.Add(object value) => throw null; + public void Clear() => throw null; + void System.Collections.IList.Clear() => throw null; + public bool Contains(System.ComponentModel.EventDescriptor value) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + int System.Collections.ICollection.Count { get => throw null; } + public EventDescriptorCollection(System.ComponentModel.EventDescriptor[] events) => throw null; + public EventDescriptorCollection(System.ComponentModel.EventDescriptor[] events, bool readOnly) => throw null; + public static System.ComponentModel.EventDescriptorCollection Empty; + public virtual System.ComponentModel.EventDescriptor Find(string name, bool ignoreCase) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(System.ComponentModel.EventDescriptor value) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public void Insert(int index, System.ComponentModel.EventDescriptor value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + protected void InternalSort(System.Collections.IComparer sorter) => throw null; + protected void InternalSort(string[] names) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + public void Remove(System.ComponentModel.EventDescriptor value) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public void RemoveAt(int index) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + public virtual System.ComponentModel.EventDescriptorCollection Sort() => throw null; + public virtual System.ComponentModel.EventDescriptorCollection Sort(System.Collections.IComparer comparer) => throw null; + public virtual System.ComponentModel.EventDescriptorCollection Sort(string[] names) => throw null; + public virtual System.ComponentModel.EventDescriptorCollection Sort(string[] names, System.Collections.IComparer comparer) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual System.ComponentModel.EventDescriptor this[int index] { get => throw null; } + public virtual System.ComponentModel.EventDescriptor this[string name] { get => throw null; } + } + public class ExpandableObjectConverter : System.ComponentModel.TypeConverter + { + public ExpandableObjectConverter() => throw null; + public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; + public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + } + public sealed class ExtenderProvidedPropertyAttribute : System.Attribute + { + public ExtenderProvidedPropertyAttribute() => throw null; + public override bool Equals(object obj) => throw null; + public System.ComponentModel.PropertyDescriptor ExtenderProperty { get => throw null; } + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public System.ComponentModel.IExtenderProvider Provider { get => throw null; } + public System.Type ReceiverType { get => throw null; } + } + public class GuidConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public GuidConverter() => throw null; + } + public class HalfConverter : System.ComponentModel.BaseNumberConverter + { + public HalfConverter() => throw null; + } + public class HandledEventArgs : System.EventArgs + { + public HandledEventArgs() => throw null; + public HandledEventArgs(bool defaultHandledValue) => throw null; + public bool Handled { get => throw null; set { } } + } + public delegate void HandledEventHandler(object sender, System.ComponentModel.HandledEventArgs e); + public interface IBindingList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + void AddIndex(System.ComponentModel.PropertyDescriptor property); + object AddNew(); + bool AllowEdit { get; } + bool AllowNew { get; } + bool AllowRemove { get; } + void ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction); + int Find(System.ComponentModel.PropertyDescriptor property, object key); + bool IsSorted { get; } + event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + void RemoveIndex(System.ComponentModel.PropertyDescriptor property); + void RemoveSort(); + System.ComponentModel.ListSortDirection SortDirection { get; } + System.ComponentModel.PropertyDescriptor SortProperty { get; } + bool SupportsChangeNotification { get; } + bool SupportsSearching { get; } + bool SupportsSorting { get; } + } + public interface IBindingListView : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList + { + void ApplySort(System.ComponentModel.ListSortDescriptionCollection sorts); + string Filter { get; set; } + void RemoveFilter(); + System.ComponentModel.ListSortDescriptionCollection SortDescriptions { get; } + bool SupportsAdvancedSorting { get; } + bool SupportsFiltering { get; } + } + public interface ICancelAddNew + { + void CancelNew(int itemIndex); + void EndNew(int itemIndex); + } + public interface IComNativeDescriptorHandler + { + System.ComponentModel.AttributeCollection GetAttributes(object component); + string GetClassName(object component); + System.ComponentModel.TypeConverter GetConverter(object component); + System.ComponentModel.EventDescriptor GetDefaultEvent(object component); + System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component); + object GetEditor(object component, System.Type baseEditorType); + System.ComponentModel.EventDescriptorCollection GetEvents(object component); + System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes); + string GetName(object component); + System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes); + object GetPropertyValue(object component, int dispid, ref bool success); + object GetPropertyValue(object component, string propertyName, ref bool success); + } + public interface ICustomTypeDescriptor + { + System.ComponentModel.AttributeCollection GetAttributes(); + string GetClassName(); + string GetComponentName(); + System.ComponentModel.TypeConverter GetConverter(); + System.ComponentModel.EventDescriptor GetDefaultEvent(); + System.ComponentModel.PropertyDescriptor GetDefaultProperty(); + object GetEditor(System.Type editorBaseType); + System.ComponentModel.EventDescriptorCollection GetEvents(); + System.ComponentModel.EventDescriptorCollection GetEvents(System.Attribute[] attributes); + System.ComponentModel.PropertyDescriptorCollection GetProperties(); + System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Attribute[] attributes); + object GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd); + } + public interface IDataErrorInfo + { + string Error { get; } + string this[string columnName] { get; } + } + public interface IExtenderProvider + { + bool CanExtend(object extendee); + } + public interface IIntellisenseBuilder + { + string Name { get; } + bool Show(string language, string value, ref string newValue); + } + public interface IListSource + { + bool ContainsListCollection { get; } + System.Collections.IList GetList(); + } + public interface INestedContainer : System.ComponentModel.IContainer, System.IDisposable + { + System.ComponentModel.IComponent Owner { get; } + } + public interface INestedSite : System.ComponentModel.ISite, System.IServiceProvider + { + string FullName { get; } + } + public sealed class InheritanceAttribute : System.Attribute + { + public InheritanceAttribute() => throw null; + public InheritanceAttribute(System.ComponentModel.InheritanceLevel inheritanceLevel) => throw null; + public static System.ComponentModel.InheritanceAttribute Default; + public override bool Equals(object value) => throw null; + public override int GetHashCode() => throw null; + public System.ComponentModel.InheritanceLevel InheritanceLevel { get => throw null; } + public static System.ComponentModel.InheritanceAttribute Inherited; + public static System.ComponentModel.InheritanceAttribute InheritedReadOnly; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.InheritanceAttribute NotInherited; + public override string ToString() => throw null; + } + public enum InheritanceLevel + { + Inherited = 1, + InheritedReadOnly = 2, + NotInherited = 3, + } + public class InstallerTypeAttribute : System.Attribute + { + public InstallerTypeAttribute(string typeName) => throw null; + public InstallerTypeAttribute(System.Type installerType) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public virtual System.Type InstallerType { get => throw null; } + } + public abstract class InstanceCreationEditor + { + public abstract object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Type instanceType); + protected InstanceCreationEditor() => throw null; + public virtual string Text { get => throw null; } + } + public class Int128Converter : System.ComponentModel.BaseNumberConverter + { + public Int128Converter() => throw null; + } + public class Int16Converter : System.ComponentModel.BaseNumberConverter + { + public Int16Converter() => throw null; + } + public class Int32Converter : System.ComponentModel.BaseNumberConverter + { + public Int32Converter() => throw null; + } + public class Int64Converter : System.ComponentModel.BaseNumberConverter + { + public Int64Converter() => throw null; + } + public interface IRaiseItemChangedEvents + { + bool RaisesItemChangedEvents { get; } + } + public interface ISupportInitializeNotification : System.ComponentModel.ISupportInitialize + { + event System.EventHandler Initialized { add { } remove { } } + bool IsInitialized { get; } + } + public interface ITypeDescriptorContext : System.IServiceProvider + { + System.ComponentModel.IContainer Container { get; } + object Instance { get; } + void OnComponentChanged(); + bool OnComponentChanging(); + System.ComponentModel.PropertyDescriptor PropertyDescriptor { get; } + } + public interface ITypedList + { + System.ComponentModel.PropertyDescriptorCollection GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors); + string GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors); + } + public abstract class License : System.IDisposable + { + protected License() => throw null; + public abstract void Dispose(); + public abstract string LicenseKey { get; } + } + public class LicenseContext : System.IServiceProvider + { + public LicenseContext() => throw null; + public virtual string GetSavedLicenseKey(System.Type type, System.Reflection.Assembly resourceAssembly) => throw null; + public virtual object GetService(System.Type type) => throw null; + public virtual void SetSavedLicenseKey(System.Type type, string key) => throw null; + public virtual System.ComponentModel.LicenseUsageMode UsageMode { get => throw null; } + } + public class LicenseException : System.SystemException + { + protected LicenseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public LicenseException(System.Type type) => throw null; + public LicenseException(System.Type type, object instance) => throw null; + public LicenseException(System.Type type, object instance, string message) => throw null; + public LicenseException(System.Type type, object instance, string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Type LicensedType { get => throw null; } + } + public sealed class LicenseManager + { + public static object CreateWithContext(System.Type type, System.ComponentModel.LicenseContext creationContext) => throw null; + public static object CreateWithContext(System.Type type, System.ComponentModel.LicenseContext creationContext, object[] args) => throw null; + public static System.ComponentModel.LicenseContext CurrentContext { get => throw null; set { } } + public static bool IsLicensed(System.Type type) => throw null; + public static bool IsValid(System.Type type) => throw null; + public static bool IsValid(System.Type type, object instance, out System.ComponentModel.License license) => throw null; + public static void LockContext(object contextUser) => throw null; + public static void UnlockContext(object contextUser) => throw null; + public static System.ComponentModel.LicenseUsageMode UsageMode { get => throw null; } + public static void Validate(System.Type type) => throw null; + public static System.ComponentModel.License Validate(System.Type type, object instance) => throw null; + } + public abstract class LicenseProvider + { + protected LicenseProvider() => throw null; + public abstract System.ComponentModel.License GetLicense(System.ComponentModel.LicenseContext context, System.Type type, object instance, bool allowExceptions); + } + public sealed class LicenseProviderAttribute : System.Attribute + { + public LicenseProviderAttribute() => throw null; + public LicenseProviderAttribute(string typeName) => throw null; + public LicenseProviderAttribute(System.Type type) => throw null; + public static System.ComponentModel.LicenseProviderAttribute Default; + public override bool Equals(object value) => throw null; + public override int GetHashCode() => throw null; + public System.Type LicenseProvider { get => throw null; } + public override object TypeId { get => throw null; } + } + public enum LicenseUsageMode + { + Runtime = 0, + Designtime = 1, + } + public class LicFileLicenseProvider : System.ComponentModel.LicenseProvider + { + public LicFileLicenseProvider() => throw null; + protected virtual string GetKey(System.Type type) => throw null; + public override System.ComponentModel.License GetLicense(System.ComponentModel.LicenseContext context, System.Type type, object instance, bool allowExceptions) => throw null; + protected virtual bool IsKeyValid(string key, System.Type type) => throw null; + } + public sealed class ListBindableAttribute : System.Attribute + { + public ListBindableAttribute(bool listBindable) => throw null; + public ListBindableAttribute(System.ComponentModel.BindableSupport flags) => throw null; + public static System.ComponentModel.ListBindableAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public bool ListBindable { get => throw null; } + public static System.ComponentModel.ListBindableAttribute No; + public static System.ComponentModel.ListBindableAttribute Yes; + } + public class ListChangedEventArgs : System.EventArgs + { + public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, System.ComponentModel.PropertyDescriptor propDesc) => throw null; + public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex) => throw null; + public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex, System.ComponentModel.PropertyDescriptor propDesc) => throw null; + public ListChangedEventArgs(System.ComponentModel.ListChangedType listChangedType, int newIndex, int oldIndex) => throw null; + public System.ComponentModel.ListChangedType ListChangedType { get => throw null; } + public int NewIndex { get => throw null; } + public int OldIndex { get => throw null; } + public System.ComponentModel.PropertyDescriptor PropertyDescriptor { get => throw null; } + } + public delegate void ListChangedEventHandler(object sender, System.ComponentModel.ListChangedEventArgs e); + public enum ListChangedType + { + Reset = 0, + ItemAdded = 1, + ItemDeleted = 2, + ItemMoved = 3, + ItemChanged = 4, + PropertyDescriptorAdded = 5, + PropertyDescriptorDeleted = 6, + PropertyDescriptorChanged = 7, + } + public class ListSortDescription + { + public ListSortDescription(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; + public System.ComponentModel.PropertyDescriptor PropertyDescriptor { get => throw null; set { } } + public System.ComponentModel.ListSortDirection SortDirection { get => throw null; set { } } + } + public class ListSortDescriptionCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + int System.Collections.IList.Add(object value) => throw null; + void System.Collections.IList.Clear() => throw null; + public bool Contains(object value) => throw null; + public void CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public ListSortDescriptionCollection() => throw null; + public ListSortDescriptionCollection(System.ComponentModel.ListSortDescription[] sorts) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(object value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + void System.Collections.IList.Remove(object value) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.ComponentModel.ListSortDescription this[int index] { get => throw null; set { } } + } + public enum ListSortDirection + { + Ascending = 0, + Descending = 1, + } + public sealed class LookupBindingPropertiesAttribute : System.Attribute + { + public LookupBindingPropertiesAttribute() => throw null; + public LookupBindingPropertiesAttribute(string dataSource, string displayMember, string valueMember, string lookupMember) => throw null; + public string DataSource { get => throw null; } + public static System.ComponentModel.LookupBindingPropertiesAttribute Default; + public string DisplayMember { get => throw null; } + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public string LookupMember { get => throw null; } + public string ValueMember { get => throw null; } + } + public class MarshalByValueComponent : System.ComponentModel.IComponent, System.IDisposable, System.IServiceProvider + { + public virtual System.ComponentModel.IContainer Container { get => throw null; } + public MarshalByValueComponent() => throw null; + public virtual bool DesignMode { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public event System.EventHandler Disposed { add { } remove { } } + protected System.ComponentModel.EventHandlerList Events { get => throw null; } + public virtual object GetService(System.Type service) => throw null; + public virtual System.ComponentModel.ISite Site { get => throw null; set { } } + public override string ToString() => throw null; + } + public class MaskedTextProvider : System.ICloneable + { + public bool Add(char input) => throw null; + public bool Add(char input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool Add(string input) => throw null; + public bool Add(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool AllowPromptAsInput { get => throw null; } + public bool AsciiOnly { get => throw null; } + public int AssignedEditPositionCount { get => throw null; } + public int AvailableEditPositionCount { get => throw null; } + public void Clear() => throw null; + public void Clear(out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public object Clone() => throw null; + public MaskedTextProvider(string mask) => throw null; + public MaskedTextProvider(string mask, bool restrictToAscii) => throw null; + public MaskedTextProvider(string mask, char passwordChar, bool allowPromptAsInput) => throw null; + public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture) => throw null; + public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, bool restrictToAscii) => throw null; + public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, bool allowPromptAsInput, char promptChar, char passwordChar, bool restrictToAscii) => throw null; + public MaskedTextProvider(string mask, System.Globalization.CultureInfo culture, char passwordChar, bool allowPromptAsInput) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } + public static char DefaultPasswordChar { get => throw null; } + public int EditPositionCount { get => throw null; } + public System.Collections.IEnumerator EditPositions { get => throw null; } + public int FindAssignedEditPositionFrom(int position, bool direction) => throw null; + public int FindAssignedEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; + public int FindEditPositionFrom(int position, bool direction) => throw null; + public int FindEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; + public int FindNonEditPositionFrom(int position, bool direction) => throw null; + public int FindNonEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; + public int FindUnassignedEditPositionFrom(int position, bool direction) => throw null; + public int FindUnassignedEditPositionInRange(int startPosition, int endPosition, bool direction) => throw null; + public static bool GetOperationResultFromHint(System.ComponentModel.MaskedTextResultHint hint) => throw null; + public bool IncludeLiterals { get => throw null; set { } } + public bool IncludePrompt { get => throw null; set { } } + public bool InsertAt(char input, int position) => throw null; + public bool InsertAt(char input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool InsertAt(string input, int position) => throw null; + public bool InsertAt(string input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public static int InvalidIndex { get => throw null; } + public bool IsAvailablePosition(int position) => throw null; + public bool IsEditPosition(int position) => throw null; + public bool IsPassword { get => throw null; set { } } + public static bool IsValidInputChar(char c) => throw null; + public static bool IsValidMaskChar(char c) => throw null; + public static bool IsValidPasswordChar(char c) => throw null; + public int LastAssignedPosition { get => throw null; } + public int Length { get => throw null; } + public string Mask { get => throw null; } + public bool MaskCompleted { get => throw null; } + public bool MaskFull { get => throw null; } + public char PasswordChar { get => throw null; set { } } + public char PromptChar { get => throw null; set { } } + public bool Remove() => throw null; + public bool Remove(out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool RemoveAt(int position) => throw null; + public bool RemoveAt(int startPosition, int endPosition) => throw null; + public bool RemoveAt(int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool Replace(char input, int position) => throw null; + public bool Replace(char input, int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool Replace(char input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool Replace(string input, int position) => throw null; + public bool Replace(string input, int startPosition, int endPosition, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool Replace(string input, int position, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool ResetOnPrompt { get => throw null; set { } } + public bool ResetOnSpace { get => throw null; set { } } + public bool Set(string input) => throw null; + public bool Set(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + public bool SkipLiterals { get => throw null; set { } } + public char this[int index] { get => throw null; } + public string ToDisplayString() => throw null; + public override string ToString() => throw null; + public string ToString(bool ignorePasswordChar) => throw null; + public string ToString(bool includePrompt, bool includeLiterals) => throw null; + public string ToString(bool ignorePasswordChar, bool includePrompt, bool includeLiterals, int startPosition, int length) => throw null; + public string ToString(bool includePrompt, bool includeLiterals, int startPosition, int length) => throw null; + public string ToString(bool ignorePasswordChar, int startPosition, int length) => throw null; + public string ToString(int startPosition, int length) => throw null; + public bool VerifyChar(char input, int position, out System.ComponentModel.MaskedTextResultHint hint) => throw null; + public bool VerifyEscapeChar(char input, int position) => throw null; + public bool VerifyString(string input) => throw null; + public bool VerifyString(string input, out int testPosition, out System.ComponentModel.MaskedTextResultHint resultHint) => throw null; + } + public enum MaskedTextResultHint + { + PositionOutOfRange = -55, + NonEditPosition = -54, + UnavailableEditPosition = -53, + PromptCharNotAllowed = -52, + InvalidInput = -51, + SignedDigitExpected = -5, + LetterExpected = -4, + DigitExpected = -3, + AlphanumericCharacterExpected = -2, + AsciiCharacterExpected = -1, + Unknown = 0, + CharacterEscaped = 1, + NoEffect = 2, + SideEffect = 3, + Success = 4, + } + public abstract class MemberDescriptor + { + protected virtual System.Attribute[] AttributeArray { get => throw null; set { } } + public virtual System.ComponentModel.AttributeCollection Attributes { get => throw null; } + public virtual string Category { get => throw null; } + protected virtual System.ComponentModel.AttributeCollection CreateAttributeCollection() => throw null; + protected MemberDescriptor(System.ComponentModel.MemberDescriptor descr) => throw null; + protected MemberDescriptor(System.ComponentModel.MemberDescriptor oldMemberDescriptor, System.Attribute[] newAttributes) => throw null; + protected MemberDescriptor(string name) => throw null; + protected MemberDescriptor(string name, System.Attribute[] attributes) => throw null; + public virtual string Description { get => throw null; } + public virtual bool DesignTimeOnly { get => throw null; } + public virtual string DisplayName { get => throw null; } + public override bool Equals(object obj) => throw null; + protected virtual void FillAttributes(System.Collections.IList attributeList) => throw null; + protected static System.Reflection.MethodInfo FindMethod(System.Type componentClass, string name, System.Type[] args, System.Type returnType) => throw null; + protected static System.Reflection.MethodInfo FindMethod(System.Type componentClass, string name, System.Type[] args, System.Type returnType, bool publicOnly) => throw null; + public override int GetHashCode() => throw null; + protected virtual object GetInvocationTarget(System.Type type, object instance) => throw null; + protected static object GetInvokee(System.Type componentClass, object component) => throw null; + protected static System.ComponentModel.ISite GetSite(object component) => throw null; + public virtual bool IsBrowsable { get => throw null; } + public virtual string Name { get => throw null; } + protected virtual int NameHashCode { get => throw null; } + } + public class MultilineStringConverter : System.ComponentModel.TypeConverter + { + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public MultilineStringConverter() => throw null; + public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; + public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + } + public class NestedContainer : System.ComponentModel.Container, System.ComponentModel.IContainer, System.IDisposable, System.ComponentModel.INestedContainer + { + protected override System.ComponentModel.ISite CreateSite(System.ComponentModel.IComponent component, string name) => throw null; + public NestedContainer(System.ComponentModel.IComponent owner) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override object GetService(System.Type service) => throw null; + public System.ComponentModel.IComponent Owner { get => throw null; } + protected virtual string OwnerName { get => throw null; } + } + public class NullableConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public NullableConverter(System.Type type) => throw null; + public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; + public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + public System.Type NullableType { get => throw null; } + public System.Type UnderlyingType { get => throw null; } + public System.ComponentModel.TypeConverter UnderlyingTypeConverter { get => throw null; } + } + public sealed class PasswordPropertyTextAttribute : System.Attribute + { + public PasswordPropertyTextAttribute() => throw null; + public PasswordPropertyTextAttribute(bool password) => throw null; + public static System.ComponentModel.PasswordPropertyTextAttribute Default; + public override bool Equals(object o) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.PasswordPropertyTextAttribute No; + public bool Password { get => throw null; } + public static System.ComponentModel.PasswordPropertyTextAttribute Yes; + } + public abstract class PropertyDescriptor : System.ComponentModel.MemberDescriptor + { + public virtual void AddValueChanged(object component, System.EventHandler handler) => throw null; + public abstract bool CanResetValue(object component); + public abstract System.Type ComponentType { get; } + public virtual System.ComponentModel.TypeConverter Converter { get => throw null; } + protected object CreateInstance(System.Type type) => throw null; + protected PropertyDescriptor(System.ComponentModel.MemberDescriptor descr) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + protected PropertyDescriptor(System.ComponentModel.MemberDescriptor descr, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + protected PropertyDescriptor(string name, System.Attribute[] attrs) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + public override bool Equals(object obj) => throw null; + protected override void FillAttributes(System.Collections.IList attributeList) => throw null; + public System.ComponentModel.PropertyDescriptorCollection GetChildProperties() => throw null; + public System.ComponentModel.PropertyDescriptorCollection GetChildProperties(System.Attribute[] filter) => throw null; + public System.ComponentModel.PropertyDescriptorCollection GetChildProperties(object instance) => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection GetChildProperties(object instance, System.Attribute[] filter) => throw null; + public virtual object GetEditor(System.Type editorBaseType) => throw null; + public override int GetHashCode() => throw null; + protected override object GetInvocationTarget(System.Type type, object instance) => throw null; + protected System.Type GetTypeFromName(string typeName) => throw null; + public abstract object GetValue(object component); + protected System.EventHandler GetValueChangedHandler(object component) => throw null; + public virtual bool IsLocalizable { get => throw null; } + public abstract bool IsReadOnly { get; } + protected virtual void OnValueChanged(object component, System.EventArgs e) => throw null; + public abstract System.Type PropertyType { get; } + public virtual void RemoveValueChanged(object component, System.EventHandler handler) => throw null; + public abstract void ResetValue(object component); + public System.ComponentModel.DesignerSerializationVisibility SerializationVisibility { get => throw null; } + public abstract void SetValue(object component, object value); + public abstract bool ShouldSerializeValue(object component); + public virtual bool SupportsChangeEvents { get => throw null; } + } + public class PropertyDescriptorCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.IList + { + public int Add(System.ComponentModel.PropertyDescriptor value) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + int System.Collections.IList.Add(object value) => throw null; + public void Clear() => throw null; + void System.Collections.IDictionary.Clear() => throw null; + void System.Collections.IList.Clear() => throw null; + public bool Contains(System.ComponentModel.PropertyDescriptor value) => throw null; + bool System.Collections.IDictionary.Contains(object key) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public void CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + int System.Collections.ICollection.Count { get => throw null; } + public PropertyDescriptorCollection(System.ComponentModel.PropertyDescriptor[] properties) => throw null; + public PropertyDescriptorCollection(System.ComponentModel.PropertyDescriptor[] properties, bool readOnly) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection Empty; + public virtual System.ComponentModel.PropertyDescriptor Find(string name, bool ignoreCase) => throw null; + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(System.ComponentModel.PropertyDescriptor value) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public void Insert(int index, System.ComponentModel.PropertyDescriptor value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + protected void InternalSort(System.Collections.IComparer sorter) => throw null; + protected void InternalSort(string[] names) => throw null; + bool System.Collections.IDictionary.IsFixedSize { get => throw null; } + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.IDictionary.IsReadOnly { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } + System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } + public void Remove(System.ComponentModel.PropertyDescriptor value) => throw null; + void System.Collections.IDictionary.Remove(object key) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public void RemoveAt(int index) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection Sort() => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection Sort(System.Collections.IComparer comparer) => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection Sort(string[] names) => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection Sort(string[] names, System.Collections.IComparer comparer) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual System.ComponentModel.PropertyDescriptor this[int index] { get => throw null; } + public virtual System.ComponentModel.PropertyDescriptor this[string name] { get => throw null; } + System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + } + public class PropertyTabAttribute : System.Attribute + { + public PropertyTabAttribute() => throw null; + public PropertyTabAttribute(string tabClassName) => throw null; + public PropertyTabAttribute(string tabClassName, System.ComponentModel.PropertyTabScope tabScope) => throw null; + public PropertyTabAttribute(System.Type tabClass) => throw null; + public PropertyTabAttribute(System.Type tabClass, System.ComponentModel.PropertyTabScope tabScope) => throw null; + public bool Equals(System.ComponentModel.PropertyTabAttribute other) => throw null; + public override bool Equals(object other) => throw null; + public override int GetHashCode() => throw null; + protected void InitializeArrays(string[] tabClassNames, System.ComponentModel.PropertyTabScope[] tabScopes) => throw null; + protected void InitializeArrays(System.Type[] tabClasses, System.ComponentModel.PropertyTabScope[] tabScopes) => throw null; + public System.Type[] TabClasses { get => throw null; } + protected string[] TabClassNames { get => throw null; } + public System.ComponentModel.PropertyTabScope[] TabScopes { get => throw null; } + } + public enum PropertyTabScope + { + Static = 0, + Global = 1, + Document = 2, + Component = 3, + } + public sealed class ProvidePropertyAttribute : System.Attribute + { + public ProvidePropertyAttribute(string propertyName, string receiverTypeName) => throw null; + public ProvidePropertyAttribute(string propertyName, System.Type receiverType) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public string PropertyName { get => throw null; } + public string ReceiverTypeName { get => throw null; } + public override object TypeId { get => throw null; } + } + public class RecommendedAsConfigurableAttribute : System.Attribute + { + public RecommendedAsConfigurableAttribute(bool recommendedAsConfigurable) => throw null; + public static System.ComponentModel.RecommendedAsConfigurableAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.RecommendedAsConfigurableAttribute No; + public bool RecommendedAsConfigurable { get => throw null; } + public static System.ComponentModel.RecommendedAsConfigurableAttribute Yes; + } + public class ReferenceConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public ReferenceConverter(System.Type type) => throw null; + public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + protected virtual bool IsValueAllowed(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + } + public class RefreshEventArgs : System.EventArgs + { + public object ComponentChanged { get => throw null; } + public RefreshEventArgs(object componentChanged) => throw null; + public RefreshEventArgs(System.Type typeChanged) => throw null; + public System.Type TypeChanged { get => throw null; } + } + public delegate void RefreshEventHandler(System.ComponentModel.RefreshEventArgs e); + public class RunInstallerAttribute : System.Attribute + { + public RunInstallerAttribute(bool runInstaller) => throw null; + public static System.ComponentModel.RunInstallerAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.RunInstallerAttribute No; + public bool RunInstaller { get => throw null; } + public static System.ComponentModel.RunInstallerAttribute Yes; + } + public class SByteConverter : System.ComponentModel.BaseNumberConverter + { + public SByteConverter() => throw null; + } + public sealed class SettingsBindableAttribute : System.Attribute + { + public bool Bindable { get => throw null; } + public SettingsBindableAttribute(bool bindable) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public static System.ComponentModel.SettingsBindableAttribute No; + public static System.ComponentModel.SettingsBindableAttribute Yes; + } + public class SingleConverter : System.ComponentModel.BaseNumberConverter + { + public SingleConverter() => throw null; + } + public class StringConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public StringConverter() => throw null; + } + public static class SyntaxCheck + { + public static bool CheckMachineName(string value) => throw null; + public static bool CheckPath(string value) => throw null; + public static bool CheckRootedPath(string value) => throw null; + } + public class TimeOnlyConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public TimeOnlyConverter() => throw null; + } + public class TimeSpanConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public TimeSpanConverter() => throw null; + } + public class ToolboxItemAttribute : System.Attribute + { + public ToolboxItemAttribute(bool defaultType) => throw null; + public ToolboxItemAttribute(string toolboxItemTypeName) => throw null; + public ToolboxItemAttribute(System.Type toolboxItemType) => throw null; + public static System.ComponentModel.ToolboxItemAttribute Default; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override bool IsDefaultAttribute() => throw null; + public static System.ComponentModel.ToolboxItemAttribute None; + public System.Type ToolboxItemType { get => throw null; } + public string ToolboxItemTypeName { get => throw null; } + } + public sealed class ToolboxItemFilterAttribute : System.Attribute + { + public ToolboxItemFilterAttribute(string filterString) => throw null; + public ToolboxItemFilterAttribute(string filterString, System.ComponentModel.ToolboxItemFilterType filterType) => throw null; + public override bool Equals(object obj) => throw null; + public string FilterString { get => throw null; } + public System.ComponentModel.ToolboxItemFilterType FilterType { get => throw null; } + public override int GetHashCode() => throw null; + public override bool Match(object obj) => throw null; + public override string ToString() => throw null; + public override object TypeId { get => throw null; } + } + public enum ToolboxItemFilterType + { + Allow = 0, + Custom = 1, + Prevent = 2, + Require = 3, + } + public class TypeConverter + { + public virtual bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public bool CanConvertFrom(System.Type sourceType) => throw null; + public virtual bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public bool CanConvertTo(System.Type destinationType) => throw null; + public virtual object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public object ConvertFrom(object value) => throw null; + public object ConvertFromInvariantString(System.ComponentModel.ITypeDescriptorContext context, string text) => throw null; + public object ConvertFromInvariantString(string text) => throw null; + public object ConvertFromString(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, string text) => throw null; + public object ConvertFromString(System.ComponentModel.ITypeDescriptorContext context, string text) => throw null; + public object ConvertFromString(string text) => throw null; + public virtual object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public object ConvertTo(object value, System.Type destinationType) => throw null; + public string ConvertToInvariantString(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + public string ConvertToInvariantString(object value) => throw null; + public string ConvertToString(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public string ConvertToString(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + public string ConvertToString(object value) => throw null; + public object CreateInstance(System.Collections.IDictionary propertyValues) => throw null; + public virtual object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public TypeConverter() => throw null; + protected System.Exception GetConvertFromException(object value) => throw null; + protected System.Exception GetConvertToException(object value, System.Type destinationType) => throw null; + public bool GetCreateInstanceSupported() => throw null; + public virtual bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + public virtual System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; + public System.ComponentModel.PropertyDescriptorCollection GetProperties(object value) => throw null; + public bool GetPropertiesSupported() => throw null; + public virtual bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public System.Collections.ICollection GetStandardValues() => throw null; + public virtual System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public bool GetStandardValuesExclusive() => throw null; + public virtual bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public bool GetStandardValuesSupported() => throw null; + public virtual bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public virtual bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + public bool IsValid(object value) => throw null; + protected abstract class SimplePropertyDescriptor : System.ComponentModel.PropertyDescriptor + { + public override bool CanResetValue(object component) => throw null; + public override System.Type ComponentType { get => throw null; } + protected SimplePropertyDescriptor(System.Type componentType, string name, System.Type propertyType) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + protected SimplePropertyDescriptor(System.Type componentType, string name, System.Type propertyType, System.Attribute[] attributes) : base(default(System.ComponentModel.MemberDescriptor)) => throw null; + public override bool IsReadOnly { get => throw null; } + public override System.Type PropertyType { get => throw null; } + public override void ResetValue(object component) => throw null; + public override bool ShouldSerializeValue(object component) => throw null; + } + protected System.ComponentModel.PropertyDescriptorCollection SortProperties(System.ComponentModel.PropertyDescriptorCollection props, string[] names) => throw null; + public class StandardValuesCollection : System.Collections.ICollection, System.Collections.IEnumerable + { + public void CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public StandardValuesCollection(System.Collections.ICollection values) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public object this[int index] { get => throw null; } + } + } + public abstract class TypeDescriptionProvider + { + public virtual object CreateInstance(System.IServiceProvider provider, System.Type objectType, System.Type[] argTypes, object[] args) => throw null; + protected TypeDescriptionProvider() => throw null; + protected TypeDescriptionProvider(System.ComponentModel.TypeDescriptionProvider parent) => throw null; + public virtual System.Collections.IDictionary GetCache(object instance) => throw null; + public virtual System.ComponentModel.ICustomTypeDescriptor GetExtendedTypeDescriptor(object instance) => throw null; + protected virtual System.ComponentModel.IExtenderProvider[] GetExtenderProviders(object instance) => throw null; + public virtual string GetFullComponentName(object component) => throw null; + public System.Type GetReflectionType(object instance) => throw null; + public System.Type GetReflectionType(System.Type objectType) => throw null; + public virtual System.Type GetReflectionType(System.Type objectType, object instance) => throw null; + public virtual System.Type GetRuntimeType(System.Type reflectionType) => throw null; + public System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(object instance) => throw null; + public System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(System.Type objectType) => throw null; + public virtual System.ComponentModel.ICustomTypeDescriptor GetTypeDescriptor(System.Type objectType, object instance) => throw null; + public virtual bool IsSupportedType(System.Type type) => throw null; + } + public sealed class TypeDescriptor + { + public static System.ComponentModel.TypeDescriptionProvider AddAttributes(object instance, params System.Attribute[] attributes) => throw null; + public static System.ComponentModel.TypeDescriptionProvider AddAttributes(System.Type type, params System.Attribute[] attributes) => throw null; + public static void AddEditorTable(System.Type editorBaseType, System.Collections.Hashtable table) => throw null; + public static void AddProvider(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; + public static void AddProvider(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; + public static void AddProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; + public static void AddProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; + public static System.ComponentModel.IComNativeDescriptorHandler ComNativeDescriptorHandler { get => throw null; set { } } + public static System.Type ComObjectType { get => throw null; } + public static void CreateAssociation(object primary, object secondary) => throw null; + public static System.ComponentModel.Design.IDesigner CreateDesigner(System.ComponentModel.IComponent component, System.Type designerBaseType) => throw null; + public static System.ComponentModel.EventDescriptor CreateEvent(System.Type componentType, System.ComponentModel.EventDescriptor oldEventDescriptor, params System.Attribute[] attributes) => throw null; + public static System.ComponentModel.EventDescriptor CreateEvent(System.Type componentType, string name, System.Type type, params System.Attribute[] attributes) => throw null; + public static object CreateInstance(System.IServiceProvider provider, System.Type objectType, System.Type[] argTypes, object[] args) => throw null; + public static System.ComponentModel.PropertyDescriptor CreateProperty(System.Type componentType, System.ComponentModel.PropertyDescriptor oldPropertyDescriptor, params System.Attribute[] attributes) => throw null; + public static System.ComponentModel.PropertyDescriptor CreateProperty(System.Type componentType, string name, System.Type type, params System.Attribute[] attributes) => throw null; + public static object GetAssociation(System.Type type, object primary) => throw null; + public static System.ComponentModel.AttributeCollection GetAttributes(object component) => throw null; + public static System.ComponentModel.AttributeCollection GetAttributes(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.AttributeCollection GetAttributes(System.Type componentType) => throw null; + public static string GetClassName(object component) => throw null; + public static string GetClassName(object component, bool noCustomTypeDesc) => throw null; + public static string GetClassName(System.Type componentType) => throw null; + public static string GetComponentName(object component) => throw null; + public static string GetComponentName(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.TypeConverter GetConverter(object component) => throw null; + public static System.ComponentModel.TypeConverter GetConverter(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.TypeConverter GetConverter(System.Type type) => throw null; + public static System.ComponentModel.EventDescriptor GetDefaultEvent(object component) => throw null; + public static System.ComponentModel.EventDescriptor GetDefaultEvent(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.EventDescriptor GetDefaultEvent(System.Type componentType) => throw null; + public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component) => throw null; + public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.PropertyDescriptor GetDefaultProperty(System.Type componentType) => throw null; + public static object GetEditor(object component, System.Type editorBaseType) => throw null; + public static object GetEditor(object component, System.Type editorBaseType, bool noCustomTypeDesc) => throw null; + public static object GetEditor(System.Type type, System.Type editorBaseType) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(object component) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, System.Attribute[] attributes, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(System.Type componentType) => throw null; + public static System.ComponentModel.EventDescriptorCollection GetEvents(System.Type componentType, System.Attribute[] attributes) => throw null; + public static string GetFullComponentName(object component) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, System.Attribute[] attributes, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(object component, bool noCustomTypeDesc) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Type componentType) => throw null; + public static System.ComponentModel.PropertyDescriptorCollection GetProperties(System.Type componentType, System.Attribute[] attributes) => throw null; + public static System.ComponentModel.TypeDescriptionProvider GetProvider(object instance) => throw null; + public static System.ComponentModel.TypeDescriptionProvider GetProvider(System.Type type) => throw null; + public static System.Type GetReflectionType(object instance) => throw null; + public static System.Type GetReflectionType(System.Type type) => throw null; + public static System.Type InterfaceType { get => throw null; } + public static void Refresh(object component) => throw null; + public static void Refresh(System.Reflection.Assembly assembly) => throw null; + public static void Refresh(System.Reflection.Module module) => throw null; + public static void Refresh(System.Type type) => throw null; + public static event System.ComponentModel.RefreshEventHandler Refreshed { add { } remove { } } + public static void RemoveAssociation(object primary, object secondary) => throw null; + public static void RemoveAssociations(object primary) => throw null; + public static void RemoveProvider(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; + public static void RemoveProvider(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; + public static void RemoveProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; + public static void RemoveProviderTransparent(System.ComponentModel.TypeDescriptionProvider provider, System.Type type) => throw null; + public static void SortDescriptorArray(System.Collections.IList infos) => throw null; + } + public abstract class TypeListConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + protected TypeListConverter(System.Type[] types) => throw null; + public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesExclusive(System.ComponentModel.ITypeDescriptorContext context) => throw null; + public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; + } + public class UInt128Converter : System.ComponentModel.BaseNumberConverter + { + public UInt128Converter() => throw null; + } + public class UInt16Converter : System.ComponentModel.BaseNumberConverter + { + public UInt16Converter() => throw null; + } + public class UInt32Converter : System.ComponentModel.BaseNumberConverter + { + public UInt32Converter() => throw null; + } + public class UInt64Converter : System.ComponentModel.BaseNumberConverter + { + public UInt64Converter() => throw null; + } + public class VersionConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public VersionConverter() => throw null; + public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; + } + public class WarningException : System.SystemException + { + public WarningException() => throw null; + protected WarningException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public WarningException(string message) => throw null; + public WarningException(string message, System.Exception innerException) => throw null; + public WarningException(string message, string helpUrl) => throw null; + public WarningException(string message, string helpUrl, string helpTopic) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string HelpTopic { get => throw null; } + public string HelpUrl { get => throw null; } } } namespace Drawing @@ -2297,13 +2072,12 @@ public class ColorConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; - public ColorConverter() => throw null; public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public ColorConverter() => throw null; public override System.ComponentModel.TypeConverter.StandardValuesCollection GetStandardValues(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override bool GetStandardValuesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; } - public class PointConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -2311,12 +2085,11 @@ public class PointConverter : System.ComponentModel.TypeConverter public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public PointConverter() => throw null; public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public PointConverter() => throw null; } - public class RectangleConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -2324,12 +2097,11 @@ public class RectangleConverter : System.ComponentModel.TypeConverter public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public RectangleConverter() => throw null; public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public RectangleConverter() => throw null; } - public class SizeConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -2337,12 +2109,11 @@ public class SizeConverter : System.ComponentModel.TypeConverter public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public SizeConverter() => throw null; public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public SizeConverter() => throw null; } - public class SizeFConverter : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; @@ -2350,12 +2121,11 @@ public class SizeFConverter : System.ComponentModel.TypeConverter public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public override object CreateInstance(System.ComponentModel.ITypeDescriptorContext context, System.Collections.IDictionary propertyValues) => throw null; + public SizeFConverter() => throw null; public override bool GetCreateInstanceSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; public override System.ComponentModel.PropertyDescriptorCollection GetProperties(System.ComponentModel.ITypeDescriptorContext context, object value, System.Attribute[] attributes) => throw null; public override bool GetPropertiesSupported(System.ComponentModel.ITypeDescriptorContext context) => throw null; - public SizeFConverter() => throw null; } - } namespace Security { @@ -2369,7 +2139,6 @@ public class ExtendedProtectionPolicyTypeConverter : System.ComponentModel.TypeC public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; public ExtendedProtectionPolicyTypeConverter() => throw null; } - } } } @@ -2379,33 +2148,38 @@ public class ElapsedEventArgs : System.EventArgs { public System.DateTime SignalTime { get => throw null; } } - public delegate void ElapsedEventHandler(object sender, System.Timers.ElapsedEventArgs e); - public class Timer : System.ComponentModel.Component, System.ComponentModel.ISupportInitialize { - public bool AutoReset { get => throw null; set => throw null; } + public bool AutoReset { get => throw null; set { } } public void BeginInit() => throw null; public void Close() => throw null; + public Timer() => throw null; + public Timer(double interval) => throw null; + public Timer(System.TimeSpan interval) => throw null; protected override void Dispose(bool disposing) => throw null; - public event System.Timers.ElapsedEventHandler Elapsed; - public bool Enabled { get => throw null; set => throw null; } + public event System.Timers.ElapsedEventHandler Elapsed { add { } remove { } } + public bool Enabled { get => throw null; set { } } public void EndInit() => throw null; - public double Interval { get => throw null; set => throw null; } - public override System.ComponentModel.ISite Site { get => throw null; set => throw null; } + public double Interval { get => throw null; set { } } + public override System.ComponentModel.ISite Site { get => throw null; set { } } public void Start() => throw null; public void Stop() => throw null; - public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set => throw null; } - public Timer() => throw null; - public Timer(System.TimeSpan interval) => throw null; - public Timer(double interval) => throw null; + public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set { } } } - public class TimersDescriptionAttribute : System.ComponentModel.DescriptionAttribute { - public override string Description { get => throw null; } public TimersDescriptionAttribute(string description) => throw null; + public override string Description { get => throw null; } } - + } + public class UriTypeConverter : System.ComponentModel.TypeConverter + { + public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Type sourceType) => throw null; + public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Type destinationType) => throw null; + public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value) => throw null; + public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, System.Type destinationType) => throw null; + public UriTypeConverter() => throw null; + public override bool IsValid(System.ComponentModel.ITypeDescriptorContext context, object value) => throw null; } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.cs index ddfcd435eb33..26cf94df8dad 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.cs @@ -1,39 +1,33 @@ // This file contains auto-generated code. // Generated from `System.ComponentModel, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { - public interface IServiceProvider - { - object GetService(System.Type serviceType); - } - namespace ComponentModel { public class CancelEventArgs : System.EventArgs { - public bool Cancel { get => throw null; set => throw null; } + public bool Cancel { get => throw null; set { } } public CancelEventArgs() => throw null; public CancelEventArgs(bool cancel) => throw null; } - public interface IChangeTracking { void AcceptChanges(); bool IsChanged { get; } } - public interface IEditableObject { void BeginEdit(); void CancelEdit(); void EndEdit(); } - public interface IRevertibleChangeTracking : System.ComponentModel.IChangeTracking { void RejectChanges(); } - + } + public interface IServiceProvider + { + object GetService(System.Type serviceType); } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs new file mode 100644 index 000000000000..615f6ac0ba36 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Configuration, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs index 37958e8a2a3b..82d7a822fc09 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs @@ -1,27 +1,26 @@ // This file contains auto-generated code. // Generated from `System.Console, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { public static class Console { - public static System.ConsoleColor BackgroundColor { get => throw null; set => throw null; } + public static System.ConsoleColor BackgroundColor { get => throw null; set { } } public static void Beep() => throw null; public static void Beep(int frequency, int duration) => throw null; - public static int BufferHeight { get => throw null; set => throw null; } - public static int BufferWidth { get => throw null; set => throw null; } - public static event System.ConsoleCancelEventHandler CancelKeyPress; + public static int BufferHeight { get => throw null; set { } } + public static int BufferWidth { get => throw null; set { } } + public static event System.ConsoleCancelEventHandler CancelKeyPress { add { } remove { } } public static bool CapsLock { get => throw null; } public static void Clear() => throw null; - public static int CursorLeft { get => throw null; set => throw null; } - public static int CursorSize { get => throw null; set => throw null; } - public static int CursorTop { get => throw null; set => throw null; } - public static bool CursorVisible { get => throw null; set => throw null; } + public static int CursorLeft { get => throw null; set { } } + public static int CursorSize { get => throw null; set { } } + public static int CursorTop { get => throw null; set { } } + public static bool CursorVisible { get => throw null; set { } } public static System.IO.TextWriter Error { get => throw null; } - public static System.ConsoleColor ForegroundColor { get => throw null; set => throw null; } - public static (int, int) GetCursorPosition() => throw null; + public static System.ConsoleColor ForegroundColor { get => throw null; set { } } + public static (int Left, int Top) GetCursorPosition() => throw null; public static System.IO.TextReader In { get => throw null; } - public static System.Text.Encoding InputEncoding { get => throw null; set => throw null; } + public static System.Text.Encoding InputEncoding { get => throw null; set { } } public static bool IsErrorRedirected { get => throw null; } public static bool IsInputRedirected { get => throw null; } public static bool IsOutputRedirected { get => throw null; } @@ -29,7 +28,7 @@ public static class Console public static int LargestWindowHeight { get => throw null; } public static int LargestWindowWidth { get => throw null; } public static void MoveBufferArea(int sourceLeft, int sourceTop, int sourceWidth, int sourceHeight, int targetLeft, int targetTop) => throw null; - public static void MoveBufferArea(int sourceLeft, int sourceTop, int sourceWidth, int sourceHeight, int targetLeft, int targetTop, System.Char sourceChar, System.ConsoleColor sourceForeColor, System.ConsoleColor sourceBackColor) => throw null; + public static void MoveBufferArea(int sourceLeft, int sourceTop, int sourceWidth, int sourceHeight, int targetLeft, int targetTop, char sourceChar, System.ConsoleColor sourceForeColor, System.ConsoleColor sourceBackColor) => throw null; public static bool NumberLock { get => throw null; } public static System.IO.Stream OpenStandardError() => throw null; public static System.IO.Stream OpenStandardError(int bufferSize) => throw null; @@ -38,7 +37,7 @@ public static class Console public static System.IO.Stream OpenStandardOutput() => throw null; public static System.IO.Stream OpenStandardOutput(int bufferSize) => throw null; public static System.IO.TextWriter Out { get => throw null; } - public static System.Text.Encoding OutputEncoding { get => throw null; set => throw null; } + public static System.Text.Encoding OutputEncoding { get => throw null; set { } } public static int Read() => throw null; public static System.ConsoleKeyInfo ReadKey() => throw null; public static System.ConsoleKeyInfo ReadKey(bool intercept) => throw null; @@ -51,96 +50,97 @@ public static class Console public static void SetOut(System.IO.TextWriter newOut) => throw null; public static void SetWindowPosition(int left, int top) => throw null; public static void SetWindowSize(int width, int height) => throw null; - public static string Title { get => throw null; set => throw null; } - public static bool TreatControlCAsInput { get => throw null; set => throw null; } - public static int WindowHeight { get => throw null; set => throw null; } - public static int WindowLeft { get => throw null; set => throw null; } - public static int WindowTop { get => throw null; set => throw null; } - public static int WindowWidth { get => throw null; set => throw null; } - public static void Write(System.Char[] buffer) => throw null; - public static void Write(System.Char[] buffer, int index, int count) => throw null; + public static string Title { get => throw null; set { } } + public static bool TreatControlCAsInput { get => throw null; set { } } + public static int WindowHeight { get => throw null; set { } } + public static int WindowLeft { get => throw null; set { } } + public static int WindowTop { get => throw null; set { } } + public static int WindowWidth { get => throw null; set { } } public static void Write(bool value) => throw null; - public static void Write(System.Char value) => throw null; - public static void Write(System.Decimal value) => throw null; + public static void Write(char value) => throw null; + public static void Write(char[] buffer) => throw null; + public static void Write(char[] buffer, int index, int count) => throw null; + public static void Write(decimal value) => throw null; public static void Write(double value) => throw null; - public static void Write(float value) => throw null; public static void Write(int value) => throw null; - public static void Write(System.Int64 value) => throw null; + public static void Write(long value) => throw null; public static void Write(object value) => throw null; + public static void Write(float value) => throw null; public static void Write(string value) => throw null; public static void Write(string format, object arg0) => throw null; public static void Write(string format, object arg0, object arg1) => throw null; public static void Write(string format, object arg0, object arg1, object arg2) => throw null; public static void Write(string format, params object[] arg) => throw null; - public static void Write(System.UInt32 value) => throw null; - public static void Write(System.UInt64 value) => throw null; + public static void Write(uint value) => throw null; + public static void Write(ulong value) => throw null; public static void WriteLine() => throw null; - public static void WriteLine(System.Char[] buffer) => throw null; - public static void WriteLine(System.Char[] buffer, int index, int count) => throw null; public static void WriteLine(bool value) => throw null; - public static void WriteLine(System.Char value) => throw null; - public static void WriteLine(System.Decimal value) => throw null; + public static void WriteLine(char value) => throw null; + public static void WriteLine(char[] buffer) => throw null; + public static void WriteLine(char[] buffer, int index, int count) => throw null; + public static void WriteLine(decimal value) => throw null; public static void WriteLine(double value) => throw null; - public static void WriteLine(float value) => throw null; public static void WriteLine(int value) => throw null; - public static void WriteLine(System.Int64 value) => throw null; + public static void WriteLine(long value) => throw null; public static void WriteLine(object value) => throw null; + public static void WriteLine(float value) => throw null; public static void WriteLine(string value) => throw null; public static void WriteLine(string format, object arg0) => throw null; public static void WriteLine(string format, object arg0, object arg1) => throw null; public static void WriteLine(string format, object arg0, object arg1, object arg2) => throw null; public static void WriteLine(string format, params object[] arg) => throw null; - public static void WriteLine(System.UInt32 value) => throw null; - public static void WriteLine(System.UInt64 value) => throw null; + public static void WriteLine(uint value) => throw null; + public static void WriteLine(ulong value) => throw null; } - - public class ConsoleCancelEventArgs : System.EventArgs + public sealed class ConsoleCancelEventArgs : System.EventArgs { - public bool Cancel { get => throw null; set => throw null; } + public bool Cancel { get => throw null; set { } } public System.ConsoleSpecialKey SpecialKey { get => throw null; } } - public delegate void ConsoleCancelEventHandler(object sender, System.ConsoleCancelEventArgs e); - - public enum ConsoleColor : int + public enum ConsoleColor { Black = 0, - Blue = 9, - Cyan = 11, DarkBlue = 1, - DarkCyan = 3, - DarkGray = 8, DarkGreen = 2, - DarkMagenta = 5, + DarkCyan = 3, DarkRed = 4, + DarkMagenta = 5, DarkYellow = 6, Gray = 7, + DarkGray = 8, + Blue = 9, Green = 10, - Magenta = 13, + Cyan = 11, Red = 12, - White = 15, + Magenta = 13, Yellow = 14, + White = 15, } - - public enum ConsoleKey : int + public enum ConsoleKey { - A = 65, - Add = 107, - Applications = 93, - Attention = 246, - B = 66, Backspace = 8, - BrowserBack = 166, - BrowserFavorites = 171, - BrowserForward = 167, - BrowserHome = 172, - BrowserRefresh = 168, - BrowserSearch = 170, - BrowserStop = 169, - C = 67, + Tab = 9, Clear = 12, - CrSel = 247, - D = 68, + Enter = 13, + Pause = 19, + Escape = 27, + Spacebar = 32, + PageUp = 33, + PageDown = 34, + End = 35, + Home = 36, + LeftArrow = 37, + UpArrow = 38, + RightArrow = 39, + DownArrow = 40, + Select = 41, + Print = 42, + Execute = 43, + PrintScreen = 44, + Insert = 45, + Delete = 46, + Help = 47, D0 = 48, D1 = 49, D2 = 50, @@ -151,19 +151,61 @@ public enum ConsoleKey : int D7 = 55, D8 = 56, D9 = 57, - Decimal = 110, - Delete = 46, - Divide = 111, - DownArrow = 40, + A = 65, + B = 66, + C = 67, + D = 68, E = 69, - End = 35, - Enter = 13, - EraseEndOfFile = 249, - Escape = 27, - ExSel = 248, - Execute = 43, F = 70, + G = 71, + H = 72, + I = 73, + J = 74, + K = 75, + L = 76, + M = 77, + N = 78, + O = 79, + P = 80, + Q = 81, + R = 82, + S = 83, + T = 84, + U = 85, + V = 86, + W = 87, + X = 88, + Y = 89, + Z = 90, + LeftWindows = 91, + RightWindows = 92, + Applications = 93, + Sleep = 95, + NumPad0 = 96, + NumPad1 = 97, + NumPad2 = 98, + NumPad3 = 99, + NumPad4 = 100, + NumPad5 = 101, + NumPad6 = 102, + NumPad7 = 103, + NumPad8 = 104, + NumPad9 = 105, + Multiply = 106, + Add = 107, + Separator = 108, + Subtract = 109, + Decimal = 110, + Divide = 111, F1 = 112, + F2 = 113, + F3 = 114, + F4 = 115, + F5 = 116, + F6 = 117, + F7 = 118, + F8 = 119, + F9 = 120, F10 = 121, F11 = 122, F12 = 123, @@ -174,55 +216,34 @@ public enum ConsoleKey : int F17 = 128, F18 = 129, F19 = 130, - F2 = 113, F20 = 131, F21 = 132, F22 = 133, F23 = 134, F24 = 135, - F3 = 114, - F4 = 115, - F5 = 116, - F6 = 117, - F7 = 118, - F8 = 119, - F9 = 120, - G = 71, - H = 72, - Help = 47, - Home = 36, - I = 73, - Insert = 45, - J = 74, - K = 75, - L = 76, - LaunchApp1 = 182, - LaunchApp2 = 183, - LaunchMail = 180, - LaunchMediaSelect = 181, - LeftArrow = 37, - LeftWindows = 91, - M = 77, + BrowserBack = 166, + BrowserForward = 167, + BrowserRefresh = 168, + BrowserStop = 169, + BrowserSearch = 170, + BrowserFavorites = 171, + BrowserHome = 172, + VolumeMute = 173, + VolumeDown = 174, + VolumeUp = 175, MediaNext = 176, - MediaPlay = 179, MediaPrevious = 177, MediaStop = 178, - Multiply = 106, - N = 78, - NoName = 252, - NumPad0 = 96, - NumPad1 = 97, - NumPad2 = 98, - NumPad3 = 99, - NumPad4 = 100, - NumPad5 = 101, - NumPad6 = 102, - NumPad7 = 103, - NumPad8 = 104, - NumPad9 = 105, - O = 79, + MediaPlay = 179, + LaunchMail = 180, + LaunchMediaSelect = 181, + LaunchApp1 = 182, + LaunchApp2 = 183, Oem1 = 186, - Oem102 = 226, + OemPlus = 187, + OemComma = 188, + OemMinus = 189, + OemPeriod = 190, Oem2 = 191, Oem3 = 192, Oem4 = 219, @@ -230,72 +251,41 @@ public enum ConsoleKey : int Oem6 = 221, Oem7 = 222, Oem8 = 223, - OemClear = 254, - OemComma = 188, - OemMinus = 189, - OemPeriod = 190, - OemPlus = 187, - P = 80, - Pa1 = 253, + Oem102 = 226, + Process = 229, Packet = 231, - PageDown = 34, - PageUp = 33, - Pause = 19, + Attention = 246, + CrSel = 247, + ExSel = 248, + EraseEndOfFile = 249, Play = 250, - Print = 42, - PrintScreen = 44, - Process = 229, - Q = 81, - R = 82, - RightArrow = 39, - RightWindows = 92, - S = 83, - Select = 41, - Separator = 108, - Sleep = 95, - Spacebar = 32, - Subtract = 109, - T = 84, - Tab = 9, - U = 85, - UpArrow = 38, - V = 86, - VolumeDown = 174, - VolumeMute = 173, - VolumeUp = 175, - W = 87, - X = 88, - Y = 89, - Z = 90, Zoom = 251, + NoName = 252, + Pa1 = 253, + OemClear = 254, } - public struct ConsoleKeyInfo : System.IEquatable { - public static bool operator !=(System.ConsoleKeyInfo a, System.ConsoleKeyInfo b) => throw null; - public static bool operator ==(System.ConsoleKeyInfo a, System.ConsoleKeyInfo b) => throw null; - // Stub generator skipped constructor - public ConsoleKeyInfo(System.Char keyChar, System.ConsoleKey key, bool shift, bool alt, bool control) => throw null; + public ConsoleKeyInfo(char keyChar, System.ConsoleKey key, bool shift, bool alt, bool control) => throw null; public bool Equals(System.ConsoleKeyInfo obj) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; public System.ConsoleKey Key { get => throw null; } - public System.Char KeyChar { get => throw null; } + public char KeyChar { get => throw null; } public System.ConsoleModifiers Modifiers { get => throw null; } + public static bool operator ==(System.ConsoleKeyInfo a, System.ConsoleKeyInfo b) => throw null; + public static bool operator !=(System.ConsoleKeyInfo a, System.ConsoleKeyInfo b) => throw null; } - [System.Flags] - public enum ConsoleModifiers : int + public enum ConsoleModifiers { Alt = 1, - Control = 4, Shift = 2, + Control = 4, } - - public enum ConsoleSpecialKey : int + public enum ConsoleSpecialKey { - ControlBreak = 1, ControlC = 0, + ControlBreak = 1, } - } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs new file mode 100644 index 000000000000..57a099444e5e --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs index 86fa07c14cbc..8b9f2e0109cc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs @@ -1,1560 +1,44 @@ // This file contains auto-generated code. // Generated from `System.Data.Common, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Data { - public enum AcceptRejectRule : int + public enum AcceptRejectRule { - Cascade = 1, None = 0, + Cascade = 1, } - [System.Flags] - public enum CommandBehavior : int + public enum CommandBehavior { - CloseConnection = 32, Default = 0, - KeyInfo = 4, - SchemaOnly = 2, - SequentialAccess = 16, SingleResult = 1, + SchemaOnly = 2, + KeyInfo = 4, SingleRow = 8, + SequentialAccess = 16, + CloseConnection = 32, } - - public enum CommandType : int + public enum CommandType { + Text = 1, StoredProcedure = 4, TableDirect = 512, - Text = 1, - } - - public enum ConflictOption : int - { - CompareAllSearchableValues = 1, - CompareRowVersion = 2, - OverwriteChanges = 3, - } - - [System.Flags] - public enum ConnectionState : int - { - Broken = 16, - Closed = 0, - Connecting = 2, - Executing = 4, - Fetching = 8, - Open = 1, - } - - public abstract class Constraint - { - protected void CheckStateForProperty() => throw null; - internal Constraint() => throw null; - public virtual string ConstraintName { get => throw null; set => throw null; } - public System.Data.PropertyCollection ExtendedProperties { get => throw null; } - protected internal void SetDataSet(System.Data.DataSet dataSet) => throw null; - public abstract System.Data.DataTable Table { get; } - public override string ToString() => throw null; - protected virtual System.Data.DataSet _DataSet { get => throw null; } - } - - public class ConstraintCollection : System.Data.InternalDataCollectionBase - { - public void Add(System.Data.Constraint constraint) => throw null; - public System.Data.Constraint Add(string name, System.Data.DataColumn primaryKeyColumn, System.Data.DataColumn foreignKeyColumn) => throw null; - public System.Data.Constraint Add(string name, System.Data.DataColumn column, bool primaryKey) => throw null; - public System.Data.Constraint Add(string name, System.Data.DataColumn[] primaryKeyColumns, System.Data.DataColumn[] foreignKeyColumns) => throw null; - public System.Data.Constraint Add(string name, System.Data.DataColumn[] columns, bool primaryKey) => throw null; - public void AddRange(System.Data.Constraint[] constraints) => throw null; - public bool CanRemove(System.Data.Constraint constraint) => throw null; - public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; - public bool Contains(string name) => throw null; - public void CopyTo(System.Data.Constraint[] array, int index) => throw null; - public int IndexOf(System.Data.Constraint constraint) => throw null; - public int IndexOf(string constraintName) => throw null; - public System.Data.Constraint this[int index] { get => throw null; } - public System.Data.Constraint this[string name] { get => throw null; } - protected override System.Collections.ArrayList List { get => throw null; } - public void Remove(System.Data.Constraint constraint) => throw null; - public void Remove(string name) => throw null; - public void RemoveAt(int index) => throw null; - } - - public class ConstraintException : System.Data.DataException - { - public ConstraintException() => throw null; - protected ConstraintException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public ConstraintException(string s) => throw null; - public ConstraintException(string message, System.Exception innerException) => throw null; - } - - public class DBConcurrencyException : System.SystemException - { - public void CopyToRows(System.Data.DataRow[] array) => throw null; - public void CopyToRows(System.Data.DataRow[] array, int arrayIndex) => throw null; - public DBConcurrencyException() => throw null; - public DBConcurrencyException(string message) => throw null; - public DBConcurrencyException(string message, System.Exception inner) => throw null; - public DBConcurrencyException(string message, System.Exception inner, System.Data.DataRow[] dataRows) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Data.DataRow Row { get => throw null; set => throw null; } - public int RowCount { get => throw null; } - } - - public class DataColumn : System.ComponentModel.MarshalByValueComponent - { - public bool AllowDBNull { get => throw null; set => throw null; } - public bool AutoIncrement { get => throw null; set => throw null; } - public System.Int64 AutoIncrementSeed { get => throw null; set => throw null; } - public System.Int64 AutoIncrementStep { get => throw null; set => throw null; } - public string Caption { get => throw null; set => throw null; } - protected internal void CheckNotAllowNull() => throw null; - protected void CheckUnique() => throw null; - public virtual System.Data.MappingType ColumnMapping { get => throw null; set => throw null; } - public string ColumnName { get => throw null; set => throw null; } - public DataColumn() => throw null; - public DataColumn(string columnName) => throw null; - public DataColumn(string columnName, System.Type dataType) => throw null; - public DataColumn(string columnName, System.Type dataType, string expr) => throw null; - public DataColumn(string columnName, System.Type dataType, string expr, System.Data.MappingType type) => throw null; - public System.Type DataType { get => throw null; set => throw null; } - public System.Data.DataSetDateTime DateTimeMode { get => throw null; set => throw null; } - public object DefaultValue { get => throw null; set => throw null; } - public string Expression { get => throw null; set => throw null; } - public System.Data.PropertyCollection ExtendedProperties { get => throw null; } - public int MaxLength { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; - public int Ordinal { get => throw null; } - public string Prefix { get => throw null; set => throw null; } - protected internal void RaisePropertyChanging(string name) => throw null; - public bool ReadOnly { get => throw null; set => throw null; } - public void SetOrdinal(int ordinal) => throw null; - public System.Data.DataTable Table { get => throw null; } - public override string ToString() => throw null; - public bool Unique { get => throw null; set => throw null; } - } - - public class DataColumnChangeEventArgs : System.EventArgs - { - public System.Data.DataColumn Column { get => throw null; } - public DataColumnChangeEventArgs(System.Data.DataRow row, System.Data.DataColumn column, object value) => throw null; - public object ProposedValue { get => throw null; set => throw null; } - public System.Data.DataRow Row { get => throw null; } - } - - public delegate void DataColumnChangeEventHandler(object sender, System.Data.DataColumnChangeEventArgs e); - - public class DataColumnCollection : System.Data.InternalDataCollectionBase - { - public System.Data.DataColumn Add() => throw null; - public void Add(System.Data.DataColumn column) => throw null; - public System.Data.DataColumn Add(string columnName) => throw null; - public System.Data.DataColumn Add(string columnName, System.Type type) => throw null; - public System.Data.DataColumn Add(string columnName, System.Type type, string expression) => throw null; - public void AddRange(System.Data.DataColumn[] columns) => throw null; - public bool CanRemove(System.Data.DataColumn column) => throw null; - public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; - public bool Contains(string name) => throw null; - public void CopyTo(System.Data.DataColumn[] array, int index) => throw null; - public int IndexOf(System.Data.DataColumn column) => throw null; - public int IndexOf(string columnName) => throw null; - public System.Data.DataColumn this[int index] { get => throw null; } - public System.Data.DataColumn this[string name] { get => throw null; } - protected override System.Collections.ArrayList List { get => throw null; } - public void Remove(System.Data.DataColumn column) => throw null; - public void Remove(string name) => throw null; - public void RemoveAt(int index) => throw null; - } - - public class DataException : System.SystemException - { - public DataException() => throw null; - protected DataException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DataException(string s) => throw null; - public DataException(string s, System.Exception innerException) => throw null; - } - - public static class DataReaderExtensions - { - public static bool GetBoolean(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Byte GetByte(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Int64 GetBytes(this System.Data.Common.DbDataReader reader, string name, System.Int64 dataOffset, System.Byte[] buffer, int bufferOffset, int length) => throw null; - public static System.Char GetChar(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Int64 GetChars(this System.Data.Common.DbDataReader reader, string name, System.Int64 dataOffset, System.Char[] buffer, int bufferOffset, int length) => throw null; - public static System.Data.Common.DbDataReader GetData(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static string GetDataTypeName(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.DateTime GetDateTime(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Decimal GetDecimal(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static double GetDouble(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Type GetFieldType(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static T GetFieldValue(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Threading.Tasks.Task GetFieldValueAsync(this System.Data.Common.DbDataReader reader, string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static float GetFloat(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Guid GetGuid(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Int16 GetInt16(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static int GetInt32(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Int64 GetInt64(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Type GetProviderSpecificFieldType(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static object GetProviderSpecificValue(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.IO.Stream GetStream(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static string GetString(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.IO.TextReader GetTextReader(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static object GetValue(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static bool IsDBNull(this System.Data.Common.DbDataReader reader, string name) => throw null; - public static System.Threading.Tasks.Task IsDBNullAsync(this System.Data.Common.DbDataReader reader, string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - public class DataRelation - { - protected void CheckStateForProperty() => throw null; - public virtual System.Data.DataColumn[] ChildColumns { get => throw null; } - public virtual System.Data.ForeignKeyConstraint ChildKeyConstraint { get => throw null; } - public virtual System.Data.DataTable ChildTable { get => throw null; } - public DataRelation(string relationName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; - public DataRelation(string relationName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn, bool createConstraints) => throw null; - public DataRelation(string relationName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; - public DataRelation(string relationName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns, bool createConstraints) => throw null; - public DataRelation(string relationName, string parentTableName, string childTableName, string[] parentColumnNames, string[] childColumnNames, bool nested) => throw null; - public DataRelation(string relationName, string parentTableName, string parentTableNamespace, string childTableName, string childTableNamespace, string[] parentColumnNames, string[] childColumnNames, bool nested) => throw null; - public virtual System.Data.DataSet DataSet { get => throw null; } - public System.Data.PropertyCollection ExtendedProperties { get => throw null; } - public virtual bool Nested { get => throw null; set => throw null; } - protected internal void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; - public virtual System.Data.DataColumn[] ParentColumns { get => throw null; } - public virtual System.Data.UniqueConstraint ParentKeyConstraint { get => throw null; } - public virtual System.Data.DataTable ParentTable { get => throw null; } - protected internal void RaisePropertyChanging(string name) => throw null; - public virtual string RelationName { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - public abstract class DataRelationCollection : System.Data.InternalDataCollectionBase - { - public virtual System.Data.DataRelation Add(System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; - public virtual System.Data.DataRelation Add(System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; - public void Add(System.Data.DataRelation relation) => throw null; - public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; - public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn, bool createConstraints) => throw null; - public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; - public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns, bool createConstraints) => throw null; - protected virtual void AddCore(System.Data.DataRelation relation) => throw null; - public virtual void AddRange(System.Data.DataRelation[] relations) => throw null; - public virtual bool CanRemove(System.Data.DataRelation relation) => throw null; - public virtual void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; - public virtual bool Contains(string name) => throw null; - public void CopyTo(System.Data.DataRelation[] array, int index) => throw null; - protected DataRelationCollection() => throw null; - protected abstract System.Data.DataSet GetDataSet(); - public virtual int IndexOf(System.Data.DataRelation relation) => throw null; - public virtual int IndexOf(string relationName) => throw null; - public abstract System.Data.DataRelation this[int index] { get; } - public abstract System.Data.DataRelation this[string name] { get; } - protected virtual void OnCollectionChanged(System.ComponentModel.CollectionChangeEventArgs ccevent) => throw null; - protected virtual void OnCollectionChanging(System.ComponentModel.CollectionChangeEventArgs ccevent) => throw null; - public void Remove(System.Data.DataRelation relation) => throw null; - public void Remove(string name) => throw null; - public void RemoveAt(int index) => throw null; - protected virtual void RemoveCore(System.Data.DataRelation relation) => throw null; - } - - public class DataRow - { - public void AcceptChanges() => throw null; - public void BeginEdit() => throw null; - public void CancelEdit() => throw null; - public void ClearErrors() => throw null; - protected internal DataRow(System.Data.DataRowBuilder builder) => throw null; - public void Delete() => throw null; - public void EndEdit() => throw null; - public System.Data.DataRow[] GetChildRows(System.Data.DataRelation relation) => throw null; - public System.Data.DataRow[] GetChildRows(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; - public System.Data.DataRow[] GetChildRows(string relationName) => throw null; - public System.Data.DataRow[] GetChildRows(string relationName, System.Data.DataRowVersion version) => throw null; - public string GetColumnError(System.Data.DataColumn column) => throw null; - public string GetColumnError(int columnIndex) => throw null; - public string GetColumnError(string columnName) => throw null; - public System.Data.DataColumn[] GetColumnsInError() => throw null; - public System.Data.DataRow GetParentRow(System.Data.DataRelation relation) => throw null; - public System.Data.DataRow GetParentRow(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; - public System.Data.DataRow GetParentRow(string relationName) => throw null; - public System.Data.DataRow GetParentRow(string relationName, System.Data.DataRowVersion version) => throw null; - public System.Data.DataRow[] GetParentRows(System.Data.DataRelation relation) => throw null; - public System.Data.DataRow[] GetParentRows(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; - public System.Data.DataRow[] GetParentRows(string relationName) => throw null; - public System.Data.DataRow[] GetParentRows(string relationName, System.Data.DataRowVersion version) => throw null; - public bool HasErrors { get => throw null; } - public bool HasVersion(System.Data.DataRowVersion version) => throw null; - public bool IsNull(System.Data.DataColumn column) => throw null; - public bool IsNull(System.Data.DataColumn column, System.Data.DataRowVersion version) => throw null; - public bool IsNull(int columnIndex) => throw null; - public bool IsNull(string columnName) => throw null; - public object[] ItemArray { get => throw null; set => throw null; } - public object this[System.Data.DataColumn column, System.Data.DataRowVersion version] { get => throw null; } - public object this[System.Data.DataColumn column] { get => throw null; set => throw null; } - public object this[int columnIndex, System.Data.DataRowVersion version] { get => throw null; } - public object this[int columnIndex] { get => throw null; set => throw null; } - public object this[string columnName, System.Data.DataRowVersion version] { get => throw null; } - public object this[string columnName] { get => throw null; set => throw null; } - public void RejectChanges() => throw null; - public string RowError { get => throw null; set => throw null; } - public System.Data.DataRowState RowState { get => throw null; } - public void SetAdded() => throw null; - public void SetColumnError(System.Data.DataColumn column, string error) => throw null; - public void SetColumnError(int columnIndex, string error) => throw null; - public void SetColumnError(string columnName, string error) => throw null; - public void SetModified() => throw null; - protected void SetNull(System.Data.DataColumn column) => throw null; - public void SetParentRow(System.Data.DataRow parentRow) => throw null; - public void SetParentRow(System.Data.DataRow parentRow, System.Data.DataRelation relation) => throw null; - public System.Data.DataTable Table { get => throw null; } - } - - [System.Flags] - public enum DataRowAction : int - { - Add = 16, - Change = 2, - ChangeCurrentAndOriginal = 64, - ChangeOriginal = 32, - Commit = 8, - Delete = 1, - Nothing = 0, - Rollback = 4, - } - - public class DataRowBuilder - { - } - - public class DataRowChangeEventArgs : System.EventArgs - { - public System.Data.DataRowAction Action { get => throw null; } - public DataRowChangeEventArgs(System.Data.DataRow row, System.Data.DataRowAction action) => throw null; - public System.Data.DataRow Row { get => throw null; } } - - public delegate void DataRowChangeEventHandler(object sender, System.Data.DataRowChangeEventArgs e); - - public class DataRowCollection : System.Data.InternalDataCollectionBase + namespace Common { - public void Add(System.Data.DataRow row) => throw null; - public System.Data.DataRow Add(params object[] values) => throw null; - public void Clear() => throw null; - public bool Contains(object[] keys) => throw null; - public bool Contains(object key) => throw null; - public override void CopyTo(System.Array ar, int index) => throw null; - public void CopyTo(System.Data.DataRow[] array, int index) => throw null; - public override int Count { get => throw null; } - public System.Data.DataRow Find(object[] keys) => throw null; - public System.Data.DataRow Find(object key) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public int IndexOf(System.Data.DataRow row) => throw null; - public void InsertAt(System.Data.DataRow row, int pos) => throw null; - public System.Data.DataRow this[int index] { get => throw null; } - public void Remove(System.Data.DataRow row) => throw null; - public void RemoveAt(int index) => throw null; - } - - public static class DataRowComparer - { - public static System.Data.DataRowComparer Default { get => throw null; } - } - - public class DataRowComparer : System.Collections.Generic.IEqualityComparer where TRow : System.Data.DataRow - { - public static System.Data.DataRowComparer Default { get => throw null; } - public bool Equals(TRow leftRow, TRow rightRow) => throw null; - public int GetHashCode(TRow row) => throw null; - } - - public static class DataRowExtensions - { - public static T Field(this System.Data.DataRow row, System.Data.DataColumn column) => throw null; - public static T Field(this System.Data.DataRow row, System.Data.DataColumn column, System.Data.DataRowVersion version) => throw null; - public static T Field(this System.Data.DataRow row, int columnIndex) => throw null; - public static T Field(this System.Data.DataRow row, int columnIndex, System.Data.DataRowVersion version) => throw null; - public static T Field(this System.Data.DataRow row, string columnName) => throw null; - public static T Field(this System.Data.DataRow row, string columnName, System.Data.DataRowVersion version) => throw null; - public static void SetField(this System.Data.DataRow row, System.Data.DataColumn column, T value) => throw null; - public static void SetField(this System.Data.DataRow row, int columnIndex, T value) => throw null; - public static void SetField(this System.Data.DataRow row, string columnName, T value) => throw null; - } - - [System.Flags] - public enum DataRowState : int - { - Added = 4, - Deleted = 8, - Detached = 1, - Modified = 16, - Unchanged = 2, - } - - public enum DataRowVersion : int - { - Current = 512, - Default = 1536, - Original = 256, - Proposed = 1024, - } - - public class DataRowView : System.ComponentModel.ICustomTypeDescriptor, System.ComponentModel.IDataErrorInfo, System.ComponentModel.IEditableObject, System.ComponentModel.INotifyPropertyChanged - { - public void BeginEdit() => throw null; - public void CancelEdit() => throw null; - public System.Data.DataView CreateChildView(System.Data.DataRelation relation) => throw null; - public System.Data.DataView CreateChildView(System.Data.DataRelation relation, bool followParent) => throw null; - public System.Data.DataView CreateChildView(string relationName) => throw null; - public System.Data.DataView CreateChildView(string relationName, bool followParent) => throw null; - public System.Data.DataView DataView { get => throw null; } - public void Delete() => throw null; - public void EndEdit() => throw null; - public override bool Equals(object other) => throw null; - string System.ComponentModel.IDataErrorInfo.Error { get => throw null; } - System.ComponentModel.AttributeCollection System.ComponentModel.ICustomTypeDescriptor.GetAttributes() => throw null; - string System.ComponentModel.ICustomTypeDescriptor.GetClassName() => throw null; - string System.ComponentModel.ICustomTypeDescriptor.GetComponentName() => throw null; - System.ComponentModel.TypeConverter System.ComponentModel.ICustomTypeDescriptor.GetConverter() => throw null; - System.ComponentModel.EventDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultEvent() => throw null; - System.ComponentModel.PropertyDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultProperty() => throw null; - object System.ComponentModel.ICustomTypeDescriptor.GetEditor(System.Type editorBaseType) => throw null; - System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents() => throw null; - System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents(System.Attribute[] attributes) => throw null; - public override int GetHashCode() => throw null; - System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties() => throw null; - System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties(System.Attribute[] attributes) => throw null; - object System.ComponentModel.ICustomTypeDescriptor.GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd) => throw null; - public bool IsEdit { get => throw null; } - public bool IsNew { get => throw null; } - public object this[int ndx] { get => throw null; set => throw null; } - public object this[string property] { get => throw null; set => throw null; } - string System.ComponentModel.IDataErrorInfo.this[string colName] { get => throw null; } - public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; - public System.Data.DataRow Row { get => throw null; } - public System.Data.DataRowVersion RowVersion { get => throw null; } - } - - public class DataSet : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable - { - public void AcceptChanges() => throw null; - public void BeginInit() => throw null; - public bool CaseSensitive { get => throw null; set => throw null; } - public void Clear() => throw null; - public virtual System.Data.DataSet Clone() => throw null; - bool System.ComponentModel.IListSource.ContainsListCollection { get => throw null; } - public System.Data.DataSet Copy() => throw null; - public System.Data.DataTableReader CreateDataReader() => throw null; - public System.Data.DataTableReader CreateDataReader(params System.Data.DataTable[] dataTables) => throw null; - public DataSet() => throw null; - protected DataSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected DataSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context, bool ConstructSchema) => throw null; - public DataSet(string dataSetName) => throw null; - public string DataSetName { get => throw null; set => throw null; } - public System.Data.DataViewManager DefaultViewManager { get => throw null; } - protected System.Data.SchemaSerializationMode DetermineSchemaSerializationMode(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected System.Data.SchemaSerializationMode DetermineSchemaSerializationMode(System.Xml.XmlReader reader) => throw null; - public void EndInit() => throw null; - public bool EnforceConstraints { get => throw null; set => throw null; } - public System.Data.PropertyCollection ExtendedProperties { get => throw null; } - public System.Data.DataSet GetChanges() => throw null; - public System.Data.DataSet GetChanges(System.Data.DataRowState rowStates) => throw null; - public static System.Xml.Schema.XmlSchemaComplexType GetDataSetSchema(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; - System.Collections.IList System.ComponentModel.IListSource.GetList() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; - protected virtual System.Xml.Schema.XmlSchema GetSchemaSerializable() => throw null; - protected void GetSerializationData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string GetXml() => throw null; - public string GetXmlSchema() => throw null; - public bool HasChanges() => throw null; - public bool HasChanges(System.Data.DataRowState rowStates) => throw null; - public bool HasErrors { get => throw null; } - public void InferXmlSchema(System.IO.Stream stream, string[] nsArray) => throw null; - public void InferXmlSchema(System.IO.TextReader reader, string[] nsArray) => throw null; - public void InferXmlSchema(System.Xml.XmlReader reader, string[] nsArray) => throw null; - public void InferXmlSchema(string fileName, string[] nsArray) => throw null; - protected virtual void InitializeDerivedDataSet() => throw null; - public event System.EventHandler Initialized; - protected bool IsBinarySerialized(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public bool IsInitialized { get => throw null; } - public virtual void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, System.Data.FillErrorEventHandler errorHandler, params System.Data.DataTable[] tables) => throw null; - public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, params System.Data.DataTable[] tables) => throw null; - public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, params string[] tables) => throw null; - public System.Globalization.CultureInfo Locale { get => throw null; set => throw null; } - public void Merge(System.Data.DataRow[] rows) => throw null; - public void Merge(System.Data.DataRow[] rows, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; - public void Merge(System.Data.DataSet dataSet) => throw null; - public void Merge(System.Data.DataSet dataSet, bool preserveChanges) => throw null; - public void Merge(System.Data.DataSet dataSet, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; - public void Merge(System.Data.DataTable table) => throw null; - public void Merge(System.Data.DataTable table, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; - public event System.Data.MergeFailedEventHandler MergeFailed; - public string Namespace { get => throw null; set => throw null; } - protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; - protected virtual void OnRemoveRelation(System.Data.DataRelation relation) => throw null; - protected internal virtual void OnRemoveTable(System.Data.DataTable table) => throw null; - public string Prefix { get => throw null; set => throw null; } - protected internal void RaisePropertyChanging(string name) => throw null; - public System.Data.XmlReadMode ReadXml(System.IO.Stream stream) => throw null; - public System.Data.XmlReadMode ReadXml(System.IO.Stream stream, System.Data.XmlReadMode mode) => throw null; - public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader) => throw null; - public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader, System.Data.XmlReadMode mode) => throw null; - public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader) => throw null; - void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader, System.Data.XmlReadMode mode) => throw null; - public System.Data.XmlReadMode ReadXml(string fileName) => throw null; - public System.Data.XmlReadMode ReadXml(string fileName, System.Data.XmlReadMode mode) => throw null; - public void ReadXmlSchema(System.IO.Stream stream) => throw null; - public void ReadXmlSchema(System.IO.TextReader reader) => throw null; - public void ReadXmlSchema(System.Xml.XmlReader reader) => throw null; - public void ReadXmlSchema(string fileName) => throw null; - protected virtual void ReadXmlSerializable(System.Xml.XmlReader reader) => throw null; - public virtual void RejectChanges() => throw null; - public System.Data.DataRelationCollection Relations { get => throw null; } - public System.Data.SerializationFormat RemotingFormat { get => throw null; set => throw null; } - public virtual void Reset() => throw null; - public virtual System.Data.SchemaSerializationMode SchemaSerializationMode { get => throw null; set => throw null; } - protected virtual bool ShouldSerializeRelations() => throw null; - protected virtual bool ShouldSerializeTables() => throw null; - public override System.ComponentModel.ISite Site { get => throw null; set => throw null; } - public System.Data.DataTableCollection Tables { get => throw null; } - public void WriteXml(System.IO.Stream stream) => throw null; - public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(System.IO.TextWriter writer) => throw null; - public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(System.Xml.XmlWriter writer) => throw null; - void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(string fileName) => throw null; - public void WriteXml(string fileName, System.Data.XmlWriteMode mode) => throw null; - public void WriteXmlSchema(System.IO.Stream stream) => throw null; - public void WriteXmlSchema(System.IO.Stream stream, System.Converter multipleTargetConverter) => throw null; - public void WriteXmlSchema(System.IO.TextWriter writer) => throw null; - public void WriteXmlSchema(System.IO.TextWriter writer, System.Converter multipleTargetConverter) => throw null; - public void WriteXmlSchema(System.Xml.XmlWriter writer) => throw null; - public void WriteXmlSchema(System.Xml.XmlWriter writer, System.Converter multipleTargetConverter) => throw null; - public void WriteXmlSchema(string fileName) => throw null; - public void WriteXmlSchema(string fileName, System.Converter multipleTargetConverter) => throw null; - } - - public enum DataSetDateTime : int - { - Local = 1, - Unspecified = 2, - UnspecifiedLocal = 3, - Utc = 4, - } - - public class DataSysDescriptionAttribute : System.ComponentModel.DescriptionAttribute - { - public DataSysDescriptionAttribute(string description) => throw null; - public override string Description { get => throw null; } - } - - public class DataTable : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable - { - public void AcceptChanges() => throw null; - public virtual void BeginInit() => throw null; - public void BeginLoadData() => throw null; - public bool CaseSensitive { get => throw null; set => throw null; } - public System.Data.DataRelationCollection ChildRelations { get => throw null; } - public void Clear() => throw null; - public virtual System.Data.DataTable Clone() => throw null; - public event System.Data.DataColumnChangeEventHandler ColumnChanged; - public event System.Data.DataColumnChangeEventHandler ColumnChanging; - public System.Data.DataColumnCollection Columns { get => throw null; } - public object Compute(string expression, string filter) => throw null; - public System.Data.ConstraintCollection Constraints { get => throw null; } - bool System.ComponentModel.IListSource.ContainsListCollection { get => throw null; } - public System.Data.DataTable Copy() => throw null; - public System.Data.DataTableReader CreateDataReader() => throw null; - protected virtual System.Data.DataTable CreateInstance() => throw null; - public System.Data.DataSet DataSet { get => throw null; } - public DataTable() => throw null; - protected DataTable(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DataTable(string tableName) => throw null; - public DataTable(string tableName, string tableNamespace) => throw null; - public System.Data.DataView DefaultView { get => throw null; } - public string DisplayExpression { get => throw null; set => throw null; } - public virtual void EndInit() => throw null; - public void EndLoadData() => throw null; - public System.Data.PropertyCollection ExtendedProperties { get => throw null; } - public System.Data.DataTable GetChanges() => throw null; - public System.Data.DataTable GetChanges(System.Data.DataRowState rowStates) => throw null; - public static System.Xml.Schema.XmlSchemaComplexType GetDataTableSchema(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; - public System.Data.DataRow[] GetErrors() => throw null; - System.Collections.IList System.ComponentModel.IListSource.GetList() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected virtual System.Type GetRowType() => throw null; - protected virtual System.Xml.Schema.XmlSchema GetSchema() => throw null; - System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; - public bool HasErrors { get => throw null; } - public void ImportRow(System.Data.DataRow row) => throw null; - public event System.EventHandler Initialized; - public bool IsInitialized { get => throw null; } - public void Load(System.Data.IDataReader reader) => throw null; - public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption) => throw null; - public virtual void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, System.Data.FillErrorEventHandler errorHandler) => throw null; - public System.Data.DataRow LoadDataRow(object[] values, System.Data.LoadOption loadOption) => throw null; - public System.Data.DataRow LoadDataRow(object[] values, bool fAcceptChanges) => throw null; - public System.Globalization.CultureInfo Locale { get => throw null; set => throw null; } - public void Merge(System.Data.DataTable table) => throw null; - public void Merge(System.Data.DataTable table, bool preserveChanges) => throw null; - public void Merge(System.Data.DataTable table, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; - public int MinimumCapacity { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public System.Data.DataRow NewRow() => throw null; - protected internal System.Data.DataRow[] NewRowArray(int size) => throw null; - protected virtual System.Data.DataRow NewRowFromBuilder(System.Data.DataRowBuilder builder) => throw null; - protected internal virtual void OnColumnChanged(System.Data.DataColumnChangeEventArgs e) => throw null; - protected internal virtual void OnColumnChanging(System.Data.DataColumnChangeEventArgs e) => throw null; - protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; - protected virtual void OnRemoveColumn(System.Data.DataColumn column) => throw null; - protected virtual void OnRowChanged(System.Data.DataRowChangeEventArgs e) => throw null; - protected virtual void OnRowChanging(System.Data.DataRowChangeEventArgs e) => throw null; - protected virtual void OnRowDeleted(System.Data.DataRowChangeEventArgs e) => throw null; - protected virtual void OnRowDeleting(System.Data.DataRowChangeEventArgs e) => throw null; - protected virtual void OnTableCleared(System.Data.DataTableClearEventArgs e) => throw null; - protected virtual void OnTableClearing(System.Data.DataTableClearEventArgs e) => throw null; - protected virtual void OnTableNewRow(System.Data.DataTableNewRowEventArgs e) => throw null; - public System.Data.DataRelationCollection ParentRelations { get => throw null; } - public string Prefix { get => throw null; set => throw null; } - public System.Data.DataColumn[] PrimaryKey { get => throw null; set => throw null; } - public System.Data.XmlReadMode ReadXml(System.IO.Stream stream) => throw null; - public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader) => throw null; - public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader) => throw null; - void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - public System.Data.XmlReadMode ReadXml(string fileName) => throw null; - public void ReadXmlSchema(System.IO.Stream stream) => throw null; - public void ReadXmlSchema(System.IO.TextReader reader) => throw null; - public void ReadXmlSchema(System.Xml.XmlReader reader) => throw null; - public void ReadXmlSchema(string fileName) => throw null; - protected virtual void ReadXmlSerializable(System.Xml.XmlReader reader) => throw null; - public void RejectChanges() => throw null; - public System.Data.SerializationFormat RemotingFormat { get => throw null; set => throw null; } - public virtual void Reset() => throw null; - public event System.Data.DataRowChangeEventHandler RowChanged; - public event System.Data.DataRowChangeEventHandler RowChanging; - public event System.Data.DataRowChangeEventHandler RowDeleted; - public event System.Data.DataRowChangeEventHandler RowDeleting; - public System.Data.DataRowCollection Rows { get => throw null; } - public System.Data.DataRow[] Select() => throw null; - public System.Data.DataRow[] Select(string filterExpression) => throw null; - public System.Data.DataRow[] Select(string filterExpression, string sort) => throw null; - public System.Data.DataRow[] Select(string filterExpression, string sort, System.Data.DataViewRowState recordStates) => throw null; - public override System.ComponentModel.ISite Site { get => throw null; set => throw null; } - public event System.Data.DataTableClearEventHandler TableCleared; - public event System.Data.DataTableClearEventHandler TableClearing; - public string TableName { get => throw null; set => throw null; } - public event System.Data.DataTableNewRowEventHandler TableNewRow; - public override string ToString() => throw null; - public void WriteXml(System.IO.Stream stream) => throw null; - public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; - public void WriteXml(System.IO.Stream stream, bool writeHierarchy) => throw null; - public void WriteXml(System.IO.TextWriter writer) => throw null; - public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; - public void WriteXml(System.IO.TextWriter writer, bool writeHierarchy) => throw null; - public void WriteXml(System.Xml.XmlWriter writer) => throw null; - void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; - public void WriteXml(System.Xml.XmlWriter writer, bool writeHierarchy) => throw null; - public void WriteXml(string fileName) => throw null; - public void WriteXml(string fileName, System.Data.XmlWriteMode mode) => throw null; - public void WriteXml(string fileName, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; - public void WriteXml(string fileName, bool writeHierarchy) => throw null; - public void WriteXmlSchema(System.IO.Stream stream) => throw null; - public void WriteXmlSchema(System.IO.Stream stream, bool writeHierarchy) => throw null; - public void WriteXmlSchema(System.IO.TextWriter writer) => throw null; - public void WriteXmlSchema(System.IO.TextWriter writer, bool writeHierarchy) => throw null; - public void WriteXmlSchema(System.Xml.XmlWriter writer) => throw null; - public void WriteXmlSchema(System.Xml.XmlWriter writer, bool writeHierarchy) => throw null; - public void WriteXmlSchema(string fileName) => throw null; - public void WriteXmlSchema(string fileName, bool writeHierarchy) => throw null; - protected internal bool fInitInProgress; - } - - public class DataTableClearEventArgs : System.EventArgs - { - public DataTableClearEventArgs(System.Data.DataTable dataTable) => throw null; - public System.Data.DataTable Table { get => throw null; } - public string TableName { get => throw null; } - public string TableNamespace { get => throw null; } - } - - public delegate void DataTableClearEventHandler(object sender, System.Data.DataTableClearEventArgs e); - - public class DataTableCollection : System.Data.InternalDataCollectionBase - { - public System.Data.DataTable Add() => throw null; - public void Add(System.Data.DataTable table) => throw null; - public System.Data.DataTable Add(string name) => throw null; - public System.Data.DataTable Add(string name, string tableNamespace) => throw null; - public void AddRange(System.Data.DataTable[] tables) => throw null; - public bool CanRemove(System.Data.DataTable table) => throw null; - public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanging; - public bool Contains(string name) => throw null; - public bool Contains(string name, string tableNamespace) => throw null; - public void CopyTo(System.Data.DataTable[] array, int index) => throw null; - public int IndexOf(System.Data.DataTable table) => throw null; - public int IndexOf(string tableName) => throw null; - public int IndexOf(string tableName, string tableNamespace) => throw null; - public System.Data.DataTable this[int index] { get => throw null; } - public System.Data.DataTable this[string name, string tableNamespace] { get => throw null; } - public System.Data.DataTable this[string name] { get => throw null; } - protected override System.Collections.ArrayList List { get => throw null; } - public void Remove(System.Data.DataTable table) => throw null; - public void Remove(string name) => throw null; - public void Remove(string name, string tableNamespace) => throw null; - public void RemoveAt(int index) => throw null; - } - - public static class DataTableExtensions - { - public static System.Data.DataView AsDataView(this System.Data.DataTable table) => throw null; - public static System.Data.DataView AsDataView(this System.Data.EnumerableRowCollection source) where T : System.Data.DataRow => throw null; - public static System.Data.EnumerableRowCollection AsEnumerable(this System.Data.DataTable source) => throw null; - public static System.Data.DataTable CopyToDataTable(this System.Collections.Generic.IEnumerable source) where T : System.Data.DataRow => throw null; - public static void CopyToDataTable(this System.Collections.Generic.IEnumerable source, System.Data.DataTable table, System.Data.LoadOption options) where T : System.Data.DataRow => throw null; - public static void CopyToDataTable(this System.Collections.Generic.IEnumerable source, System.Data.DataTable table, System.Data.LoadOption options, System.Data.FillErrorEventHandler errorHandler) where T : System.Data.DataRow => throw null; - } - - public class DataTableNewRowEventArgs : System.EventArgs - { - public DataTableNewRowEventArgs(System.Data.DataRow dataRow) => throw null; - public System.Data.DataRow Row { get => throw null; } - } - - public delegate void DataTableNewRowEventHandler(object sender, System.Data.DataTableNewRowEventArgs e); - - public class DataTableReader : System.Data.Common.DbDataReader - { - public override void Close() => throw null; - public DataTableReader(System.Data.DataTable dataTable) => throw null; - public DataTableReader(System.Data.DataTable[] dataTables) => throw null; - public override int Depth { get => throw null; } - public override int FieldCount { get => throw null; } - public override bool GetBoolean(int ordinal) => throw null; - public override System.Byte GetByte(int ordinal) => throw null; - public override System.Int64 GetBytes(int ordinal, System.Int64 dataIndex, System.Byte[] buffer, int bufferIndex, int length) => throw null; - public override System.Char GetChar(int ordinal) => throw null; - public override System.Int64 GetChars(int ordinal, System.Int64 dataIndex, System.Char[] buffer, int bufferIndex, int length) => throw null; - public override string GetDataTypeName(int ordinal) => throw null; - public override System.DateTime GetDateTime(int ordinal) => throw null; - public override System.Decimal GetDecimal(int ordinal) => throw null; - public override double GetDouble(int ordinal) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override System.Type GetFieldType(int ordinal) => throw null; - public override float GetFloat(int ordinal) => throw null; - public override System.Guid GetGuid(int ordinal) => throw null; - public override System.Int16 GetInt16(int ordinal) => throw null; - public override int GetInt32(int ordinal) => throw null; - public override System.Int64 GetInt64(int ordinal) => throw null; - public override string GetName(int ordinal) => throw null; - public override int GetOrdinal(string name) => throw null; - public override System.Type GetProviderSpecificFieldType(int ordinal) => throw null; - public override object GetProviderSpecificValue(int ordinal) => throw null; - public override int GetProviderSpecificValues(object[] values) => throw null; - public override System.Data.DataTable GetSchemaTable() => throw null; - public override string GetString(int ordinal) => throw null; - public override object GetValue(int ordinal) => throw null; - public override int GetValues(object[] values) => throw null; - public override bool HasRows { get => throw null; } - public override bool IsClosed { get => throw null; } - public override bool IsDBNull(int ordinal) => throw null; - public override object this[int ordinal] { get => throw null; } - public override object this[string name] { get => throw null; } - public override bool NextResult() => throw null; - public override bool Read() => throw null; - public override int RecordsAffected { get => throw null; } - } - - public class DataView : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.IBindingListView, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.ComponentModel.ITypedList - { - int System.Collections.IList.Add(object value) => throw null; - void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; - public virtual System.Data.DataRowView AddNew() => throw null; - object System.ComponentModel.IBindingList.AddNew() => throw null; - public bool AllowDelete { get => throw null; set => throw null; } - public bool AllowEdit { get => throw null; set => throw null; } - bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } - public bool AllowNew { get => throw null; set => throw null; } - bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } - bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } - public bool ApplyDefaultSort { get => throw null; set => throw null; } - void System.ComponentModel.IBindingListView.ApplySort(System.ComponentModel.ListSortDescriptionCollection sorts) => throw null; - void System.ComponentModel.IBindingList.ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; - public void BeginInit() => throw null; - void System.Collections.IList.Clear() => throw null; - protected void Close() => throw null; - protected virtual void ColumnCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - public void CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - public DataView() => throw null; - public DataView(System.Data.DataTable table) => throw null; - public DataView(System.Data.DataTable table, string RowFilter, string Sort, System.Data.DataViewRowState RowState) => throw null; - public System.Data.DataViewManager DataViewManager { get => throw null; } - public void Delete(int index) => throw null; - protected override void Dispose(bool disposing) => throw null; - public void EndInit() => throw null; - public virtual bool Equals(System.Data.DataView view) => throw null; - string System.ComponentModel.IBindingListView.Filter { get => throw null; set => throw null; } - public int Find(object[] key) => throw null; - int System.ComponentModel.IBindingList.Find(System.ComponentModel.PropertyDescriptor property, object key) => throw null; - public int Find(object key) => throw null; - public System.Data.DataRowView[] FindRows(object[] key) => throw null; - public System.Data.DataRowView[] FindRows(object key) => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; - System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ITypedList.GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; - string System.ComponentModel.ITypedList.GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; - protected virtual void IndexListChanged(object sender, System.ComponentModel.ListChangedEventArgs e) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public event System.EventHandler Initialized; - void System.Collections.IList.Insert(int index, object value) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - public bool IsInitialized { get => throw null; } - protected bool IsOpen { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.Data.DataRowView this[int recordIndex] { get => throw null; } - object System.Collections.IList.this[int recordIndex] { get => throw null; set => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged; - protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; - protected void Open() => throw null; - void System.Collections.IList.Remove(object value) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - void System.ComponentModel.IBindingListView.RemoveFilter() => throw null; - void System.ComponentModel.IBindingList.RemoveIndex(System.ComponentModel.PropertyDescriptor property) => throw null; - void System.ComponentModel.IBindingList.RemoveSort() => throw null; - protected void Reset() => throw null; - public virtual string RowFilter { get => throw null; set => throw null; } - public System.Data.DataViewRowState RowStateFilter { get => throw null; set => throw null; } - public string Sort { get => throw null; set => throw null; } - System.ComponentModel.ListSortDescriptionCollection System.ComponentModel.IBindingListView.SortDescriptions { get => throw null; } - System.ComponentModel.ListSortDirection System.ComponentModel.IBindingList.SortDirection { get => throw null; } - System.ComponentModel.PropertyDescriptor System.ComponentModel.IBindingList.SortProperty { get => throw null; } - bool System.ComponentModel.IBindingListView.SupportsAdvancedSorting { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsChangeNotification { get => throw null; } - bool System.ComponentModel.IBindingListView.SupportsFiltering { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsSearching { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsSorting { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - public System.Data.DataTable Table { get => throw null; set => throw null; } - public System.Data.DataTable ToTable() => throw null; - public System.Data.DataTable ToTable(bool distinct, params string[] columnNames) => throw null; - public System.Data.DataTable ToTable(string tableName) => throw null; - public System.Data.DataTable ToTable(string tableName, bool distinct, params string[] columnNames) => throw null; - protected void UpdateIndex() => throw null; - protected virtual void UpdateIndex(bool force) => throw null; - } - - public class DataViewManager : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.ITypedList - { - int System.Collections.IList.Add(object value) => throw null; - void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; - object System.ComponentModel.IBindingList.AddNew() => throw null; - bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } - bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } - bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } - void System.ComponentModel.IBindingList.ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; - void System.Collections.IList.Clear() => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - int System.Collections.ICollection.Count { get => throw null; } - public System.Data.DataView CreateDataView(System.Data.DataTable table) => throw null; - public System.Data.DataSet DataSet { get => throw null; set => throw null; } - public DataViewManager() => throw null; - public DataViewManager(System.Data.DataSet dataSet) => throw null; - public string DataViewSettingCollectionString { get => throw null; set => throw null; } - public System.Data.DataViewSettingCollection DataViewSettings { get => throw null; } - int System.ComponentModel.IBindingList.Find(System.ComponentModel.PropertyDescriptor property, object key) => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ITypedList.GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; - string System.ComponentModel.ITypedList.GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged; - protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; - protected virtual void RelationCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - void System.ComponentModel.IBindingList.RemoveIndex(System.ComponentModel.PropertyDescriptor property) => throw null; - void System.ComponentModel.IBindingList.RemoveSort() => throw null; - System.ComponentModel.ListSortDirection System.ComponentModel.IBindingList.SortDirection { get => throw null; } - System.ComponentModel.PropertyDescriptor System.ComponentModel.IBindingList.SortProperty { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsChangeNotification { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsSearching { get => throw null; } - bool System.ComponentModel.IBindingList.SupportsSorting { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - protected virtual void TableCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; - } - - [System.Flags] - public enum DataViewRowState : int - { - Added = 4, - CurrentRows = 22, - Deleted = 8, - ModifiedCurrent = 16, - ModifiedOriginal = 32, - None = 0, - OriginalRows = 42, - Unchanged = 2, - } - - public class DataViewSetting - { - public bool ApplyDefaultSort { get => throw null; set => throw null; } - public System.Data.DataViewManager DataViewManager { get => throw null; } - public string RowFilter { get => throw null; set => throw null; } - public System.Data.DataViewRowState RowStateFilter { get => throw null; set => throw null; } - public string Sort { get => throw null; set => throw null; } - public System.Data.DataTable Table { get => throw null; } - } - - public class DataViewSettingCollection : System.Collections.ICollection, System.Collections.IEnumerable - { - public void CopyTo(System.Array ar, int index) => throw null; - public void CopyTo(System.Data.DataViewSetting[] ar, int index) => throw null; - public virtual int Count { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsSynchronized { get => throw null; } - public virtual System.Data.DataViewSetting this[System.Data.DataTable table] { get => throw null; set => throw null; } - public virtual System.Data.DataViewSetting this[int index] { get => throw null; set => throw null; } - public virtual System.Data.DataViewSetting this[string tableName] { get => throw null; } - public object SyncRoot { get => throw null; } - } - - public enum DbType : int - { - AnsiString = 0, - AnsiStringFixedLength = 22, - Binary = 1, - Boolean = 3, - Byte = 2, - Currency = 4, - Date = 5, - DateTime = 6, - DateTime2 = 26, - DateTimeOffset = 27, - Decimal = 7, - Double = 8, - Guid = 9, - Int16 = 10, - Int32 = 11, - Int64 = 12, - Object = 13, - SByte = 14, - Single = 15, - String = 16, - StringFixedLength = 23, - Time = 17, - UInt16 = 18, - UInt32 = 19, - UInt64 = 20, - VarNumeric = 21, - Xml = 25, - } - - public class DeletedRowInaccessibleException : System.Data.DataException - { - public DeletedRowInaccessibleException() => throw null; - protected DeletedRowInaccessibleException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DeletedRowInaccessibleException(string s) => throw null; - public DeletedRowInaccessibleException(string message, System.Exception innerException) => throw null; - } - - public class DuplicateNameException : System.Data.DataException - { - public DuplicateNameException() => throw null; - protected DuplicateNameException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DuplicateNameException(string s) => throw null; - public DuplicateNameException(string message, System.Exception innerException) => throw null; - } - - public abstract class EnumerableRowCollection : System.Collections.IEnumerable - { - internal EnumerableRowCollection() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - public class EnumerableRowCollection : System.Data.EnumerableRowCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - internal EnumerableRowCollection() => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - public static class EnumerableRowCollectionExtensions - { - public static System.Data.EnumerableRowCollection Cast(this System.Data.EnumerableRowCollection source) => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.EnumerableRowCollection source, System.Func keySelector) => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.EnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.EnumerableRowCollection source, System.Func keySelector) => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.EnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static System.Data.EnumerableRowCollection Select(this System.Data.EnumerableRowCollection source, System.Func selector) => throw null; - public static System.Data.OrderedEnumerableRowCollection ThenBy(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector) => throw null; - public static System.Data.OrderedEnumerableRowCollection ThenBy(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static System.Data.OrderedEnumerableRowCollection ThenByDescending(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector) => throw null; - public static System.Data.OrderedEnumerableRowCollection ThenByDescending(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static System.Data.EnumerableRowCollection Where(this System.Data.EnumerableRowCollection source, System.Func predicate) => throw null; - } - - public class EvaluateException : System.Data.InvalidExpressionException - { - public EvaluateException() => throw null; - protected EvaluateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public EvaluateException(string s) => throw null; - public EvaluateException(string message, System.Exception innerException) => throw null; - } - - public class FillErrorEventArgs : System.EventArgs - { - public bool Continue { get => throw null; set => throw null; } - public System.Data.DataTable DataTable { get => throw null; } - public System.Exception Errors { get => throw null; set => throw null; } - public FillErrorEventArgs(System.Data.DataTable dataTable, object[] values) => throw null; - public object[] Values { get => throw null; } - } - - public delegate void FillErrorEventHandler(object sender, System.Data.FillErrorEventArgs e); - - public class ForeignKeyConstraint : System.Data.Constraint - { - public virtual System.Data.AcceptRejectRule AcceptRejectRule { get => throw null; set => throw null; } - public virtual System.Data.DataColumn[] Columns { get => throw null; } - public virtual System.Data.Rule DeleteRule { get => throw null; set => throw null; } - public override bool Equals(object key) => throw null; - public ForeignKeyConstraint(System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; - public ForeignKeyConstraint(System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; - public ForeignKeyConstraint(string constraintName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; - public ForeignKeyConstraint(string constraintName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; - public ForeignKeyConstraint(string constraintName, string parentTableName, string[] parentColumnNames, string[] childColumnNames, System.Data.AcceptRejectRule acceptRejectRule, System.Data.Rule deleteRule, System.Data.Rule updateRule) => throw null; - public ForeignKeyConstraint(string constraintName, string parentTableName, string parentTableNamespace, string[] parentColumnNames, string[] childColumnNames, System.Data.AcceptRejectRule acceptRejectRule, System.Data.Rule deleteRule, System.Data.Rule updateRule) => throw null; - public override int GetHashCode() => throw null; - public virtual System.Data.DataColumn[] RelatedColumns { get => throw null; } - public virtual System.Data.DataTable RelatedTable { get => throw null; } - public override System.Data.DataTable Table { get => throw null; } - public virtual System.Data.Rule UpdateRule { get => throw null; set => throw null; } - } - - public interface IColumnMapping - { - string DataSetColumn { get; set; } - string SourceColumn { get; set; } - } - - public interface IColumnMappingCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - System.Data.IColumnMapping Add(string sourceColumnName, string dataSetColumnName); - bool Contains(string sourceColumnName); - System.Data.IColumnMapping GetByDataSetColumn(string dataSetColumnName); - int IndexOf(string sourceColumnName); - object this[string index] { get; set; } - void RemoveAt(string sourceColumnName); - } - - public interface IDataAdapter - { - int Fill(System.Data.DataSet dataSet); - System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType); - System.Data.IDataParameter[] GetFillParameters(); - System.Data.MissingMappingAction MissingMappingAction { get; set; } - System.Data.MissingSchemaAction MissingSchemaAction { get; set; } - System.Data.ITableMappingCollection TableMappings { get; } - int Update(System.Data.DataSet dataSet); - } - - public interface IDataParameter - { - System.Data.DbType DbType { get; set; } - System.Data.ParameterDirection Direction { get; set; } - bool IsNullable { get; } - string ParameterName { get; set; } - string SourceColumn { get; set; } - System.Data.DataRowVersion SourceVersion { get; set; } - object Value { get; set; } - } - - public interface IDataParameterCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - bool Contains(string parameterName); - int IndexOf(string parameterName); - object this[string parameterName] { get; set; } - void RemoveAt(string parameterName); - } - - public interface IDataReader : System.Data.IDataRecord, System.IDisposable - { - void Close(); - int Depth { get; } - System.Data.DataTable GetSchemaTable(); - bool IsClosed { get; } - bool NextResult(); - bool Read(); - int RecordsAffected { get; } - } - - public interface IDataRecord - { - int FieldCount { get; } - bool GetBoolean(int i); - System.Byte GetByte(int i); - System.Int64 GetBytes(int i, System.Int64 fieldOffset, System.Byte[] buffer, int bufferoffset, int length); - System.Char GetChar(int i); - System.Int64 GetChars(int i, System.Int64 fieldoffset, System.Char[] buffer, int bufferoffset, int length); - System.Data.IDataReader GetData(int i); - string GetDataTypeName(int i); - System.DateTime GetDateTime(int i); - System.Decimal GetDecimal(int i); - double GetDouble(int i); - System.Type GetFieldType(int i); - float GetFloat(int i); - System.Guid GetGuid(int i); - System.Int16 GetInt16(int i); - int GetInt32(int i); - System.Int64 GetInt64(int i); - string GetName(int i); - int GetOrdinal(string name); - string GetString(int i); - object GetValue(int i); - int GetValues(object[] values); - bool IsDBNull(int i); - object this[int i] { get; } - object this[string name] { get; } - } - - public interface IDbCommand : System.IDisposable - { - void Cancel(); - string CommandText { get; set; } - int CommandTimeout { get; set; } - System.Data.CommandType CommandType { get; set; } - System.Data.IDbConnection Connection { get; set; } - System.Data.IDbDataParameter CreateParameter(); - int ExecuteNonQuery(); - System.Data.IDataReader ExecuteReader(); - System.Data.IDataReader ExecuteReader(System.Data.CommandBehavior behavior); - object ExecuteScalar(); - System.Data.IDataParameterCollection Parameters { get; } - void Prepare(); - System.Data.IDbTransaction Transaction { get; set; } - System.Data.UpdateRowSource UpdatedRowSource { get; set; } - } - - public interface IDbConnection : System.IDisposable - { - System.Data.IDbTransaction BeginTransaction(); - System.Data.IDbTransaction BeginTransaction(System.Data.IsolationLevel il); - void ChangeDatabase(string databaseName); - void Close(); - string ConnectionString { get; set; } - int ConnectionTimeout { get; } - System.Data.IDbCommand CreateCommand(); - string Database { get; } - void Open(); - System.Data.ConnectionState State { get; } - } - - public interface IDbDataAdapter : System.Data.IDataAdapter - { - System.Data.IDbCommand DeleteCommand { get; set; } - System.Data.IDbCommand InsertCommand { get; set; } - System.Data.IDbCommand SelectCommand { get; set; } - System.Data.IDbCommand UpdateCommand { get; set; } - } - - public interface IDbDataParameter : System.Data.IDataParameter - { - System.Byte Precision { get; set; } - System.Byte Scale { get; set; } - int Size { get; set; } - } - - public interface IDbTransaction : System.IDisposable - { - void Commit(); - System.Data.IDbConnection Connection { get; } - System.Data.IsolationLevel IsolationLevel { get; } - void Rollback(); - } - - public interface ITableMapping - { - System.Data.IColumnMappingCollection ColumnMappings { get; } - string DataSetTable { get; set; } - string SourceTable { get; set; } - } - - public interface ITableMappingCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - System.Data.ITableMapping Add(string sourceTableName, string dataSetTableName); - bool Contains(string sourceTableName); - System.Data.ITableMapping GetByDataSetTable(string dataSetTableName); - int IndexOf(string sourceTableName); - object this[string index] { get; set; } - void RemoveAt(string sourceTableName); - } - - public class InRowChangingEventException : System.Data.DataException - { - public InRowChangingEventException() => throw null; - protected InRowChangingEventException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InRowChangingEventException(string s) => throw null; - public InRowChangingEventException(string message, System.Exception innerException) => throw null; - } - - public class InternalDataCollectionBase : System.Collections.ICollection, System.Collections.IEnumerable - { - public virtual void CopyTo(System.Array ar, int index) => throw null; - public virtual int Count { get => throw null; } - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - public InternalDataCollectionBase() => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsSynchronized { get => throw null; } - protected virtual System.Collections.ArrayList List { get => throw null; } - public object SyncRoot { get => throw null; } - } - - public class InvalidConstraintException : System.Data.DataException - { - public InvalidConstraintException() => throw null; - protected InvalidConstraintException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidConstraintException(string s) => throw null; - public InvalidConstraintException(string message, System.Exception innerException) => throw null; - } - - public class InvalidExpressionException : System.Data.DataException - { - public InvalidExpressionException() => throw null; - protected InvalidExpressionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidExpressionException(string s) => throw null; - public InvalidExpressionException(string message, System.Exception innerException) => throw null; - } - - public enum IsolationLevel : int - { - Chaos = 16, - ReadCommitted = 4096, - ReadUncommitted = 256, - RepeatableRead = 65536, - Serializable = 1048576, - Snapshot = 16777216, - Unspecified = -1, - } - - public enum KeyRestrictionBehavior : int - { - AllowOnly = 0, - PreventUsage = 1, - } - - public enum LoadOption : int - { - OverwriteChanges = 1, - PreserveChanges = 2, - Upsert = 3, - } - - public enum MappingType : int - { - Attribute = 2, - Element = 1, - Hidden = 4, - SimpleContent = 3, - } - - public class MergeFailedEventArgs : System.EventArgs - { - public string Conflict { get => throw null; } - public MergeFailedEventArgs(System.Data.DataTable table, string conflict) => throw null; - public System.Data.DataTable Table { get => throw null; } - } - - public delegate void MergeFailedEventHandler(object sender, System.Data.MergeFailedEventArgs e); - - public enum MissingMappingAction : int - { - Error = 3, - Ignore = 2, - Passthrough = 1, - } - - public class MissingPrimaryKeyException : System.Data.DataException - { - public MissingPrimaryKeyException() => throw null; - protected MissingPrimaryKeyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MissingPrimaryKeyException(string s) => throw null; - public MissingPrimaryKeyException(string message, System.Exception innerException) => throw null; - } - - public enum MissingSchemaAction : int - { - Add = 1, - AddWithKey = 4, - Error = 3, - Ignore = 2, - } - - public class NoNullAllowedException : System.Data.DataException - { - public NoNullAllowedException() => throw null; - protected NoNullAllowedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NoNullAllowedException(string s) => throw null; - public NoNullAllowedException(string message, System.Exception innerException) => throw null; - } - - public class OrderedEnumerableRowCollection : System.Data.EnumerableRowCollection - { - } - - public enum ParameterDirection : int - { - Input = 1, - InputOutput = 3, - Output = 2, - ReturnValue = 6, - } - - public class PropertyCollection : System.Collections.Hashtable, System.ICloneable - { - public override object Clone() => throw null; - public PropertyCollection() => throw null; - protected PropertyCollection(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - public class ReadOnlyException : System.Data.DataException - { - public ReadOnlyException() => throw null; - protected ReadOnlyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public ReadOnlyException(string s) => throw null; - public ReadOnlyException(string message, System.Exception innerException) => throw null; - } - - public class RowNotInTableException : System.Data.DataException - { - public RowNotInTableException() => throw null; - protected RowNotInTableException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public RowNotInTableException(string s) => throw null; - public RowNotInTableException(string message, System.Exception innerException) => throw null; - } - - public enum Rule : int - { - Cascade = 1, - None = 0, - SetDefault = 3, - SetNull = 2, - } - - public enum SchemaSerializationMode : int - { - ExcludeSchema = 2, - IncludeSchema = 1, - } - - public enum SchemaType : int - { - Mapped = 2, - Source = 1, - } - - public enum SerializationFormat : int - { - Binary = 1, - Xml = 0, - } - - public enum SqlDbType : int - { - BigInt = 0, - Binary = 1, - Bit = 2, - Char = 3, - Date = 31, - DateTime = 4, - DateTime2 = 33, - DateTimeOffset = 34, - Decimal = 5, - Float = 6, - Image = 7, - Int = 8, - Money = 9, - NChar = 10, - NText = 11, - NVarChar = 12, - Real = 13, - SmallDateTime = 15, - SmallInt = 16, - SmallMoney = 17, - Structured = 30, - Text = 18, - Time = 32, - Timestamp = 19, - TinyInt = 20, - Udt = 29, - UniqueIdentifier = 14, - VarBinary = 21, - VarChar = 22, - Variant = 23, - Xml = 25, - } - - public class StateChangeEventArgs : System.EventArgs - { - public System.Data.ConnectionState CurrentState { get => throw null; } - public System.Data.ConnectionState OriginalState { get => throw null; } - public StateChangeEventArgs(System.Data.ConnectionState originalState, System.Data.ConnectionState currentState) => throw null; - } - - public delegate void StateChangeEventHandler(object sender, System.Data.StateChangeEventArgs e); - - public class StatementCompletedEventArgs : System.EventArgs - { - public int RecordCount { get => throw null; } - public StatementCompletedEventArgs(int recordCount) => throw null; - } - - public delegate void StatementCompletedEventHandler(object sender, System.Data.StatementCompletedEventArgs e); - - public enum StatementType : int - { - Batch = 4, - Delete = 3, - Insert = 1, - Select = 0, - Update = 2, - } - - public class StrongTypingException : System.Data.DataException - { - public StrongTypingException() => throw null; - protected StrongTypingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public StrongTypingException(string message) => throw null; - public StrongTypingException(string s, System.Exception innerException) => throw null; - } - - public class SyntaxErrorException : System.Data.InvalidExpressionException - { - public SyntaxErrorException() => throw null; - protected SyntaxErrorException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SyntaxErrorException(string s) => throw null; - public SyntaxErrorException(string message, System.Exception innerException) => throw null; - } - - public abstract class TypedTableBase : System.Data.DataTable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable where T : System.Data.DataRow - { - public System.Data.EnumerableRowCollection Cast() => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - protected TypedTableBase() => throw null; - protected TypedTableBase(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - public static class TypedTableBaseExtensions - { - public static System.Data.EnumerableRowCollection AsEnumerable(this System.Data.TypedTableBase source) where TRow : System.Data.DataRow => throw null; - public static TRow ElementAtOrDefault(this System.Data.TypedTableBase source, int index) where TRow : System.Data.DataRow => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.TypedTableBase source, System.Func keySelector) where TRow : System.Data.DataRow => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.TypedTableBase source, System.Func keySelector, System.Collections.Generic.IComparer comparer) where TRow : System.Data.DataRow => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.TypedTableBase source, System.Func keySelector) where TRow : System.Data.DataRow => throw null; - public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.TypedTableBase source, System.Func keySelector, System.Collections.Generic.IComparer comparer) where TRow : System.Data.DataRow => throw null; - public static System.Data.EnumerableRowCollection Select(this System.Data.TypedTableBase source, System.Func selector) where TRow : System.Data.DataRow => throw null; - public static System.Data.EnumerableRowCollection Where(this System.Data.TypedTableBase source, System.Func predicate) where TRow : System.Data.DataRow => throw null; - } - - public class UniqueConstraint : System.Data.Constraint - { - public virtual System.Data.DataColumn[] Columns { get => throw null; } - public override bool Equals(object key2) => throw null; - public override int GetHashCode() => throw null; - public bool IsPrimaryKey { get => throw null; } - public override System.Data.DataTable Table { get => throw null; } - public UniqueConstraint(System.Data.DataColumn column) => throw null; - public UniqueConstraint(System.Data.DataColumn column, bool isPrimaryKey) => throw null; - public UniqueConstraint(System.Data.DataColumn[] columns) => throw null; - public UniqueConstraint(System.Data.DataColumn[] columns, bool isPrimaryKey) => throw null; - public UniqueConstraint(string name, System.Data.DataColumn column) => throw null; - public UniqueConstraint(string name, System.Data.DataColumn column, bool isPrimaryKey) => throw null; - public UniqueConstraint(string name, System.Data.DataColumn[] columns) => throw null; - public UniqueConstraint(string name, System.Data.DataColumn[] columns, bool isPrimaryKey) => throw null; - public UniqueConstraint(string name, string[] columnNames, bool isPrimaryKey) => throw null; - } - - public enum UpdateRowSource : int - { - Both = 3, - FirstReturnedRecord = 2, - None = 0, - OutputParameters = 1, - } - - public enum UpdateStatus : int - { - Continue = 0, - ErrorsOccurred = 1, - SkipAllRemainingRows = 3, - SkipCurrentRow = 2, - } - - public class VersionNotFoundException : System.Data.DataException - { - public VersionNotFoundException() => throw null; - protected VersionNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public VersionNotFoundException(string s) => throw null; - public VersionNotFoundException(string message, System.Exception innerException) => throw null; - } - - public enum XmlReadMode : int - { - Auto = 0, - DiffGram = 4, - Fragment = 5, - IgnoreSchema = 2, - InferSchema = 3, - InferTypedSchema = 6, - ReadSchema = 1, - } - - public enum XmlWriteMode : int - { - DiffGram = 2, - IgnoreSchema = 1, - WriteSchema = 0, - } - - namespace Common - { - public enum CatalogLocation : int + public enum CatalogLocation { - End = 2, Start = 1, + End = 2, } - public class DataAdapter : System.ComponentModel.Component, System.Data.IDataAdapter { - public bool AcceptChangesDuringFill { get => throw null; set => throw null; } - public bool AcceptChangesDuringUpdate { get => throw null; set => throw null; } + public bool AcceptChangesDuringFill { get => throw null; set { } } + public bool AcceptChangesDuringUpdate { get => throw null; set { } } protected virtual System.Data.Common.DataAdapter CloneInternals() => throw null; - public bool ContinueUpdateOnError { get => throw null; set => throw null; } + public bool ContinueUpdateOnError { get => throw null; set { } } protected virtual System.Data.Common.DataTableMappingCollection CreateTableMappings() => throw null; protected DataAdapter() => throw null; protected DataAdapter(System.Data.Common.DataAdapter from) => throw null; @@ -1563,39 +47,37 @@ public class DataAdapter : System.ComponentModel.Component, System.Data.IDataAda protected virtual int Fill(System.Data.DataSet dataSet, string srcTable, System.Data.IDataReader dataReader, int startRecord, int maxRecords) => throw null; protected virtual int Fill(System.Data.DataTable dataTable, System.Data.IDataReader dataReader) => throw null; protected virtual int Fill(System.Data.DataTable[] dataTables, System.Data.IDataReader dataReader, int startRecord, int maxRecords) => throw null; - public event System.Data.FillErrorEventHandler FillError; - public System.Data.LoadOption FillLoadOption { get => throw null; set => throw null; } + public event System.Data.FillErrorEventHandler FillError { add { } remove { } } + public System.Data.LoadOption FillLoadOption { get => throw null; set { } } public virtual System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType) => throw null; protected virtual System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType, string srcTable, System.Data.IDataReader dataReader) => throw null; protected virtual System.Data.DataTable FillSchema(System.Data.DataTable dataTable, System.Data.SchemaType schemaType, System.Data.IDataReader dataReader) => throw null; public virtual System.Data.IDataParameter[] GetFillParameters() => throw null; protected bool HasTableMappings() => throw null; - public System.Data.MissingMappingAction MissingMappingAction { get => throw null; set => throw null; } - public System.Data.MissingSchemaAction MissingSchemaAction { get => throw null; set => throw null; } + public System.Data.MissingMappingAction MissingMappingAction { get => throw null; set { } } + public System.Data.MissingSchemaAction MissingSchemaAction { get => throw null; set { } } protected virtual void OnFillError(System.Data.FillErrorEventArgs value) => throw null; public void ResetFillLoadOption() => throw null; - public virtual bool ReturnProviderSpecificTypes { get => throw null; set => throw null; } + public virtual bool ReturnProviderSpecificTypes { get => throw null; set { } } public virtual bool ShouldSerializeAcceptChangesDuringFill() => throw null; public virtual bool ShouldSerializeFillLoadOption() => throw null; protected virtual bool ShouldSerializeTableMappings() => throw null; - public System.Data.Common.DataTableMappingCollection TableMappings { get => throw null; } System.Data.ITableMappingCollection System.Data.IDataAdapter.TableMappings { get => throw null; } + public System.Data.Common.DataTableMappingCollection TableMappings { get => throw null; } public virtual int Update(System.Data.DataSet dataSet) => throw null; } - - public class DataColumnMapping : System.MarshalByRefObject, System.Data.IColumnMapping, System.ICloneable + public sealed class DataColumnMapping : System.MarshalByRefObject, System.Data.IColumnMapping, System.ICloneable { object System.ICloneable.Clone() => throw null; public DataColumnMapping() => throw null; public DataColumnMapping(string sourceColumn, string dataSetColumn) => throw null; - public string DataSetColumn { get => throw null; set => throw null; } + public string DataSetColumn { get => throw null; set { } } public System.Data.DataColumn GetDataColumnBySchemaAction(System.Data.DataTable dataTable, System.Type dataType, System.Data.MissingSchemaAction schemaAction) => throw null; public static System.Data.DataColumn GetDataColumnBySchemaAction(string sourceColumn, string dataSetColumn, System.Data.DataTable dataTable, System.Type dataType, System.Data.MissingSchemaAction schemaAction) => throw null; - public string SourceColumn { get => throw null; set => throw null; } + public string SourceColumn { get => throw null; set { } } public override string ToString() => throw null; } - - public class DataColumnMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.IColumnMappingCollection + public sealed class DataColumnMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.IColumnMappingCollection { public int Add(object value) => throw null; public System.Data.Common.DataColumnMapping Add(string sourceColumn, string dataSetColumn) => throw null; @@ -1622,34 +104,32 @@ public class DataColumnMappingCollection : System.MarshalByRefObject, System.Col bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.Data.Common.DataColumnMapping this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.Data.Common.DataColumnMapping this[string sourceColumn] { get => throw null; set => throw null; } - object System.Data.IColumnMappingCollection.this[string index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + object System.Data.IColumnMappingCollection.this[string index] { get => throw null; set { } } public void Remove(System.Data.Common.DataColumnMapping value) => throw null; public void Remove(object value) => throw null; public void RemoveAt(int index) => throw null; public void RemoveAt(string sourceColumn) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.Data.Common.DataColumnMapping this[int index] { get => throw null; set { } } + public System.Data.Common.DataColumnMapping this[string sourceColumn] { get => throw null; set { } } } - - public class DataTableMapping : System.MarshalByRefObject, System.Data.ITableMapping, System.ICloneable + public sealed class DataTableMapping : System.MarshalByRefObject, System.Data.ITableMapping, System.ICloneable { object System.ICloneable.Clone() => throw null; public System.Data.Common.DataColumnMappingCollection ColumnMappings { get => throw null; } System.Data.IColumnMappingCollection System.Data.ITableMapping.ColumnMappings { get => throw null; } - public string DataSetTable { get => throw null; set => throw null; } public DataTableMapping() => throw null; public DataTableMapping(string sourceTable, string dataSetTable) => throw null; public DataTableMapping(string sourceTable, string dataSetTable, System.Data.Common.DataColumnMapping[] columnMappings) => throw null; + public string DataSetTable { get => throw null; set { } } public System.Data.Common.DataColumnMapping GetColumnMappingBySchemaAction(string sourceColumn, System.Data.MissingMappingAction mappingAction) => throw null; public System.Data.DataColumn GetDataColumn(string sourceColumn, System.Type dataType, System.Data.DataTable dataTable, System.Data.MissingMappingAction mappingAction, System.Data.MissingSchemaAction schemaAction) => throw null; public System.Data.DataTable GetDataTableBySchemaAction(System.Data.DataSet dataSet, System.Data.MissingSchemaAction schemaAction) => throw null; - public string SourceTable { get => throw null; set => throw null; } + public string SourceTable { get => throw null; set { } } public override string ToString() => throw null; } - - public class DataTableMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.ITableMappingCollection + public sealed class DataTableMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.ITableMappingCollection { public int Add(object value) => throw null; public System.Data.Common.DataTableMapping Add(string sourceTable, string dataSetTable) => throw null; @@ -1675,22 +155,21 @@ public class DataTableMappingCollection : System.MarshalByRefObject, System.Coll bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.Data.Common.DataTableMapping this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.Data.Common.DataTableMapping this[string sourceTable] { get => throw null; set => throw null; } - object System.Data.ITableMappingCollection.this[string index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + object System.Data.ITableMappingCollection.this[string index] { get => throw null; set { } } public void Remove(System.Data.Common.DataTableMapping value) => throw null; public void Remove(object value) => throw null; public void RemoveAt(int index) => throw null; public void RemoveAt(string sourceTable) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.Data.Common.DataTableMapping this[int index] { get => throw null; set { } } + public System.Data.Common.DataTableMapping this[string sourceTable] { get => throw null; set { } } } - - public abstract class DbBatch : System.IAsyncDisposable, System.IDisposable + public abstract class DbBatch : System.IDisposable, System.IAsyncDisposable { public System.Data.Common.DbBatchCommandCollection BatchCommands { get => throw null; } public abstract void Cancel(); - public System.Data.Common.DbConnection Connection { get => throw null; set => throw null; } + public System.Data.Common.DbConnection Connection { get => throw null; set { } } public System.Data.Common.DbBatchCommand CreateBatchCommand() => throw null; protected abstract System.Data.Common.DbBatchCommand CreateDbBatchCommand(); protected DbBatch() => throw null; @@ -1711,9 +190,8 @@ public abstract class DbBatch : System.IAsyncDisposable, System.IDisposable public abstract void Prepare(); public abstract System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract int Timeout { get; set; } - public System.Data.Common.DbTransaction Transaction { get => throw null; set => throw null; } + public System.Data.Common.DbTransaction Transaction { get => throw null; set { } } } - public abstract class DbBatchCommand { public abstract string CommandText { get; set; } @@ -1723,8 +201,7 @@ public abstract class DbBatchCommand public System.Data.Common.DbParameterCollection Parameters { get => throw null; } public abstract int RecordsAffected { get; } } - - public abstract class DbBatchCommandCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + public abstract class DbBatchCommandCollection : System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public abstract void Add(System.Data.Common.DbBatchCommand item); public abstract void Clear(); @@ -1738,49 +215,47 @@ public abstract class DbBatchCommandCollection : System.Collections.Generic.ICol public abstract int IndexOf(System.Data.Common.DbBatchCommand item); public abstract void Insert(int index, System.Data.Common.DbBatchCommand item); public abstract bool IsReadOnly { get; } - public System.Data.Common.DbBatchCommand this[int index] { get => throw null; set => throw null; } public abstract bool Remove(System.Data.Common.DbBatchCommand item); public abstract void RemoveAt(int index); protected abstract void SetBatchCommand(int index, System.Data.Common.DbBatchCommand batchCommand); + public System.Data.Common.DbBatchCommand this[int index] { get => throw null; set { } } } - public abstract class DbColumn { - public bool? AllowDBNull { get => throw null; set => throw null; } - public string BaseCatalogName { get => throw null; set => throw null; } - public string BaseColumnName { get => throw null; set => throw null; } - public string BaseSchemaName { get => throw null; set => throw null; } - public string BaseServerName { get => throw null; set => throw null; } - public string BaseTableName { get => throw null; set => throw null; } - public string ColumnName { get => throw null; set => throw null; } - public int? ColumnOrdinal { get => throw null; set => throw null; } - public int? ColumnSize { get => throw null; set => throw null; } - public System.Type DataType { get => throw null; set => throw null; } - public string DataTypeName { get => throw null; set => throw null; } + public bool? AllowDBNull { get => throw null; set { } } + public string BaseCatalogName { get => throw null; set { } } + public string BaseColumnName { get => throw null; set { } } + public string BaseSchemaName { get => throw null; set { } } + public string BaseServerName { get => throw null; set { } } + public string BaseTableName { get => throw null; set { } } + public string ColumnName { get => throw null; set { } } + public int? ColumnOrdinal { get => throw null; set { } } + public int? ColumnSize { get => throw null; set { } } protected DbColumn() => throw null; - public bool? IsAliased { get => throw null; set => throw null; } - public bool? IsAutoIncrement { get => throw null; set => throw null; } - public bool? IsExpression { get => throw null; set => throw null; } - public bool? IsHidden { get => throw null; set => throw null; } - public bool? IsIdentity { get => throw null; set => throw null; } - public bool? IsKey { get => throw null; set => throw null; } - public bool? IsLong { get => throw null; set => throw null; } - public bool? IsReadOnly { get => throw null; set => throw null; } - public bool? IsUnique { get => throw null; set => throw null; } + public System.Type DataType { get => throw null; set { } } + public string DataTypeName { get => throw null; set { } } + public bool? IsAliased { get => throw null; set { } } + public bool? IsAutoIncrement { get => throw null; set { } } + public bool? IsExpression { get => throw null; set { } } + public bool? IsHidden { get => throw null; set { } } + public bool? IsIdentity { get => throw null; set { } } + public bool? IsKey { get => throw null; set { } } + public bool? IsLong { get => throw null; set { } } + public bool? IsReadOnly { get => throw null; set { } } + public bool? IsUnique { get => throw null; set { } } + public int? NumericPrecision { get => throw null; set { } } + public int? NumericScale { get => throw null; set { } } public virtual object this[string property] { get => throw null; } - public int? NumericPrecision { get => throw null; set => throw null; } - public int? NumericScale { get => throw null; set => throw null; } - public string UdtAssemblyQualifiedName { get => throw null; set => throw null; } + public string UdtAssemblyQualifiedName { get => throw null; set { } } } - - public abstract class DbCommand : System.ComponentModel.Component, System.Data.IDbCommand, System.IAsyncDisposable, System.IDisposable + public abstract class DbCommand : System.ComponentModel.Component, System.Data.IDbCommand, System.IDisposable, System.IAsyncDisposable { public abstract void Cancel(); public abstract string CommandText { get; set; } public abstract int CommandTimeout { get; set; } public abstract System.Data.CommandType CommandType { get; set; } - public System.Data.Common.DbConnection Connection { get => throw null; set => throw null; } - System.Data.IDbConnection System.Data.IDbCommand.Connection { get => throw null; set => throw null; } + public System.Data.Common.DbConnection Connection { get => throw null; set { } } + System.Data.IDbConnection System.Data.IDbCommand.Connection { get => throw null; set { } } protected abstract System.Data.Common.DbParameter CreateDbParameter(); public System.Data.Common.DbParameter CreateParameter() => throw null; System.Data.IDbDataParameter System.Data.IDbCommand.CreateParameter() => throw null; @@ -1796,13 +271,13 @@ public abstract class DbCommand : System.ComponentModel.Component, System.Data.I public System.Threading.Tasks.Task ExecuteNonQueryAsync() => throw null; public virtual System.Threading.Tasks.Task ExecuteNonQueryAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Data.Common.DbDataReader ExecuteReader() => throw null; - System.Data.IDataReader System.Data.IDbCommand.ExecuteReader() => throw null; public System.Data.Common.DbDataReader ExecuteReader(System.Data.CommandBehavior behavior) => throw null; + System.Data.IDataReader System.Data.IDbCommand.ExecuteReader() => throw null; System.Data.IDataReader System.Data.IDbCommand.ExecuteReader(System.Data.CommandBehavior behavior) => throw null; public System.Threading.Tasks.Task ExecuteReaderAsync() => throw null; - public System.Threading.Tasks.Task ExecuteReaderAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.CommandBehavior behavior) => throw null; public System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.CommandBehavior behavior, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ExecuteReaderAsync(System.Threading.CancellationToken cancellationToken) => throw null; public abstract object ExecuteScalar(); public System.Threading.Tasks.Task ExecuteScalarAsync() => throw null; public virtual System.Threading.Tasks.Task ExecuteScalarAsync(System.Threading.CancellationToken cancellationToken) => throw null; @@ -1810,19 +285,18 @@ public abstract class DbCommand : System.ComponentModel.Component, System.Data.I System.Data.IDataParameterCollection System.Data.IDbCommand.Parameters { get => throw null; } public abstract void Prepare(); public virtual System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Data.Common.DbTransaction Transaction { get => throw null; set => throw null; } - System.Data.IDbTransaction System.Data.IDbCommand.Transaction { get => throw null; set => throw null; } + System.Data.IDbTransaction System.Data.IDbCommand.Transaction { get => throw null; set { } } + public System.Data.Common.DbTransaction Transaction { get => throw null; set { } } public abstract System.Data.UpdateRowSource UpdatedRowSource { get; set; } } - public abstract class DbCommandBuilder : System.ComponentModel.Component { protected abstract void ApplyParameterInfo(System.Data.Common.DbParameter parameter, System.Data.DataRow row, System.Data.StatementType statementType, bool whereClause); - public virtual System.Data.Common.CatalogLocation CatalogLocation { get => throw null; set => throw null; } - public virtual string CatalogSeparator { get => throw null; set => throw null; } - public virtual System.Data.ConflictOption ConflictOption { get => throw null; set => throw null; } - public System.Data.Common.DbDataAdapter DataAdapter { get => throw null; set => throw null; } + public virtual System.Data.Common.CatalogLocation CatalogLocation { get => throw null; set { } } + public virtual string CatalogSeparator { get => throw null; set { } } + public virtual System.Data.ConflictOption ConflictOption { get => throw null; set { } } protected DbCommandBuilder() => throw null; + public System.Data.Common.DbDataAdapter DataAdapter { get => throw null; set { } } protected override void Dispose(bool disposing) => throw null; public System.Data.Common.DbCommand GetDeleteCommand() => throw null; public System.Data.Common.DbCommand GetDeleteCommand(bool useColumnsForParameterNames) => throw null; @@ -1836,26 +310,25 @@ public abstract class DbCommandBuilder : System.ComponentModel.Component public System.Data.Common.DbCommand GetUpdateCommand(bool useColumnsForParameterNames) => throw null; protected virtual System.Data.Common.DbCommand InitializeCommand(System.Data.Common.DbCommand command) => throw null; public virtual string QuoteIdentifier(string unquotedIdentifier) => throw null; - public virtual string QuotePrefix { get => throw null; set => throw null; } - public virtual string QuoteSuffix { get => throw null; set => throw null; } + public virtual string QuotePrefix { get => throw null; set { } } + public virtual string QuoteSuffix { get => throw null; set { } } public virtual void RefreshSchema() => throw null; protected void RowUpdatingHandler(System.Data.Common.RowUpdatingEventArgs rowUpdatingEvent) => throw null; - public virtual string SchemaSeparator { get => throw null; set => throw null; } - public bool SetAllValues { get => throw null; set => throw null; } + public virtual string SchemaSeparator { get => throw null; set { } } + public bool SetAllValues { get => throw null; set { } } protected abstract void SetRowUpdatingHandler(System.Data.Common.DbDataAdapter adapter); public virtual string UnquoteIdentifier(string quotedIdentifier) => throw null; } - - public abstract class DbConnection : System.ComponentModel.Component, System.Data.IDbConnection, System.IAsyncDisposable, System.IDisposable + public abstract class DbConnection : System.ComponentModel.Component, System.Data.IDbConnection, System.IDisposable, System.IAsyncDisposable { protected abstract System.Data.Common.DbTransaction BeginDbTransaction(System.Data.IsolationLevel isolationLevel); protected virtual System.Threading.Tasks.ValueTask BeginDbTransactionAsync(System.Data.IsolationLevel isolationLevel, System.Threading.CancellationToken cancellationToken) => throw null; public System.Data.Common.DbTransaction BeginTransaction() => throw null; - System.Data.IDbTransaction System.Data.IDbConnection.BeginTransaction() => throw null; public System.Data.Common.DbTransaction BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; + System.Data.IDbTransaction System.Data.IDbConnection.BeginTransaction() => throw null; System.Data.IDbTransaction System.Data.IDbConnection.BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; - public System.Threading.Tasks.ValueTask BeginTransactionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.ValueTask BeginTransactionAsync(System.Data.IsolationLevel isolationLevel, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask BeginTransactionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual bool CanCreateBatch { get => throw null; } public abstract void ChangeDatabase(string databaseName); public virtual System.Threading.Tasks.Task ChangeDatabaseAsync(string databaseName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; @@ -1868,9 +341,9 @@ public abstract class DbConnection : System.ComponentModel.Component, System.Dat System.Data.IDbCommand System.Data.IDbConnection.CreateCommand() => throw null; protected virtual System.Data.Common.DbBatch CreateDbBatch() => throw null; protected abstract System.Data.Common.DbCommand CreateDbCommand(); - public abstract string DataSource { get; } - public abstract string Database { get; } protected DbConnection() => throw null; + public abstract string Database { get; } + public abstract string DataSource { get; } protected virtual System.Data.Common.DbProviderFactory DbProviderFactory { get => throw null; } public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public virtual void EnlistTransaction(System.Transactions.Transaction transaction) => throw null; @@ -1886,19 +359,18 @@ public abstract class DbConnection : System.ComponentModel.Component, System.Dat public virtual System.Threading.Tasks.Task OpenAsync(System.Threading.CancellationToken cancellationToken) => throw null; public abstract string ServerVersion { get; } public abstract System.Data.ConnectionState State { get; } - public virtual event System.Data.StateChangeEventHandler StateChange; + public virtual event System.Data.StateChangeEventHandler StateChange { add { } remove { } } } - - public class DbConnectionStringBuilder : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.ComponentModel.ICustomTypeDescriptor + public class DbConnectionStringBuilder : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ComponentModel.ICustomTypeDescriptor { - void System.Collections.IDictionary.Add(object keyword, object value) => throw null; public void Add(string keyword, object value) => throw null; + void System.Collections.IDictionary.Add(object keyword, object value) => throw null; public static void AppendKeyValuePair(System.Text.StringBuilder builder, string keyword, string value) => throw null; public static void AppendKeyValuePair(System.Text.StringBuilder builder, string keyword, string value, bool useOdbcRules) => throw null; - public bool BrowsableConnectionString { get => throw null; set => throw null; } + public bool BrowsableConnectionString { get => throw null; set { } } public virtual void Clear() => throw null; - protected internal void ClearPropertyDescriptors() => throw null; - public string ConnectionString { get => throw null; set => throw null; } + protected void ClearPropertyDescriptors() => throw null; + public string ConnectionString { get => throw null; set { } } bool System.Collections.IDictionary.Contains(object keyword) => throw null; public virtual bool ContainsKey(string keyword) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; @@ -1917,25 +389,24 @@ public class DbConnectionStringBuilder : System.Collections.ICollection, System. System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents() => throw null; System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents(System.Attribute[] attributes) => throw null; + protected virtual void GetProperties(System.Collections.Hashtable propertyDescriptors) => throw null; System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties() => throw null; System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties(System.Attribute[] attributes) => throw null; - protected virtual void GetProperties(System.Collections.Hashtable propertyDescriptors) => throw null; object System.ComponentModel.ICustomTypeDescriptor.GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd) => throw null; public virtual bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.IDictionary.this[object keyword] { get => throw null; set => throw null; } - public virtual object this[string keyword] { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object keyword] { get => throw null; set { } } public virtual System.Collections.ICollection Keys { get => throw null; } - void System.Collections.IDictionary.Remove(object keyword) => throw null; public virtual bool Remove(string keyword) => throw null; + void System.Collections.IDictionary.Remove(object keyword) => throw null; public virtual bool ShouldSerialize(string keyword) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual object this[string keyword] { get => throw null; set { } } public override string ToString() => throw null; public virtual bool TryGetValue(string keyword, out object value) => throw null; public virtual System.Collections.ICollection Values { get => throw null; } } - public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Data.IDataAdapter, System.Data.IDbDataAdapter, System.ICloneable { protected virtual int AddToBatch(System.Data.IDbCommand command) => throw null; @@ -1945,9 +416,9 @@ public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Dat protected virtual System.Data.Common.RowUpdatingEventArgs CreateRowUpdatingEvent(System.Data.DataRow dataRow, System.Data.IDbCommand command, System.Data.StatementType statementType, System.Data.Common.DataTableMapping tableMapping) => throw null; protected DbDataAdapter() => throw null; protected DbDataAdapter(System.Data.Common.DbDataAdapter adapter) => throw null; - public const string DefaultSourceTableName = default; - public System.Data.Common.DbCommand DeleteCommand { get => throw null; set => throw null; } - System.Data.IDbCommand System.Data.IDbDataAdapter.DeleteCommand { get => throw null; set => throw null; } + public static string DefaultSourceTableName; + public System.Data.Common.DbCommand DeleteCommand { get => throw null; set { } } + System.Data.IDbCommand System.Data.IDbDataAdapter.DeleteCommand { get => throw null; set { } } protected override void Dispose(bool disposing) => throw null; protected virtual int ExecuteBatch() => throw null; public override int Fill(System.Data.DataSet dataSet) => throw null; @@ -1958,7 +429,7 @@ public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Dat protected virtual int Fill(System.Data.DataTable dataTable, System.Data.IDbCommand command, System.Data.CommandBehavior behavior) => throw null; protected virtual int Fill(System.Data.DataTable[] dataTables, int startRecord, int maxRecords, System.Data.IDbCommand command, System.Data.CommandBehavior behavior) => throw null; public int Fill(int startRecord, int maxRecords, params System.Data.DataTable[] dataTables) => throw null; - protected internal System.Data.CommandBehavior FillCommandBehavior { get => throw null; set => throw null; } + protected System.Data.CommandBehavior FillCommandBehavior { get => throw null; set { } } public override System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType) => throw null; protected virtual System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType, System.Data.IDbCommand command, string srcTable, System.Data.CommandBehavior behavior) => throw null; public System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType, string srcTable) => throw null; @@ -1968,24 +439,23 @@ public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Dat protected virtual bool GetBatchedRecordsAffected(int commandIdentifier, out int recordsAffected, out System.Exception error) => throw null; public override System.Data.IDataParameter[] GetFillParameters() => throw null; protected virtual void InitializeBatching() => throw null; - public System.Data.Common.DbCommand InsertCommand { get => throw null; set => throw null; } - System.Data.IDbCommand System.Data.IDbDataAdapter.InsertCommand { get => throw null; set => throw null; } + public System.Data.Common.DbCommand InsertCommand { get => throw null; set { } } + System.Data.IDbCommand System.Data.IDbDataAdapter.InsertCommand { get => throw null; set { } } protected virtual void OnRowUpdated(System.Data.Common.RowUpdatedEventArgs value) => throw null; protected virtual void OnRowUpdating(System.Data.Common.RowUpdatingEventArgs value) => throw null; - public System.Data.Common.DbCommand SelectCommand { get => throw null; set => throw null; } - System.Data.IDbCommand System.Data.IDbDataAdapter.SelectCommand { get => throw null; set => throw null; } + public System.Data.Common.DbCommand SelectCommand { get => throw null; set { } } + System.Data.IDbCommand System.Data.IDbDataAdapter.SelectCommand { get => throw null; set { } } protected virtual void TerminateBatching() => throw null; public int Update(System.Data.DataRow[] dataRows) => throw null; protected virtual int Update(System.Data.DataRow[] dataRows, System.Data.Common.DataTableMapping tableMapping) => throw null; public override int Update(System.Data.DataSet dataSet) => throw null; public int Update(System.Data.DataSet dataSet, string srcTable) => throw null; public int Update(System.Data.DataTable dataTable) => throw null; - public virtual int UpdateBatchSize { get => throw null; set => throw null; } - public System.Data.Common.DbCommand UpdateCommand { get => throw null; set => throw null; } - System.Data.IDbCommand System.Data.IDbDataAdapter.UpdateCommand { get => throw null; set => throw null; } + public virtual int UpdateBatchSize { get => throw null; set { } } + System.Data.IDbCommand System.Data.IDbDataAdapter.UpdateCommand { get => throw null; set { } } + public System.Data.Common.DbCommand UpdateCommand { get => throw null; set { } } } - - public abstract class DbDataReader : System.MarshalByRefObject, System.Collections.IEnumerable, System.Data.IDataReader, System.Data.IDataRecord, System.IAsyncDisposable, System.IDisposable + public abstract class DbDataReader : System.MarshalByRefObject, System.Collections.IEnumerable, System.Data.IDataReader, System.Data.IDataRecord, System.IDisposable, System.IAsyncDisposable { public virtual void Close() => throw null; public virtual System.Threading.Tasks.Task CloseAsync() => throw null; @@ -1996,17 +466,17 @@ public abstract class DbDataReader : System.MarshalByRefObject, System.Collectio public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public abstract int FieldCount { get; } public abstract bool GetBoolean(int ordinal); - public abstract System.Byte GetByte(int ordinal); - public abstract System.Int64 GetBytes(int ordinal, System.Int64 dataOffset, System.Byte[] buffer, int bufferOffset, int length); - public abstract System.Char GetChar(int ordinal); - public abstract System.Int64 GetChars(int ordinal, System.Int64 dataOffset, System.Char[] buffer, int bufferOffset, int length); + public abstract byte GetByte(int ordinal); + public abstract long GetBytes(int ordinal, long dataOffset, byte[] buffer, int bufferOffset, int length); + public abstract char GetChar(int ordinal); + public abstract long GetChars(int ordinal, long dataOffset, char[] buffer, int bufferOffset, int length); public virtual System.Threading.Tasks.Task> GetColumnSchemaAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Data.Common.DbDataReader GetData(int ordinal) => throw null; System.Data.IDataReader System.Data.IDataRecord.GetData(int ordinal) => throw null; public abstract string GetDataTypeName(int ordinal); public abstract System.DateTime GetDateTime(int ordinal); protected virtual System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; - public abstract System.Decimal GetDecimal(int ordinal); + public abstract decimal GetDecimal(int ordinal); public abstract double GetDouble(int ordinal); public abstract System.Collections.IEnumerator GetEnumerator(); public abstract System.Type GetFieldType(int ordinal); @@ -2015,9 +485,9 @@ public abstract class DbDataReader : System.MarshalByRefObject, System.Collectio public virtual System.Threading.Tasks.Task GetFieldValueAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; public abstract float GetFloat(int ordinal); public abstract System.Guid GetGuid(int ordinal); - public abstract System.Int16 GetInt16(int ordinal); + public abstract short GetInt16(int ordinal); public abstract int GetInt32(int ordinal); - public abstract System.Int64 GetInt64(int ordinal); + public abstract long GetInt64(int ordinal); public abstract string GetName(int ordinal); public abstract int GetOrdinal(string name); public virtual System.Type GetProviderSpecificFieldType(int ordinal) => throw null; @@ -2035,8 +505,6 @@ public abstract class DbDataReader : System.MarshalByRefObject, System.Collectio public abstract bool IsDBNull(int ordinal); public System.Threading.Tasks.Task IsDBNullAsync(int ordinal) => throw null; public virtual System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract object this[int ordinal] { get; } - public abstract object this[string name] { get; } public abstract bool NextResult(); public System.Threading.Tasks.Task NextResultAsync() => throw null; public virtual System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; @@ -2044,25 +512,25 @@ public abstract class DbDataReader : System.MarshalByRefObject, System.Collectio public System.Threading.Tasks.Task ReadAsync() => throw null; public virtual System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; public abstract int RecordsAffected { get; } + public abstract object this[int ordinal] { get; } + public abstract object this[string name] { get; } public virtual int VisibleFieldCount { get => throw null; } } - - public static class DbDataReaderExtensions + public static partial class DbDataReaderExtensions { public static bool CanGetColumnSchema(this System.Data.Common.DbDataReader reader) => throw null; public static System.Collections.ObjectModel.ReadOnlyCollection GetColumnSchema(this System.Data.Common.DbDataReader reader) => throw null; } - public abstract class DbDataRecord : System.ComponentModel.ICustomTypeDescriptor, System.Data.IDataRecord { protected DbDataRecord() => throw null; public abstract int FieldCount { get; } System.ComponentModel.AttributeCollection System.ComponentModel.ICustomTypeDescriptor.GetAttributes() => throw null; public abstract bool GetBoolean(int i); - public abstract System.Byte GetByte(int i); - public abstract System.Int64 GetBytes(int i, System.Int64 dataIndex, System.Byte[] buffer, int bufferIndex, int length); - public abstract System.Char GetChar(int i); - public abstract System.Int64 GetChars(int i, System.Int64 dataIndex, System.Char[] buffer, int bufferIndex, int length); + public abstract byte GetByte(int i); + public abstract long GetBytes(int i, long dataIndex, byte[] buffer, int bufferIndex, int length); + public abstract char GetChar(int i); + public abstract long GetChars(int i, long dataIndex, char[] buffer, int bufferIndex, int length); string System.ComponentModel.ICustomTypeDescriptor.GetClassName() => throw null; string System.ComponentModel.ICustomTypeDescriptor.GetComponentName() => throw null; System.ComponentModel.TypeConverter System.ComponentModel.ICustomTypeDescriptor.GetConverter() => throw null; @@ -2070,7 +538,7 @@ public abstract class DbDataRecord : System.ComponentModel.ICustomTypeDescriptor public abstract string GetDataTypeName(int i); public abstract System.DateTime GetDateTime(int i); protected virtual System.Data.Common.DbDataReader GetDbDataReader(int i) => throw null; - public abstract System.Decimal GetDecimal(int i); + public abstract decimal GetDecimal(int i); System.ComponentModel.EventDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultEvent() => throw null; System.ComponentModel.PropertyDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultProperty() => throw null; public abstract double GetDouble(int i); @@ -2080,9 +548,9 @@ public abstract class DbDataRecord : System.ComponentModel.ICustomTypeDescriptor public abstract System.Type GetFieldType(int i); public abstract float GetFloat(int i); public abstract System.Guid GetGuid(int i); - public abstract System.Int16 GetInt16(int i); + public abstract short GetInt16(int i); public abstract int GetInt32(int i); - public abstract System.Int64 GetInt64(int i); + public abstract long GetInt64(int i); public abstract string GetName(int i); public abstract int GetOrdinal(string name); System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties() => throw null; @@ -2095,8 +563,7 @@ public abstract class DbDataRecord : System.ComponentModel.ICustomTypeDescriptor public abstract object this[int i] { get; } public abstract object this[string name] { get; } } - - public abstract class DbDataSource : System.IAsyncDisposable, System.IDisposable + public abstract class DbDataSource : System.IDisposable, System.IAsyncDisposable { public abstract string ConnectionString { get; } public System.Data.Common.DbBatch CreateBatch() => throw null; @@ -2115,37 +582,33 @@ public abstract class DbDataSource : System.IAsyncDisposable, System.IDisposable protected virtual System.Data.Common.DbConnection OpenDbConnection() => throw null; protected virtual System.Threading.Tasks.ValueTask OpenDbConnectionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public abstract class DbDataSourceEnumerator { protected DbDataSourceEnumerator() => throw null; public abstract System.Data.DataTable GetDataSources(); } - public class DbEnumerator : System.Collections.IEnumerator { - public object Current { get => throw null; } public DbEnumerator(System.Data.Common.DbDataReader reader) => throw null; public DbEnumerator(System.Data.Common.DbDataReader reader, bool closeReader) => throw null; public DbEnumerator(System.Data.IDataReader reader) => throw null; public DbEnumerator(System.Data.IDataReader reader, bool closeReader) => throw null; + public object Current { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; } - public abstract class DbException : System.Runtime.InteropServices.ExternalException { public System.Data.Common.DbBatchCommand BatchCommand { get => throw null; } - protected virtual System.Data.Common.DbBatchCommand DbBatchCommand { get => throw null; } protected DbException() => throw null; protected DbException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; protected DbException(string message) => throw null; protected DbException(string message, System.Exception innerException) => throw null; protected DbException(string message, int errorCode) => throw null; + protected virtual System.Data.Common.DbBatchCommand DbBatchCommand { get => throw null; } public virtual bool IsTransient { get => throw null; } public virtual string SqlState { get => throw null; } } - public static class DbMetaDataCollectionNames { public static string DataSourceInformation; @@ -2154,7 +617,6 @@ public static class DbMetaDataCollectionNames public static string ReservedWords; public static string Restrictions; } - public static class DbMetaDataColumnNames { public static string CollectionName; @@ -2201,7 +663,6 @@ public static class DbMetaDataColumnNames public static string SupportedJoinOperators; public static string TypeName; } - public abstract class DbParameter : System.MarshalByRefObject, System.Data.IDataParameter, System.Data.IDbDataParameter { protected DbParameter() => throw null; @@ -2209,26 +670,25 @@ public abstract class DbParameter : System.MarshalByRefObject, System.Data.IData public abstract System.Data.ParameterDirection Direction { get; set; } public abstract bool IsNullable { get; set; } public abstract string ParameterName { get; set; } - public virtual System.Byte Precision { get => throw null; set => throw null; } - System.Byte System.Data.IDbDataParameter.Precision { get => throw null; set => throw null; } + public virtual byte Precision { get => throw null; set { } } + byte System.Data.IDbDataParameter.Precision { get => throw null; set { } } public abstract void ResetDbType(); - public virtual System.Byte Scale { get => throw null; set => throw null; } - System.Byte System.Data.IDbDataParameter.Scale { get => throw null; set => throw null; } + public virtual byte Scale { get => throw null; set { } } + byte System.Data.IDbDataParameter.Scale { get => throw null; set { } } public abstract int Size { get; set; } public abstract string SourceColumn { get; set; } public abstract bool SourceColumnNullMapping { get; set; } - public virtual System.Data.DataRowVersion SourceVersion { get => throw null; set => throw null; } + public virtual System.Data.DataRowVersion SourceVersion { get => throw null; set { } } public abstract object Value { get; set; } } - public abstract class DbParameterCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.IDataParameterCollection { - public abstract int Add(object value); int System.Collections.IList.Add(object value) => throw null; + public abstract int Add(object value); public abstract void AddRange(System.Array values); public abstract void Clear(); - public abstract bool Contains(object value); bool System.Collections.IList.Contains(object value) => throw null; + public abstract bool Contains(object value); public abstract bool Contains(string value); public abstract void CopyTo(System.Array array, int index); public abstract int Count { get; } @@ -2236,41 +696,39 @@ public abstract class DbParameterCollection : System.MarshalByRefObject, System. public abstract System.Collections.IEnumerator GetEnumerator(); protected abstract System.Data.Common.DbParameter GetParameter(int index); protected abstract System.Data.Common.DbParameter GetParameter(string parameterName); - public abstract int IndexOf(object value); int System.Collections.IList.IndexOf(object value) => throw null; + public abstract int IndexOf(object value); public abstract int IndexOf(string parameterName); - public abstract void Insert(int index, object value); void System.Collections.IList.Insert(int index, object value) => throw null; + public abstract void Insert(int index, object value); public virtual bool IsFixedSize { get => throw null; } public virtual bool IsReadOnly { get => throw null; } public virtual bool IsSynchronized { get => throw null; } - public System.Data.Common.DbParameter this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.Data.Common.DbParameter this[string parameterName] { get => throw null; set => throw null; } - object System.Data.IDataParameterCollection.this[string parameterName] { get => throw null; set => throw null; } - public abstract void Remove(object value); + object System.Collections.IList.this[int index] { get => throw null; set { } } + object System.Data.IDataParameterCollection.this[string parameterName] { get => throw null; set { } } void System.Collections.IList.Remove(object value) => throw null; + public abstract void Remove(object value); public abstract void RemoveAt(int index); public abstract void RemoveAt(string parameterName); protected abstract void SetParameter(int index, System.Data.Common.DbParameter value); protected abstract void SetParameter(string parameterName, System.Data.Common.DbParameter value); public abstract object SyncRoot { get; } + public System.Data.Common.DbParameter this[int index] { get => throw null; set { } } + public System.Data.Common.DbParameter this[string parameterName] { get => throw null; set { } } } - public static class DbProviderFactories { - public static System.Data.Common.DbProviderFactory GetFactory(System.Data.DataRow providerRow) => throw null; public static System.Data.Common.DbProviderFactory GetFactory(System.Data.Common.DbConnection connection) => throw null; + public static System.Data.Common.DbProviderFactory GetFactory(System.Data.DataRow providerRow) => throw null; public static System.Data.Common.DbProviderFactory GetFactory(string providerInvariantName) => throw null; public static System.Data.DataTable GetFactoryClasses() => throw null; public static System.Collections.Generic.IEnumerable GetProviderInvariantNames() => throw null; public static void RegisterFactory(string providerInvariantName, System.Data.Common.DbProviderFactory factory) => throw null; - public static void RegisterFactory(string providerInvariantName, System.Type providerFactoryClass) => throw null; public static void RegisterFactory(string providerInvariantName, string factoryTypeAssemblyQualifiedName) => throw null; + public static void RegisterFactory(string providerInvariantName, System.Type providerFactoryClass) => throw null; public static bool TryGetFactory(string providerInvariantName, out System.Data.Common.DbProviderFactory factory) => throw null; public static bool UnregisterFactory(string providerInvariantName) => throw null; } - public abstract class DbProviderFactory { public virtual bool CanCreateBatch { get => throw null; } @@ -2289,21 +747,19 @@ public abstract class DbProviderFactory public virtual System.Data.Common.DbParameter CreateParameter() => throw null; protected DbProviderFactory() => throw null; } - - public class DbProviderSpecificTypePropertyAttribute : System.Attribute + public sealed class DbProviderSpecificTypePropertyAttribute : System.Attribute { public DbProviderSpecificTypePropertyAttribute(bool isProviderSpecificTypeProperty) => throw null; public bool IsProviderSpecificTypeProperty { get => throw null; } } - - public abstract class DbTransaction : System.MarshalByRefObject, System.Data.IDbTransaction, System.IAsyncDisposable, System.IDisposable + public abstract class DbTransaction : System.MarshalByRefObject, System.Data.IDbTransaction, System.IDisposable, System.IAsyncDisposable { public abstract void Commit(); public virtual System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Data.Common.DbConnection Connection { get => throw null; } System.Data.IDbConnection System.Data.IDbTransaction.Connection { get => throw null; } - protected abstract System.Data.Common.DbConnection DbConnection { get; } protected DbTransaction() => throw null; + protected abstract System.Data.Common.DbConnection DbConnection { get; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; @@ -2318,55 +774,49 @@ public abstract class DbTransaction : System.MarshalByRefObject, System.Data.IDb public virtual System.Threading.Tasks.Task SaveAsync(string savepointName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual bool SupportsSavepoints { get => throw null; } } - - public enum GroupByBehavior : int + public enum GroupByBehavior { - ExactMatch = 4, - MustContainAll = 3, - NotSupported = 1, Unknown = 0, + NotSupported = 1, Unrelated = 2, + MustContainAll = 3, + ExactMatch = 4, } - public interface IDbColumnSchemaGenerator { System.Collections.ObjectModel.ReadOnlyCollection GetColumnSchema(); } - - public enum IdentifierCase : int + public enum IdentifierCase { + Unknown = 0, Insensitive = 1, Sensitive = 2, - Unknown = 0, } - public class RowUpdatedEventArgs : System.EventArgs { public System.Data.IDbCommand Command { get => throw null; } public void CopyToRows(System.Data.DataRow[] array) => throw null; public void CopyToRows(System.Data.DataRow[] array, int arrayIndex) => throw null; - public System.Exception Errors { get => throw null; set => throw null; } + public RowUpdatedEventArgs(System.Data.DataRow dataRow, System.Data.IDbCommand command, System.Data.StatementType statementType, System.Data.Common.DataTableMapping tableMapping) => throw null; + public System.Exception Errors { get => throw null; set { } } public int RecordsAffected { get => throw null; } public System.Data.DataRow Row { get => throw null; } public int RowCount { get => throw null; } - public RowUpdatedEventArgs(System.Data.DataRow dataRow, System.Data.IDbCommand command, System.Data.StatementType statementType, System.Data.Common.DataTableMapping tableMapping) => throw null; public System.Data.StatementType StatementType { get => throw null; } - public System.Data.UpdateStatus Status { get => throw null; set => throw null; } + public System.Data.UpdateStatus Status { get => throw null; set { } } public System.Data.Common.DataTableMapping TableMapping { get => throw null; } } - public class RowUpdatingEventArgs : System.EventArgs { - protected virtual System.Data.IDbCommand BaseCommand { get => throw null; set => throw null; } - public System.Data.IDbCommand Command { get => throw null; set => throw null; } - public System.Exception Errors { get => throw null; set => throw null; } - public System.Data.DataRow Row { get => throw null; } + protected virtual System.Data.IDbCommand BaseCommand { get => throw null; set { } } + public System.Data.IDbCommand Command { get => throw null; set { } } public RowUpdatingEventArgs(System.Data.DataRow dataRow, System.Data.IDbCommand command, System.Data.StatementType statementType, System.Data.Common.DataTableMapping tableMapping) => throw null; + public System.Exception Errors { get => throw null; set { } } + public System.Data.DataRow Row { get => throw null; } public System.Data.StatementType StatementType { get => throw null; } - public System.Data.UpdateStatus Status { get => throw null; set => throw null; } + public System.Data.UpdateStatus Status { get => throw null; set { } } public System.Data.Common.DataTableMapping TableMapping { get => throw null; } } - public static class SchemaTableColumn { public static string AllowDBNull; @@ -2387,7 +837,6 @@ public static class SchemaTableColumn public static string NumericScale; public static string ProviderType; } - public static class SchemaTableOptionalColumn { public static string AutoIncrementSeed; @@ -2405,17 +854,1310 @@ public static class SchemaTableOptionalColumn public static string IsRowVersion; public static string ProviderSpecificDataType; } - [System.Flags] - public enum SupportedJoinOperators : int + public enum SupportedJoinOperators { - FullOuter = 8, + None = 0, Inner = 1, LeftOuter = 2, - None = 0, RightOuter = 4, + FullOuter = 8, } - + } + public enum ConflictOption + { + CompareAllSearchableValues = 1, + CompareRowVersion = 2, + OverwriteChanges = 3, + } + [System.Flags] + public enum ConnectionState + { + Closed = 0, + Open = 1, + Connecting = 2, + Executing = 4, + Fetching = 8, + Broken = 16, + } + public abstract class Constraint + { + protected virtual System.Data.DataSet _DataSet { get => throw null; } + protected void CheckStateForProperty() => throw null; + public virtual string ConstraintName { get => throw null; set { } } + public System.Data.PropertyCollection ExtendedProperties { get => throw null; } + protected void SetDataSet(System.Data.DataSet dataSet) => throw null; + public abstract System.Data.DataTable Table { get; } + public override string ToString() => throw null; + } + public sealed class ConstraintCollection : System.Data.InternalDataCollectionBase + { + public void Add(System.Data.Constraint constraint) => throw null; + public System.Data.Constraint Add(string name, System.Data.DataColumn column, bool primaryKey) => throw null; + public System.Data.Constraint Add(string name, System.Data.DataColumn primaryKeyColumn, System.Data.DataColumn foreignKeyColumn) => throw null; + public System.Data.Constraint Add(string name, System.Data.DataColumn[] columns, bool primaryKey) => throw null; + public System.Data.Constraint Add(string name, System.Data.DataColumn[] primaryKeyColumns, System.Data.DataColumn[] foreignKeyColumns) => throw null; + public void AddRange(System.Data.Constraint[] constraints) => throw null; + public bool CanRemove(System.Data.Constraint constraint) => throw null; + public void Clear() => throw null; + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public bool Contains(string name) => throw null; + public void CopyTo(System.Data.Constraint[] array, int index) => throw null; + public int IndexOf(System.Data.Constraint constraint) => throw null; + public int IndexOf(string constraintName) => throw null; + protected override System.Collections.ArrayList List { get => throw null; } + public void Remove(System.Data.Constraint constraint) => throw null; + public void Remove(string name) => throw null; + public void RemoveAt(int index) => throw null; + public System.Data.Constraint this[int index] { get => throw null; } + public System.Data.Constraint this[string name] { get => throw null; } + } + public class ConstraintException : System.Data.DataException + { + public ConstraintException() => throw null; + protected ConstraintException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ConstraintException(string s) => throw null; + public ConstraintException(string message, System.Exception innerException) => throw null; + } + public class DataColumn : System.ComponentModel.MarshalByValueComponent + { + public bool AllowDBNull { get => throw null; set { } } + public bool AutoIncrement { get => throw null; set { } } + public long AutoIncrementSeed { get => throw null; set { } } + public long AutoIncrementStep { get => throw null; set { } } + public string Caption { get => throw null; set { } } + protected void CheckNotAllowNull() => throw null; + protected void CheckUnique() => throw null; + public virtual System.Data.MappingType ColumnMapping { get => throw null; set { } } + public string ColumnName { get => throw null; set { } } + public DataColumn() => throw null; + public DataColumn(string columnName) => throw null; + public DataColumn(string columnName, System.Type dataType) => throw null; + public DataColumn(string columnName, System.Type dataType, string expr) => throw null; + public DataColumn(string columnName, System.Type dataType, string expr, System.Data.MappingType type) => throw null; + public System.Type DataType { get => throw null; set { } } + public System.Data.DataSetDateTime DateTimeMode { get => throw null; set { } } + public object DefaultValue { get => throw null; set { } } + public string Expression { get => throw null; set { } } + public System.Data.PropertyCollection ExtendedProperties { get => throw null; } + public int MaxLength { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; + public int Ordinal { get => throw null; } + public string Prefix { get => throw null; set { } } + protected void RaisePropertyChanging(string name) => throw null; + public bool ReadOnly { get => throw null; set { } } + public void SetOrdinal(int ordinal) => throw null; + public System.Data.DataTable Table { get => throw null; } + public override string ToString() => throw null; + public bool Unique { get => throw null; set { } } + } + public class DataColumnChangeEventArgs : System.EventArgs + { + public System.Data.DataColumn Column { get => throw null; } + public DataColumnChangeEventArgs(System.Data.DataRow row, System.Data.DataColumn column, object value) => throw null; + public object ProposedValue { get => throw null; set { } } + public System.Data.DataRow Row { get => throw null; } + } + public delegate void DataColumnChangeEventHandler(object sender, System.Data.DataColumnChangeEventArgs e); + public sealed class DataColumnCollection : System.Data.InternalDataCollectionBase + { + public System.Data.DataColumn Add() => throw null; + public void Add(System.Data.DataColumn column) => throw null; + public System.Data.DataColumn Add(string columnName) => throw null; + public System.Data.DataColumn Add(string columnName, System.Type type) => throw null; + public System.Data.DataColumn Add(string columnName, System.Type type, string expression) => throw null; + public void AddRange(System.Data.DataColumn[] columns) => throw null; + public bool CanRemove(System.Data.DataColumn column) => throw null; + public void Clear() => throw null; + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public bool Contains(string name) => throw null; + public void CopyTo(System.Data.DataColumn[] array, int index) => throw null; + public int IndexOf(System.Data.DataColumn column) => throw null; + public int IndexOf(string columnName) => throw null; + protected override System.Collections.ArrayList List { get => throw null; } + public void Remove(System.Data.DataColumn column) => throw null; + public void Remove(string name) => throw null; + public void RemoveAt(int index) => throw null; + public System.Data.DataColumn this[int index] { get => throw null; } + public System.Data.DataColumn this[string name] { get => throw null; } + } + public class DataException : System.SystemException + { + public DataException() => throw null; + protected DataException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DataException(string s) => throw null; + public DataException(string s, System.Exception innerException) => throw null; + } + public static partial class DataReaderExtensions + { + public static bool GetBoolean(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static byte GetByte(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static long GetBytes(this System.Data.Common.DbDataReader reader, string name, long dataOffset, byte[] buffer, int bufferOffset, int length) => throw null; + public static char GetChar(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static long GetChars(this System.Data.Common.DbDataReader reader, string name, long dataOffset, char[] buffer, int bufferOffset, int length) => throw null; + public static System.Data.Common.DbDataReader GetData(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static string GetDataTypeName(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.DateTime GetDateTime(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static decimal GetDecimal(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static double GetDouble(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.Type GetFieldType(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static T GetFieldValue(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.Threading.Tasks.Task GetFieldValueAsync(this System.Data.Common.DbDataReader reader, string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static float GetFloat(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.Guid GetGuid(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static short GetInt16(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static int GetInt32(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static long GetInt64(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.Type GetProviderSpecificFieldType(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static object GetProviderSpecificValue(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.IO.Stream GetStream(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static string GetString(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.IO.TextReader GetTextReader(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static object GetValue(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static bool IsDBNull(this System.Data.Common.DbDataReader reader, string name) => throw null; + public static System.Threading.Tasks.Task IsDBNullAsync(this System.Data.Common.DbDataReader reader, string name, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public class DataRelation + { + protected void CheckStateForProperty() => throw null; + public virtual System.Data.DataColumn[] ChildColumns { get => throw null; } + public virtual System.Data.ForeignKeyConstraint ChildKeyConstraint { get => throw null; } + public virtual System.Data.DataTable ChildTable { get => throw null; } + public DataRelation(string relationName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; + public DataRelation(string relationName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn, bool createConstraints) => throw null; + public DataRelation(string relationName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; + public DataRelation(string relationName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns, bool createConstraints) => throw null; + public DataRelation(string relationName, string parentTableName, string parentTableNamespace, string childTableName, string childTableNamespace, string[] parentColumnNames, string[] childColumnNames, bool nested) => throw null; + public DataRelation(string relationName, string parentTableName, string childTableName, string[] parentColumnNames, string[] childColumnNames, bool nested) => throw null; + public virtual System.Data.DataSet DataSet { get => throw null; } + public System.Data.PropertyCollection ExtendedProperties { get => throw null; } + public virtual bool Nested { get => throw null; set { } } + protected void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; + public virtual System.Data.DataColumn[] ParentColumns { get => throw null; } + public virtual System.Data.UniqueConstraint ParentKeyConstraint { get => throw null; } + public virtual System.Data.DataTable ParentTable { get => throw null; } + protected void RaisePropertyChanging(string name) => throw null; + public virtual string RelationName { get => throw null; set { } } + public override string ToString() => throw null; + } + public abstract class DataRelationCollection : System.Data.InternalDataCollectionBase + { + public virtual System.Data.DataRelation Add(System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; + public virtual System.Data.DataRelation Add(System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; + public void Add(System.Data.DataRelation relation) => throw null; + public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; + public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn, bool createConstraints) => throw null; + public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; + public virtual System.Data.DataRelation Add(string name, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns, bool createConstraints) => throw null; + protected virtual void AddCore(System.Data.DataRelation relation) => throw null; + public virtual void AddRange(System.Data.DataRelation[] relations) => throw null; + public virtual bool CanRemove(System.Data.DataRelation relation) => throw null; + public virtual void Clear() => throw null; + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public virtual bool Contains(string name) => throw null; + public void CopyTo(System.Data.DataRelation[] array, int index) => throw null; + protected DataRelationCollection() => throw null; + protected abstract System.Data.DataSet GetDataSet(); + public virtual int IndexOf(System.Data.DataRelation relation) => throw null; + public virtual int IndexOf(string relationName) => throw null; + protected virtual void OnCollectionChanged(System.ComponentModel.CollectionChangeEventArgs ccevent) => throw null; + protected virtual void OnCollectionChanging(System.ComponentModel.CollectionChangeEventArgs ccevent) => throw null; + public void Remove(System.Data.DataRelation relation) => throw null; + public void Remove(string name) => throw null; + public void RemoveAt(int index) => throw null; + protected virtual void RemoveCore(System.Data.DataRelation relation) => throw null; + public abstract System.Data.DataRelation this[int index] { get; } + public abstract System.Data.DataRelation this[string name] { get; } + } + public class DataRow + { + public void AcceptChanges() => throw null; + public void BeginEdit() => throw null; + public void CancelEdit() => throw null; + public void ClearErrors() => throw null; + protected DataRow(System.Data.DataRowBuilder builder) => throw null; + public void Delete() => throw null; + public void EndEdit() => throw null; + public System.Data.DataRow[] GetChildRows(System.Data.DataRelation relation) => throw null; + public System.Data.DataRow[] GetChildRows(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; + public System.Data.DataRow[] GetChildRows(string relationName) => throw null; + public System.Data.DataRow[] GetChildRows(string relationName, System.Data.DataRowVersion version) => throw null; + public string GetColumnError(System.Data.DataColumn column) => throw null; + public string GetColumnError(int columnIndex) => throw null; + public string GetColumnError(string columnName) => throw null; + public System.Data.DataColumn[] GetColumnsInError() => throw null; + public System.Data.DataRow GetParentRow(System.Data.DataRelation relation) => throw null; + public System.Data.DataRow GetParentRow(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; + public System.Data.DataRow GetParentRow(string relationName) => throw null; + public System.Data.DataRow GetParentRow(string relationName, System.Data.DataRowVersion version) => throw null; + public System.Data.DataRow[] GetParentRows(System.Data.DataRelation relation) => throw null; + public System.Data.DataRow[] GetParentRows(System.Data.DataRelation relation, System.Data.DataRowVersion version) => throw null; + public System.Data.DataRow[] GetParentRows(string relationName) => throw null; + public System.Data.DataRow[] GetParentRows(string relationName, System.Data.DataRowVersion version) => throw null; + public bool HasErrors { get => throw null; } + public bool HasVersion(System.Data.DataRowVersion version) => throw null; + public bool IsNull(System.Data.DataColumn column) => throw null; + public bool IsNull(System.Data.DataColumn column, System.Data.DataRowVersion version) => throw null; + public bool IsNull(int columnIndex) => throw null; + public bool IsNull(string columnName) => throw null; + public object[] ItemArray { get => throw null; set { } } + public void RejectChanges() => throw null; + public string RowError { get => throw null; set { } } + public System.Data.DataRowState RowState { get => throw null; } + public void SetAdded() => throw null; + public void SetColumnError(System.Data.DataColumn column, string error) => throw null; + public void SetColumnError(int columnIndex, string error) => throw null; + public void SetColumnError(string columnName, string error) => throw null; + public void SetModified() => throw null; + protected void SetNull(System.Data.DataColumn column) => throw null; + public void SetParentRow(System.Data.DataRow parentRow) => throw null; + public void SetParentRow(System.Data.DataRow parentRow, System.Data.DataRelation relation) => throw null; + public System.Data.DataTable Table { get => throw null; } + public object this[System.Data.DataColumn column] { get => throw null; set { } } + public object this[System.Data.DataColumn column, System.Data.DataRowVersion version] { get => throw null; } + public object this[int columnIndex] { get => throw null; set { } } + public object this[int columnIndex, System.Data.DataRowVersion version] { get => throw null; } + public object this[string columnName] { get => throw null; set { } } + public object this[string columnName, System.Data.DataRowVersion version] { get => throw null; } + } + [System.Flags] + public enum DataRowAction + { + Nothing = 0, + Delete = 1, + Change = 2, + Rollback = 4, + Commit = 8, + Add = 16, + ChangeOriginal = 32, + ChangeCurrentAndOriginal = 64, + } + public sealed class DataRowBuilder + { + } + public class DataRowChangeEventArgs : System.EventArgs + { + public System.Data.DataRowAction Action { get => throw null; } + public DataRowChangeEventArgs(System.Data.DataRow row, System.Data.DataRowAction action) => throw null; + public System.Data.DataRow Row { get => throw null; } + } + public delegate void DataRowChangeEventHandler(object sender, System.Data.DataRowChangeEventArgs e); + public sealed class DataRowCollection : System.Data.InternalDataCollectionBase + { + public void Add(System.Data.DataRow row) => throw null; + public System.Data.DataRow Add(params object[] values) => throw null; + public void Clear() => throw null; + public bool Contains(object key) => throw null; + public bool Contains(object[] keys) => throw null; + public override void CopyTo(System.Array ar, int index) => throw null; + public void CopyTo(System.Data.DataRow[] array, int index) => throw null; + public override int Count { get => throw null; } + public System.Data.DataRow Find(object key) => throw null; + public System.Data.DataRow Find(object[] keys) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public int IndexOf(System.Data.DataRow row) => throw null; + public void InsertAt(System.Data.DataRow row, int pos) => throw null; + public void Remove(System.Data.DataRow row) => throw null; + public void RemoveAt(int index) => throw null; + public System.Data.DataRow this[int index] { get => throw null; } + } + public static class DataRowComparer + { + public static System.Data.DataRowComparer Default { get => throw null; } + } + public sealed class DataRowComparer : System.Collections.Generic.IEqualityComparer where TRow : System.Data.DataRow + { + public static System.Data.DataRowComparer Default { get => throw null; } + public bool Equals(TRow leftRow, TRow rightRow) => throw null; + public int GetHashCode(TRow row) => throw null; + } + public static partial class DataRowExtensions + { + public static T Field(this System.Data.DataRow row, System.Data.DataColumn column) => throw null; + public static T Field(this System.Data.DataRow row, System.Data.DataColumn column, System.Data.DataRowVersion version) => throw null; + public static T Field(this System.Data.DataRow row, int columnIndex) => throw null; + public static T Field(this System.Data.DataRow row, int columnIndex, System.Data.DataRowVersion version) => throw null; + public static T Field(this System.Data.DataRow row, string columnName) => throw null; + public static T Field(this System.Data.DataRow row, string columnName, System.Data.DataRowVersion version) => throw null; + public static void SetField(this System.Data.DataRow row, System.Data.DataColumn column, T value) => throw null; + public static void SetField(this System.Data.DataRow row, int columnIndex, T value) => throw null; + public static void SetField(this System.Data.DataRow row, string columnName, T value) => throw null; + } + [System.Flags] + public enum DataRowState + { + Detached = 1, + Unchanged = 2, + Added = 4, + Deleted = 8, + Modified = 16, + } + public enum DataRowVersion + { + Original = 256, + Current = 512, + Proposed = 1024, + Default = 1536, + } + public class DataRowView : System.ComponentModel.ICustomTypeDescriptor, System.ComponentModel.IDataErrorInfo, System.ComponentModel.IEditableObject, System.ComponentModel.INotifyPropertyChanged + { + public void BeginEdit() => throw null; + public void CancelEdit() => throw null; + public System.Data.DataView CreateChildView(System.Data.DataRelation relation) => throw null; + public System.Data.DataView CreateChildView(System.Data.DataRelation relation, bool followParent) => throw null; + public System.Data.DataView CreateChildView(string relationName) => throw null; + public System.Data.DataView CreateChildView(string relationName, bool followParent) => throw null; + public System.Data.DataView DataView { get => throw null; } + public void Delete() => throw null; + public void EndEdit() => throw null; + public override bool Equals(object other) => throw null; + string System.ComponentModel.IDataErrorInfo.Error { get => throw null; } + System.ComponentModel.AttributeCollection System.ComponentModel.ICustomTypeDescriptor.GetAttributes() => throw null; + string System.ComponentModel.ICustomTypeDescriptor.GetClassName() => throw null; + string System.ComponentModel.ICustomTypeDescriptor.GetComponentName() => throw null; + System.ComponentModel.TypeConverter System.ComponentModel.ICustomTypeDescriptor.GetConverter() => throw null; + System.ComponentModel.EventDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultEvent() => throw null; + System.ComponentModel.PropertyDescriptor System.ComponentModel.ICustomTypeDescriptor.GetDefaultProperty() => throw null; + object System.ComponentModel.ICustomTypeDescriptor.GetEditor(System.Type editorBaseType) => throw null; + System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents() => throw null; + System.ComponentModel.EventDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetEvents(System.Attribute[] attributes) => throw null; + public override int GetHashCode() => throw null; + System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties() => throw null; + System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ICustomTypeDescriptor.GetProperties(System.Attribute[] attributes) => throw null; + object System.ComponentModel.ICustomTypeDescriptor.GetPropertyOwner(System.ComponentModel.PropertyDescriptor pd) => throw null; + public bool IsEdit { get => throw null; } + public bool IsNew { get => throw null; } + string System.ComponentModel.IDataErrorInfo.this[string colName] { get => throw null; } + public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + public System.Data.DataRow Row { get => throw null; } + public System.Data.DataRowVersion RowVersion { get => throw null; } + public object this[int ndx] { get => throw null; set { } } + public object this[string property] { get => throw null; set { } } + } + public class DataSet : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + { + public void AcceptChanges() => throw null; + public void BeginInit() => throw null; + public bool CaseSensitive { get => throw null; set { } } + public void Clear() => throw null; + public virtual System.Data.DataSet Clone() => throw null; + bool System.ComponentModel.IListSource.ContainsListCollection { get => throw null; } + public System.Data.DataSet Copy() => throw null; + public System.Data.DataTableReader CreateDataReader() => throw null; + public System.Data.DataTableReader CreateDataReader(params System.Data.DataTable[] dataTables) => throw null; + public DataSet() => throw null; + protected DataSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected DataSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context, bool ConstructSchema) => throw null; + public DataSet(string dataSetName) => throw null; + public string DataSetName { get => throw null; set { } } + public System.Data.DataViewManager DefaultViewManager { get => throw null; } + protected System.Data.SchemaSerializationMode DetermineSchemaSerializationMode(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected System.Data.SchemaSerializationMode DetermineSchemaSerializationMode(System.Xml.XmlReader reader) => throw null; + public void EndInit() => throw null; + public bool EnforceConstraints { get => throw null; set { } } + public System.Data.PropertyCollection ExtendedProperties { get => throw null; } + public System.Data.DataSet GetChanges() => throw null; + public System.Data.DataSet GetChanges(System.Data.DataRowState rowStates) => throw null; + public static System.Xml.Schema.XmlSchemaComplexType GetDataSetSchema(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; + System.Collections.IList System.ComponentModel.IListSource.GetList() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; + protected virtual System.Xml.Schema.XmlSchema GetSchemaSerializable() => throw null; + protected void GetSerializationData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string GetXml() => throw null; + public string GetXmlSchema() => throw null; + public bool HasChanges() => throw null; + public bool HasChanges(System.Data.DataRowState rowStates) => throw null; + public bool HasErrors { get => throw null; } + public void InferXmlSchema(System.IO.Stream stream, string[] nsArray) => throw null; + public void InferXmlSchema(System.IO.TextReader reader, string[] nsArray) => throw null; + public void InferXmlSchema(string fileName, string[] nsArray) => throw null; + public void InferXmlSchema(System.Xml.XmlReader reader, string[] nsArray) => throw null; + public event System.EventHandler Initialized { add { } remove { } } + protected virtual void InitializeDerivedDataSet() => throw null; + protected bool IsBinarySerialized(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool IsInitialized { get => throw null; } + public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, params System.Data.DataTable[] tables) => throw null; + public virtual void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, System.Data.FillErrorEventHandler errorHandler, params System.Data.DataTable[] tables) => throw null; + public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, params string[] tables) => throw null; + public System.Globalization.CultureInfo Locale { get => throw null; set { } } + public void Merge(System.Data.DataRow[] rows) => throw null; + public void Merge(System.Data.DataRow[] rows, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; + public void Merge(System.Data.DataSet dataSet) => throw null; + public void Merge(System.Data.DataSet dataSet, bool preserveChanges) => throw null; + public void Merge(System.Data.DataSet dataSet, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; + public void Merge(System.Data.DataTable table) => throw null; + public void Merge(System.Data.DataTable table, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; + public event System.Data.MergeFailedEventHandler MergeFailed { add { } remove { } } + public string Namespace { get => throw null; set { } } + protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; + protected virtual void OnRemoveRelation(System.Data.DataRelation relation) => throw null; + protected virtual void OnRemoveTable(System.Data.DataTable table) => throw null; + public string Prefix { get => throw null; set { } } + protected void RaisePropertyChanging(string name) => throw null; + public System.Data.XmlReadMode ReadXml(System.IO.Stream stream) => throw null; + public System.Data.XmlReadMode ReadXml(System.IO.Stream stream, System.Data.XmlReadMode mode) => throw null; + public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader) => throw null; + public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader, System.Data.XmlReadMode mode) => throw null; + public System.Data.XmlReadMode ReadXml(string fileName) => throw null; + public System.Data.XmlReadMode ReadXml(string fileName, System.Data.XmlReadMode mode) => throw null; + public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader) => throw null; + public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader, System.Data.XmlReadMode mode) => throw null; + void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; + public void ReadXmlSchema(System.IO.Stream stream) => throw null; + public void ReadXmlSchema(System.IO.TextReader reader) => throw null; + public void ReadXmlSchema(string fileName) => throw null; + public void ReadXmlSchema(System.Xml.XmlReader reader) => throw null; + protected virtual void ReadXmlSerializable(System.Xml.XmlReader reader) => throw null; + public virtual void RejectChanges() => throw null; + public System.Data.DataRelationCollection Relations { get => throw null; } + public System.Data.SerializationFormat RemotingFormat { get => throw null; set { } } + public virtual void Reset() => throw null; + public virtual System.Data.SchemaSerializationMode SchemaSerializationMode { get => throw null; set { } } + protected virtual bool ShouldSerializeRelations() => throw null; + protected virtual bool ShouldSerializeTables() => throw null; + public override System.ComponentModel.ISite Site { get => throw null; set { } } + public System.Data.DataTableCollection Tables { get => throw null; } + void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; + public void WriteXml(System.IO.Stream stream) => throw null; + public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(System.IO.TextWriter writer) => throw null; + public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(string fileName) => throw null; + public void WriteXml(string fileName, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(System.Xml.XmlWriter writer) => throw null; + public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode) => throw null; + public void WriteXmlSchema(System.IO.Stream stream) => throw null; + public void WriteXmlSchema(System.IO.Stream stream, System.Converter multipleTargetConverter) => throw null; + public void WriteXmlSchema(System.IO.TextWriter writer) => throw null; + public void WriteXmlSchema(System.IO.TextWriter writer, System.Converter multipleTargetConverter) => throw null; + public void WriteXmlSchema(string fileName) => throw null; + public void WriteXmlSchema(string fileName, System.Converter multipleTargetConverter) => throw null; + public void WriteXmlSchema(System.Xml.XmlWriter writer) => throw null; + public void WriteXmlSchema(System.Xml.XmlWriter writer, System.Converter multipleTargetConverter) => throw null; + } + public enum DataSetDateTime + { + Local = 1, + Unspecified = 2, + UnspecifiedLocal = 3, + Utc = 4, + } + public class DataSysDescriptionAttribute : System.ComponentModel.DescriptionAttribute + { + public DataSysDescriptionAttribute(string description) => throw null; + public override string Description { get => throw null; } + } + public class DataTable : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + { + public void AcceptChanges() => throw null; + public virtual void BeginInit() => throw null; + public void BeginLoadData() => throw null; + public bool CaseSensitive { get => throw null; set { } } + public System.Data.DataRelationCollection ChildRelations { get => throw null; } + public void Clear() => throw null; + public virtual System.Data.DataTable Clone() => throw null; + public event System.Data.DataColumnChangeEventHandler ColumnChanged { add { } remove { } } + public event System.Data.DataColumnChangeEventHandler ColumnChanging { add { } remove { } } + public System.Data.DataColumnCollection Columns { get => throw null; } + public object Compute(string expression, string filter) => throw null; + public System.Data.ConstraintCollection Constraints { get => throw null; } + bool System.ComponentModel.IListSource.ContainsListCollection { get => throw null; } + public System.Data.DataTable Copy() => throw null; + public System.Data.DataTableReader CreateDataReader() => throw null; + protected virtual System.Data.DataTable CreateInstance() => throw null; + public DataTable() => throw null; + protected DataTable(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DataTable(string tableName) => throw null; + public DataTable(string tableName, string tableNamespace) => throw null; + public System.Data.DataSet DataSet { get => throw null; } + public System.Data.DataView DefaultView { get => throw null; } + public string DisplayExpression { get => throw null; set { } } + public virtual void EndInit() => throw null; + public void EndLoadData() => throw null; + public System.Data.PropertyCollection ExtendedProperties { get => throw null; } + protected bool fInitInProgress; + public System.Data.DataTable GetChanges() => throw null; + public System.Data.DataTable GetChanges(System.Data.DataRowState rowStates) => throw null; + public static System.Xml.Schema.XmlSchemaComplexType GetDataTableSchema(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; + public System.Data.DataRow[] GetErrors() => throw null; + System.Collections.IList System.ComponentModel.IListSource.GetList() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected virtual System.Type GetRowType() => throw null; + protected virtual System.Xml.Schema.XmlSchema GetSchema() => throw null; + System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; + public bool HasErrors { get => throw null; } + public void ImportRow(System.Data.DataRow row) => throw null; + public event System.EventHandler Initialized { add { } remove { } } + public bool IsInitialized { get => throw null; } + public void Load(System.Data.IDataReader reader) => throw null; + public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption) => throw null; + public virtual void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption, System.Data.FillErrorEventHandler errorHandler) => throw null; + public System.Data.DataRow LoadDataRow(object[] values, bool fAcceptChanges) => throw null; + public System.Data.DataRow LoadDataRow(object[] values, System.Data.LoadOption loadOption) => throw null; + public System.Globalization.CultureInfo Locale { get => throw null; set { } } + public void Merge(System.Data.DataTable table) => throw null; + public void Merge(System.Data.DataTable table, bool preserveChanges) => throw null; + public void Merge(System.Data.DataTable table, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; + public int MinimumCapacity { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public System.Data.DataRow NewRow() => throw null; + protected System.Data.DataRow[] NewRowArray(int size) => throw null; + protected virtual System.Data.DataRow NewRowFromBuilder(System.Data.DataRowBuilder builder) => throw null; + protected virtual void OnColumnChanged(System.Data.DataColumnChangeEventArgs e) => throw null; + protected virtual void OnColumnChanging(System.Data.DataColumnChangeEventArgs e) => throw null; + protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; + protected virtual void OnRemoveColumn(System.Data.DataColumn column) => throw null; + protected virtual void OnRowChanged(System.Data.DataRowChangeEventArgs e) => throw null; + protected virtual void OnRowChanging(System.Data.DataRowChangeEventArgs e) => throw null; + protected virtual void OnRowDeleted(System.Data.DataRowChangeEventArgs e) => throw null; + protected virtual void OnRowDeleting(System.Data.DataRowChangeEventArgs e) => throw null; + protected virtual void OnTableCleared(System.Data.DataTableClearEventArgs e) => throw null; + protected virtual void OnTableClearing(System.Data.DataTableClearEventArgs e) => throw null; + protected virtual void OnTableNewRow(System.Data.DataTableNewRowEventArgs e) => throw null; + public System.Data.DataRelationCollection ParentRelations { get => throw null; } + public string Prefix { get => throw null; set { } } + public System.Data.DataColumn[] PrimaryKey { get => throw null; set { } } + public System.Data.XmlReadMode ReadXml(System.IO.Stream stream) => throw null; + public System.Data.XmlReadMode ReadXml(System.IO.TextReader reader) => throw null; + public System.Data.XmlReadMode ReadXml(string fileName) => throw null; + public System.Data.XmlReadMode ReadXml(System.Xml.XmlReader reader) => throw null; + void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; + public void ReadXmlSchema(System.IO.Stream stream) => throw null; + public void ReadXmlSchema(System.IO.TextReader reader) => throw null; + public void ReadXmlSchema(string fileName) => throw null; + public void ReadXmlSchema(System.Xml.XmlReader reader) => throw null; + protected virtual void ReadXmlSerializable(System.Xml.XmlReader reader) => throw null; + public void RejectChanges() => throw null; + public System.Data.SerializationFormat RemotingFormat { get => throw null; set { } } + public virtual void Reset() => throw null; + public event System.Data.DataRowChangeEventHandler RowChanged { add { } remove { } } + public event System.Data.DataRowChangeEventHandler RowChanging { add { } remove { } } + public event System.Data.DataRowChangeEventHandler RowDeleted { add { } remove { } } + public event System.Data.DataRowChangeEventHandler RowDeleting { add { } remove { } } + public System.Data.DataRowCollection Rows { get => throw null; } + public System.Data.DataRow[] Select() => throw null; + public System.Data.DataRow[] Select(string filterExpression) => throw null; + public System.Data.DataRow[] Select(string filterExpression, string sort) => throw null; + public System.Data.DataRow[] Select(string filterExpression, string sort, System.Data.DataViewRowState recordStates) => throw null; + public override System.ComponentModel.ISite Site { get => throw null; set { } } + public event System.Data.DataTableClearEventHandler TableCleared { add { } remove { } } + public event System.Data.DataTableClearEventHandler TableClearing { add { } remove { } } + public string TableName { get => throw null; set { } } + public event System.Data.DataTableNewRowEventHandler TableNewRow { add { } remove { } } + public override string ToString() => throw null; + void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; + public void WriteXml(System.IO.Stream stream) => throw null; + public void WriteXml(System.IO.Stream stream, bool writeHierarchy) => throw null; + public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(System.IO.Stream stream, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; + public void WriteXml(System.IO.TextWriter writer) => throw null; + public void WriteXml(System.IO.TextWriter writer, bool writeHierarchy) => throw null; + public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(System.IO.TextWriter writer, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; + public void WriteXml(string fileName) => throw null; + public void WriteXml(string fileName, bool writeHierarchy) => throw null; + public void WriteXml(string fileName, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(string fileName, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; + public void WriteXml(System.Xml.XmlWriter writer) => throw null; + public void WriteXml(System.Xml.XmlWriter writer, bool writeHierarchy) => throw null; + public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode) => throw null; + public void WriteXml(System.Xml.XmlWriter writer, System.Data.XmlWriteMode mode, bool writeHierarchy) => throw null; + public void WriteXmlSchema(System.IO.Stream stream) => throw null; + public void WriteXmlSchema(System.IO.Stream stream, bool writeHierarchy) => throw null; + public void WriteXmlSchema(System.IO.TextWriter writer) => throw null; + public void WriteXmlSchema(System.IO.TextWriter writer, bool writeHierarchy) => throw null; + public void WriteXmlSchema(string fileName) => throw null; + public void WriteXmlSchema(string fileName, bool writeHierarchy) => throw null; + public void WriteXmlSchema(System.Xml.XmlWriter writer) => throw null; + public void WriteXmlSchema(System.Xml.XmlWriter writer, bool writeHierarchy) => throw null; + } + public sealed class DataTableClearEventArgs : System.EventArgs + { + public DataTableClearEventArgs(System.Data.DataTable dataTable) => throw null; + public System.Data.DataTable Table { get => throw null; } + public string TableName { get => throw null; } + public string TableNamespace { get => throw null; } + } + public delegate void DataTableClearEventHandler(object sender, System.Data.DataTableClearEventArgs e); + public sealed class DataTableCollection : System.Data.InternalDataCollectionBase + { + public System.Data.DataTable Add() => throw null; + public void Add(System.Data.DataTable table) => throw null; + public System.Data.DataTable Add(string name) => throw null; + public System.Data.DataTable Add(string name, string tableNamespace) => throw null; + public void AddRange(System.Data.DataTable[] tables) => throw null; + public bool CanRemove(System.Data.DataTable table) => throw null; + public void Clear() => throw null; + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanging { add { } remove { } } + public bool Contains(string name) => throw null; + public bool Contains(string name, string tableNamespace) => throw null; + public void CopyTo(System.Data.DataTable[] array, int index) => throw null; + public int IndexOf(System.Data.DataTable table) => throw null; + public int IndexOf(string tableName) => throw null; + public int IndexOf(string tableName, string tableNamespace) => throw null; + protected override System.Collections.ArrayList List { get => throw null; } + public void Remove(System.Data.DataTable table) => throw null; + public void Remove(string name) => throw null; + public void Remove(string name, string tableNamespace) => throw null; + public void RemoveAt(int index) => throw null; + public System.Data.DataTable this[int index] { get => throw null; } + public System.Data.DataTable this[string name] { get => throw null; } + public System.Data.DataTable this[string name, string tableNamespace] { get => throw null; } + } + public static partial class DataTableExtensions + { + public static System.Data.DataView AsDataView(this System.Data.DataTable table) => throw null; + public static System.Data.DataView AsDataView(this System.Data.EnumerableRowCollection source) where T : System.Data.DataRow => throw null; + public static System.Data.EnumerableRowCollection AsEnumerable(this System.Data.DataTable source) => throw null; + public static System.Data.DataTable CopyToDataTable(this System.Collections.Generic.IEnumerable source) where T : System.Data.DataRow => throw null; + public static void CopyToDataTable(this System.Collections.Generic.IEnumerable source, System.Data.DataTable table, System.Data.LoadOption options) where T : System.Data.DataRow => throw null; + public static void CopyToDataTable(this System.Collections.Generic.IEnumerable source, System.Data.DataTable table, System.Data.LoadOption options, System.Data.FillErrorEventHandler errorHandler) where T : System.Data.DataRow => throw null; + } + public sealed class DataTableNewRowEventArgs : System.EventArgs + { + public DataTableNewRowEventArgs(System.Data.DataRow dataRow) => throw null; + public System.Data.DataRow Row { get => throw null; } + } + public delegate void DataTableNewRowEventHandler(object sender, System.Data.DataTableNewRowEventArgs e); + public sealed class DataTableReader : System.Data.Common.DbDataReader + { + public override void Close() => throw null; + public DataTableReader(System.Data.DataTable dataTable) => throw null; + public DataTableReader(System.Data.DataTable[] dataTables) => throw null; + public override int Depth { get => throw null; } + public override int FieldCount { get => throw null; } + public override bool GetBoolean(int ordinal) => throw null; + public override byte GetByte(int ordinal) => throw null; + public override long GetBytes(int ordinal, long dataIndex, byte[] buffer, int bufferIndex, int length) => throw null; + public override char GetChar(int ordinal) => throw null; + public override long GetChars(int ordinal, long dataIndex, char[] buffer, int bufferIndex, int length) => throw null; + public override string GetDataTypeName(int ordinal) => throw null; + public override System.DateTime GetDateTime(int ordinal) => throw null; + public override decimal GetDecimal(int ordinal) => throw null; + public override double GetDouble(int ordinal) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public override System.Type GetFieldType(int ordinal) => throw null; + public override float GetFloat(int ordinal) => throw null; + public override System.Guid GetGuid(int ordinal) => throw null; + public override short GetInt16(int ordinal) => throw null; + public override int GetInt32(int ordinal) => throw null; + public override long GetInt64(int ordinal) => throw null; + public override string GetName(int ordinal) => throw null; + public override int GetOrdinal(string name) => throw null; + public override System.Type GetProviderSpecificFieldType(int ordinal) => throw null; + public override object GetProviderSpecificValue(int ordinal) => throw null; + public override int GetProviderSpecificValues(object[] values) => throw null; + public override System.Data.DataTable GetSchemaTable() => throw null; + public override string GetString(int ordinal) => throw null; + public override object GetValue(int ordinal) => throw null; + public override int GetValues(object[] values) => throw null; + public override bool HasRows { get => throw null; } + public override bool IsClosed { get => throw null; } + public override bool IsDBNull(int ordinal) => throw null; + public override bool NextResult() => throw null; + public override bool Read() => throw null; + public override int RecordsAffected { get => throw null; } + public override object this[int ordinal] { get => throw null; } + public override object this[string name] { get => throw null; } + } + public class DataView : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.IBindingListView, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.ComponentModel.ITypedList + { + int System.Collections.IList.Add(object value) => throw null; + void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; + public virtual System.Data.DataRowView AddNew() => throw null; + object System.ComponentModel.IBindingList.AddNew() => throw null; + public bool AllowDelete { get => throw null; set { } } + public bool AllowEdit { get => throw null; set { } } + bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } + public bool AllowNew { get => throw null; set { } } + bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } + bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } + public bool ApplyDefaultSort { get => throw null; set { } } + void System.ComponentModel.IBindingList.ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; + void System.ComponentModel.IBindingListView.ApplySort(System.ComponentModel.ListSortDescriptionCollection sorts) => throw null; + public void BeginInit() => throw null; + void System.Collections.IList.Clear() => throw null; + protected void Close() => throw null; + protected virtual void ColumnCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public void CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public DataView() => throw null; + public DataView(System.Data.DataTable table) => throw null; + public DataView(System.Data.DataTable table, string RowFilter, string Sort, System.Data.DataViewRowState RowState) => throw null; + public System.Data.DataViewManager DataViewManager { get => throw null; } + public void Delete(int index) => throw null; + protected override void Dispose(bool disposing) => throw null; + public void EndInit() => throw null; + public virtual bool Equals(System.Data.DataView view) => throw null; + string System.ComponentModel.IBindingListView.Filter { get => throw null; set { } } + public int Find(object key) => throw null; + public int Find(object[] key) => throw null; + int System.ComponentModel.IBindingList.Find(System.ComponentModel.PropertyDescriptor property, object key) => throw null; + public System.Data.DataRowView[] FindRows(object key) => throw null; + public System.Data.DataRowView[] FindRows(object[] key) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ITypedList.GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; + string System.ComponentModel.ITypedList.GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; + protected virtual void IndexListChanged(object sender, System.ComponentModel.ListChangedEventArgs e) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public event System.EventHandler Initialized { add { } remove { } } + void System.Collections.IList.Insert(int index, object value) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + public bool IsInitialized { get => throw null; } + protected bool IsOpen { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int recordIndex] { get => throw null; set { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; + protected void Open() => throw null; + void System.Collections.IList.Remove(object value) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + void System.ComponentModel.IBindingListView.RemoveFilter() => throw null; + void System.ComponentModel.IBindingList.RemoveIndex(System.ComponentModel.PropertyDescriptor property) => throw null; + void System.ComponentModel.IBindingList.RemoveSort() => throw null; + protected void Reset() => throw null; + public virtual string RowFilter { get => throw null; set { } } + public System.Data.DataViewRowState RowStateFilter { get => throw null; set { } } + public string Sort { get => throw null; set { } } + System.ComponentModel.ListSortDescriptionCollection System.ComponentModel.IBindingListView.SortDescriptions { get => throw null; } + System.ComponentModel.ListSortDirection System.ComponentModel.IBindingList.SortDirection { get => throw null; } + System.ComponentModel.PropertyDescriptor System.ComponentModel.IBindingList.SortProperty { get => throw null; } + bool System.ComponentModel.IBindingListView.SupportsAdvancedSorting { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsChangeNotification { get => throw null; } + bool System.ComponentModel.IBindingListView.SupportsFiltering { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsSearching { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsSorting { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.Data.DataTable Table { get => throw null; set { } } + public System.Data.DataRowView this[int recordIndex] { get => throw null; } + public System.Data.DataTable ToTable() => throw null; + public System.Data.DataTable ToTable(bool distinct, params string[] columnNames) => throw null; + public System.Data.DataTable ToTable(string tableName) => throw null; + public System.Data.DataTable ToTable(string tableName, bool distinct, params string[] columnNames) => throw null; + protected void UpdateIndex() => throw null; + protected virtual void UpdateIndex(bool force) => throw null; + } + public class DataViewManager : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.ITypedList + { + int System.Collections.IList.Add(object value) => throw null; + void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; + object System.ComponentModel.IBindingList.AddNew() => throw null; + bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } + bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } + bool System.ComponentModel.IBindingList.AllowRemove { get => throw null; } + void System.ComponentModel.IBindingList.ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction) => throw null; + void System.Collections.IList.Clear() => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + int System.Collections.ICollection.Count { get => throw null; } + public System.Data.DataView CreateDataView(System.Data.DataTable table) => throw null; + public DataViewManager() => throw null; + public DataViewManager(System.Data.DataSet dataSet) => throw null; + public System.Data.DataSet DataSet { get => throw null; set { } } + public string DataViewSettingCollectionString { get => throw null; set { } } + public System.Data.DataViewSettingCollection DataViewSettings { get => throw null; } + int System.ComponentModel.IBindingList.Find(System.ComponentModel.PropertyDescriptor property, object key) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + System.ComponentModel.PropertyDescriptorCollection System.ComponentModel.ITypedList.GetItemProperties(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; + string System.ComponentModel.ITypedList.GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; + protected virtual void RelationCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + void System.ComponentModel.IBindingList.RemoveIndex(System.ComponentModel.PropertyDescriptor property) => throw null; + void System.ComponentModel.IBindingList.RemoveSort() => throw null; + System.ComponentModel.ListSortDirection System.ComponentModel.IBindingList.SortDirection { get => throw null; } + System.ComponentModel.PropertyDescriptor System.ComponentModel.IBindingList.SortProperty { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsChangeNotification { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsSearching { get => throw null; } + bool System.ComponentModel.IBindingList.SupportsSorting { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + protected virtual void TableCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; + } + [System.Flags] + public enum DataViewRowState + { + None = 0, + Unchanged = 2, + Added = 4, + Deleted = 8, + ModifiedCurrent = 16, + CurrentRows = 22, + ModifiedOriginal = 32, + OriginalRows = 42, + } + public class DataViewSetting + { + public bool ApplyDefaultSort { get => throw null; set { } } + public System.Data.DataViewManager DataViewManager { get => throw null; } + public string RowFilter { get => throw null; set { } } + public System.Data.DataViewRowState RowStateFilter { get => throw null; set { } } + public string Sort { get => throw null; set { } } + public System.Data.DataTable Table { get => throw null; } + } + public class DataViewSettingCollection : System.Collections.ICollection, System.Collections.IEnumerable + { + public void CopyTo(System.Array ar, int index) => throw null; + public void CopyTo(System.Data.DataViewSetting[] ar, int index) => throw null; + public virtual int Count { get => throw null; } + public System.Collections.IEnumerator GetEnumerator() => throw null; + public bool IsReadOnly { get => throw null; } + public bool IsSynchronized { get => throw null; } + public object SyncRoot { get => throw null; } + public virtual System.Data.DataViewSetting this[System.Data.DataTable table] { get => throw null; set { } } + public virtual System.Data.DataViewSetting this[int index] { get => throw null; set { } } + public virtual System.Data.DataViewSetting this[string tableName] { get => throw null; } + } + public sealed class DBConcurrencyException : System.SystemException + { + public void CopyToRows(System.Data.DataRow[] array) => throw null; + public void CopyToRows(System.Data.DataRow[] array, int arrayIndex) => throw null; + public DBConcurrencyException() => throw null; + public DBConcurrencyException(string message) => throw null; + public DBConcurrencyException(string message, System.Exception inner) => throw null; + public DBConcurrencyException(string message, System.Exception inner, System.Data.DataRow[] dataRows) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Data.DataRow Row { get => throw null; set { } } + public int RowCount { get => throw null; } + } + public enum DbType + { + AnsiString = 0, + Binary = 1, + Byte = 2, + Boolean = 3, + Currency = 4, + Date = 5, + DateTime = 6, + Decimal = 7, + Double = 8, + Guid = 9, + Int16 = 10, + Int32 = 11, + Int64 = 12, + Object = 13, + SByte = 14, + Single = 15, + String = 16, + Time = 17, + UInt16 = 18, + UInt32 = 19, + UInt64 = 20, + VarNumeric = 21, + AnsiStringFixedLength = 22, + StringFixedLength = 23, + Xml = 25, + DateTime2 = 26, + DateTimeOffset = 27, + } + public class DeletedRowInaccessibleException : System.Data.DataException + { + public DeletedRowInaccessibleException() => throw null; + protected DeletedRowInaccessibleException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DeletedRowInaccessibleException(string s) => throw null; + public DeletedRowInaccessibleException(string message, System.Exception innerException) => throw null; + } + public class DuplicateNameException : System.Data.DataException + { + public DuplicateNameException() => throw null; + protected DuplicateNameException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DuplicateNameException(string s) => throw null; + public DuplicateNameException(string message, System.Exception innerException) => throw null; + } + public abstract class EnumerableRowCollection : System.Collections.IEnumerable + { + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public class EnumerableRowCollection : System.Data.EnumerableRowCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public static partial class EnumerableRowCollectionExtensions + { + public static System.Data.EnumerableRowCollection Cast(this System.Data.EnumerableRowCollection source) => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.EnumerableRowCollection source, System.Func keySelector) => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.EnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.EnumerableRowCollection source, System.Func keySelector) => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.EnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; + public static System.Data.EnumerableRowCollection Select(this System.Data.EnumerableRowCollection source, System.Func selector) => throw null; + public static System.Data.OrderedEnumerableRowCollection ThenBy(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector) => throw null; + public static System.Data.OrderedEnumerableRowCollection ThenBy(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; + public static System.Data.OrderedEnumerableRowCollection ThenByDescending(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector) => throw null; + public static System.Data.OrderedEnumerableRowCollection ThenByDescending(this System.Data.OrderedEnumerableRowCollection source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; + public static System.Data.EnumerableRowCollection Where(this System.Data.EnumerableRowCollection source, System.Func predicate) => throw null; + } + public class EvaluateException : System.Data.InvalidExpressionException + { + public EvaluateException() => throw null; + protected EvaluateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public EvaluateException(string s) => throw null; + public EvaluateException(string message, System.Exception innerException) => throw null; + } + public class FillErrorEventArgs : System.EventArgs + { + public bool Continue { get => throw null; set { } } + public FillErrorEventArgs(System.Data.DataTable dataTable, object[] values) => throw null; + public System.Data.DataTable DataTable { get => throw null; } + public System.Exception Errors { get => throw null; set { } } + public object[] Values { get => throw null; } + } + public delegate void FillErrorEventHandler(object sender, System.Data.FillErrorEventArgs e); + public class ForeignKeyConstraint : System.Data.Constraint + { + public virtual System.Data.AcceptRejectRule AcceptRejectRule { get => throw null; set { } } + public virtual System.Data.DataColumn[] Columns { get => throw null; } + public ForeignKeyConstraint(System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; + public ForeignKeyConstraint(System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; + public ForeignKeyConstraint(string constraintName, System.Data.DataColumn parentColumn, System.Data.DataColumn childColumn) => throw null; + public ForeignKeyConstraint(string constraintName, System.Data.DataColumn[] parentColumns, System.Data.DataColumn[] childColumns) => throw null; + public ForeignKeyConstraint(string constraintName, string parentTableName, string parentTableNamespace, string[] parentColumnNames, string[] childColumnNames, System.Data.AcceptRejectRule acceptRejectRule, System.Data.Rule deleteRule, System.Data.Rule updateRule) => throw null; + public ForeignKeyConstraint(string constraintName, string parentTableName, string[] parentColumnNames, string[] childColumnNames, System.Data.AcceptRejectRule acceptRejectRule, System.Data.Rule deleteRule, System.Data.Rule updateRule) => throw null; + public virtual System.Data.Rule DeleteRule { get => throw null; set { } } + public override bool Equals(object key) => throw null; + public override int GetHashCode() => throw null; + public virtual System.Data.DataColumn[] RelatedColumns { get => throw null; } + public virtual System.Data.DataTable RelatedTable { get => throw null; } + public override System.Data.DataTable Table { get => throw null; } + public virtual System.Data.Rule UpdateRule { get => throw null; set { } } + } + public interface IColumnMapping + { + string DataSetColumn { get; set; } + string SourceColumn { get; set; } + } + public interface IColumnMappingCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + System.Data.IColumnMapping Add(string sourceColumnName, string dataSetColumnName); + bool Contains(string sourceColumnName); + System.Data.IColumnMapping GetByDataSetColumn(string dataSetColumnName); + int IndexOf(string sourceColumnName); + void RemoveAt(string sourceColumnName); + object this[string index] { get; set; } + } + public interface IDataAdapter + { + int Fill(System.Data.DataSet dataSet); + System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType); + System.Data.IDataParameter[] GetFillParameters(); + System.Data.MissingMappingAction MissingMappingAction { get; set; } + System.Data.MissingSchemaAction MissingSchemaAction { get; set; } + System.Data.ITableMappingCollection TableMappings { get; } + int Update(System.Data.DataSet dataSet); + } + public interface IDataParameter + { + System.Data.DbType DbType { get; set; } + System.Data.ParameterDirection Direction { get; set; } + bool IsNullable { get; } + string ParameterName { get; set; } + string SourceColumn { get; set; } + System.Data.DataRowVersion SourceVersion { get; set; } + object Value { get; set; } + } + public interface IDataParameterCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + bool Contains(string parameterName); + int IndexOf(string parameterName); + void RemoveAt(string parameterName); + object this[string parameterName] { get; set; } + } + public interface IDataReader : System.Data.IDataRecord, System.IDisposable + { + void Close(); + int Depth { get; } + System.Data.DataTable GetSchemaTable(); + bool IsClosed { get; } + bool NextResult(); + bool Read(); + int RecordsAffected { get; } + } + public interface IDataRecord + { + int FieldCount { get; } + bool GetBoolean(int i); + byte GetByte(int i); + long GetBytes(int i, long fieldOffset, byte[] buffer, int bufferoffset, int length); + char GetChar(int i); + long GetChars(int i, long fieldoffset, char[] buffer, int bufferoffset, int length); + System.Data.IDataReader GetData(int i); + string GetDataTypeName(int i); + System.DateTime GetDateTime(int i); + decimal GetDecimal(int i); + double GetDouble(int i); + System.Type GetFieldType(int i); + float GetFloat(int i); + System.Guid GetGuid(int i); + short GetInt16(int i); + int GetInt32(int i); + long GetInt64(int i); + string GetName(int i); + int GetOrdinal(string name); + string GetString(int i); + object GetValue(int i); + int GetValues(object[] values); + bool IsDBNull(int i); + object this[int i] { get; } + object this[string name] { get; } + } + public interface IDbCommand : System.IDisposable + { + void Cancel(); + string CommandText { get; set; } + int CommandTimeout { get; set; } + System.Data.CommandType CommandType { get; set; } + System.Data.IDbConnection Connection { get; set; } + System.Data.IDbDataParameter CreateParameter(); + int ExecuteNonQuery(); + System.Data.IDataReader ExecuteReader(); + System.Data.IDataReader ExecuteReader(System.Data.CommandBehavior behavior); + object ExecuteScalar(); + System.Data.IDataParameterCollection Parameters { get; } + void Prepare(); + System.Data.IDbTransaction Transaction { get; set; } + System.Data.UpdateRowSource UpdatedRowSource { get; set; } + } + public interface IDbConnection : System.IDisposable + { + System.Data.IDbTransaction BeginTransaction(); + System.Data.IDbTransaction BeginTransaction(System.Data.IsolationLevel il); + void ChangeDatabase(string databaseName); + void Close(); + string ConnectionString { get; set; } + int ConnectionTimeout { get; } + System.Data.IDbCommand CreateCommand(); + string Database { get; } + void Open(); + System.Data.ConnectionState State { get; } + } + public interface IDbDataAdapter : System.Data.IDataAdapter + { + System.Data.IDbCommand DeleteCommand { get; set; } + System.Data.IDbCommand InsertCommand { get; set; } + System.Data.IDbCommand SelectCommand { get; set; } + System.Data.IDbCommand UpdateCommand { get; set; } + } + public interface IDbDataParameter : System.Data.IDataParameter + { + byte Precision { get; set; } + byte Scale { get; set; } + int Size { get; set; } + } + public interface IDbTransaction : System.IDisposable + { + void Commit(); + System.Data.IDbConnection Connection { get; } + System.Data.IsolationLevel IsolationLevel { get; } + void Rollback(); + } + public class InRowChangingEventException : System.Data.DataException + { + public InRowChangingEventException() => throw null; + protected InRowChangingEventException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InRowChangingEventException(string s) => throw null; + public InRowChangingEventException(string message, System.Exception innerException) => throw null; + } + public class InternalDataCollectionBase : System.Collections.ICollection, System.Collections.IEnumerable + { + public virtual void CopyTo(System.Array ar, int index) => throw null; + public virtual int Count { get => throw null; } + public InternalDataCollectionBase() => throw null; + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + public bool IsReadOnly { get => throw null; } + public bool IsSynchronized { get => throw null; } + protected virtual System.Collections.ArrayList List { get => throw null; } + public object SyncRoot { get => throw null; } + } + public class InvalidConstraintException : System.Data.DataException + { + public InvalidConstraintException() => throw null; + protected InvalidConstraintException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidConstraintException(string s) => throw null; + public InvalidConstraintException(string message, System.Exception innerException) => throw null; + } + public class InvalidExpressionException : System.Data.DataException + { + public InvalidExpressionException() => throw null; + protected InvalidExpressionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidExpressionException(string s) => throw null; + public InvalidExpressionException(string message, System.Exception innerException) => throw null; + } + public enum IsolationLevel + { + Unspecified = -1, + Chaos = 16, + ReadUncommitted = 256, + ReadCommitted = 4096, + RepeatableRead = 65536, + Serializable = 1048576, + Snapshot = 16777216, + } + public interface ITableMapping + { + System.Data.IColumnMappingCollection ColumnMappings { get; } + string DataSetTable { get; set; } + string SourceTable { get; set; } + } + public interface ITableMappingCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + { + System.Data.ITableMapping Add(string sourceTableName, string dataSetTableName); + bool Contains(string sourceTableName); + System.Data.ITableMapping GetByDataSetTable(string dataSetTableName); + int IndexOf(string sourceTableName); + void RemoveAt(string sourceTableName); + object this[string index] { get; set; } + } + public enum KeyRestrictionBehavior + { + AllowOnly = 0, + PreventUsage = 1, + } + public enum LoadOption + { + OverwriteChanges = 1, + PreserveChanges = 2, + Upsert = 3, + } + public enum MappingType + { + Element = 1, + Attribute = 2, + SimpleContent = 3, + Hidden = 4, + } + public class MergeFailedEventArgs : System.EventArgs + { + public string Conflict { get => throw null; } + public MergeFailedEventArgs(System.Data.DataTable table, string conflict) => throw null; + public System.Data.DataTable Table { get => throw null; } + } + public delegate void MergeFailedEventHandler(object sender, System.Data.MergeFailedEventArgs e); + public enum MissingMappingAction + { + Passthrough = 1, + Ignore = 2, + Error = 3, + } + public class MissingPrimaryKeyException : System.Data.DataException + { + public MissingPrimaryKeyException() => throw null; + protected MissingPrimaryKeyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MissingPrimaryKeyException(string s) => throw null; + public MissingPrimaryKeyException(string message, System.Exception innerException) => throw null; + } + public enum MissingSchemaAction + { + Add = 1, + Ignore = 2, + Error = 3, + AddWithKey = 4, + } + public class NoNullAllowedException : System.Data.DataException + { + public NoNullAllowedException() => throw null; + protected NoNullAllowedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public NoNullAllowedException(string s) => throw null; + public NoNullAllowedException(string message, System.Exception innerException) => throw null; + } + public sealed class OrderedEnumerableRowCollection : System.Data.EnumerableRowCollection + { + } + public enum ParameterDirection + { + Input = 1, + Output = 2, + InputOutput = 3, + ReturnValue = 6, + } + public class PropertyCollection : System.Collections.Hashtable, System.ICloneable + { + public override object Clone() => throw null; + public PropertyCollection() => throw null; + protected PropertyCollection(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class ReadOnlyException : System.Data.DataException + { + public ReadOnlyException() => throw null; + protected ReadOnlyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ReadOnlyException(string s) => throw null; + public ReadOnlyException(string message, System.Exception innerException) => throw null; + } + public class RowNotInTableException : System.Data.DataException + { + public RowNotInTableException() => throw null; + protected RowNotInTableException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public RowNotInTableException(string s) => throw null; + public RowNotInTableException(string message, System.Exception innerException) => throw null; + } + public enum Rule + { + None = 0, + Cascade = 1, + SetNull = 2, + SetDefault = 3, + } + public enum SchemaSerializationMode + { + IncludeSchema = 1, + ExcludeSchema = 2, + } + public enum SchemaType + { + Source = 1, + Mapped = 2, + } + public enum SerializationFormat + { + Xml = 0, + Binary = 1, + } + public enum SqlDbType + { + BigInt = 0, + Binary = 1, + Bit = 2, + Char = 3, + DateTime = 4, + Decimal = 5, + Float = 6, + Image = 7, + Int = 8, + Money = 9, + NChar = 10, + NText = 11, + NVarChar = 12, + Real = 13, + UniqueIdentifier = 14, + SmallDateTime = 15, + SmallInt = 16, + SmallMoney = 17, + Text = 18, + Timestamp = 19, + TinyInt = 20, + VarBinary = 21, + VarChar = 22, + Variant = 23, + Xml = 25, + Udt = 29, + Structured = 30, + Date = 31, + Time = 32, + DateTime2 = 33, + DateTimeOffset = 34, } namespace SqlTypes { @@ -2423,29 +2165,21 @@ public interface INullable { bool IsNull { get; } } - - public class SqlAlreadyFilledException : System.Data.SqlTypes.SqlTypeException + public sealed class SqlAlreadyFilledException : System.Data.SqlTypes.SqlTypeException { public SqlAlreadyFilledException() => throw null; public SqlAlreadyFilledException(string message) => throw null; public SqlAlreadyFilledException(string message, System.Exception e) => throw null; } - - public struct SqlBinary : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlBinary : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBinary operator +(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public static System.Data.SqlTypes.SqlBinary Add(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlBinary value) => throw null; public int CompareTo(object value) => throw null; public static System.Data.SqlTypes.SqlBinary Concat(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlBinary other) => throw null; + public SqlBinary(byte[] value) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlBinary other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2453,41 +2187,39 @@ public struct SqlBinary : System.Data.SqlTypes.INullable, System.IComparable, Sy public static System.Data.SqlTypes.SqlBoolean GreaterThan(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public static System.Data.SqlTypes.SqlBoolean GreaterThanOrEqual(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public bool IsNull { get => throw null; } - public System.Byte this[int index] { get => throw null; } public int Length { get => throw null; } public static System.Data.SqlTypes.SqlBoolean LessThan(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public static System.Data.SqlTypes.SqlBoolean LessThanOrEqual(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public static System.Data.SqlTypes.SqlBinary Null; + public static System.Data.SqlTypes.SqlBinary operator +(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static explicit operator byte[](System.Data.SqlTypes.SqlBinary x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBinary(System.Data.SqlTypes.SqlGuid x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlBinary(byte[] x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlBinary(System.Byte[] value) => throw null; + public byte this[int index] { get => throw null; } public System.Data.SqlTypes.SqlGuid ToSqlGuid() => throw null; public override string ToString() => throw null; - public System.Byte[] Value { get => throw null; } - public static System.Data.SqlTypes.SqlBinary WrapBytes(System.Byte[] bytes) => throw null; + public byte[] Value { get => throw null; } + public static System.Data.SqlTypes.SqlBinary WrapBytes(byte[] bytes) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Byte[](System.Data.SqlTypes.SqlBinary x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBinary(System.Data.SqlTypes.SqlGuid x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlBinary(System.Byte[] x) => throw null; } - - public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator &(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; public static System.Data.SqlTypes.SqlBoolean And(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public System.Byte ByteValue { get => throw null; } + public byte ByteValue { get => throw null; } public int CompareTo(System.Data.SqlTypes.SqlBoolean value) => throw null; public int CompareTo(object value) => throw null; - public bool Equals(System.Data.SqlTypes.SqlBoolean other) => throw null; + public SqlBoolean(bool value) => throw null; + public SqlBoolean(int value) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlBoolean other) => throw null; public override bool Equals(object value) => throw null; public static System.Data.SqlTypes.SqlBoolean False; public override int GetHashCode() => throw null; @@ -2504,12 +2236,33 @@ public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, S public static System.Data.SqlTypes.SqlBoolean Null; public static System.Data.SqlTypes.SqlBoolean One; public static System.Data.SqlTypes.SqlBoolean OnesComplement(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator &(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator |(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ^(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static explicit operator bool(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlByte x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlString x) => throw null; + public static bool operator false(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlBoolean(bool x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ~(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static bool operator true(System.Data.SqlTypes.SqlBoolean x) => throw null; public static System.Data.SqlTypes.SqlBoolean Or(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; public static System.Data.SqlTypes.SqlBoolean Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlBoolean(bool value) => throw null; - public SqlBoolean(int value) => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; public System.Data.SqlTypes.SqlDecimal ToSqlDecimal() => throw null; public System.Data.SqlTypes.SqlDouble ToSqlDouble() => throw null; @@ -2525,46 +2278,18 @@ public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, S void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlBoolean Xor(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; public static System.Data.SqlTypes.SqlBoolean Zero; - public static System.Data.SqlTypes.SqlBoolean operator ^(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static explicit operator bool(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlByte x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBoolean(System.Data.SqlTypes.SqlString x) => throw null; - public static bool operator false(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlBoolean(bool x) => throw null; - public static bool operator true(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator |(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ~(System.Data.SqlTypes.SqlBoolean x) => throw null; } - - public struct SqlByte : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlByte : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator %(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator &(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator *(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator +(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator -(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator /(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte Add(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte BitwiseAnd(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte BitwiseOr(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlByte value) => throw null; public int CompareTo(object value) => throw null; + public SqlByte(byte value) => throw null; public static System.Data.SqlTypes.SqlByte Divide(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlByte other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlByte other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2582,10 +2307,34 @@ public struct SqlByte : System.Data.SqlTypes.INullable, System.IComparable, Syst public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte Null; public static System.Data.SqlTypes.SqlByte OnesComplement(System.Data.SqlTypes.SqlByte x) => throw null; + public static System.Data.SqlTypes.SqlByte operator +(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator &(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator |(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator /(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator ^(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator byte(System.Data.SqlTypes.SqlByte x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlByte(byte x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator %(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator *(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; + public static System.Data.SqlTypes.SqlByte operator ~(System.Data.SqlTypes.SqlByte x) => throw null; + public static System.Data.SqlTypes.SqlByte operator -(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlByte(System.Byte value) => throw null; public static System.Data.SqlTypes.SqlByte Subtract(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlDecimal ToSqlDecimal() => throw null; @@ -2597,110 +2346,90 @@ public struct SqlByte : System.Data.SqlTypes.INullable, System.IComparable, Syst public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; public System.Data.SqlTypes.SqlString ToSqlString() => throw null; public override string ToString() => throw null; - public System.Byte Value { get => throw null; } + public byte Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlByte Xor(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte Zero; - public static System.Data.SqlTypes.SqlByte operator ^(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Byte(System.Data.SqlTypes.SqlByte x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlByte(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlByte(System.Byte x) => throw null; - public static System.Data.SqlTypes.SqlByte operator |(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; - public static System.Data.SqlTypes.SqlByte operator ~(System.Data.SqlTypes.SqlByte x) => throw null; } - - public class SqlBytes : System.Data.SqlTypes.INullable, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + public sealed class SqlBytes : System.Data.SqlTypes.INullable, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable { - public System.Byte[] Buffer { get => throw null; } + public byte[] Buffer { get => throw null; } + public SqlBytes() => throw null; + public SqlBytes(byte[] buffer) => throw null; + public SqlBytes(System.Data.SqlTypes.SqlBinary value) => throw null; + public SqlBytes(System.IO.Stream s) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; public static System.Xml.XmlQualifiedName GetXsdType(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; public bool IsNull { get => throw null; } - public System.Byte this[System.Int64 offset] { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } - public System.Int64 MaxLength { get => throw null; } + public long Length { get => throw null; } + public long MaxLength { get => throw null; } public static System.Data.SqlTypes.SqlBytes Null { get => throw null; } - public System.Int64 Read(System.Int64 offset, System.Byte[] buffer, int offsetInBuffer, int count) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBytes(System.Data.SqlTypes.SqlBinary value) => throw null; + public static explicit operator System.Data.SqlTypes.SqlBinary(System.Data.SqlTypes.SqlBytes value) => throw null; + public long Read(long offset, byte[] buffer, int offsetInBuffer, int count) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader r) => throw null; - public void SetLength(System.Int64 value) => throw null; + public void SetLength(long value) => throw null; public void SetNull() => throw null; - public SqlBytes() => throw null; - public SqlBytes(System.Byte[] buffer) => throw null; - public SqlBytes(System.Data.SqlTypes.SqlBinary value) => throw null; - public SqlBytes(System.IO.Stream s) => throw null; public System.Data.SqlTypes.StorageState Storage { get => throw null; } - public System.IO.Stream Stream { get => throw null; set => throw null; } + public System.IO.Stream Stream { get => throw null; set { } } + public byte this[long offset] { get => throw null; set { } } public System.Data.SqlTypes.SqlBinary ToSqlBinary() => throw null; - public System.Byte[] Value { get => throw null; } - public void Write(System.Int64 offset, System.Byte[] buffer, int offsetInBuffer, int count) => throw null; + public byte[] Value { get => throw null; } + public void Write(long offset, byte[] buffer, int offsetInBuffer, int count) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBytes(System.Data.SqlTypes.SqlBinary value) => throw null; - public static explicit operator System.Data.SqlTypes.SqlBinary(System.Data.SqlTypes.SqlBytes value) => throw null; } - - public class SqlChars : System.Data.SqlTypes.INullable, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + public sealed class SqlChars : System.Data.SqlTypes.INullable, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable { - public System.Char[] Buffer { get => throw null; } + public char[] Buffer { get => throw null; } + public SqlChars() => throw null; + public SqlChars(char[] buffer) => throw null; + public SqlChars(System.Data.SqlTypes.SqlString value) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; public static System.Xml.XmlQualifiedName GetXsdType(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; public bool IsNull { get => throw null; } - public System.Char this[System.Int64 offset] { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } - public System.Int64 MaxLength { get => throw null; } + public long Length { get => throw null; } + public long MaxLength { get => throw null; } public static System.Data.SqlTypes.SqlChars Null { get => throw null; } - public System.Int64 Read(System.Int64 offset, System.Char[] buffer, int offsetInBuffer, int count) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlChars value) => throw null; + public static explicit operator System.Data.SqlTypes.SqlChars(System.Data.SqlTypes.SqlString value) => throw null; + public long Read(long offset, char[] buffer, int offsetInBuffer, int count) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader r) => throw null; - public void SetLength(System.Int64 value) => throw null; + public void SetLength(long value) => throw null; public void SetNull() => throw null; - public SqlChars() => throw null; - public SqlChars(System.Char[] buffer) => throw null; - public SqlChars(System.Data.SqlTypes.SqlString value) => throw null; public System.Data.SqlTypes.StorageState Storage { get => throw null; } + public char this[long offset] { get => throw null; set { } } public System.Data.SqlTypes.SqlString ToSqlString() => throw null; - public System.Char[] Value { get => throw null; } - public void Write(System.Int64 offset, System.Char[] buffer, int offsetInBuffer, int count) => throw null; + public char[] Value { get => throw null; } + public void Write(long offset, char[] buffer, int offsetInBuffer, int count) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlChars value) => throw null; - public static explicit operator System.Data.SqlTypes.SqlChars(System.Data.SqlTypes.SqlString value) => throw null; } - [System.Flags] - public enum SqlCompareOptions : int + public enum SqlCompareOptions { - BinarySort = 32768, - BinarySort2 = 16384, + None = 0, IgnoreCase = 1, - IgnoreKanaType = 8, IgnoreNonSpace = 2, + IgnoreKanaType = 8, IgnoreWidth = 16, - None = 0, + BinarySort2 = 16384, + BinarySort = 32768, } - - public struct SqlDateTime : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlDateTime : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; - public static System.Data.SqlTypes.SqlDateTime operator +(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; - public static System.Data.SqlTypes.SqlDateTime operator -(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; public static System.Data.SqlTypes.SqlDateTime Add(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; public int CompareTo(System.Data.SqlTypes.SqlDateTime value) => throw null; public int CompareTo(object value) => throw null; + public SqlDateTime(System.DateTime value) => throw null; + public SqlDateTime(int dayTicks, int timeTicks) => throw null; + public SqlDateTime(int year, int month, int day) => throw null; + public SqlDateTime(int year, int month, int day, int hour, int minute, int second) => throw null; + public SqlDateTime(int year, int month, int day, int hour, int minute, int second, double millisecond) => throw null; + public SqlDateTime(int year, int month, int day, int hour, int minute, int second, int bilisecond) => throw null; public int DayTicks { get => throw null; } - public bool Equals(System.Data.SqlTypes.SqlDateTime other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlDateTime other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2714,54 +2443,49 @@ public struct SqlDateTime : System.Data.SqlTypes.INullable, System.IComparable, public static System.Data.SqlTypes.SqlDateTime MinValue; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; public static System.Data.SqlTypes.SqlDateTime Null; + public static System.Data.SqlTypes.SqlDateTime operator +(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static explicit operator System.DateTime(System.Data.SqlTypes.SqlDateTime x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDateTime(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDateTime(System.DateTime value) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDateTime x, System.Data.SqlTypes.SqlDateTime y) => throw null; + public static System.Data.SqlTypes.SqlDateTime operator -(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; public static System.Data.SqlTypes.SqlDateTime Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; public static int SQLTicksPerHour; public static int SQLTicksPerMinute; public static int SQLTicksPerSecond; - // Stub generator skipped constructor - public SqlDateTime(System.DateTime value) => throw null; - public SqlDateTime(int dayTicks, int timeTicks) => throw null; - public SqlDateTime(int year, int month, int day) => throw null; - public SqlDateTime(int year, int month, int day, int hour, int minute, int second) => throw null; - public SqlDateTime(int year, int month, int day, int hour, int minute, int second, double millisecond) => throw null; - public SqlDateTime(int year, int month, int day, int hour, int minute, int second, int bilisecond) => throw null; public static System.Data.SqlTypes.SqlDateTime Subtract(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; public int TimeTicks { get => throw null; } public System.Data.SqlTypes.SqlString ToSqlString() => throw null; public override string ToString() => throw null; public System.DateTime Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.DateTime(System.Data.SqlTypes.SqlDateTime x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDateTime(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDateTime(System.DateTime value) => throw null; } - - public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlDecimal operator *(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlDecimal operator +(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlDecimal operator -(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static System.Data.SqlTypes.SqlDecimal operator -(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlDecimal operator /(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public static System.Data.SqlTypes.SqlDecimal Abs(System.Data.SqlTypes.SqlDecimal n) => throw null; public static System.Data.SqlTypes.SqlDecimal Add(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public static System.Data.SqlTypes.SqlDecimal AdjustScale(System.Data.SqlTypes.SqlDecimal n, int digits, bool fRound) => throw null; - public System.Byte[] BinData { get => throw null; } + public byte[] BinData { get => throw null; } public static System.Data.SqlTypes.SqlDecimal Ceiling(System.Data.SqlTypes.SqlDecimal n) => throw null; public int CompareTo(System.Data.SqlTypes.SqlDecimal value) => throw null; public int CompareTo(object value) => throw null; public static System.Data.SqlTypes.SqlDecimal ConvertToPrecScale(System.Data.SqlTypes.SqlDecimal n, int precision, int scale) => throw null; + public SqlDecimal(byte bPrecision, byte bScale, bool fPositive, int data1, int data2, int data3, int data4) => throw null; + public SqlDecimal(byte bPrecision, byte bScale, bool fPositive, int[] bits) => throw null; + public SqlDecimal(decimal value) => throw null; + public SqlDecimal(double dVal) => throw null; + public SqlDecimal(int value) => throw null; + public SqlDecimal(long value) => throw null; public int[] Data { get => throw null; } public static System.Data.SqlTypes.SqlDecimal Divide(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlDecimal other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlDecimal other) => throw null; public override bool Equals(object value) => throw null; public static System.Data.SqlTypes.SqlDecimal Floor(System.Data.SqlTypes.SqlDecimal n) => throw null; public override int GetHashCode() => throw null; @@ -2773,27 +2497,44 @@ public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, S public bool IsPositive { get => throw null; } public static System.Data.SqlTypes.SqlBoolean LessThan(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public static System.Data.SqlTypes.SqlBoolean LessThanOrEqual(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; - public static System.Byte MaxPrecision; - public static System.Byte MaxScale; + public static byte MaxPrecision; + public static byte MaxScale; public static System.Data.SqlTypes.SqlDecimal MaxValue; public static System.Data.SqlTypes.SqlDecimal MinValue; public static System.Data.SqlTypes.SqlDecimal Multiply(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public static System.Data.SqlTypes.SqlDecimal Null; + public static System.Data.SqlTypes.SqlDecimal operator +(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlDecimal operator /(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator decimal(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlString x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDecimal(double x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlMoney x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(decimal x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDecimal(long x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlDecimal operator *(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlDecimal operator -(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; + public static System.Data.SqlTypes.SqlDecimal operator -(System.Data.SqlTypes.SqlDecimal x) => throw null; public static System.Data.SqlTypes.SqlDecimal Parse(string s) => throw null; public static System.Data.SqlTypes.SqlDecimal Power(System.Data.SqlTypes.SqlDecimal n, double exp) => throw null; - public System.Byte Precision { get => throw null; } + public byte Precision { get => throw null; } void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; public static System.Data.SqlTypes.SqlDecimal Round(System.Data.SqlTypes.SqlDecimal n, int position) => throw null; - public System.Byte Scale { get => throw null; } + public byte Scale { get => throw null; } public static System.Data.SqlTypes.SqlInt32 Sign(System.Data.SqlTypes.SqlDecimal n) => throw null; - // Stub generator skipped constructor - public SqlDecimal(System.Byte bPrecision, System.Byte bScale, bool fPositive, int[] bits) => throw null; - public SqlDecimal(System.Byte bPrecision, System.Byte bScale, bool fPositive, int data1, int data2, int data3, int data4) => throw null; - public SqlDecimal(System.Decimal value) => throw null; - public SqlDecimal(double dVal) => throw null; - public SqlDecimal(int value) => throw null; - public SqlDecimal(System.Int64 value) => throw null; public static System.Data.SqlTypes.SqlDecimal Subtract(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; public double ToDouble() => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; @@ -2804,46 +2545,22 @@ public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, S public System.Data.SqlTypes.SqlInt64 ToSqlInt64() => throw null; public System.Data.SqlTypes.SqlMoney ToSqlMoney() => throw null; public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; - public System.Data.SqlTypes.SqlString ToSqlString() => throw null; - public override string ToString() => throw null; - public static System.Data.SqlTypes.SqlDecimal Truncate(System.Data.SqlTypes.SqlDecimal n, int position) => throw null; - public System.Decimal Value { get => throw null; } - public int WriteTdsValue(System.Span destination) => throw null; - void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Decimal(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlString x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDecimal(double x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Data.SqlTypes.SqlMoney x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Decimal x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDecimal(System.Int64 x) => throw null; + public System.Data.SqlTypes.SqlString ToSqlString() => throw null; + public override string ToString() => throw null; + public static System.Data.SqlTypes.SqlDecimal Truncate(System.Data.SqlTypes.SqlDecimal n, int position) => throw null; + public decimal Value { get => throw null; } + public int WriteTdsValue(System.Span destination) => throw null; + void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - - public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlDouble operator *(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlDouble operator +(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlDouble operator -(System.Data.SqlTypes.SqlDouble x) => throw null; - public static System.Data.SqlTypes.SqlDouble operator -(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlDouble operator /(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public static System.Data.SqlTypes.SqlDouble Add(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlDouble value) => throw null; public int CompareTo(object value) => throw null; + public SqlDouble(double value) => throw null; public static System.Data.SqlTypes.SqlDouble Divide(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlDouble other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlDouble other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2858,10 +2575,30 @@ public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, Sy public static System.Data.SqlTypes.SqlDouble Multiply(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public static System.Data.SqlTypes.SqlDouble Null; + public static System.Data.SqlTypes.SqlDouble operator +(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlDouble operator /(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator double(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlMoney x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlSingle x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlDouble(double x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlDouble operator *(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlDouble operator -(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; + public static System.Data.SqlTypes.SqlDouble operator -(System.Data.SqlTypes.SqlDouble x) => throw null; public static System.Data.SqlTypes.SqlDouble Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlDouble(double value) => throw null; public static System.Data.SqlTypes.SqlDouble Subtract(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; @@ -2876,31 +2613,17 @@ public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, Sy public double Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlDouble Zero; - public static explicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator double(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlMoney x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(System.Data.SqlTypes.SqlSingle x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlDouble(double x) => throw null; } - - public struct SqlGuid : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlGuid : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlGuid value) => throw null; public int CompareTo(object value) => throw null; - public bool Equals(System.Data.SqlTypes.SqlGuid other) => throw null; + public SqlGuid(byte[] value) => throw null; + public SqlGuid(System.Guid g) => throw null; + public SqlGuid(int a, short b, short c, byte d, byte e, byte f, byte g, byte h, byte i, byte j, byte k) => throw null; + public SqlGuid(string s) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlGuid other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2912,48 +2635,36 @@ public struct SqlGuid : System.Data.SqlTypes.INullable, System.IComparable, Syst public static System.Data.SqlTypes.SqlBoolean LessThanOrEqual(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; public static System.Data.SqlTypes.SqlGuid Null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlGuid(System.Data.SqlTypes.SqlBinary x) => throw null; + public static explicit operator System.Guid(System.Data.SqlTypes.SqlGuid x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlGuid(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlGuid(System.Guid x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlGuid x, System.Data.SqlTypes.SqlGuid y) => throw null; public static System.Data.SqlTypes.SqlGuid Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlGuid(System.Byte[] value) => throw null; - public SqlGuid(System.Guid g) => throw null; - public SqlGuid(int a, System.Int16 b, System.Int16 c, System.Byte d, System.Byte e, System.Byte f, System.Byte g, System.Byte h, System.Byte i, System.Byte j, System.Byte k) => throw null; - public SqlGuid(string s) => throw null; - public System.Byte[] ToByteArray() => throw null; + public byte[] ToByteArray() => throw null; public System.Data.SqlTypes.SqlBinary ToSqlBinary() => throw null; public System.Data.SqlTypes.SqlString ToSqlString() => throw null; public override string ToString() => throw null; public System.Guid Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Data.SqlTypes.SqlGuid(System.Data.SqlTypes.SqlBinary x) => throw null; - public static explicit operator System.Guid(System.Data.SqlTypes.SqlGuid x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlGuid(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlGuid(System.Guid x) => throw null; } - - public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator %(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator &(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator *(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator +(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator -(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator -(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator /(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 Add(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 BitwiseAnd(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 BitwiseOr(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlInt16 value) => throw null; public int CompareTo(object value) => throw null; + public SqlInt16(short value) => throw null; public static System.Data.SqlTypes.SqlInt16 Divide(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlInt16 other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlInt16 other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -2971,10 +2682,35 @@ public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 Null; public static System.Data.SqlTypes.SqlInt16 OnesComplement(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator +(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator &(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator |(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator /(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator ^(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator short(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt16(short x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator %(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator *(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator ~(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator -(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; + public static System.Data.SqlTypes.SqlInt16 operator -(System.Data.SqlTypes.SqlInt16 x) => throw null; public static System.Data.SqlTypes.SqlInt16 Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlInt16(System.Int16 value) => throw null; public static System.Data.SqlTypes.SqlInt16 Subtract(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; @@ -2986,49 +2722,22 @@ public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, Sys public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; public System.Data.SqlTypes.SqlString ToSqlString() => throw null; public override string ToString() => throw null; - public System.Int16 Value { get => throw null; } + public short Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlInt16 Xor(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 Zero; - public static System.Data.SqlTypes.SqlInt16 operator ^(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Int16(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt16(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt16(System.Int16 x) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator |(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; - public static System.Data.SqlTypes.SqlInt16 operator ~(System.Data.SqlTypes.SqlInt16 x) => throw null; } - - public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator %(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator &(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator *(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator +(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator -(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator -(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator /(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 Add(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 BitwiseAnd(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 BitwiseOr(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlInt32 value) => throw null; public int CompareTo(object value) => throw null; + public SqlInt32(int value) => throw null; public static System.Data.SqlTypes.SqlInt32 Divide(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlInt32 other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlInt32 other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -3046,10 +2755,35 @@ public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 Null; public static System.Data.SqlTypes.SqlInt32 OnesComplement(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator +(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator &(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator |(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator /(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator ^(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator int(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt32(int x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator %(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator *(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator ~(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator -(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; + public static System.Data.SqlTypes.SqlInt32 operator -(System.Data.SqlTypes.SqlInt32 x) => throw null; public static System.Data.SqlTypes.SqlInt32 Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlInt32(int value) => throw null; public static System.Data.SqlTypes.SqlInt32 Subtract(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; @@ -3065,45 +2799,18 @@ public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, Sys void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlInt32 Xor(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 Zero; - public static System.Data.SqlTypes.SqlInt32 operator ^(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator int(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt32(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt32(int x) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator |(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; - public static System.Data.SqlTypes.SqlInt32 operator ~(System.Data.SqlTypes.SqlInt32 x) => throw null; } - - public struct SqlInt64 : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlInt64 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator %(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator &(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator *(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator +(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator -(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator -(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator /(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 Add(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 BitwiseAnd(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 BitwiseOr(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlInt64 value) => throw null; public int CompareTo(object value) => throw null; + public SqlInt64(long value) => throw null; public static System.Data.SqlTypes.SqlInt64 Divide(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlInt64 other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlInt64 other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -3121,65 +2828,68 @@ public struct SqlInt64 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 Null; public static System.Data.SqlTypes.SqlInt64 OnesComplement(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static System.Data.SqlTypes.SqlInt64 Parse(string s) => throw null; - void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlInt64(System.Int64 value) => throw null; - public static System.Data.SqlTypes.SqlInt64 Subtract(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; - public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; - public System.Data.SqlTypes.SqlDecimal ToSqlDecimal() => throw null; - public System.Data.SqlTypes.SqlDouble ToSqlDouble() => throw null; - public System.Data.SqlTypes.SqlInt16 ToSqlInt16() => throw null; - public System.Data.SqlTypes.SqlInt32 ToSqlInt32() => throw null; - public System.Data.SqlTypes.SqlMoney ToSqlMoney() => throw null; - public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; - public System.Data.SqlTypes.SqlString ToSqlString() => throw null; - public override string ToString() => throw null; - public System.Int64 Value { get => throw null; } - void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static System.Data.SqlTypes.SqlInt64 Xor(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; - public static System.Data.SqlTypes.SqlInt64 Zero; + public static System.Data.SqlTypes.SqlInt64 operator +(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator &(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator |(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator /(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 operator ^(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlBoolean x) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlDecimal x) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Int64(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator long(System.Data.SqlTypes.SqlInt64 x) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlMoney x) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlSingle x) => throw null; public static explicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static implicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlByte x) => throw null; public static implicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlInt16 x) => throw null; public static implicit operator System.Data.SqlTypes.SqlInt64(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlInt64(System.Int64 x) => throw null; - public static System.Data.SqlTypes.SqlInt64 operator |(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlInt64(long x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator %(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator *(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 operator ~(System.Data.SqlTypes.SqlInt64 x) => throw null; - } - - public struct SqlMoney : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable - { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlMoney operator *(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlMoney operator +(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlMoney operator -(System.Data.SqlTypes.SqlMoney x) => throw null; - public static System.Data.SqlTypes.SqlMoney operator -(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlMoney operator /(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator -(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 operator -(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static System.Data.SqlTypes.SqlInt64 Parse(string s) => throw null; + void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; + public static System.Data.SqlTypes.SqlInt64 Subtract(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; + public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; + public System.Data.SqlTypes.SqlDecimal ToSqlDecimal() => throw null; + public System.Data.SqlTypes.SqlDouble ToSqlDouble() => throw null; + public System.Data.SqlTypes.SqlInt16 ToSqlInt16() => throw null; + public System.Data.SqlTypes.SqlInt32 ToSqlInt32() => throw null; + public System.Data.SqlTypes.SqlMoney ToSqlMoney() => throw null; + public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; + public System.Data.SqlTypes.SqlString ToSqlString() => throw null; + public override string ToString() => throw null; + public long Value { get => throw null; } + void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; + public static System.Data.SqlTypes.SqlInt64 Xor(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; + public static System.Data.SqlTypes.SqlInt64 Zero; + } + public struct SqlMoney : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + { public static System.Data.SqlTypes.SqlMoney Add(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlMoney value) => throw null; public int CompareTo(object value) => throw null; + public SqlMoney(decimal value) => throw null; + public SqlMoney(double value) => throw null; + public SqlMoney(int value) => throw null; + public SqlMoney(long value) => throw null; public static System.Data.SqlTypes.SqlMoney Divide(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlMoney other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlMoney other) => throw null; public override bool Equals(object value) => throw null; - public static System.Data.SqlTypes.SqlMoney FromTdsValue(System.Int64 value) => throw null; + public static System.Data.SqlTypes.SqlMoney FromTdsValue(long value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; - public System.Int64 GetTdsValue() => throw null; + public long GetTdsValue() => throw null; public static System.Xml.XmlQualifiedName GetXsdType(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; public static System.Data.SqlTypes.SqlBoolean GreaterThan(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; public static System.Data.SqlTypes.SqlBoolean GreaterThanOrEqual(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; @@ -3191,18 +2901,37 @@ public struct SqlMoney : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlMoney Multiply(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; public static System.Data.SqlTypes.SqlMoney Null; + public static System.Data.SqlTypes.SqlMoney operator +(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlMoney operator /(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator decimal(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlString x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlMoney(double x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(decimal x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlMoney(long x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlMoney operator *(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlMoney operator -(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; + public static System.Data.SqlTypes.SqlMoney operator -(System.Data.SqlTypes.SqlMoney x) => throw null; public static System.Data.SqlTypes.SqlMoney Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlMoney(System.Decimal value) => throw null; - public SqlMoney(double value) => throw null; - public SqlMoney(int value) => throw null; - public SqlMoney(System.Int64 value) => throw null; public static System.Data.SqlTypes.SqlMoney Subtract(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; - public System.Decimal ToDecimal() => throw null; + public decimal ToDecimal() => throw null; public double ToDouble() => throw null; public int ToInt32() => throw null; - public System.Int64 ToInt64() => throw null; + public long ToInt64() => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; public System.Data.SqlTypes.SqlDecimal ToSqlDecimal() => throw null; @@ -3213,57 +2942,32 @@ public struct SqlMoney : System.Data.SqlTypes.INullable, System.IComparable, Sys public System.Data.SqlTypes.SqlSingle ToSqlSingle() => throw null; public System.Data.SqlTypes.SqlString ToSqlString() => throw null; public override string ToString() => throw null; - public System.Decimal Value { get => throw null; } + public decimal Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlMoney Zero; - public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Decimal(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlString x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlMoney(double x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Decimal x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlMoney(System.Int64 x) => throw null; } - - public class SqlNotFilledException : System.Data.SqlTypes.SqlTypeException + public sealed class SqlNotFilledException : System.Data.SqlTypes.SqlTypeException { public SqlNotFilledException() => throw null; public SqlNotFilledException(string message) => throw null; public SqlNotFilledException(string message, System.Exception e) => throw null; } - - public class SqlNullValueException : System.Data.SqlTypes.SqlTypeException + public sealed class SqlNullValueException : System.Data.SqlTypes.SqlTypeException { public SqlNullValueException() => throw null; public SqlNullValueException(string message) => throw null; public SqlNullValueException(string message, System.Exception e) => throw null; } - - public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlSingle operator *(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlSingle operator +(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlSingle operator -(System.Data.SqlTypes.SqlSingle x) => throw null; - public static System.Data.SqlTypes.SqlSingle operator -(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlSingle operator /(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public static System.Data.SqlTypes.SqlSingle Add(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlSingle value) => throw null; public int CompareTo(object value) => throw null; + public SqlSingle(double value) => throw null; + public SqlSingle(float value) => throw null; public static System.Data.SqlTypes.SqlSingle Divide(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; - public bool Equals(System.Data.SqlTypes.SqlSingle other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlSingle other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; @@ -3278,11 +2982,30 @@ public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, Sy public static System.Data.SqlTypes.SqlSingle Multiply(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public static System.Data.SqlTypes.SqlSingle Null; + public static System.Data.SqlTypes.SqlSingle operator +(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlSingle operator /(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator float(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlByte x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlMoney x) => throw null; + public static implicit operator System.Data.SqlTypes.SqlSingle(float x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlSingle operator *(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlSingle operator -(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; + public static System.Data.SqlTypes.SqlSingle operator -(System.Data.SqlTypes.SqlSingle x) => throw null; public static System.Data.SqlTypes.SqlSingle Parse(string s) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; - // Stub generator skipped constructor - public SqlSingle(double value) => throw null; - public SqlSingle(float value) => throw null; public static System.Data.SqlTypes.SqlSingle Subtract(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; @@ -3297,28 +3020,9 @@ public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, Sy public float Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlSingle Zero; - public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator float(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlByte x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(System.Data.SqlTypes.SqlMoney x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlSingle(float x) => throw null; } - - public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, System.IEquatable, System.Xml.Serialization.IXmlSerializable + public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable { - public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlString operator +(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; - public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static System.Data.SqlTypes.SqlString Add(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static int BinarySort; public static int BinarySort2; @@ -3328,14 +3032,21 @@ public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, Sy public int CompareTo(System.Data.SqlTypes.SqlString value) => throw null; public int CompareTo(object value) => throw null; public static System.Data.SqlTypes.SqlString Concat(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, byte[] data) => throw null; + public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, byte[] data, bool fUnicode) => throw null; + public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, byte[] data, int index, int count) => throw null; + public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, byte[] data, int index, int count, bool fUnicode) => throw null; + public SqlString(string data) => throw null; + public SqlString(string data, int lcid) => throw null; + public SqlString(string data, int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions) => throw null; public System.Globalization.CultureInfo CultureInfo { get => throw null; } - public bool Equals(System.Data.SqlTypes.SqlString other) => throw null; public static System.Data.SqlTypes.SqlBoolean Equals(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public bool Equals(System.Data.SqlTypes.SqlString other) => throw null; public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; - public System.Byte[] GetNonUnicodeBytes() => throw null; + public byte[] GetNonUnicodeBytes() => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; - public System.Byte[] GetUnicodeBytes() => throw null; + public byte[] GetUnicodeBytes() => throw null; public static System.Xml.XmlQualifiedName GetXsdType(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; public static System.Data.SqlTypes.SqlBoolean GreaterThan(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static System.Data.SqlTypes.SqlBoolean GreaterThanOrEqual(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; @@ -3349,16 +3060,28 @@ public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, Sy public static System.Data.SqlTypes.SqlBoolean LessThanOrEqual(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static System.Data.SqlTypes.SqlBoolean NotEquals(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static System.Data.SqlTypes.SqlString Null; + public static System.Data.SqlTypes.SqlString operator +(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator ==(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlBoolean x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlByte x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDateTime x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDecimal x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDouble x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlGuid x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt16 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt32 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt64 x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlMoney x) => throw null; + public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlSingle x) => throw null; + public static explicit operator string(System.Data.SqlTypes.SqlString x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator >=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static implicit operator System.Data.SqlTypes.SqlString(string x) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator !=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; + public static System.Data.SqlTypes.SqlBoolean operator <=(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; public System.Data.SqlTypes.SqlCompareOptions SqlCompareOptions { get => throw null; } - // Stub generator skipped constructor - public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, System.Byte[] data) => throw null; - public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, System.Byte[] data, bool fUnicode) => throw null; - public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, System.Byte[] data, int index, int count) => throw null; - public SqlString(int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions, System.Byte[] data, int index, int count, bool fUnicode) => throw null; - public SqlString(string data) => throw null; - public SqlString(string data, int lcid) => throw null; - public SqlString(string data, int lcid, System.Data.SqlTypes.SqlCompareOptions compareOptions) => throw null; public System.Data.SqlTypes.SqlBoolean ToSqlBoolean() => throw null; public System.Data.SqlTypes.SqlByte ToSqlByte() => throw null; public System.Data.SqlTypes.SqlDateTime ToSqlDateTime() => throw null; @@ -3373,28 +3096,13 @@ public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, Sy public override string ToString() => throw null; public string Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlBoolean x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlByte x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDateTime x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDecimal x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlDouble x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlGuid x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt16 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt32 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlInt64 x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlMoney x) => throw null; - public static explicit operator System.Data.SqlTypes.SqlString(System.Data.SqlTypes.SqlSingle x) => throw null; - public static explicit operator string(System.Data.SqlTypes.SqlString x) => throw null; - public static implicit operator System.Data.SqlTypes.SqlString(string x) => throw null; } - - public class SqlTruncateException : System.Data.SqlTypes.SqlTypeException + public sealed class SqlTruncateException : System.Data.SqlTypes.SqlTypeException { public SqlTruncateException() => throw null; public SqlTruncateException(string message) => throw null; public SqlTruncateException(string message, System.Exception e) => throw null; } - public class SqlTypeException : System.SystemException { public SqlTypeException() => throw null; @@ -3402,29 +3110,134 @@ public class SqlTypeException : System.SystemException public SqlTypeException(string message) => throw null; public SqlTypeException(string message, System.Exception e) => throw null; } - - public class SqlXml : System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable + public sealed class SqlXml : System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public System.Xml.XmlReader CreateReader() => throw null; + public SqlXml() => throw null; + public SqlXml(System.IO.Stream value) => throw null; + public SqlXml(System.Xml.XmlReader value) => throw null; System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; public static System.Xml.XmlQualifiedName GetXsdType(System.Xml.Schema.XmlSchemaSet schemaSet) => throw null; public bool IsNull { get => throw null; } public static System.Data.SqlTypes.SqlXml Null { get => throw null; } void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader r) => throw null; - public SqlXml() => throw null; - public SqlXml(System.IO.Stream value) => throw null; - public SqlXml(System.Xml.XmlReader value) => throw null; public string Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - - public enum StorageState : int + public enum StorageState { Buffer = 0, Stream = 1, UnmanagedBuffer = 2, } - + } + public sealed class StateChangeEventArgs : System.EventArgs + { + public StateChangeEventArgs(System.Data.ConnectionState originalState, System.Data.ConnectionState currentState) => throw null; + public System.Data.ConnectionState CurrentState { get => throw null; } + public System.Data.ConnectionState OriginalState { get => throw null; } + } + public delegate void StateChangeEventHandler(object sender, System.Data.StateChangeEventArgs e); + public sealed class StatementCompletedEventArgs : System.EventArgs + { + public StatementCompletedEventArgs(int recordCount) => throw null; + public int RecordCount { get => throw null; } + } + public delegate void StatementCompletedEventHandler(object sender, System.Data.StatementCompletedEventArgs e); + public enum StatementType + { + Select = 0, + Insert = 1, + Update = 2, + Delete = 3, + Batch = 4, + } + public class StrongTypingException : System.Data.DataException + { + public StrongTypingException() => throw null; + protected StrongTypingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public StrongTypingException(string message) => throw null; + public StrongTypingException(string s, System.Exception innerException) => throw null; + } + public class SyntaxErrorException : System.Data.InvalidExpressionException + { + public SyntaxErrorException() => throw null; + protected SyntaxErrorException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SyntaxErrorException(string s) => throw null; + public SyntaxErrorException(string message, System.Exception innerException) => throw null; + } + public abstract class TypedTableBase : System.Data.DataTable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable where T : System.Data.DataRow + { + public System.Data.EnumerableRowCollection Cast() => throw null; + protected TypedTableBase() => throw null; + protected TypedTableBase(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public static partial class TypedTableBaseExtensions + { + public static System.Data.EnumerableRowCollection AsEnumerable(this System.Data.TypedTableBase source) where TRow : System.Data.DataRow => throw null; + public static TRow ElementAtOrDefault(this System.Data.TypedTableBase source, int index) where TRow : System.Data.DataRow => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.TypedTableBase source, System.Func keySelector) where TRow : System.Data.DataRow => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderBy(this System.Data.TypedTableBase source, System.Func keySelector, System.Collections.Generic.IComparer comparer) where TRow : System.Data.DataRow => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.TypedTableBase source, System.Func keySelector) where TRow : System.Data.DataRow => throw null; + public static System.Data.OrderedEnumerableRowCollection OrderByDescending(this System.Data.TypedTableBase source, System.Func keySelector, System.Collections.Generic.IComparer comparer) where TRow : System.Data.DataRow => throw null; + public static System.Data.EnumerableRowCollection Select(this System.Data.TypedTableBase source, System.Func selector) where TRow : System.Data.DataRow => throw null; + public static System.Data.EnumerableRowCollection Where(this System.Data.TypedTableBase source, System.Func predicate) where TRow : System.Data.DataRow => throw null; + } + public class UniqueConstraint : System.Data.Constraint + { + public virtual System.Data.DataColumn[] Columns { get => throw null; } + public UniqueConstraint(System.Data.DataColumn column) => throw null; + public UniqueConstraint(System.Data.DataColumn column, bool isPrimaryKey) => throw null; + public UniqueConstraint(System.Data.DataColumn[] columns) => throw null; + public UniqueConstraint(System.Data.DataColumn[] columns, bool isPrimaryKey) => throw null; + public UniqueConstraint(string name, System.Data.DataColumn column) => throw null; + public UniqueConstraint(string name, System.Data.DataColumn column, bool isPrimaryKey) => throw null; + public UniqueConstraint(string name, System.Data.DataColumn[] columns) => throw null; + public UniqueConstraint(string name, System.Data.DataColumn[] columns, bool isPrimaryKey) => throw null; + public UniqueConstraint(string name, string[] columnNames, bool isPrimaryKey) => throw null; + public override bool Equals(object key2) => throw null; + public override int GetHashCode() => throw null; + public bool IsPrimaryKey { get => throw null; } + public override System.Data.DataTable Table { get => throw null; } + } + public enum UpdateRowSource + { + None = 0, + OutputParameters = 1, + FirstReturnedRecord = 2, + Both = 3, + } + public enum UpdateStatus + { + Continue = 0, + ErrorsOccurred = 1, + SkipCurrentRow = 2, + SkipAllRemainingRows = 3, + } + public class VersionNotFoundException : System.Data.DataException + { + public VersionNotFoundException() => throw null; + protected VersionNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public VersionNotFoundException(string s) => throw null; + public VersionNotFoundException(string message, System.Exception innerException) => throw null; + } + public enum XmlReadMode + { + Auto = 0, + ReadSchema = 1, + IgnoreSchema = 2, + InferSchema = 3, + DiffGram = 4, + Fragment = 5, + InferTypedSchema = 6, + } + public enum XmlWriteMode + { + WriteSchema = 0, + IgnoreSchema = 1, + DiffGram = 2, } } namespace Xml @@ -3434,7 +3247,9 @@ public class XmlDataDocument : System.Xml.XmlDocument public override System.Xml.XmlNode CloneNode(bool deep) => throw null; public override System.Xml.XmlElement CreateElement(string prefix, string localName, string namespaceURI) => throw null; public override System.Xml.XmlEntityReference CreateEntityReference(string name) => throw null; - protected internal override System.Xml.XPath.XPathNavigator CreateNavigator(System.Xml.XmlNode node) => throw null; + protected override System.Xml.XPath.XPathNavigator CreateNavigator(System.Xml.XmlNode node) => throw null; + public XmlDataDocument() => throw null; + public XmlDataDocument(System.Data.DataSet dataset) => throw null; public System.Data.DataSet DataSet { get => throw null; } public override System.Xml.XmlElement GetElementById(string elemId) => throw null; public System.Xml.XmlElement GetElementFromRow(System.Data.DataRow r) => throw null; @@ -3442,11 +3257,8 @@ public class XmlDataDocument : System.Xml.XmlDocument public System.Data.DataRow GetRowFromElement(System.Xml.XmlElement e) => throw null; public override void Load(System.IO.Stream inStream) => throw null; public override void Load(System.IO.TextReader txtReader) => throw null; - public override void Load(System.Xml.XmlReader reader) => throw null; public override void Load(string filename) => throw null; - public XmlDataDocument() => throw null; - public XmlDataDocument(System.Data.DataSet dataset) => throw null; + public override void Load(System.Xml.XmlReader reader) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs new file mode 100644 index 000000000000..348ca6b73270 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Data.DataSetExtensions, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs new file mode 100644 index 000000000000..05f7345560e6 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Data, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs index 5b371b2efa48..094a3b550bb8 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.Contracts, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics @@ -13,7 +12,7 @@ public static class Contract public static void Assert(bool condition, string userMessage) => throw null; public static void Assume(bool condition) => throw null; public static void Assume(bool condition, string userMessage) => throw null; - public static event System.EventHandler ContractFailed; + public static event System.EventHandler ContractFailed { add { } remove { } } public static void EndContractBlock() => throw null; public static void Ensures(bool condition) => throw null; public static void Ensures(bool condition, string userMessage) => throw null; @@ -33,30 +32,25 @@ public static class Contract public static T Result() => throw null; public static T ValueAtReturn(out T value) => throw null; } - - public class ContractAbbreviatorAttribute : System.Attribute + public sealed class ContractAbbreviatorAttribute : System.Attribute { public ContractAbbreviatorAttribute() => throw null; } - - public class ContractArgumentValidatorAttribute : System.Attribute + public sealed class ContractArgumentValidatorAttribute : System.Attribute { public ContractArgumentValidatorAttribute() => throw null; } - - public class ContractClassAttribute : System.Attribute + public sealed class ContractClassAttribute : System.Attribute { public ContractClassAttribute(System.Type typeContainingContracts) => throw null; public System.Type TypeContainingContracts { get => throw null; } } - - public class ContractClassForAttribute : System.Attribute + public sealed class ContractClassForAttribute : System.Attribute { public ContractClassForAttribute(System.Type typeContractsAreFor) => throw null; public System.Type TypeContractsAreFor { get => throw null; } } - - public class ContractFailedEventArgs : System.EventArgs + public sealed class ContractFailedEventArgs : System.EventArgs { public string Condition { get => throw null; } public ContractFailedEventArgs(System.Diagnostics.Contracts.ContractFailureKind failureKind, string message, string condition, System.Exception originalException) => throw null; @@ -68,23 +62,20 @@ public class ContractFailedEventArgs : System.EventArgs public void SetUnwind() => throw null; public bool Unwind { get => throw null; } } - - public enum ContractFailureKind : int + public enum ContractFailureKind { - Assert = 4, - Assume = 5, - Invariant = 3, + Precondition = 0, Postcondition = 1, PostconditionOnException = 2, - Precondition = 0, + Invariant = 3, + Assert = 4, + Assume = 5, } - - public class ContractInvariantMethodAttribute : System.Attribute + public sealed class ContractInvariantMethodAttribute : System.Attribute { public ContractInvariantMethodAttribute() => throw null; } - - public class ContractOptionAttribute : System.Attribute + public sealed class ContractOptionAttribute : System.Attribute { public string Category { get => throw null; } public ContractOptionAttribute(string category, string setting, bool enabled) => throw null; @@ -93,34 +84,28 @@ public class ContractOptionAttribute : System.Attribute public string Setting { get => throw null; } public string Value { get => throw null; } } - - public class ContractPublicPropertyNameAttribute : System.Attribute + public sealed class ContractPublicPropertyNameAttribute : System.Attribute { public ContractPublicPropertyNameAttribute(string name) => throw null; public string Name { get => throw null; } } - - public class ContractReferenceAssemblyAttribute : System.Attribute + public sealed class ContractReferenceAssemblyAttribute : System.Attribute { public ContractReferenceAssemblyAttribute() => throw null; } - - public class ContractRuntimeIgnoredAttribute : System.Attribute + public sealed class ContractRuntimeIgnoredAttribute : System.Attribute { public ContractRuntimeIgnoredAttribute() => throw null; } - - public class ContractVerificationAttribute : System.Attribute + public sealed class ContractVerificationAttribute : System.Attribute { public ContractVerificationAttribute(bool value) => throw null; public bool Value { get => throw null; } } - - public class PureAttribute : System.Attribute + public sealed class PureAttribute : System.Attribute { public PureAttribute() => throw null; } - } } namespace Runtime @@ -132,7 +117,6 @@ public static class ContractHelper public static string RaiseContractFailedEvent(System.Diagnostics.Contracts.ContractFailureKind failureKind, string userMessage, string conditionText, System.Exception innerException) => throw null; public static void TriggerFailure(System.Diagnostics.Contracts.ContractFailureKind kind, string displayMessage, string userMessage, string conditionText, System.Exception innerException) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs new file mode 100644 index 000000000000..73a71d02dc15 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Diagnostics.Debug, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs index 133fca1016dc..401e9ecc2f7e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs @@ -1,48 +1,44 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.DiagnosticSource, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Diagnostics { public class Activity : System.IDisposable { - public struct Enumerator - { - public T Current { get => throw null; } - // Stub generator skipped constructor - public System.Diagnostics.Activity.Enumerator GetEnumerator() => throw null; - public bool MoveNext() => throw null; - } - - - public Activity(string operationName) => throw null; - public System.Diagnostics.ActivityTraceFlags ActivityTraceFlags { get => throw null; set => throw null; } + public System.Diagnostics.ActivityTraceFlags ActivityTraceFlags { get => throw null; set { } } public System.Diagnostics.Activity AddBaggage(string key, string value) => throw null; public System.Diagnostics.Activity AddEvent(System.Diagnostics.ActivityEvent e) => throw null; - public System.Diagnostics.Activity AddTag(string key, object value) => throw null; public System.Diagnostics.Activity AddTag(string key, string value) => throw null; + public System.Diagnostics.Activity AddTag(string key, object value) => throw null; public System.Collections.Generic.IEnumerable> Baggage { get => throw null; } public System.Diagnostics.ActivityContext Context { get => throw null; } - public static System.Diagnostics.Activity Current { get => throw null; set => throw null; } - public static event System.EventHandler CurrentChanged; - public static System.Diagnostics.ActivityIdFormat DefaultIdFormat { get => throw null; set => throw null; } - public string DisplayName { get => throw null; set => throw null; } + public Activity(string operationName) => throw null; + public static System.Diagnostics.Activity Current { get => throw null; set { } } + public static event System.EventHandler CurrentChanged { add { } remove { } } + public static System.Diagnostics.ActivityIdFormat DefaultIdFormat { get => throw null; set { } } + public string DisplayName { get => throw null; set { } } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public System.TimeSpan Duration { get => throw null; } public System.Diagnostics.Activity.Enumerator EnumerateEvents() => throw null; public System.Diagnostics.Activity.Enumerator EnumerateLinks() => throw null; public System.Diagnostics.Activity.Enumerator> EnumerateTagObjects() => throw null; + public struct Enumerator + { + public T Current { get => throw null; } + public System.Diagnostics.Activity.Enumerator GetEnumerator() => throw null; + public bool MoveNext() => throw null; + } public System.Collections.Generic.IEnumerable Events { get => throw null; } - public static bool ForceDefaultIdFormat { get => throw null; set => throw null; } + public static bool ForceDefaultIdFormat { get => throw null; set { } } public string GetBaggageItem(string key) => throw null; public object GetCustomProperty(string propertyName) => throw null; public object GetTagItem(string key) => throw null; public bool HasRemoteParent { get => throw null; } public string Id { get => throw null; } public System.Diagnostics.ActivityIdFormat IdFormat { get => throw null; } - public bool IsAllDataRequested { get => throw null; set => throw null; } + public bool IsAllDataRequested { get => throw null; set { } } public bool IsStopped { get => throw null; } public System.Diagnostics.ActivityKind Kind { get => throw null; } public System.Collections.Generic.IEnumerable Links { get => throw null; } @@ -71,39 +67,33 @@ public struct Enumerator public System.Collections.Generic.IEnumerable> TagObjects { get => throw null; } public System.Collections.Generic.IEnumerable> Tags { get => throw null; } public System.Diagnostics.ActivityTraceId TraceId { get => throw null; } - public static System.Func TraceIdGenerator { get => throw null; set => throw null; } - public string TraceStateString { get => throw null; set => throw null; } + public static System.Func TraceIdGenerator { get => throw null; set { } } + public string TraceStateString { get => throw null; set { } } } - public struct ActivityChangedEventArgs { - // Stub generator skipped constructor - public System.Diagnostics.Activity Current { get => throw null; set => throw null; } - public System.Diagnostics.Activity Previous { get => throw null; set => throw null; } + public System.Diagnostics.Activity Current { get => throw null; set { } } + public System.Diagnostics.Activity Previous { get => throw null; set { } } } - public struct ActivityContext : System.IEquatable { - public static bool operator !=(System.Diagnostics.ActivityContext left, System.Diagnostics.ActivityContext right) => throw null; - public static bool operator ==(System.Diagnostics.ActivityContext left, System.Diagnostics.ActivityContext right) => throw null; - // Stub generator skipped constructor public ActivityContext(System.Diagnostics.ActivityTraceId traceId, System.Diagnostics.ActivitySpanId spanId, System.Diagnostics.ActivityTraceFlags traceFlags, string traceState = default(string), bool isRemote = default(bool)) => throw null; public bool Equals(System.Diagnostics.ActivityContext value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsRemote { get => throw null; } + public static bool operator ==(System.Diagnostics.ActivityContext left, System.Diagnostics.ActivityContext right) => throw null; + public static bool operator !=(System.Diagnostics.ActivityContext left, System.Diagnostics.ActivityContext right) => throw null; public static System.Diagnostics.ActivityContext Parse(string traceParent, string traceState) => throw null; public System.Diagnostics.ActivitySpanId SpanId { get => throw null; } public System.Diagnostics.ActivityTraceFlags TraceFlags { get => throw null; } public System.Diagnostics.ActivityTraceId TraceId { get => throw null; } public string TraceState { get => throw null; } - public static bool TryParse(string traceParent, string traceState, bool isRemote, out System.Diagnostics.ActivityContext context) => throw null; public static bool TryParse(string traceParent, string traceState, out System.Diagnostics.ActivityContext context) => throw null; + public static bool TryParse(string traceParent, string traceState, bool isRemote, out System.Diagnostics.ActivityContext context) => throw null; } - public struct ActivityCreationOptions { - // Stub generator skipped constructor public System.Diagnostics.ActivityKind Kind { get => throw null; } public System.Collections.Generic.IEnumerable Links { get => throw null; } public string Name { get => throw null; } @@ -112,12 +102,10 @@ public struct ActivityCreationOptions public System.Diagnostics.ActivitySource Source { get => throw null; } public System.Collections.Generic.IEnumerable> Tags { get => throw null; } public System.Diagnostics.ActivityTraceId TraceId { get => throw null; } - public string TraceState { get => throw null; set => throw null; } + public string TraceState { get => throw null; set { } } } - public struct ActivityEvent { - // Stub generator skipped constructor public ActivityEvent(string name) => throw null; public ActivityEvent(string name, System.DateTimeOffset timestamp = default(System.DateTimeOffset), System.Diagnostics.ActivityTagsCollection tags = default(System.Diagnostics.ActivityTagsCollection)) => throw null; public System.Diagnostics.Activity.Enumerator> EnumerateTagObjects() => throw null; @@ -125,155 +113,137 @@ public struct ActivityEvent public System.Collections.Generic.IEnumerable> Tags { get => throw null; } public System.DateTimeOffset Timestamp { get => throw null; } } - - public enum ActivityIdFormat : int + public enum ActivityIdFormat { - Hierarchical = 1, Unknown = 0, + Hierarchical = 1, W3C = 2, } - - public enum ActivityKind : int + public enum ActivityKind { - Client = 2, - Consumer = 4, Internal = 0, - Producer = 3, Server = 1, + Client = 2, + Producer = 3, + Consumer = 4, } - public struct ActivityLink : System.IEquatable { - public static bool operator !=(System.Diagnostics.ActivityLink left, System.Diagnostics.ActivityLink right) => throw null; - public static bool operator ==(System.Diagnostics.ActivityLink left, System.Diagnostics.ActivityLink right) => throw null; - // Stub generator skipped constructor - public ActivityLink(System.Diagnostics.ActivityContext context, System.Diagnostics.ActivityTagsCollection tags = default(System.Diagnostics.ActivityTagsCollection)) => throw null; public System.Diagnostics.ActivityContext Context { get => throw null; } + public ActivityLink(System.Diagnostics.ActivityContext context, System.Diagnostics.ActivityTagsCollection tags = default(System.Diagnostics.ActivityTagsCollection)) => throw null; public System.Diagnostics.Activity.Enumerator> EnumerateTagObjects() => throw null; - public bool Equals(System.Diagnostics.ActivityLink value) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Diagnostics.ActivityLink value) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Diagnostics.ActivityLink left, System.Diagnostics.ActivityLink right) => throw null; + public static bool operator !=(System.Diagnostics.ActivityLink left, System.Diagnostics.ActivityLink right) => throw null; public System.Collections.Generic.IEnumerable> Tags { get => throw null; } } - - public class ActivityListener : System.IDisposable + public sealed class ActivityListener : System.IDisposable { + public System.Action ActivityStarted { get => throw null; set { } } + public System.Action ActivityStopped { get => throw null; set { } } public ActivityListener() => throw null; - public System.Action ActivityStarted { get => throw null; set => throw null; } - public System.Action ActivityStopped { get => throw null; set => throw null; } public void Dispose() => throw null; - public System.Diagnostics.SampleActivity Sample { get => throw null; set => throw null; } - public System.Diagnostics.SampleActivity SampleUsingParentId { get => throw null; set => throw null; } - public System.Func ShouldListenTo { get => throw null; set => throw null; } + public System.Diagnostics.SampleActivity Sample { get => throw null; set { } } + public System.Diagnostics.SampleActivity SampleUsingParentId { get => throw null; set { } } + public System.Func ShouldListenTo { get => throw null; set { } } } - - public enum ActivitySamplingResult : int + public enum ActivitySamplingResult { - AllData = 2, - AllDataAndRecorded = 3, None = 0, PropagationData = 1, + AllData = 2, + AllDataAndRecorded = 3, } - - public class ActivitySource : System.IDisposable + public sealed class ActivitySource : System.IDisposable { - public ActivitySource(string name, string version = default(string)) => throw null; public static void AddActivityListener(System.Diagnostics.ActivityListener listener) => throw null; public System.Diagnostics.Activity CreateActivity(string name, System.Diagnostics.ActivityKind kind) => throw null; public System.Diagnostics.Activity CreateActivity(string name, System.Diagnostics.ActivityKind kind, System.Diagnostics.ActivityContext parentContext, System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.Diagnostics.ActivityIdFormat idFormat = default(System.Diagnostics.ActivityIdFormat)) => throw null; public System.Diagnostics.Activity CreateActivity(string name, System.Diagnostics.ActivityKind kind, string parentId, System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.Diagnostics.ActivityIdFormat idFormat = default(System.Diagnostics.ActivityIdFormat)) => throw null; + public ActivitySource(string name, string version = default(string)) => throw null; public void Dispose() => throw null; public bool HasListeners() => throw null; public string Name { get => throw null; } - public System.Diagnostics.Activity StartActivity(System.Diagnostics.ActivityKind kind, System.Diagnostics.ActivityContext parentContext = default(System.Diagnostics.ActivityContext), System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.DateTimeOffset startTime = default(System.DateTimeOffset), string name = default(string)) => throw null; public System.Diagnostics.Activity StartActivity(string name = default(string), System.Diagnostics.ActivityKind kind = default(System.Diagnostics.ActivityKind)) => throw null; public System.Diagnostics.Activity StartActivity(string name, System.Diagnostics.ActivityKind kind, System.Diagnostics.ActivityContext parentContext, System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.DateTimeOffset startTime = default(System.DateTimeOffset)) => throw null; public System.Diagnostics.Activity StartActivity(string name, System.Diagnostics.ActivityKind kind, string parentId, System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.DateTimeOffset startTime = default(System.DateTimeOffset)) => throw null; + public System.Diagnostics.Activity StartActivity(System.Diagnostics.ActivityKind kind, System.Diagnostics.ActivityContext parentContext = default(System.Diagnostics.ActivityContext), System.Collections.Generic.IEnumerable> tags = default(System.Collections.Generic.IEnumerable>), System.Collections.Generic.IEnumerable links = default(System.Collections.Generic.IEnumerable), System.DateTimeOffset startTime = default(System.DateTimeOffset), string name = default(string)) => throw null; public string Version { get => throw null; } } - public struct ActivitySpanId : System.IEquatable { - public static bool operator !=(System.Diagnostics.ActivitySpanId spanId1, System.Diagnostics.ActivitySpanId spandId2) => throw null; - public static bool operator ==(System.Diagnostics.ActivitySpanId spanId1, System.Diagnostics.ActivitySpanId spandId2) => throw null; - // Stub generator skipped constructor - public void CopyTo(System.Span destination) => throw null; - public static System.Diagnostics.ActivitySpanId CreateFromBytes(System.ReadOnlySpan idData) => throw null; - public static System.Diagnostics.ActivitySpanId CreateFromString(System.ReadOnlySpan idData) => throw null; - public static System.Diagnostics.ActivitySpanId CreateFromUtf8String(System.ReadOnlySpan idData) => throw null; + public void CopyTo(System.Span destination) => throw null; + public static System.Diagnostics.ActivitySpanId CreateFromBytes(System.ReadOnlySpan idData) => throw null; + public static System.Diagnostics.ActivitySpanId CreateFromString(System.ReadOnlySpan idData) => throw null; + public static System.Diagnostics.ActivitySpanId CreateFromUtf8String(System.ReadOnlySpan idData) => throw null; public static System.Diagnostics.ActivitySpanId CreateRandom() => throw null; public bool Equals(System.Diagnostics.ActivitySpanId spanId) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Diagnostics.ActivitySpanId spanId1, System.Diagnostics.ActivitySpanId spandId2) => throw null; + public static bool operator !=(System.Diagnostics.ActivitySpanId spanId1, System.Diagnostics.ActivitySpanId spandId2) => throw null; public string ToHexString() => throw null; public override string ToString() => throw null; } - - public enum ActivityStatusCode : int + public enum ActivityStatusCode { - Error = 2, - Ok = 1, Unset = 0, + Ok = 1, + Error = 2, } - - public class ActivityTagsCollection : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ActivityTagsCollection : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { + public void Add(string key, object value) => throw null; + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; + public void Clear() => throw null; + public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public bool ContainsKey(string key) => throw null; + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public ActivityTagsCollection() => throw null; + public ActivityTagsCollection(System.Collections.Generic.IEnumerable> list) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public ActivityTagsCollection() => throw null; - public ActivityTagsCollection(System.Collections.Generic.IEnumerable> list) => throw null; - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; - public void Add(string key, object value) => throw null; - public void Clear() => throw null; - public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; - public bool ContainsKey(string key) => throw null; - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public System.Diagnostics.ActivityTagsCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Diagnostics.ActivityTagsCollection.Enumerator GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public object this[string key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } - public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string key) => throw null; + public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public object this[string key] { get => throw null; set { } } public bool TryGetValue(string key, out object value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - [System.Flags] - public enum ActivityTraceFlags : int + public enum ActivityTraceFlags { None = 0, Recorded = 1, } - public struct ActivityTraceId : System.IEquatable { - public static bool operator !=(System.Diagnostics.ActivityTraceId traceId1, System.Diagnostics.ActivityTraceId traceId2) => throw null; - public static bool operator ==(System.Diagnostics.ActivityTraceId traceId1, System.Diagnostics.ActivityTraceId traceId2) => throw null; - // Stub generator skipped constructor - public void CopyTo(System.Span destination) => throw null; - public static System.Diagnostics.ActivityTraceId CreateFromBytes(System.ReadOnlySpan idData) => throw null; - public static System.Diagnostics.ActivityTraceId CreateFromString(System.ReadOnlySpan idData) => throw null; - public static System.Diagnostics.ActivityTraceId CreateFromUtf8String(System.ReadOnlySpan idData) => throw null; + public void CopyTo(System.Span destination) => throw null; + public static System.Diagnostics.ActivityTraceId CreateFromBytes(System.ReadOnlySpan idData) => throw null; + public static System.Diagnostics.ActivityTraceId CreateFromString(System.ReadOnlySpan idData) => throw null; + public static System.Diagnostics.ActivityTraceId CreateFromUtf8String(System.ReadOnlySpan idData) => throw null; public static System.Diagnostics.ActivityTraceId CreateRandom() => throw null; public bool Equals(System.Diagnostics.ActivityTraceId traceId) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Diagnostics.ActivityTraceId traceId1, System.Diagnostics.ActivityTraceId traceId2) => throw null; + public static bool operator !=(System.Diagnostics.ActivityTraceId traceId1, System.Diagnostics.ActivityTraceId traceId2) => throw null; public string ToHexString() => throw null; public override string ToString() => throw null; } - public class DiagnosticListener : System.Diagnostics.DiagnosticSource, System.IDisposable, System.IObservable> { public static System.IObservable AllListeners { get => throw null; } @@ -287,12 +257,11 @@ public class DiagnosticListener : System.Diagnostics.DiagnosticSource, System.ID public override void OnActivityImport(System.Diagnostics.Activity activity, object payload) => throw null; public virtual System.IDisposable Subscribe(System.IObserver> observer) => throw null; public virtual System.IDisposable Subscribe(System.IObserver> observer, System.Func isEnabled) => throw null; - public virtual System.IDisposable Subscribe(System.IObserver> observer, System.Func isEnabled, System.Action onActivityImport = default(System.Action), System.Action onActivityExport = default(System.Action)) => throw null; public virtual System.IDisposable Subscribe(System.IObserver> observer, System.Predicate isEnabled) => throw null; + public virtual System.IDisposable Subscribe(System.IObserver> observer, System.Func isEnabled, System.Action onActivityImport = default(System.Action), System.Action onActivityExport = default(System.Action)) => throw null; public override string ToString() => throw null; public override void Write(string name, object value) => throw null; } - public abstract class DiagnosticSource { protected DiagnosticSource() => throw null; @@ -304,98 +273,55 @@ public abstract class DiagnosticSource public void StopActivity(System.Diagnostics.Activity activity, object args) => throw null; public abstract void Write(string name, object value); } - public abstract class DistributedContextPropagator { - public delegate void PropagatorGetterCallback(object carrier, string fieldName, out string fieldValue, out System.Collections.Generic.IEnumerable fieldValues); - - - public delegate void PropagatorSetterCallback(object carrier, string fieldName, string fieldValue); - - public static System.Diagnostics.DistributedContextPropagator CreateDefaultPropagator() => throw null; public static System.Diagnostics.DistributedContextPropagator CreateNoOutputPropagator() => throw null; public static System.Diagnostics.DistributedContextPropagator CreatePassThroughPropagator() => throw null; - public static System.Diagnostics.DistributedContextPropagator Current { get => throw null; set => throw null; } protected DistributedContextPropagator() => throw null; + public static System.Diagnostics.DistributedContextPropagator Current { get => throw null; set { } } public abstract System.Collections.Generic.IEnumerable> ExtractBaggage(object carrier, System.Diagnostics.DistributedContextPropagator.PropagatorGetterCallback getter); public abstract void ExtractTraceIdAndState(object carrier, System.Diagnostics.DistributedContextPropagator.PropagatorGetterCallback getter, out string traceId, out string traceState); public abstract System.Collections.Generic.IReadOnlyCollection Fields { get; } public abstract void Inject(System.Diagnostics.Activity activity, object carrier, System.Diagnostics.DistributedContextPropagator.PropagatorSetterCallback setter); + public delegate void PropagatorGetterCallback(object carrier, string fieldName, out string fieldValue, out System.Collections.Generic.IEnumerable fieldValues); + public delegate void PropagatorSetterCallback(object carrier, string fieldName, string fieldValue); } - - public delegate System.Diagnostics.ActivitySamplingResult SampleActivity(ref System.Diagnostics.ActivityCreationOptions options); - - public struct TagList : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IList>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyList>, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable - { - public System.Collections.Generic.KeyValuePair Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - - public void Add(System.Collections.Generic.KeyValuePair tag) => throw null; - public void Add(string key, object value) => throw null; - public void Clear() => throw null; - public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public void CopyTo(System.Span> tags) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(System.Collections.Generic.KeyValuePair item) => throw null; - public void Insert(int index, System.Collections.Generic.KeyValuePair item) => throw null; - public bool IsReadOnly { get => throw null; } - public System.Collections.Generic.KeyValuePair this[int index] { get => throw null; set => throw null; } - public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; - public void RemoveAt(int index) => throw null; - // Stub generator skipped constructor - public TagList(System.ReadOnlySpan> tagList) => throw null; - } - namespace Metrics { - public class Counter : System.Diagnostics.Metrics.Instrument where T : struct + public sealed class Counter : System.Diagnostics.Metrics.Instrument where T : struct { public void Add(T delta) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2, System.Collections.Generic.KeyValuePair tag3) => throw null; public void Add(T delta, System.ReadOnlySpan> tags) => throw null; - public void Add(T delta, System.Diagnostics.TagList tagList) => throw null; public void Add(T delta, params System.Collections.Generic.KeyValuePair[] tags) => throw null; - internal Counter(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; + public void Add(T delta, in System.Diagnostics.TagList tagList) => throw null; + internal Counter() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } } - - public class Histogram : System.Diagnostics.Metrics.Instrument where T : struct + public sealed class Histogram : System.Diagnostics.Metrics.Instrument where T : struct { - internal Histogram(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; public void Record(T value) => throw null; public void Record(T value, System.Collections.Generic.KeyValuePair tag) => throw null; public void Record(T value, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2) => throw null; public void Record(T value, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2, System.Collections.Generic.KeyValuePair tag3) => throw null; + public void Record(T value, in System.Diagnostics.TagList tagList) => throw null; public void Record(T value, System.ReadOnlySpan> tags) => throw null; - public void Record(T value, System.Diagnostics.TagList tagList) => throw null; public void Record(T value, params System.Collections.Generic.KeyValuePair[] tags) => throw null; + internal Histogram() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } } - public abstract class Instrument { + protected Instrument(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) => throw null; public string Description { get => throw null; } public bool Enabled { get => throw null; } - protected Instrument(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) => throw null; public virtual bool IsObservable { get => throw null; } public System.Diagnostics.Metrics.Meter Meter { get => throw null; } public string Name { get => throw null; } protected void Publish() => throw null; public string Unit { get => throw null; } } - public abstract class Instrument : System.Diagnostics.Metrics.Instrument where T : struct { protected Instrument(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; @@ -403,94 +329,111 @@ public abstract class Instrument : System.Diagnostics.Metrics.Instrument wher protected void RecordMeasurement(T measurement, System.Collections.Generic.KeyValuePair tag) => throw null; protected void RecordMeasurement(T measurement, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2) => throw null; protected void RecordMeasurement(T measurement, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2, System.Collections.Generic.KeyValuePair tag3) => throw null; + protected void RecordMeasurement(T measurement, in System.Diagnostics.TagList tagList) => throw null; protected void RecordMeasurement(T measurement, System.ReadOnlySpan> tags) => throw null; - protected void RecordMeasurement(T measurement, System.Diagnostics.TagList tagList) => throw null; } - public struct Measurement where T : struct { - // Stub generator skipped constructor public Measurement(T value) => throw null; public Measurement(T value, System.Collections.Generic.IEnumerable> tags) => throw null; - public Measurement(T value, System.ReadOnlySpan> tags) => throw null; public Measurement(T value, params System.Collections.Generic.KeyValuePair[] tags) => throw null; + public Measurement(T value, System.ReadOnlySpan> tags) => throw null; public System.ReadOnlySpan> Tags { get => throw null; } public T Value { get => throw null; } } - public delegate void MeasurementCallback(System.Diagnostics.Metrics.Instrument instrument, T measurement, System.ReadOnlySpan> tags, object state); - public class Meter : System.IDisposable { public System.Diagnostics.Metrics.Counter CreateCounter(string name, string unit = default(string), string description = default(string)) where T : struct => throw null; public System.Diagnostics.Metrics.Histogram CreateHistogram(string name, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableCounter CreateObservableCounter(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableCounter CreateObservableCounter(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; public System.Diagnostics.Metrics.ObservableCounter CreateObservableCounter(string name, System.Func observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableGauge CreateObservableGauge(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableGauge CreateObservableGauge(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableCounter CreateObservableCounter(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableCounter CreateObservableCounter(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; public System.Diagnostics.Metrics.ObservableGauge CreateObservableGauge(string name, System.Func observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableUpDownCounter CreateObservableUpDownCounter(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; - public System.Diagnostics.Metrics.ObservableUpDownCounter CreateObservableUpDownCounter(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableGauge CreateObservableGauge(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableGauge CreateObservableGauge(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; public System.Diagnostics.Metrics.ObservableUpDownCounter CreateObservableUpDownCounter(string name, System.Func observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableUpDownCounter CreateObservableUpDownCounter(string name, System.Func> observeValue, string unit = default(string), string description = default(string)) where T : struct => throw null; + public System.Diagnostics.Metrics.ObservableUpDownCounter CreateObservableUpDownCounter(string name, System.Func>> observeValues, string unit = default(string), string description = default(string)) where T : struct => throw null; public System.Diagnostics.Metrics.UpDownCounter CreateUpDownCounter(string name, string unit = default(string), string description = default(string)) where T : struct => throw null; - public void Dispose() => throw null; public Meter(string name) => throw null; public Meter(string name, string version) => throw null; + public void Dispose() => throw null; public string Name { get => throw null; } public string Version { get => throw null; } } - - public class MeterListener : System.IDisposable + public sealed class MeterListener : System.IDisposable { + public MeterListener() => throw null; public object DisableMeasurementEvents(System.Diagnostics.Metrics.Instrument instrument) => throw null; public void Dispose() => throw null; public void EnableMeasurementEvents(System.Diagnostics.Metrics.Instrument instrument, object state = default(object)) => throw null; - public System.Action InstrumentPublished { get => throw null; set => throw null; } - public System.Action MeasurementsCompleted { get => throw null; set => throw null; } - public MeterListener() => throw null; + public System.Action InstrumentPublished { get => throw null; set { } } + public System.Action MeasurementsCompleted { get => throw null; set { } } public void RecordObservableInstruments() => throw null; public void SetMeasurementEventCallback(System.Diagnostics.Metrics.MeasurementCallback measurementCallback) where T : struct => throw null; public void Start() => throw null; } - - public class ObservableCounter : System.Diagnostics.Metrics.ObservableInstrument where T : struct + public sealed class ObservableCounter : System.Diagnostics.Metrics.ObservableInstrument where T : struct { - internal ObservableCounter(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; protected override System.Collections.Generic.IEnumerable> Observe() => throw null; + internal ObservableCounter() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } } - - public class ObservableGauge : System.Diagnostics.Metrics.ObservableInstrument where T : struct + public sealed class ObservableGauge : System.Diagnostics.Metrics.ObservableInstrument where T : struct { - internal ObservableGauge(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; protected override System.Collections.Generic.IEnumerable> Observe() => throw null; + internal ObservableGauge() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } } - public abstract class ObservableInstrument : System.Diagnostics.Metrics.Instrument where T : struct { - public override bool IsObservable { get => throw null; } protected ObservableInstrument(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; + public override bool IsObservable { get => throw null; } protected abstract System.Collections.Generic.IEnumerable> Observe(); } - - public class ObservableUpDownCounter : System.Diagnostics.Metrics.ObservableInstrument where T : struct + public sealed class ObservableUpDownCounter : System.Diagnostics.Metrics.ObservableInstrument where T : struct { - internal ObservableUpDownCounter(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; protected override System.Collections.Generic.IEnumerable> Observe() => throw null; + internal ObservableUpDownCounter() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } } - - public class UpDownCounter : System.Diagnostics.Metrics.Instrument where T : struct + public sealed class UpDownCounter : System.Diagnostics.Metrics.Instrument where T : struct { public void Add(T delta) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2) => throw null; public void Add(T delta, System.Collections.Generic.KeyValuePair tag1, System.Collections.Generic.KeyValuePair tag2, System.Collections.Generic.KeyValuePair tag3) => throw null; public void Add(T delta, System.ReadOnlySpan> tags) => throw null; - public void Add(T delta, System.Diagnostics.TagList tagList) => throw null; public void Add(T delta, params System.Collections.Generic.KeyValuePair[] tags) => throw null; - internal UpDownCounter(System.Diagnostics.Metrics.Meter meter, string name, string unit, string description) : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) => throw null; + public void Add(T delta, in System.Diagnostics.TagList tagList) => throw null; + internal UpDownCounter() : base(default(System.Diagnostics.Metrics.Meter), default(string), default(string), default(string)) { } + } + } + public delegate System.Diagnostics.ActivitySamplingResult SampleActivity(ref System.Diagnostics.ActivityCreationOptions options); + public struct TagList : System.Collections.Generic.IList>, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyList>, System.Collections.Generic.IReadOnlyCollection> + { + public void Add(string key, object value) => throw null; + public void Add(System.Collections.Generic.KeyValuePair tag) => throw null; + public void Clear() => throw null; + public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public void CopyTo(System.Span> tags) => throw null; + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public TagList(System.ReadOnlySpan> tagList) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + { + public System.Collections.Generic.KeyValuePair Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; } - + public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(System.Collections.Generic.KeyValuePair item) => throw null; + public void Insert(int index, System.Collections.Generic.KeyValuePair item) => throw null; + public bool IsReadOnly { get => throw null; } + public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public void RemoveAt(int index) => throw null; + public System.Collections.Generic.KeyValuePair this[int index] { get => throw null; set { } } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.FileVersionInfo.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.FileVersionInfo.cs index 91af358083cd..1a4d29641f34 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.FileVersionInfo.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.FileVersionInfo.cs @@ -1,11 +1,10 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.FileVersionInfo, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics { - public class FileVersionInfo + public sealed class FileVersionInfo { public string Comments { get => throw null; } public string CompanyName { get => throw null; } @@ -37,6 +36,5 @@ public class FileVersionInfo public string SpecialBuild { get => throw null; } public override string ToString() => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs index 542814f5e978..eb20e488b3a4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs @@ -1,19 +1,17 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.Process, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 { namespace SafeHandles { - public class SafeProcessHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeProcessHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { - protected override bool ReleaseHandle() => throw null; public SafeProcessHandle() : base(default(bool)) => throw null; - public SafeProcessHandle(System.IntPtr existingHandle, bool ownsHandle) : base(default(bool)) => throw null; + public SafeProcessHandle(nint existingHandle, bool ownsHandle) : base(default(bool)) => throw null; + protected override bool ReleaseHandle() => throw null; } - } } } @@ -25,15 +23,12 @@ public class DataReceivedEventArgs : System.EventArgs { public string Data { get => throw null; } } - public delegate void DataReceivedEventHandler(object sender, System.Diagnostics.DataReceivedEventArgs e); - public class MonitoringDescriptionAttribute : System.ComponentModel.DescriptionAttribute { - public override string Description { get => throw null; } public MonitoringDescriptionAttribute(string description) => throw null; + public override string Description { get => throw null; } } - public class Process : System.ComponentModel.Component, System.IDisposable { public int BasePriority { get => throw null; } @@ -43,13 +38,14 @@ public class Process : System.ComponentModel.Component, System.IDisposable public void CancelOutputRead() => throw null; public void Close() => throw null; public bool CloseMainWindow() => throw null; + public Process() => throw null; protected override void Dispose(bool disposing) => throw null; - public bool EnableRaisingEvents { get => throw null; set => throw null; } + public bool EnableRaisingEvents { get => throw null; set { } } public static void EnterDebugMode() => throw null; - public event System.Diagnostics.DataReceivedEventHandler ErrorDataReceived; + public event System.Diagnostics.DataReceivedEventHandler ErrorDataReceived { add { } remove { } } public int ExitCode { get => throw null; } + public event System.EventHandler Exited { add { } remove { } } public System.DateTime ExitTime { get => throw null; } - public event System.EventHandler Exited; public static System.Diagnostics.Process GetCurrentProcess() => throw null; public static System.Diagnostics.Process GetProcessById(int processId) => throw null; public static System.Diagnostics.Process GetProcessById(int processId, string machineName) => throw null; @@ -57,7 +53,7 @@ public class Process : System.ComponentModel.Component, System.IDisposable public static System.Diagnostics.Process[] GetProcesses(string machineName) => throw null; public static System.Diagnostics.Process[] GetProcessesByName(string processName) => throw null; public static System.Diagnostics.Process[] GetProcessesByName(string processName, string machineName) => throw null; - public System.IntPtr Handle { get => throw null; } + public nint Handle { get => throw null; } public int HandleCount { get => throw null; } public bool HasExited { get => throw null; } public int Id { get => throw null; } @@ -66,33 +62,32 @@ public class Process : System.ComponentModel.Component, System.IDisposable public static void LeaveDebugMode() => throw null; public string MachineName { get => throw null; } public System.Diagnostics.ProcessModule MainModule { get => throw null; } - public System.IntPtr MainWindowHandle { get => throw null; } + public nint MainWindowHandle { get => throw null; } public string MainWindowTitle { get => throw null; } - public System.IntPtr MaxWorkingSet { get => throw null; set => throw null; } - public System.IntPtr MinWorkingSet { get => throw null; set => throw null; } + public nint MaxWorkingSet { get => throw null; set { } } + public nint MinWorkingSet { get => throw null; set { } } public System.Diagnostics.ProcessModuleCollection Modules { get => throw null; } public int NonpagedSystemMemorySize { get => throw null; } - public System.Int64 NonpagedSystemMemorySize64 { get => throw null; } + public long NonpagedSystemMemorySize64 { get => throw null; } protected void OnExited() => throw null; - public event System.Diagnostics.DataReceivedEventHandler OutputDataReceived; + public event System.Diagnostics.DataReceivedEventHandler OutputDataReceived { add { } remove { } } public int PagedMemorySize { get => throw null; } - public System.Int64 PagedMemorySize64 { get => throw null; } + public long PagedMemorySize64 { get => throw null; } public int PagedSystemMemorySize { get => throw null; } - public System.Int64 PagedSystemMemorySize64 { get => throw null; } + public long PagedSystemMemorySize64 { get => throw null; } public int PeakPagedMemorySize { get => throw null; } - public System.Int64 PeakPagedMemorySize64 { get => throw null; } + public long PeakPagedMemorySize64 { get => throw null; } public int PeakVirtualMemorySize { get => throw null; } - public System.Int64 PeakVirtualMemorySize64 { get => throw null; } + public long PeakVirtualMemorySize64 { get => throw null; } public int PeakWorkingSet { get => throw null; } - public System.Int64 PeakWorkingSet64 { get => throw null; } - public bool PriorityBoostEnabled { get => throw null; set => throw null; } - public System.Diagnostics.ProcessPriorityClass PriorityClass { get => throw null; set => throw null; } + public long PeakWorkingSet64 { get => throw null; } + public bool PriorityBoostEnabled { get => throw null; set { } } + public System.Diagnostics.ProcessPriorityClass PriorityClass { get => throw null; set { } } public int PrivateMemorySize { get => throw null; } - public System.Int64 PrivateMemorySize64 { get => throw null; } + public long PrivateMemorySize64 { get => throw null; } public System.TimeSpan PrivilegedProcessorTime { get => throw null; } - public Process() => throw null; public string ProcessName { get => throw null; } - public System.IntPtr ProcessorAffinity { get => throw null; set => throw null; } + public nint ProcessorAffinity { get => throw null; set { } } public void Refresh() => throw null; public bool Responding { get => throw null; } public Microsoft.Win32.SafeHandles.SafeProcessHandle SafeHandle { get => throw null; } @@ -103,172 +98,161 @@ public class Process : System.ComponentModel.Component, System.IDisposable public bool Start() => throw null; public static System.Diagnostics.Process Start(System.Diagnostics.ProcessStartInfo startInfo) => throw null; public static System.Diagnostics.Process Start(string fileName) => throw null; - public static System.Diagnostics.Process Start(string fileName, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Diagnostics.Process Start(string fileName, string arguments) => throw null; + public static System.Diagnostics.Process Start(string fileName, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Diagnostics.Process Start(string fileName, string userName, System.Security.SecureString password, string domain) => throw null; public static System.Diagnostics.Process Start(string fileName, string arguments, string userName, System.Security.SecureString password, string domain) => throw null; - public System.Diagnostics.ProcessStartInfo StartInfo { get => throw null; set => throw null; } + public System.Diagnostics.ProcessStartInfo StartInfo { get => throw null; set { } } public System.DateTime StartTime { get => throw null; } - public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set => throw null; } + public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set { } } public System.Diagnostics.ProcessThreadCollection Threads { get => throw null; } public override string ToString() => throw null; public System.TimeSpan TotalProcessorTime { get => throw null; } public System.TimeSpan UserProcessorTime { get => throw null; } public int VirtualMemorySize { get => throw null; } - public System.Int64 VirtualMemorySize64 { get => throw null; } + public long VirtualMemorySize64 { get => throw null; } public void WaitForExit() => throw null; - public bool WaitForExit(System.TimeSpan timeout) => throw null; public bool WaitForExit(int milliseconds) => throw null; + public bool WaitForExit(System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task WaitForExitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool WaitForInputIdle() => throw null; - public bool WaitForInputIdle(System.TimeSpan timeout) => throw null; public bool WaitForInputIdle(int milliseconds) => throw null; + public bool WaitForInputIdle(System.TimeSpan timeout) => throw null; public int WorkingSet { get => throw null; } - public System.Int64 WorkingSet64 { get => throw null; } + public long WorkingSet64 { get => throw null; } } - public class ProcessModule : System.ComponentModel.Component { - public System.IntPtr BaseAddress { get => throw null; } - public System.IntPtr EntryPointAddress { get => throw null; } + public nint BaseAddress { get => throw null; } + public nint EntryPointAddress { get => throw null; } public string FileName { get => throw null; } public System.Diagnostics.FileVersionInfo FileVersionInfo { get => throw null; } public int ModuleMemorySize { get => throw null; } public string ModuleName { get => throw null; } public override string ToString() => throw null; } - public class ProcessModuleCollection : System.Collections.ReadOnlyCollectionBase { public bool Contains(System.Diagnostics.ProcessModule module) => throw null; public void CopyTo(System.Diagnostics.ProcessModule[] array, int index) => throw null; - public int IndexOf(System.Diagnostics.ProcessModule module) => throw null; - public System.Diagnostics.ProcessModule this[int index] { get => throw null; } protected ProcessModuleCollection() => throw null; public ProcessModuleCollection(System.Diagnostics.ProcessModule[] processModules) => throw null; + public int IndexOf(System.Diagnostics.ProcessModule module) => throw null; + public System.Diagnostics.ProcessModule this[int index] { get => throw null; } } - - public enum ProcessPriorityClass : int + public enum ProcessPriorityClass { - AboveNormal = 32768, - BelowNormal = 16384, - High = 128, - Idle = 64, Normal = 32, + Idle = 64, + High = 128, RealTime = 256, + BelowNormal = 16384, + AboveNormal = 32768, } - - public class ProcessStartInfo + public sealed class ProcessStartInfo { public System.Collections.ObjectModel.Collection ArgumentList { get => throw null; } - public string Arguments { get => throw null; set => throw null; } - public bool CreateNoWindow { get => throw null; set => throw null; } - public string Domain { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Environment { get => throw null; } - public System.Collections.Specialized.StringDictionary EnvironmentVariables { get => throw null; } - public bool ErrorDialog { get => throw null; set => throw null; } - public System.IntPtr ErrorDialogParentHandle { get => throw null; set => throw null; } - public string FileName { get => throw null; set => throw null; } - public bool LoadUserProfile { get => throw null; set => throw null; } - public System.Security.SecureString Password { get => throw null; set => throw null; } - public string PasswordInClearText { get => throw null; set => throw null; } + public string Arguments { get => throw null; set { } } + public bool CreateNoWindow { get => throw null; set { } } public ProcessStartInfo() => throw null; public ProcessStartInfo(string fileName) => throw null; public ProcessStartInfo(string fileName, string arguments) => throw null; - public bool RedirectStandardError { get => throw null; set => throw null; } - public bool RedirectStandardInput { get => throw null; set => throw null; } - public bool RedirectStandardOutput { get => throw null; set => throw null; } - public System.Text.Encoding StandardErrorEncoding { get => throw null; set => throw null; } - public System.Text.Encoding StandardInputEncoding { get => throw null; set => throw null; } - public System.Text.Encoding StandardOutputEncoding { get => throw null; set => throw null; } - public bool UseShellExecute { get => throw null; set => throw null; } - public string UserName { get => throw null; set => throw null; } - public string Verb { get => throw null; set => throw null; } + public string Domain { get => throw null; set { } } + public System.Collections.Generic.IDictionary Environment { get => throw null; } + public System.Collections.Specialized.StringDictionary EnvironmentVariables { get => throw null; } + public bool ErrorDialog { get => throw null; set { } } + public nint ErrorDialogParentHandle { get => throw null; set { } } + public string FileName { get => throw null; set { } } + public bool LoadUserProfile { get => throw null; set { } } + public System.Security.SecureString Password { get => throw null; set { } } + public string PasswordInClearText { get => throw null; set { } } + public bool RedirectStandardError { get => throw null; set { } } + public bool RedirectStandardInput { get => throw null; set { } } + public bool RedirectStandardOutput { get => throw null; set { } } + public System.Text.Encoding StandardErrorEncoding { get => throw null; set { } } + public System.Text.Encoding StandardInputEncoding { get => throw null; set { } } + public System.Text.Encoding StandardOutputEncoding { get => throw null; set { } } + public string UserName { get => throw null; set { } } + public bool UseShellExecute { get => throw null; set { } } + public string Verb { get => throw null; set { } } public string[] Verbs { get => throw null; } - public System.Diagnostics.ProcessWindowStyle WindowStyle { get => throw null; set => throw null; } - public string WorkingDirectory { get => throw null; set => throw null; } + public System.Diagnostics.ProcessWindowStyle WindowStyle { get => throw null; set { } } + public string WorkingDirectory { get => throw null; set { } } } - public class ProcessThread : System.ComponentModel.Component { public int BasePriority { get => throw null; } public int CurrentPriority { get => throw null; } public int Id { get => throw null; } - public int IdealProcessor { set => throw null; } - public bool PriorityBoostEnabled { get => throw null; set => throw null; } - public System.Diagnostics.ThreadPriorityLevel PriorityLevel { get => throw null; set => throw null; } + public int IdealProcessor { set { } } + public bool PriorityBoostEnabled { get => throw null; set { } } + public System.Diagnostics.ThreadPriorityLevel PriorityLevel { get => throw null; set { } } public System.TimeSpan PrivilegedProcessorTime { get => throw null; } - public System.IntPtr ProcessorAffinity { set => throw null; } + public nint ProcessorAffinity { set { } } public void ResetIdealProcessor() => throw null; - public System.IntPtr StartAddress { get => throw null; } + public nint StartAddress { get => throw null; } public System.DateTime StartTime { get => throw null; } public System.Diagnostics.ThreadState ThreadState { get => throw null; } public System.TimeSpan TotalProcessorTime { get => throw null; } public System.TimeSpan UserProcessorTime { get => throw null; } public System.Diagnostics.ThreadWaitReason WaitReason { get => throw null; } } - public class ProcessThreadCollection : System.Collections.ReadOnlyCollectionBase { public int Add(System.Diagnostics.ProcessThread thread) => throw null; public bool Contains(System.Diagnostics.ProcessThread thread) => throw null; public void CopyTo(System.Diagnostics.ProcessThread[] array, int index) => throw null; - public int IndexOf(System.Diagnostics.ProcessThread thread) => throw null; - public void Insert(int index, System.Diagnostics.ProcessThread thread) => throw null; - public System.Diagnostics.ProcessThread this[int index] { get => throw null; } protected ProcessThreadCollection() => throw null; public ProcessThreadCollection(System.Diagnostics.ProcessThread[] processThreads) => throw null; + public int IndexOf(System.Diagnostics.ProcessThread thread) => throw null; + public void Insert(int index, System.Diagnostics.ProcessThread thread) => throw null; public void Remove(System.Diagnostics.ProcessThread thread) => throw null; + public System.Diagnostics.ProcessThread this[int index] { get => throw null; } } - - public enum ProcessWindowStyle : int + public enum ProcessWindowStyle { + Normal = 0, Hidden = 1, - Maximized = 3, Minimized = 2, - Normal = 0, + Maximized = 3, } - - public enum ThreadPriorityLevel : int + public enum ThreadPriorityLevel { - AboveNormal = 1, - BelowNormal = -1, - Highest = 2, Idle = -15, Lowest = -2, + BelowNormal = -1, Normal = 0, + AboveNormal = 1, + Highest = 2, TimeCritical = 15, } - - public enum ThreadState : int + public enum ThreadState { Initialized = 0, Ready = 1, Running = 2, Standby = 3, Terminated = 4, + Wait = 5, Transition = 6, Unknown = 7, - Wait = 5, } - - public enum ThreadWaitReason : int + public enum ThreadWaitReason { - EventPairHigh = 7, - EventPairLow = 8, - ExecutionDelay = 4, Executive = 0, FreePage = 1, - LpcReceive = 9, - LpcReply = 10, PageIn = 2, - PageOut = 12, - Suspended = 5, SystemAllocation = 3, - Unknown = 13, + ExecutionDelay = 4, + Suspended = 5, UserRequest = 6, + EventPairHigh = 7, + EventPairLow = 8, + LpcReceive = 9, + LpcReply = 10, VirtualMemory = 11, + PageOut = 12, + Unknown = 13, } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs index 6853f30d77ee..07649dc7b6d2 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs @@ -1,88 +1,80 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.StackTrace, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics { public class StackFrame { - public virtual int GetFileColumnNumber() => throw null; - public virtual int GetFileLineNumber() => throw null; - public virtual string GetFileName() => throw null; - public virtual int GetILOffset() => throw null; - public virtual System.Reflection.MethodBase GetMethod() => throw null; - public virtual int GetNativeOffset() => throw null; - public const int OFFSET_UNKNOWN = default; public StackFrame() => throw null; public StackFrame(bool needFileInfo) => throw null; public StackFrame(int skipFrames) => throw null; public StackFrame(int skipFrames, bool needFileInfo) => throw null; public StackFrame(string fileName, int lineNumber) => throw null; public StackFrame(string fileName, int lineNumber, int colNumber) => throw null; + public virtual int GetFileColumnNumber() => throw null; + public virtual int GetFileLineNumber() => throw null; + public virtual string GetFileName() => throw null; + public virtual int GetILOffset() => throw null; + public virtual System.Reflection.MethodBase GetMethod() => throw null; + public virtual int GetNativeOffset() => throw null; + public static int OFFSET_UNKNOWN; public override string ToString() => throw null; } - - public static class StackFrameExtensions + public static partial class StackFrameExtensions { - public static System.IntPtr GetNativeIP(this System.Diagnostics.StackFrame stackFrame) => throw null; - public static System.IntPtr GetNativeImageBase(this System.Diagnostics.StackFrame stackFrame) => throw null; + public static nint GetNativeImageBase(this System.Diagnostics.StackFrame stackFrame) => throw null; + public static nint GetNativeIP(this System.Diagnostics.StackFrame stackFrame) => throw null; public static bool HasILOffset(this System.Diagnostics.StackFrame stackFrame) => throw null; public static bool HasMethod(this System.Diagnostics.StackFrame stackFrame) => throw null; public static bool HasNativeImage(this System.Diagnostics.StackFrame stackFrame) => throw null; public static bool HasSource(this System.Diagnostics.StackFrame stackFrame) => throw null; } - public class StackTrace { - public virtual int FrameCount { get => throw null; } - public virtual System.Diagnostics.StackFrame GetFrame(int index) => throw null; - public virtual System.Diagnostics.StackFrame[] GetFrames() => throw null; - public const int METHODS_TO_SKIP = default; public StackTrace() => throw null; + public StackTrace(bool fNeedFileInfo) => throw null; + public StackTrace(System.Diagnostics.StackFrame frame) => throw null; public StackTrace(System.Exception e) => throw null; public StackTrace(System.Exception e, bool fNeedFileInfo) => throw null; public StackTrace(System.Exception e, int skipFrames) => throw null; public StackTrace(System.Exception e, int skipFrames, bool fNeedFileInfo) => throw null; - public StackTrace(System.Diagnostics.StackFrame frame) => throw null; - public StackTrace(bool fNeedFileInfo) => throw null; public StackTrace(int skipFrames) => throw null; public StackTrace(int skipFrames, bool fNeedFileInfo) => throw null; + public virtual int FrameCount { get => throw null; } + public virtual System.Diagnostics.StackFrame GetFrame(int index) => throw null; + public virtual System.Diagnostics.StackFrame[] GetFrames() => throw null; + public static int METHODS_TO_SKIP; public override string ToString() => throw null; } - namespace SymbolStore { public interface ISymbolBinder { System.Diagnostics.SymbolStore.ISymbolReader GetReader(int importer, string filename, string searchPath); } - public interface ISymbolBinder1 { - System.Diagnostics.SymbolStore.ISymbolReader GetReader(System.IntPtr importer, string filename, string searchPath); + System.Diagnostics.SymbolStore.ISymbolReader GetReader(nint importer, string filename, string searchPath); } - public interface ISymbolDocument { System.Guid CheckSumAlgorithmId { get; } System.Guid DocumentType { get; } int FindClosestLine(int line); - System.Byte[] GetCheckSum(); - System.Byte[] GetSourceRange(int startLine, int startColumn, int endLine, int endColumn); + byte[] GetCheckSum(); + byte[] GetSourceRange(int startLine, int startColumn, int endLine, int endColumn); bool HasEmbeddedSource { get; } System.Guid Language { get; } System.Guid LanguageVendor { get; } int SourceLength { get; } string URL { get; } } - public interface ISymbolDocumentWriter { - void SetCheckSum(System.Guid algorithmId, System.Byte[] checkSum); - void SetSource(System.Byte[] source); + void SetCheckSum(System.Guid algorithmId, byte[] checkSum); + void SetSource(byte[] source); } - public interface ISymbolMethod { System.Diagnostics.SymbolStore.ISymbolNamespace GetNamespace(); @@ -96,14 +88,12 @@ public interface ISymbolMethod int SequencePointCount { get; } System.Diagnostics.SymbolStore.SymbolToken Token { get; } } - public interface ISymbolNamespace { System.Diagnostics.SymbolStore.ISymbolNamespace[] GetNamespaces(); System.Diagnostics.SymbolStore.ISymbolVariable[] GetVariables(); string Name { get; } } - public interface ISymbolReader { System.Diagnostics.SymbolStore.ISymbolDocument GetDocument(string url, System.Guid language, System.Guid languageVendor, System.Guid documentType); @@ -113,11 +103,10 @@ public interface ISymbolReader System.Diagnostics.SymbolStore.ISymbolMethod GetMethod(System.Diagnostics.SymbolStore.SymbolToken method, int version); System.Diagnostics.SymbolStore.ISymbolMethod GetMethodFromDocumentPosition(System.Diagnostics.SymbolStore.ISymbolDocument document, int line, int column); System.Diagnostics.SymbolStore.ISymbolNamespace[] GetNamespaces(); - System.Byte[] GetSymAttribute(System.Diagnostics.SymbolStore.SymbolToken parent, string name); + byte[] GetSymAttribute(System.Diagnostics.SymbolStore.SymbolToken parent, string name); System.Diagnostics.SymbolStore.ISymbolVariable[] GetVariables(System.Diagnostics.SymbolStore.SymbolToken parent); System.Diagnostics.SymbolStore.SymbolToken UserEntryPoint { get; } } - public interface ISymbolScope { int EndOffset { get; } @@ -128,7 +117,6 @@ public interface ISymbolScope System.Diagnostics.SymbolStore.ISymbolScope Parent { get; } int StartOffset { get; } } - public interface ISymbolVariable { int AddressField1 { get; } @@ -137,11 +125,10 @@ public interface ISymbolVariable System.Diagnostics.SymbolStore.SymAddressKind AddressKind { get; } object Attributes { get; } int EndOffset { get; } - System.Byte[] GetSignature(); + byte[] GetSignature(); string Name { get; } int StartOffset { get; } } - public interface ISymbolWriter { void Close(); @@ -149,77 +136,70 @@ public interface ISymbolWriter void CloseNamespace(); void CloseScope(int endOffset); System.Diagnostics.SymbolStore.ISymbolDocumentWriter DefineDocument(string url, System.Guid language, System.Guid languageVendor, System.Guid documentType); - void DefineField(System.Diagnostics.SymbolStore.SymbolToken parent, string name, System.Reflection.FieldAttributes attributes, System.Byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3); - void DefineGlobalVariable(string name, System.Reflection.FieldAttributes attributes, System.Byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3); - void DefineLocalVariable(string name, System.Reflection.FieldAttributes attributes, System.Byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3, int startOffset, int endOffset); + void DefineField(System.Diagnostics.SymbolStore.SymbolToken parent, string name, System.Reflection.FieldAttributes attributes, byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3); + void DefineGlobalVariable(string name, System.Reflection.FieldAttributes attributes, byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3); + void DefineLocalVariable(string name, System.Reflection.FieldAttributes attributes, byte[] signature, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3, int startOffset, int endOffset); void DefineParameter(string name, System.Reflection.ParameterAttributes attributes, int sequence, System.Diagnostics.SymbolStore.SymAddressKind addrKind, int addr1, int addr2, int addr3); void DefineSequencePoints(System.Diagnostics.SymbolStore.ISymbolDocumentWriter document, int[] offsets, int[] lines, int[] columns, int[] endLines, int[] endColumns); - void Initialize(System.IntPtr emitter, string filename, bool fFullBuild); + void Initialize(nint emitter, string filename, bool fFullBuild); void OpenMethod(System.Diagnostics.SymbolStore.SymbolToken method); void OpenNamespace(string name); int OpenScope(int startOffset); void SetMethodSourceRange(System.Diagnostics.SymbolStore.ISymbolDocumentWriter startDoc, int startLine, int startColumn, System.Diagnostics.SymbolStore.ISymbolDocumentWriter endDoc, int endLine, int endColumn); void SetScopeRange(int scopeID, int startOffset, int endOffset); - void SetSymAttribute(System.Diagnostics.SymbolStore.SymbolToken parent, string name, System.Byte[] data); - void SetUnderlyingWriter(System.IntPtr underlyingWriter); + void SetSymAttribute(System.Diagnostics.SymbolStore.SymbolToken parent, string name, byte[] data); + void SetUnderlyingWriter(nint underlyingWriter); void SetUserEntryPoint(System.Diagnostics.SymbolStore.SymbolToken entryMethod); void UsingNamespace(string fullName); } - - public enum SymAddressKind : int + public enum SymAddressKind { - BitField = 9, ILOffset = 1, - NativeOffset = 5, NativeRVA = 2, NativeRegister = 3, - NativeRegisterRegister = 6, NativeRegisterRelative = 4, + NativeOffset = 5, + NativeRegisterRegister = 6, NativeRegisterStack = 7, - NativeSectionOffset = 10, NativeStackRegister = 8, + BitField = 9, + NativeSectionOffset = 10, + } + public struct SymbolToken : System.IEquatable + { + public SymbolToken(int val) => throw null; + public bool Equals(System.Diagnostics.SymbolStore.SymbolToken obj) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public int GetToken() => throw null; + public static bool operator ==(System.Diagnostics.SymbolStore.SymbolToken a, System.Diagnostics.SymbolStore.SymbolToken b) => throw null; + public static bool operator !=(System.Diagnostics.SymbolStore.SymbolToken a, System.Diagnostics.SymbolStore.SymbolToken b) => throw null; } - public class SymDocumentType { public SymDocumentType() => throw null; public static System.Guid Text; } - public class SymLanguageType { public static System.Guid Basic; public static System.Guid C; + public static System.Guid Cobol; public static System.Guid CPlusPlus; public static System.Guid CSharp; - public static System.Guid Cobol; + public SymLanguageType() => throw null; public static System.Guid ILAssembly; - public static System.Guid JScript; public static System.Guid Java; + public static System.Guid JScript; public static System.Guid MCPlusPlus; public static System.Guid Pascal; public static System.Guid SMC; - public SymLanguageType() => throw null; } - public class SymLanguageVendor { - public static System.Guid Microsoft; public SymLanguageVendor() => throw null; + public static System.Guid Microsoft; } - - public struct SymbolToken : System.IEquatable - { - public static bool operator !=(System.Diagnostics.SymbolStore.SymbolToken a, System.Diagnostics.SymbolStore.SymbolToken b) => throw null; - public static bool operator ==(System.Diagnostics.SymbolStore.SymbolToken a, System.Diagnostics.SymbolStore.SymbolToken b) => throw null; - public bool Equals(System.Diagnostics.SymbolStore.SymbolToken obj) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public int GetToken() => throw null; - // Stub generator skipped constructor - public SymbolToken(int val) => throw null; - } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TextWriterTraceListener.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TextWriterTraceListener.cs index 652fd5bdb37d..74484d277911 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TextWriterTraceListener.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TextWriterTraceListener.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.TextWriterTraceListener, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics @@ -11,7 +10,6 @@ public class ConsoleTraceListener : System.Diagnostics.TextWriterTraceListener public ConsoleTraceListener() => throw null; public ConsoleTraceListener(bool useErrorStream) => throw null; } - public class DelimitedListTraceListener : System.Diagnostics.TextWriterTraceListener { public DelimitedListTraceListener(System.IO.Stream stream) => throw null; @@ -20,19 +18,16 @@ public class DelimitedListTraceListener : System.Diagnostics.TextWriterTraceList public DelimitedListTraceListener(System.IO.TextWriter writer, string name) => throw null; public DelimitedListTraceListener(string fileName) => throw null; public DelimitedListTraceListener(string fileName, string name) => throw null; - public string Delimiter { get => throw null; set => throw null; } + public string Delimiter { get => throw null; set { } } protected override string[] GetSupportedAttributes() => throw null; public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, object data) => throw null; public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, params object[] data) => throw null; public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, string message) => throw null; public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, string format, params object[] args) => throw null; } - public class TextWriterTraceListener : System.Diagnostics.TraceListener { public override void Close() => throw null; - protected override void Dispose(bool disposing) => throw null; - public override void Flush() => throw null; public TextWriterTraceListener() => throw null; public TextWriterTraceListener(System.IO.Stream stream) => throw null; public TextWriterTraceListener(System.IO.Stream stream, string name) => throw null; @@ -40,14 +35,21 @@ public class TextWriterTraceListener : System.Diagnostics.TraceListener public TextWriterTraceListener(System.IO.TextWriter writer, string name) => throw null; public TextWriterTraceListener(string fileName) => throw null; public TextWriterTraceListener(string fileName, string name) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override void Flush() => throw null; public override void Write(string message) => throw null; public override void WriteLine(string message) => throw null; - public System.IO.TextWriter Writer { get => throw null; set => throw null; } + public System.IO.TextWriter Writer { get => throw null; set { } } } - public class XmlWriterTraceListener : System.Diagnostics.TextWriterTraceListener { public override void Close() => throw null; + public XmlWriterTraceListener(System.IO.Stream stream) => throw null; + public XmlWriterTraceListener(System.IO.Stream stream, string name) => throw null; + public XmlWriterTraceListener(System.IO.TextWriter writer) => throw null; + public XmlWriterTraceListener(System.IO.TextWriter writer, string name) => throw null; + public XmlWriterTraceListener(string filename) => throw null; + public XmlWriterTraceListener(string filename, string name) => throw null; public override void Fail(string message, string detailMessage) => throw null; public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, object data) => throw null; public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, params object[] data) => throw null; @@ -56,13 +58,6 @@ public class XmlWriterTraceListener : System.Diagnostics.TextWriterTraceListener public override void TraceTransfer(System.Diagnostics.TraceEventCache eventCache, string source, int id, string message, System.Guid relatedActivityId) => throw null; public override void Write(string message) => throw null; public override void WriteLine(string message) => throw null; - public XmlWriterTraceListener(System.IO.Stream stream) => throw null; - public XmlWriterTraceListener(System.IO.Stream stream, string name) => throw null; - public XmlWriterTraceListener(System.IO.TextWriter writer) => throw null; - public XmlWriterTraceListener(System.IO.TextWriter writer, string name) => throw null; - public XmlWriterTraceListener(string filename) => throw null; - public XmlWriterTraceListener(string filename, string name) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs new file mode 100644 index 000000000000..fd79833c97e7 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Diagnostics.Tools, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs index 29ef410e43ed..9f88d1ac5ce0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.TraceSource, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics @@ -9,128 +8,116 @@ public class BooleanSwitch : System.Diagnostics.Switch { public BooleanSwitch(string displayName, string description) : base(default(string), default(string)) => throw null; public BooleanSwitch(string displayName, string description, string defaultSwitchValue) : base(default(string), default(string)) => throw null; - public bool Enabled { get => throw null; set => throw null; } + public bool Enabled { get => throw null; set { } } protected override void OnValueChanged() => throw null; } - public class CorrelationManager { - public System.Guid ActivityId { get => throw null; set => throw null; } + public System.Guid ActivityId { get => throw null; set { } } public System.Collections.Stack LogicalOperationStack { get => throw null; } public void StartLogicalOperation() => throw null; public void StartLogicalOperation(object operationId) => throw null; public void StopLogicalOperation() => throw null; } - public class DefaultTraceListener : System.Diagnostics.TraceListener { - public bool AssertUiEnabled { get => throw null; set => throw null; } + public bool AssertUiEnabled { get => throw null; set { } } public DefaultTraceListener() => throw null; public override void Fail(string message) => throw null; public override void Fail(string message, string detailMessage) => throw null; - public string LogFileName { get => throw null; set => throw null; } + public string LogFileName { get => throw null; set { } } public override void Write(string message) => throw null; public override void WriteLine(string message) => throw null; } - public class EventTypeFilter : System.Diagnostics.TraceFilter { - public System.Diagnostics.SourceLevels EventType { get => throw null; set => throw null; } public EventTypeFilter(System.Diagnostics.SourceLevels level) => throw null; + public System.Diagnostics.SourceLevels EventType { get => throw null; set { } } public override bool ShouldTrace(System.Diagnostics.TraceEventCache cache, string source, System.Diagnostics.TraceEventType eventType, int id, string formatOrMessage, object[] args, object data1, object[] data) => throw null; } - - public class InitializingSwitchEventArgs : System.EventArgs + public sealed class InitializingSwitchEventArgs : System.EventArgs { public InitializingSwitchEventArgs(System.Diagnostics.Switch @switch) => throw null; public System.Diagnostics.Switch Switch { get => throw null; } } - - public class InitializingTraceSourceEventArgs : System.EventArgs + public sealed class InitializingTraceSourceEventArgs : System.EventArgs { public InitializingTraceSourceEventArgs(System.Diagnostics.TraceSource traceSource) => throw null; public System.Diagnostics.TraceSource TraceSource { get => throw null; } - public bool WasInitialized { get => throw null; set => throw null; } + public bool WasInitialized { get => throw null; set { } } } - public class SourceFilter : System.Diagnostics.TraceFilter { - public override bool ShouldTrace(System.Diagnostics.TraceEventCache cache, string source, System.Diagnostics.TraceEventType eventType, int id, string formatOrMessage, object[] args, object data1, object[] data) => throw null; - public string Source { get => throw null; set => throw null; } public SourceFilter(string source) => throw null; + public override bool ShouldTrace(System.Diagnostics.TraceEventCache cache, string source, System.Diagnostics.TraceEventType eventType, int id, string formatOrMessage, object[] args, object data1, object[] data) => throw null; + public string Source { get => throw null; set { } } } - [System.Flags] - public enum SourceLevels : int + public enum SourceLevels { - ActivityTracing = 65280, All = -1, + Off = 0, Critical = 1, Error = 3, + Warning = 7, Information = 15, - Off = 0, Verbose = 31, - Warning = 7, + ActivityTracing = 65280, } - public class SourceSwitch : System.Diagnostics.Switch { - public System.Diagnostics.SourceLevels Level { get => throw null; set => throw null; } - protected override void OnValueChanged() => throw null; - public bool ShouldTrace(System.Diagnostics.TraceEventType eventType) => throw null; public SourceSwitch(string name) : base(default(string), default(string)) => throw null; public SourceSwitch(string displayName, string defaultSwitchValue) : base(default(string), default(string)) => throw null; + public System.Diagnostics.SourceLevels Level { get => throw null; set { } } + protected override void OnValueChanged() => throw null; + public bool ShouldTrace(System.Diagnostics.TraceEventType eventType) => throw null; } - public abstract class Switch { public System.Collections.Specialized.StringDictionary Attributes { get => throw null; } + protected Switch(string displayName, string description) => throw null; + protected Switch(string displayName, string description, string defaultSwitchValue) => throw null; public string DefaultValue { get => throw null; } public string Description { get => throw null; } public string DisplayName { get => throw null; } protected virtual string[] GetSupportedAttributes() => throw null; - public static event System.EventHandler Initializing; + public static event System.EventHandler Initializing { add { } remove { } } protected virtual void OnSwitchSettingChanged() => throw null; protected virtual void OnValueChanged() => throw null; public void Refresh() => throw null; - protected Switch(string displayName, string description) => throw null; - protected Switch(string displayName, string description, string defaultSwitchValue) => throw null; - protected int SwitchSetting { get => throw null; set => throw null; } - public string Value { get => throw null; set => throw null; } + protected int SwitchSetting { get => throw null; set { } } + public string Value { get => throw null; set { } } } - - public class SwitchAttribute : System.Attribute + public sealed class SwitchAttribute : System.Attribute { - public static System.Diagnostics.SwitchAttribute[] GetAll(System.Reflection.Assembly assembly) => throw null; public SwitchAttribute(string switchName, System.Type switchType) => throw null; - public string SwitchDescription { get => throw null; set => throw null; } - public string SwitchName { get => throw null; set => throw null; } - public System.Type SwitchType { get => throw null; set => throw null; } + public static System.Diagnostics.SwitchAttribute[] GetAll(System.Reflection.Assembly assembly) => throw null; + public string SwitchDescription { get => throw null; set { } } + public string SwitchName { get => throw null; set { } } + public System.Type SwitchType { get => throw null; set { } } } - - public class SwitchLevelAttribute : System.Attribute + public sealed class SwitchLevelAttribute : System.Attribute { public SwitchLevelAttribute(System.Type switchLevelType) => throw null; - public System.Type SwitchLevelType { get => throw null; set => throw null; } + public System.Type SwitchLevelType { get => throw null; set { } } } - - public class Trace + public sealed class Trace { public static void Assert(bool condition) => throw null; public static void Assert(bool condition, string message) => throw null; public static void Assert(bool condition, string message, string detailMessage) => throw null; - public static bool AutoFlush { get => throw null; set => throw null; } + public static bool AutoFlush { get => throw null; set { } } public static void Close() => throw null; public static System.Diagnostics.CorrelationManager CorrelationManager { get => throw null; } public static void Fail(string message) => throw null; public static void Fail(string message, string detailMessage) => throw null; public static void Flush() => throw null; public static void Indent() => throw null; - public static int IndentLevel { get => throw null; set => throw null; } - public static int IndentSize { get => throw null; set => throw null; } + public static int IndentLevel { get => throw null; set { } } + public static int IndentSize { get => throw null; set { } } public static System.Diagnostics.TraceListenerCollection Listeners { get => throw null; } public static void Refresh() => throw null; - public static event System.EventHandler Refreshing; + public static event System.EventHandler Refreshing { add { } remove { } } public static void TraceError(string message) => throw null; public static void TraceError(string format, params object[] args) => throw null; public static void TraceInformation(string message) => throw null; @@ -138,7 +125,7 @@ public class Trace public static void TraceWarning(string message) => throw null; public static void TraceWarning(string format, params object[] args) => throw null; public static void Unindent() => throw null; - public static bool UseGlobalLock { get => throw null; set => throw null; } + public static bool UseGlobalLock { get => throw null; set { } } public static void Write(object value) => throw null; public static void Write(object value, string category) => throw null; public static void Write(string message) => throw null; @@ -156,71 +143,66 @@ public class Trace public static void WriteLineIf(bool condition, string message) => throw null; public static void WriteLineIf(bool condition, string message, string category) => throw null; } - public class TraceEventCache { public string Callstack { get => throw null; } + public TraceEventCache() => throw null; public System.DateTime DateTime { get => throw null; } public System.Collections.Stack LogicalOperationStack { get => throw null; } public int ProcessId { get => throw null; } public string ThreadId { get => throw null; } - public System.Int64 Timestamp { get => throw null; } - public TraceEventCache() => throw null; + public long Timestamp { get => throw null; } } - - public enum TraceEventType : int + public enum TraceEventType { Critical = 1, Error = 2, + Warning = 4, Information = 8, - Resume = 2048, + Verbose = 16, Start = 256, Stop = 512, Suspend = 1024, + Resume = 2048, Transfer = 4096, - Verbose = 16, - Warning = 4, } - public abstract class TraceFilter { - public abstract bool ShouldTrace(System.Diagnostics.TraceEventCache cache, string source, System.Diagnostics.TraceEventType eventType, int id, string formatOrMessage, object[] args, object data1, object[] data); protected TraceFilter() => throw null; + public abstract bool ShouldTrace(System.Diagnostics.TraceEventCache cache, string source, System.Diagnostics.TraceEventType eventType, int id, string formatOrMessage, object[] args, object data1, object[] data); } - - public enum TraceLevel : int + public enum TraceLevel { + Off = 0, Error = 1, + Warning = 2, Info = 3, - Off = 0, Verbose = 4, - Warning = 2, } - public abstract class TraceListener : System.MarshalByRefObject, System.IDisposable { public System.Collections.Specialized.StringDictionary Attributes { get => throw null; } public virtual void Close() => throw null; + protected TraceListener() => throw null; + protected TraceListener(string name) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public virtual void Fail(string message) => throw null; public virtual void Fail(string message, string detailMessage) => throw null; - public System.Diagnostics.TraceFilter Filter { get => throw null; set => throw null; } + public System.Diagnostics.TraceFilter Filter { get => throw null; set { } } public virtual void Flush() => throw null; protected virtual string[] GetSupportedAttributes() => throw null; - public int IndentLevel { get => throw null; set => throw null; } - public int IndentSize { get => throw null; set => throw null; } + public int IndentLevel { get => throw null; set { } } + public int IndentSize { get => throw null; set { } } public virtual bool IsThreadSafe { get => throw null; } - public virtual string Name { get => throw null; set => throw null; } - protected bool NeedIndent { get => throw null; set => throw null; } + public virtual string Name { get => throw null; set { } } + protected bool NeedIndent { get => throw null; set { } } public virtual void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, object data) => throw null; public virtual void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, params object[] data) => throw null; public virtual void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id) => throw null; public virtual void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, string message) => throw null; public virtual void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType eventType, int id, string format, params object[] args) => throw null; - protected TraceListener() => throw null; - protected TraceListener(string name) => throw null; - public System.Diagnostics.TraceOptions TraceOutputOptions { get => throw null; set => throw null; } + public System.Diagnostics.TraceOptions TraceOutputOptions { get => throw null; set { } } public virtual void TraceTransfer(System.Diagnostics.TraceEventCache eventCache, string source, int id, string message, System.Guid relatedActivityId) => throw null; public virtual void Write(object o) => throw null; public virtual void Write(object o, string category) => throw null; @@ -232,7 +214,6 @@ public abstract class TraceListener : System.MarshalByRefObject, System.IDisposa public abstract void WriteLine(string message); public virtual void WriteLine(string message, string category) => throw null; } - public class TraceListenerCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { public int Add(System.Diagnostics.TraceListener listener) => throw null; @@ -242,8 +223,8 @@ public class TraceListenerCollection : System.Collections.ICollection, System.Co public void Clear() => throw null; public bool Contains(System.Diagnostics.TraceListener listener) => throw null; bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Diagnostics.TraceListener[] listeners, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public System.Collections.IEnumerator GetEnumerator() => throw null; public int IndexOf(System.Diagnostics.TraceListener listener) => throw null; @@ -253,39 +234,39 @@ public class TraceListenerCollection : System.Collections.ICollection, System.Co bool System.Collections.IList.IsFixedSize { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.Diagnostics.TraceListener this[int i] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.Diagnostics.TraceListener this[string name] { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public void Remove(System.Diagnostics.TraceListener listener) => throw null; - void System.Collections.IList.Remove(object value) => throw null; public void Remove(string name) => throw null; + void System.Collections.IList.Remove(object value) => throw null; public void RemoveAt(int index) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public System.Diagnostics.TraceListener this[int i] { get => throw null; set { } } + public System.Diagnostics.TraceListener this[string name] { get => throw null; } } - [System.Flags] - public enum TraceOptions : int + public enum TraceOptions { - Callstack = 32, - DateTime = 2, - LogicalOperationStack = 1, None = 0, + LogicalOperationStack = 1, + DateTime = 2, + Timestamp = 4, ProcessId = 8, ThreadId = 16, - Timestamp = 4, + Callstack = 32, } - public class TraceSource { public System.Collections.Specialized.StringDictionary Attributes { get => throw null; } public void Close() => throw null; + public TraceSource(string name) => throw null; + public TraceSource(string name, System.Diagnostics.SourceLevels defaultLevel) => throw null; public System.Diagnostics.SourceLevels DefaultLevel { get => throw null; } public void Flush() => throw null; protected virtual string[] GetSupportedAttributes() => throw null; - public static event System.EventHandler Initializing; + public static event System.EventHandler Initializing { add { } remove { } } public System.Diagnostics.TraceListenerCollection Listeners { get => throw null; } public string Name { get => throw null; } - public System.Diagnostics.SourceSwitch Switch { get => throw null; set => throw null; } + public System.Diagnostics.SourceSwitch Switch { get => throw null; set { } } public void TraceData(System.Diagnostics.TraceEventType eventType, int id, object data) => throw null; public void TraceData(System.Diagnostics.TraceEventType eventType, int id, params object[] data) => throw null; public void TraceEvent(System.Diagnostics.TraceEventType eventType, int id) => throw null; @@ -293,23 +274,19 @@ public class TraceSource public void TraceEvent(System.Diagnostics.TraceEventType eventType, int id, string format, params object[] args) => throw null; public void TraceInformation(string message) => throw null; public void TraceInformation(string format, params object[] args) => throw null; - public TraceSource(string name) => throw null; - public TraceSource(string name, System.Diagnostics.SourceLevels defaultLevel) => throw null; public void TraceTransfer(int id, string message, System.Guid relatedActivityId) => throw null; } - public class TraceSwitch : System.Diagnostics.Switch { - public System.Diagnostics.TraceLevel Level { get => throw null; set => throw null; } + public TraceSwitch(string displayName, string description) : base(default(string), default(string)) => throw null; + public TraceSwitch(string displayName, string description, string defaultSwitchValue) : base(default(string), default(string)) => throw null; + public System.Diagnostics.TraceLevel Level { get => throw null; set { } } protected override void OnSwitchSettingChanged() => throw null; protected override void OnValueChanged() => throw null; public bool TraceError { get => throw null; } public bool TraceInfo { get => throw null; } - public TraceSwitch(string displayName, string description) : base(default(string), default(string)) => throw null; - public TraceSwitch(string displayName, string description, string defaultSwitchValue) : base(default(string), default(string)) => throw null; public bool TraceVerbose { get => throw null; } public bool TraceWarning { get => throw null; } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs index 2089760e9498..353eb1996d4e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.Tracing, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Diagnostics @@ -10,55 +9,49 @@ namespace Tracing public abstract class DiagnosticCounter : System.IDisposable { public void AddMetadata(string key, string value) => throw null; - internal DiagnosticCounter() => throw null; - public string DisplayName { get => throw null; set => throw null; } - public string DisplayUnits { get => throw null; set => throw null; } + public string DisplayName { get => throw null; set { } } + public string DisplayUnits { get => throw null; set { } } public void Dispose() => throw null; public System.Diagnostics.Tracing.EventSource EventSource { get => throw null; } public string Name { get => throw null; } } - [System.Flags] - public enum EventActivityOptions : int + public enum EventActivityOptions { - Detachable = 8, - Disable = 2, None = 0, + Disable = 2, Recursive = 4, + Detachable = 8, } - - public class EventAttribute : System.Attribute + public sealed class EventAttribute : System.Attribute { - public System.Diagnostics.Tracing.EventActivityOptions ActivityOptions { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventChannel Channel { get => throw null; set => throw null; } + public System.Diagnostics.Tracing.EventActivityOptions ActivityOptions { get => throw null; set { } } + public System.Diagnostics.Tracing.EventChannel Channel { get => throw null; set { } } public EventAttribute(int eventId) => throw null; public int EventId { get => throw null; } - public System.Diagnostics.Tracing.EventKeywords Keywords { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventLevel Level { get => throw null; set => throw null; } - public string Message { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventOpcode Opcode { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventTags Tags { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventTask Task { get => throw null; set => throw null; } - public System.Byte Version { get => throw null; set => throw null; } + public System.Diagnostics.Tracing.EventKeywords Keywords { get => throw null; set { } } + public System.Diagnostics.Tracing.EventLevel Level { get => throw null; set { } } + public string Message { get => throw null; set { } } + public System.Diagnostics.Tracing.EventOpcode Opcode { get => throw null; set { } } + public System.Diagnostics.Tracing.EventTags Tags { get => throw null; set { } } + public System.Diagnostics.Tracing.EventTask Task { get => throw null; set { } } + public byte Version { get => throw null; set { } } } - public enum EventChannel : byte { + None = 0, Admin = 16, + Operational = 17, Analytic = 18, Debug = 19, - None = 0, - Operational = 17, } - - public enum EventCommand : int + public enum EventCommand { Disable = -3, Enable = -2, SendManifest = -1, Update = 0, } - public class EventCommandEventArgs : System.EventArgs { public System.Collections.Generic.IDictionary Arguments { get => throw null; } @@ -66,7 +59,6 @@ public class EventCommandEventArgs : System.EventArgs public bool DisableEvent(int eventId) => throw null; public bool EnableEvent(int eventId) => throw null; } - public class EventCounter : System.Diagnostics.Tracing.DiagnosticCounter { public EventCounter(string name, System.Diagnostics.Tracing.EventSource eventSource) => throw null; @@ -74,129 +66,115 @@ public class EventCounter : System.Diagnostics.Tracing.DiagnosticCounter public void WriteMetric(double value) => throw null; public void WriteMetric(float value) => throw null; } - public class EventDataAttribute : System.Attribute { public EventDataAttribute() => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } } - public class EventFieldAttribute : System.Attribute { public EventFieldAttribute() => throw null; - public System.Diagnostics.Tracing.EventFieldFormat Format { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventFieldTags Tags { get => throw null; set => throw null; } + public System.Diagnostics.Tracing.EventFieldFormat Format { get => throw null; set { } } + public System.Diagnostics.Tracing.EventFieldTags Tags { get => throw null; set { } } } - - public enum EventFieldFormat : int + public enum EventFieldFormat { - Boolean = 3, Default = 0, - HResult = 15, - Hexadecimal = 4, - Json = 12, String = 2, + Boolean = 3, + Hexadecimal = 4, Xml = 11, + Json = 12, + HResult = 15, } - [System.Flags] - public enum EventFieldTags : int + public enum EventFieldTags { None = 0, } - public class EventIgnoreAttribute : System.Attribute { public EventIgnoreAttribute() => throw null; } - [System.Flags] public enum EventKeywords : long { All = -1, - AuditFailure = 4503599627370496, - AuditSuccess = 9007199254740992, - CorrelationHint = 4503599627370496, - EventLogClassic = 36028797018963968, - MicrosoftTelemetry = 562949953421312, None = 0, - Sqm = 2251799813685248, + MicrosoftTelemetry = 562949953421312, WdiContext = 562949953421312, WdiDiagnostic = 1125899906842624, + Sqm = 2251799813685248, + AuditFailure = 4503599627370496, + CorrelationHint = 4503599627370496, + AuditSuccess = 9007199254740992, + EventLogClassic = 36028797018963968, } - - public enum EventLevel : int + public enum EventLevel { + LogAlways = 0, Critical = 1, Error = 2, + Warning = 3, Informational = 4, - LogAlways = 0, Verbose = 5, - Warning = 3, } - public abstract class EventListener : System.IDisposable { + protected EventListener() => throw null; public void DisableEvents(System.Diagnostics.Tracing.EventSource eventSource) => throw null; public virtual void Dispose() => throw null; public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level) => throw null; public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level, System.Diagnostics.Tracing.EventKeywords matchAnyKeyword) => throw null; public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level, System.Diagnostics.Tracing.EventKeywords matchAnyKeyword, System.Collections.Generic.IDictionary arguments) => throw null; - protected EventListener() => throw null; - public event System.EventHandler EventSourceCreated; + public event System.EventHandler EventSourceCreated { add { } remove { } } protected static int EventSourceIndex(System.Diagnostics.Tracing.EventSource eventSource) => throw null; - public event System.EventHandler EventWritten; - protected internal virtual void OnEventSourceCreated(System.Diagnostics.Tracing.EventSource eventSource) => throw null; - protected internal virtual void OnEventWritten(System.Diagnostics.Tracing.EventWrittenEventArgs eventData) => throw null; + public event System.EventHandler EventWritten { add { } remove { } } + protected virtual void OnEventSourceCreated(System.Diagnostics.Tracing.EventSource eventSource) => throw null; + protected virtual void OnEventWritten(System.Diagnostics.Tracing.EventWrittenEventArgs eventData) => throw null; } - [System.Flags] - public enum EventManifestOptions : int + public enum EventManifestOptions { - AllCultures = 2, - AllowEventSourceOverride = 8, None = 0, - OnlyIfNeededForRegistration = 4, Strict = 1, + AllCultures = 2, + OnlyIfNeededForRegistration = 4, + AllowEventSourceOverride = 8, } - - public enum EventOpcode : int + public enum EventOpcode { + Info = 0, + Start = 1, + Stop = 2, DataCollectionStart = 3, DataCollectionStop = 4, Extension = 5, - Info = 0, - Receive = 240, Reply = 6, Resume = 7, - Send = 9, - Start = 1, - Stop = 2, Suspend = 8, + Send = 9, + Receive = 240, } - public class EventSource : System.IDisposable { - protected internal struct EventData - { - public System.IntPtr DataPointer { get => throw null; set => throw null; } - // Stub generator skipped constructor - public int Size { get => throw null; set => throw null; } - } - - public System.Exception ConstructionException { get => throw null; } - public static System.Guid CurrentThreadActivityId { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler EventCommandExecuted; protected EventSource() => throw null; + protected EventSource(bool throwOnEventWriteErrors) => throw null; protected EventSource(System.Diagnostics.Tracing.EventSourceSettings settings) => throw null; protected EventSource(System.Diagnostics.Tracing.EventSourceSettings settings, params string[] traits) => throw null; - protected EventSource(bool throwOnEventWriteErrors) => throw null; public EventSource(string eventSourceName) => throw null; public EventSource(string eventSourceName, System.Diagnostics.Tracing.EventSourceSettings config) => throw null; public EventSource(string eventSourceName, System.Diagnostics.Tracing.EventSourceSettings config, params string[] traits) => throw null; + public static System.Guid CurrentThreadActivityId { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public event System.EventHandler EventCommandExecuted { add { } remove { } } + protected struct EventData + { + public nint DataPointer { get => throw null; set { } } + public int Size { get => throw null; set { } } + } public static string GenerateManifest(System.Type eventSourceType, string assemblyPathToIncludeInManifest) => throw null; public static string GenerateManifest(System.Type eventSourceType, string assemblyPathToIncludeInManifest, System.Diagnostics.Tracing.EventManifestOptions flags) => throw null; public static System.Guid GetGuid(System.Type eventSourceType) => throw null; @@ -217,47 +195,43 @@ protected internal struct EventData public void Write(string eventName) => throw null; public void Write(string eventName, System.Diagnostics.Tracing.EventSourceOptions options) => throw null; public void Write(string eventName, System.Diagnostics.Tracing.EventSourceOptions options, T data) => throw null; - public void Write(string eventName, T data) => throw null; public void Write(string eventName, ref System.Diagnostics.Tracing.EventSourceOptions options, ref System.Guid activityId, ref System.Guid relatedActivityId, ref T data) => throw null; public void Write(string eventName, ref System.Diagnostics.Tracing.EventSourceOptions options, ref T data) => throw null; + public void Write(string eventName, T data) => throw null; protected void WriteEvent(int eventId) => throw null; - protected void WriteEvent(int eventId, System.Byte[] arg1) => throw null; + protected void WriteEvent(int eventId, byte[] arg1) => throw null; protected void WriteEvent(int eventId, int arg1) => throw null; protected void WriteEvent(int eventId, int arg1, int arg2) => throw null; protected void WriteEvent(int eventId, int arg1, int arg2, int arg3) => throw null; protected void WriteEvent(int eventId, int arg1, string arg2) => throw null; - protected void WriteEvent(int eventId, System.Int64 arg1) => throw null; - protected void WriteEvent(int eventId, System.Int64 arg1, System.Byte[] arg2) => throw null; - protected void WriteEvent(int eventId, System.Int64 arg1, System.Int64 arg2) => throw null; - protected void WriteEvent(int eventId, System.Int64 arg1, System.Int64 arg2, System.Int64 arg3) => throw null; - protected void WriteEvent(int eventId, System.Int64 arg1, string arg2) => throw null; + protected void WriteEvent(int eventId, long arg1) => throw null; + protected void WriteEvent(int eventId, long arg1, byte[] arg2) => throw null; + protected void WriteEvent(int eventId, long arg1, long arg2) => throw null; + protected void WriteEvent(int eventId, long arg1, long arg2, long arg3) => throw null; + protected void WriteEvent(int eventId, long arg1, string arg2) => throw null; protected void WriteEvent(int eventId, params object[] args) => throw null; protected void WriteEvent(int eventId, string arg1) => throw null; protected void WriteEvent(int eventId, string arg1, int arg2) => throw null; protected void WriteEvent(int eventId, string arg1, int arg2, int arg3) => throw null; - protected void WriteEvent(int eventId, string arg1, System.Int64 arg2) => throw null; + protected void WriteEvent(int eventId, string arg1, long arg2) => throw null; protected void WriteEvent(int eventId, string arg1, string arg2) => throw null; protected void WriteEvent(int eventId, string arg1, string arg2, string arg3) => throw null; - unsafe protected void WriteEventCore(int eventId, int eventDataCount, System.Diagnostics.Tracing.EventSource.EventData* data) => throw null; + protected unsafe void WriteEventCore(int eventId, int eventDataCount, System.Diagnostics.Tracing.EventSource.EventData* data) => throw null; protected void WriteEventWithRelatedActivityId(int eventId, System.Guid relatedActivityId, params object[] args) => throw null; - unsafe protected void WriteEventWithRelatedActivityIdCore(int eventId, System.Guid* relatedActivityId, int eventDataCount, System.Diagnostics.Tracing.EventSource.EventData* data) => throw null; - // ERR: Stub generator didn't handle member: ~EventSource + protected unsafe void WriteEventWithRelatedActivityIdCore(int eventId, System.Guid* relatedActivityId, int eventDataCount, System.Diagnostics.Tracing.EventSource.EventData* data) => throw null; } - - public class EventSourceAttribute : System.Attribute + public sealed class EventSourceAttribute : System.Attribute { public EventSourceAttribute() => throw null; - public string Guid { get => throw null; set => throw null; } - public string LocalizationResources { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public string Guid { get => throw null; set { } } + public string LocalizationResources { get => throw null; set { } } + public string Name { get => throw null; set { } } } - public class EventSourceCreatedEventArgs : System.EventArgs { - public System.Diagnostics.Tracing.EventSource EventSource { get => throw null; } public EventSourceCreatedEventArgs() => throw null; + public System.Diagnostics.Tracing.EventSource EventSource { get => throw null; } } - public class EventSourceException : System.Exception { public EventSourceException() => throw null; @@ -265,37 +239,31 @@ public class EventSourceException : System.Exception public EventSourceException(string message) => throw null; public EventSourceException(string message, System.Exception innerException) => throw null; } - public struct EventSourceOptions { - public System.Diagnostics.Tracing.EventActivityOptions ActivityOptions { get => throw null; set => throw null; } - // Stub generator skipped constructor - public System.Diagnostics.Tracing.EventKeywords Keywords { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventLevel Level { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventOpcode Opcode { get => throw null; set => throw null; } - public System.Diagnostics.Tracing.EventTags Tags { get => throw null; set => throw null; } + public System.Diagnostics.Tracing.EventActivityOptions ActivityOptions { get => throw null; set { } } + public System.Diagnostics.Tracing.EventKeywords Keywords { get => throw null; set { } } + public System.Diagnostics.Tracing.EventLevel Level { get => throw null; set { } } + public System.Diagnostics.Tracing.EventOpcode Opcode { get => throw null; set { } } + public System.Diagnostics.Tracing.EventTags Tags { get => throw null; set { } } } - [System.Flags] - public enum EventSourceSettings : int + public enum EventSourceSettings { Default = 0, + ThrowOnEventWriteErrors = 1, EtwManifestEventFormat = 4, EtwSelfDescribingEventFormat = 8, - ThrowOnEventWriteErrors = 1, } - [System.Flags] - public enum EventTags : int + public enum EventTags { None = 0, } - - public enum EventTask : int + public enum EventTask { None = 0, } - public class EventWrittenEventArgs : System.EventArgs { public System.Guid ActivityId { get => throw null; } @@ -306,43 +274,38 @@ public class EventWrittenEventArgs : System.EventArgs public System.Diagnostics.Tracing.EventKeywords Keywords { get => throw null; } public System.Diagnostics.Tracing.EventLevel Level { get => throw null; } public string Message { get => throw null; } - public System.Int64 OSThreadId { get => throw null; } public System.Diagnostics.Tracing.EventOpcode Opcode { get => throw null; } + public long OSThreadId { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Payload { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection PayloadNames { get => throw null; } public System.Guid RelatedActivityId { get => throw null; } public System.Diagnostics.Tracing.EventTags Tags { get => throw null; } public System.Diagnostics.Tracing.EventTask Task { get => throw null; } public System.DateTime TimeStamp { get => throw null; } - public System.Byte Version { get => throw null; } + public byte Version { get => throw null; } } - public class IncrementingEventCounter : System.Diagnostics.Tracing.DiagnosticCounter { - public System.TimeSpan DisplayRateTimeScale { get => throw null; set => throw null; } - public void Increment(double increment = default(double)) => throw null; public IncrementingEventCounter(string name, System.Diagnostics.Tracing.EventSource eventSource) => throw null; + public System.TimeSpan DisplayRateTimeScale { get => throw null; set { } } + public void Increment(double increment = default(double)) => throw null; public override string ToString() => throw null; } - public class IncrementingPollingCounter : System.Diagnostics.Tracing.DiagnosticCounter { - public System.TimeSpan DisplayRateTimeScale { get => throw null; set => throw null; } public IncrementingPollingCounter(string name, System.Diagnostics.Tracing.EventSource eventSource, System.Func totalValueProvider) => throw null; + public System.TimeSpan DisplayRateTimeScale { get => throw null; set { } } public override string ToString() => throw null; } - - public class NonEventAttribute : System.Attribute + public sealed class NonEventAttribute : System.Attribute { public NonEventAttribute() => throw null; } - public class PollingCounter : System.Diagnostics.Tracing.DiagnosticCounter { public PollingCounter(string name, System.Diagnostics.Tracing.EventSource eventSource, System.Func metricProvider) => throw null; public override string ToString() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.Primitives.cs index fcd96e8c4162..5f566248984a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.Primitives.cs @@ -1,21 +1,18 @@ // This file contains auto-generated code. // Generated from `System.Drawing.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Drawing { public struct Color : System.IEquatable { - public static bool operator !=(System.Drawing.Color left, System.Drawing.Color right) => throw null; - public static bool operator ==(System.Drawing.Color left, System.Drawing.Color right) => throw null; - public System.Byte A { get => throw null; } + public byte A { get => throw null; } public static System.Drawing.Color AliceBlue { get => throw null; } public static System.Drawing.Color AntiqueWhite { get => throw null; } public static System.Drawing.Color Aqua { get => throw null; } public static System.Drawing.Color Aquamarine { get => throw null; } public static System.Drawing.Color Azure { get => throw null; } - public System.Byte B { get => throw null; } + public byte B { get => throw null; } public static System.Drawing.Color Beige { get => throw null; } public static System.Drawing.Color Bisque { get => throw null; } public static System.Drawing.Color Black { get => throw null; } @@ -27,7 +24,6 @@ public struct Color : System.IEquatable public static System.Drawing.Color CadetBlue { get => throw null; } public static System.Drawing.Color Chartreuse { get => throw null; } public static System.Drawing.Color Chocolate { get => throw null; } - // Stub generator skipped constructor public static System.Drawing.Color Coral { get => throw null; } public static System.Drawing.Color CornflowerBlue { get => throw null; } public static System.Drawing.Color Cornsilk { get => throw null; } @@ -67,7 +63,7 @@ public struct Color : System.IEquatable public static System.Drawing.Color FromKnownColor(System.Drawing.KnownColor color) => throw null; public static System.Drawing.Color FromName(string name) => throw null; public static System.Drawing.Color Fuchsia { get => throw null; } - public System.Byte G { get => throw null; } + public byte G { get => throw null; } public static System.Drawing.Color Gainsboro { get => throw null; } public float GetBrightness() => throw null; public override int GetHashCode() => throw null; @@ -130,6 +126,8 @@ public struct Color : System.IEquatable public static System.Drawing.Color OldLace { get => throw null; } public static System.Drawing.Color Olive { get => throw null; } public static System.Drawing.Color OliveDrab { get => throw null; } + public static bool operator ==(System.Drawing.Color left, System.Drawing.Color right) => throw null; + public static bool operator !=(System.Drawing.Color left, System.Drawing.Color right) => throw null; public static System.Drawing.Color Orange { get => throw null; } public static System.Drawing.Color OrangeRed { get => throw null; } public static System.Drawing.Color Orchid { get => throw null; } @@ -144,7 +142,7 @@ public struct Color : System.IEquatable public static System.Drawing.Color Plum { get => throw null; } public static System.Drawing.Color PowderBlue { get => throw null; } public static System.Drawing.Color Purple { get => throw null; } - public System.Byte R { get => throw null; } + public byte R { get => throw null; } public static System.Drawing.Color RebeccaPurple { get => throw null; } public static System.Drawing.Color Red { get => throw null; } public static System.Drawing.Color RosyBrown { get => throw null; } @@ -167,8 +165,8 @@ public struct Color : System.IEquatable public static System.Drawing.Color Thistle { get => throw null; } public int ToArgb() => throw null; public System.Drawing.KnownColor ToKnownColor() => throw null; - public override string ToString() => throw null; public static System.Drawing.Color Tomato { get => throw null; } + public override string ToString() => throw null; public static System.Drawing.Color Transparent { get => throw null; } public static System.Drawing.Color Turquoise { get => throw null; } public static System.Drawing.Color Violet { get => throw null; } @@ -178,7 +176,6 @@ public struct Color : System.IEquatable public static System.Drawing.Color Yellow { get => throw null; } public static System.Drawing.Color YellowGreen { get => throw null; } } - public static class ColorTranslator { public static System.Drawing.Color FromHtml(string htmlColor) => throw null; @@ -188,15 +185,37 @@ public static class ColorTranslator public static int ToOle(System.Drawing.Color c) => throw null; public static int ToWin32(System.Drawing.Color c) => throw null; } - - public enum KnownColor : int + public enum KnownColor { ActiveBorder = 1, ActiveCaption = 2, ActiveCaptionText = 3, + AppWorkspace = 4, + Control = 5, + ControlDark = 6, + ControlDarkDark = 7, + ControlLight = 8, + ControlLightLight = 9, + ControlText = 10, + Desktop = 11, + GrayText = 12, + Highlight = 13, + HighlightText = 14, + HotTrack = 15, + InactiveBorder = 16, + InactiveCaption = 17, + InactiveCaptionText = 18, + Info = 19, + InfoText = 20, + Menu = 21, + MenuText = 22, + ScrollBar = 23, + Window = 24, + WindowFrame = 25, + WindowText = 26, + Transparent = 27, AliceBlue = 28, AntiqueWhite = 29, - AppWorkspace = 4, Aqua = 30, Aquamarine = 31, Azure = 32, @@ -208,18 +227,9 @@ public enum KnownColor : int BlueViolet = 38, Brown = 39, BurlyWood = 40, - ButtonFace = 168, - ButtonHighlight = 169, - ButtonShadow = 170, CadetBlue = 41, Chartreuse = 42, Chocolate = 43, - Control = 5, - ControlDark = 6, - ControlDarkDark = 7, - ControlLight = 8, - ControlLightLight = 9, - ControlText = 10, Coral = 44, CornflowerBlue = 45, Cornsilk = 46, @@ -244,7 +254,6 @@ public enum KnownColor : int DarkViolet = 65, DeepPink = 66, DeepSkyBlue = 67, - Desktop = 11, DimGray = 68, DodgerBlue = 69, Firebrick = 70, @@ -255,24 +264,13 @@ public enum KnownColor : int GhostWhite = 75, Gold = 76, Goldenrod = 77, - GradientActiveCaption = 171, - GradientInactiveCaption = 172, Gray = 78, - GrayText = 12, Green = 79, GreenYellow = 80, - Highlight = 13, - HighlightText = 14, Honeydew = 81, HotPink = 82, - HotTrack = 15, - InactiveBorder = 16, - InactiveCaption = 17, - InactiveCaptionText = 18, IndianRed = 83, Indigo = 84, - Info = 19, - InfoText = 20, Ivory = 85, Khaki = 86, Lavender = 87, @@ -306,10 +304,6 @@ public enum KnownColor : int MediumSpringGreen = 115, MediumTurquoise = 116, MediumVioletRed = 117, - Menu = 21, - MenuBar = 173, - MenuHighlight = 174, - MenuText = 22, MidnightBlue = 118, MintCream = 119, MistyRose = 120, @@ -333,14 +327,12 @@ public enum KnownColor : int Plum = 138, PowderBlue = 139, Purple = 140, - RebeccaPurple = 175, Red = 141, RosyBrown = 142, RoyalBlue = 143, SaddleBrown = 144, Salmon = 145, SandyBrown = 146, - ScrollBar = 23, SeaGreen = 147, SeaShell = 148, Sienna = 149, @@ -355,27 +347,29 @@ public enum KnownColor : int Teal = 158, Thistle = 159, Tomato = 160, - Transparent = 27, Turquoise = 161, Violet = 162, Wheat = 163, White = 164, WhiteSmoke = 165, - Window = 24, - WindowFrame = 25, - WindowText = 26, Yellow = 166, YellowGreen = 167, + ButtonFace = 168, + ButtonHighlight = 169, + ButtonShadow = 170, + GradientActiveCaption = 171, + GradientInactiveCaption = 172, + MenuBar = 173, + MenuHighlight = 174, + RebeccaPurple = 175, } - public struct Point : System.IEquatable { - public static bool operator !=(System.Drawing.Point left, System.Drawing.Point right) => throw null; - public static System.Drawing.Point operator +(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; - public static System.Drawing.Point operator -(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; - public static bool operator ==(System.Drawing.Point left, System.Drawing.Point right) => throw null; public static System.Drawing.Point Add(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; public static System.Drawing.Point Ceiling(System.Drawing.PointF value) => throw null; + public Point(System.Drawing.Size sz) => throw null; + public Point(int dw) => throw null; + public Point(int x, int y) => throw null; public static System.Drawing.Point Empty; public bool Equals(System.Drawing.Point other) => throw null; public override bool Equals(object obj) => throw null; @@ -383,63 +377,60 @@ public struct Point : System.IEquatable public bool IsEmpty { get => throw null; } public void Offset(System.Drawing.Point p) => throw null; public void Offset(int dx, int dy) => throw null; - // Stub generator skipped constructor - public Point(System.Drawing.Size sz) => throw null; - public Point(int dw) => throw null; - public Point(int x, int y) => throw null; + public static System.Drawing.Point operator +(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; + public static bool operator ==(System.Drawing.Point left, System.Drawing.Point right) => throw null; + public static explicit operator System.Drawing.Size(System.Drawing.Point p) => throw null; + public static implicit operator System.Drawing.PointF(System.Drawing.Point p) => throw null; + public static bool operator !=(System.Drawing.Point left, System.Drawing.Point right) => throw null; + public static System.Drawing.Point operator -(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; public static System.Drawing.Point Round(System.Drawing.PointF value) => throw null; public static System.Drawing.Point Subtract(System.Drawing.Point pt, System.Drawing.Size sz) => throw null; public override string ToString() => throw null; public static System.Drawing.Point Truncate(System.Drawing.PointF value) => throw null; - public int X { get => throw null; set => throw null; } - public int Y { get => throw null; set => throw null; } - public static explicit operator System.Drawing.Size(System.Drawing.Point p) => throw null; - public static implicit operator System.Drawing.PointF(System.Drawing.Point p) => throw null; + public int X { get => throw null; set { } } + public int Y { get => throw null; set { } } } - public struct PointF : System.IEquatable { - public static bool operator !=(System.Drawing.PointF left, System.Drawing.PointF right) => throw null; - public static System.Drawing.PointF operator +(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; - public static System.Drawing.PointF operator +(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; - public static System.Drawing.PointF operator -(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; - public static System.Drawing.PointF operator -(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; - public static bool operator ==(System.Drawing.PointF left, System.Drawing.PointF right) => throw null; public static System.Drawing.PointF Add(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; public static System.Drawing.PointF Add(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; + public PointF(float x, float y) => throw null; + public PointF(System.Numerics.Vector2 vector) => throw null; public static System.Drawing.PointF Empty; public bool Equals(System.Drawing.PointF other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsEmpty { get => throw null; } - // Stub generator skipped constructor - public PointF(System.Numerics.Vector2 vector) => throw null; - public PointF(float x, float y) => throw null; + public static System.Drawing.PointF operator +(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; + public static System.Drawing.PointF operator +(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; + public static bool operator ==(System.Drawing.PointF left, System.Drawing.PointF right) => throw null; + public static explicit operator System.Numerics.Vector2(System.Drawing.PointF point) => throw null; + public static explicit operator System.Drawing.PointF(System.Numerics.Vector2 vector) => throw null; + public static bool operator !=(System.Drawing.PointF left, System.Drawing.PointF right) => throw null; + public static System.Drawing.PointF operator -(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; + public static System.Drawing.PointF operator -(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; public static System.Drawing.PointF Subtract(System.Drawing.PointF pt, System.Drawing.Size sz) => throw null; public static System.Drawing.PointF Subtract(System.Drawing.PointF pt, System.Drawing.SizeF sz) => throw null; public override string ToString() => throw null; public System.Numerics.Vector2 ToVector2() => throw null; - public float X { get => throw null; set => throw null; } - public float Y { get => throw null; set => throw null; } - public static explicit operator System.Numerics.Vector2(System.Drawing.PointF point) => throw null; - public static explicit operator System.Drawing.PointF(System.Numerics.Vector2 vector) => throw null; + public float X { get => throw null; set { } } + public float Y { get => throw null; set { } } } - public struct Rectangle : System.IEquatable { - public static bool operator !=(System.Drawing.Rectangle left, System.Drawing.Rectangle right) => throw null; - public static bool operator ==(System.Drawing.Rectangle left, System.Drawing.Rectangle right) => throw null; public int Bottom { get => throw null; } public static System.Drawing.Rectangle Ceiling(System.Drawing.RectangleF value) => throw null; public bool Contains(System.Drawing.Point pt) => throw null; public bool Contains(System.Drawing.Rectangle rect) => throw null; public bool Contains(int x, int y) => throw null; + public Rectangle(System.Drawing.Point location, System.Drawing.Size size) => throw null; + public Rectangle(int x, int y, int width, int height) => throw null; public static System.Drawing.Rectangle Empty; public bool Equals(System.Drawing.Rectangle other) => throw null; public override bool Equals(object obj) => throw null; public static System.Drawing.Rectangle FromLTRB(int left, int top, int right, int bottom) => throw null; public override int GetHashCode() => throw null; - public int Height { get => throw null; set => throw null; } + public int Height { get => throw null; set { } } public static System.Drawing.Rectangle Inflate(System.Drawing.Rectangle rect, int x, int y) => throw null; public void Inflate(System.Drawing.Size size) => throw null; public void Inflate(int width, int height) => throw null; @@ -448,38 +439,37 @@ public struct Rectangle : System.IEquatable public bool IntersectsWith(System.Drawing.Rectangle rect) => throw null; public bool IsEmpty { get => throw null; } public int Left { get => throw null; } - public System.Drawing.Point Location { get => throw null; set => throw null; } + public System.Drawing.Point Location { get => throw null; set { } } public void Offset(System.Drawing.Point pos) => throw null; public void Offset(int x, int y) => throw null; - // Stub generator skipped constructor - public Rectangle(System.Drawing.Point location, System.Drawing.Size size) => throw null; - public Rectangle(int x, int y, int width, int height) => throw null; + public static bool operator ==(System.Drawing.Rectangle left, System.Drawing.Rectangle right) => throw null; + public static bool operator !=(System.Drawing.Rectangle left, System.Drawing.Rectangle right) => throw null; public int Right { get => throw null; } public static System.Drawing.Rectangle Round(System.Drawing.RectangleF value) => throw null; - public System.Drawing.Size Size { get => throw null; set => throw null; } - public override string ToString() => throw null; + public System.Drawing.Size Size { get => throw null; set { } } public int Top { get => throw null; } + public override string ToString() => throw null; public static System.Drawing.Rectangle Truncate(System.Drawing.RectangleF value) => throw null; public static System.Drawing.Rectangle Union(System.Drawing.Rectangle a, System.Drawing.Rectangle b) => throw null; - public int Width { get => throw null; set => throw null; } - public int X { get => throw null; set => throw null; } - public int Y { get => throw null; set => throw null; } + public int Width { get => throw null; set { } } + public int X { get => throw null; set { } } + public int Y { get => throw null; set { } } } - public struct RectangleF : System.IEquatable { - public static bool operator !=(System.Drawing.RectangleF left, System.Drawing.RectangleF right) => throw null; - public static bool operator ==(System.Drawing.RectangleF left, System.Drawing.RectangleF right) => throw null; public float Bottom { get => throw null; } public bool Contains(System.Drawing.PointF pt) => throw null; public bool Contains(System.Drawing.RectangleF rect) => throw null; public bool Contains(float x, float y) => throw null; + public RectangleF(System.Drawing.PointF location, System.Drawing.SizeF size) => throw null; + public RectangleF(float x, float y, float width, float height) => throw null; + public RectangleF(System.Numerics.Vector4 vector) => throw null; public static System.Drawing.RectangleF Empty; public bool Equals(System.Drawing.RectangleF other) => throw null; public override bool Equals(object obj) => throw null; public static System.Drawing.RectangleF FromLTRB(float left, float top, float right, float bottom) => throw null; public override int GetHashCode() => throw null; - public float Height { get => throw null; set => throw null; } + public float Height { get => throw null; set { } } public static System.Drawing.RectangleF Inflate(System.Drawing.RectangleF rect, float x, float y) => throw null; public void Inflate(System.Drawing.SizeF size) => throw null; public void Inflate(float x, float y) => throw null; @@ -488,91 +478,84 @@ public struct RectangleF : System.IEquatable public bool IntersectsWith(System.Drawing.RectangleF rect) => throw null; public bool IsEmpty { get => throw null; } public float Left { get => throw null; } - public System.Drawing.PointF Location { get => throw null; set => throw null; } + public System.Drawing.PointF Location { get => throw null; set { } } public void Offset(System.Drawing.PointF pos) => throw null; public void Offset(float x, float y) => throw null; - // Stub generator skipped constructor - public RectangleF(System.Drawing.PointF location, System.Drawing.SizeF size) => throw null; - public RectangleF(System.Numerics.Vector4 vector) => throw null; - public RectangleF(float x, float y, float width, float height) => throw null; + public static bool operator ==(System.Drawing.RectangleF left, System.Drawing.RectangleF right) => throw null; + public static explicit operator System.Numerics.Vector4(System.Drawing.RectangleF rectangle) => throw null; + public static explicit operator System.Drawing.RectangleF(System.Numerics.Vector4 vector) => throw null; + public static implicit operator System.Drawing.RectangleF(System.Drawing.Rectangle r) => throw null; + public static bool operator !=(System.Drawing.RectangleF left, System.Drawing.RectangleF right) => throw null; public float Right { get => throw null; } - public System.Drawing.SizeF Size { get => throw null; set => throw null; } + public System.Drawing.SizeF Size { get => throw null; set { } } + public float Top { get => throw null; } public override string ToString() => throw null; public System.Numerics.Vector4 ToVector4() => throw null; - public float Top { get => throw null; } public static System.Drawing.RectangleF Union(System.Drawing.RectangleF a, System.Drawing.RectangleF b) => throw null; - public float Width { get => throw null; set => throw null; } - public float X { get => throw null; set => throw null; } - public float Y { get => throw null; set => throw null; } - public static explicit operator System.Numerics.Vector4(System.Drawing.RectangleF rectangle) => throw null; - public static explicit operator System.Drawing.RectangleF(System.Numerics.Vector4 vector) => throw null; - public static implicit operator System.Drawing.RectangleF(System.Drawing.Rectangle r) => throw null; + public float Width { get => throw null; set { } } + public float X { get => throw null; set { } } + public float Y { get => throw null; set { } } } - public struct Size : System.IEquatable { - public static bool operator !=(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; - public static System.Drawing.SizeF operator *(System.Drawing.Size left, float right) => throw null; - public static System.Drawing.Size operator *(System.Drawing.Size left, int right) => throw null; - public static System.Drawing.SizeF operator *(float left, System.Drawing.Size right) => throw null; - public static System.Drawing.Size operator *(int left, System.Drawing.Size right) => throw null; - public static System.Drawing.Size operator +(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; - public static System.Drawing.Size operator -(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; - public static System.Drawing.SizeF operator /(System.Drawing.Size left, float right) => throw null; - public static System.Drawing.Size operator /(System.Drawing.Size left, int right) => throw null; - public static bool operator ==(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; public static System.Drawing.Size Add(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; public static System.Drawing.Size Ceiling(System.Drawing.SizeF value) => throw null; + public Size(System.Drawing.Point pt) => throw null; + public Size(int width, int height) => throw null; public static System.Drawing.Size Empty; public bool Equals(System.Drawing.Size other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public int Height { get => throw null; set => throw null; } + public int Height { get => throw null; set { } } public bool IsEmpty { get => throw null; } + public static System.Drawing.Size operator +(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; + public static System.Drawing.Size operator /(System.Drawing.Size left, int right) => throw null; + public static System.Drawing.SizeF operator /(System.Drawing.Size left, float right) => throw null; + public static bool operator ==(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; + public static explicit operator System.Drawing.Point(System.Drawing.Size size) => throw null; + public static implicit operator System.Drawing.SizeF(System.Drawing.Size p) => throw null; + public static bool operator !=(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; + public static System.Drawing.Size operator *(System.Drawing.Size left, int right) => throw null; + public static System.Drawing.SizeF operator *(System.Drawing.Size left, float right) => throw null; + public static System.Drawing.Size operator *(int left, System.Drawing.Size right) => throw null; + public static System.Drawing.SizeF operator *(float left, System.Drawing.Size right) => throw null; + public static System.Drawing.Size operator -(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; public static System.Drawing.Size Round(System.Drawing.SizeF value) => throw null; - // Stub generator skipped constructor - public Size(System.Drawing.Point pt) => throw null; - public Size(int width, int height) => throw null; public static System.Drawing.Size Subtract(System.Drawing.Size sz1, System.Drawing.Size sz2) => throw null; public override string ToString() => throw null; public static System.Drawing.Size Truncate(System.Drawing.SizeF value) => throw null; - public int Width { get => throw null; set => throw null; } - public static explicit operator System.Drawing.Point(System.Drawing.Size size) => throw null; - public static implicit operator System.Drawing.SizeF(System.Drawing.Size p) => throw null; + public int Width { get => throw null; set { } } } - public struct SizeF : System.IEquatable { - public static bool operator !=(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; - public static System.Drawing.SizeF operator *(System.Drawing.SizeF left, float right) => throw null; - public static System.Drawing.SizeF operator *(float left, System.Drawing.SizeF right) => throw null; - public static System.Drawing.SizeF operator +(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; - public static System.Drawing.SizeF operator -(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; - public static System.Drawing.SizeF operator /(System.Drawing.SizeF left, float right) => throw null; - public static bool operator ==(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; public static System.Drawing.SizeF Add(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; + public SizeF(System.Drawing.PointF pt) => throw null; + public SizeF(System.Drawing.SizeF size) => throw null; + public SizeF(float width, float height) => throw null; + public SizeF(System.Numerics.Vector2 vector) => throw null; public static System.Drawing.SizeF Empty; public bool Equals(System.Drawing.SizeF other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public float Height { get => throw null; set => throw null; } + public float Height { get => throw null; set { } } public bool IsEmpty { get => throw null; } - // Stub generator skipped constructor - public SizeF(System.Drawing.PointF pt) => throw null; - public SizeF(System.Drawing.SizeF size) => throw null; - public SizeF(System.Numerics.Vector2 vector) => throw null; - public SizeF(float width, float height) => throw null; + public static System.Drawing.SizeF operator +(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; + public static System.Drawing.SizeF operator /(System.Drawing.SizeF left, float right) => throw null; + public static bool operator ==(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; + public static explicit operator System.Numerics.Vector2(System.Drawing.SizeF size) => throw null; + public static explicit operator System.Drawing.SizeF(System.Numerics.Vector2 vector) => throw null; + public static explicit operator System.Drawing.PointF(System.Drawing.SizeF size) => throw null; + public static bool operator !=(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; + public static System.Drawing.SizeF operator *(System.Drawing.SizeF left, float right) => throw null; + public static System.Drawing.SizeF operator *(float left, System.Drawing.SizeF right) => throw null; + public static System.Drawing.SizeF operator -(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; public static System.Drawing.SizeF Subtract(System.Drawing.SizeF sz1, System.Drawing.SizeF sz2) => throw null; public System.Drawing.PointF ToPointF() => throw null; public System.Drawing.Size ToSize() => throw null; public override string ToString() => throw null; public System.Numerics.Vector2 ToVector2() => throw null; - public float Width { get => throw null; set => throw null; } - public static explicit operator System.Drawing.PointF(System.Drawing.SizeF size) => throw null; - public static explicit operator System.Numerics.Vector2(System.Drawing.SizeF size) => throw null; - public static explicit operator System.Drawing.SizeF(System.Numerics.Vector2 vector) => throw null; + public float Width { get => throw null; set { } } } - public static class SystemColors { public static System.Drawing.Color ActiveBorder { get => throw null; } @@ -609,6 +592,5 @@ public static class SystemColors public static System.Drawing.Color WindowFrame { get => throw null; } public static System.Drawing.Color WindowText { get => throw null; } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs new file mode 100644 index 000000000000..276afb953f7b --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs new file mode 100644 index 000000000000..3fde3ab894e3 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Dynamic.Runtime, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Asn1.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Asn1.cs index c4c8d6fce0ba..030b8f957a32 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Asn1.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Asn1.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Formats.Asn1, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Formats @@ -9,19 +8,16 @@ namespace Asn1 { public struct Asn1Tag : System.IEquatable { - public static bool operator !=(System.Formats.Asn1.Asn1Tag left, System.Formats.Asn1.Asn1Tag right) => throw null; - public static bool operator ==(System.Formats.Asn1.Asn1Tag left, System.Formats.Asn1.Asn1Tag right) => throw null; public System.Formats.Asn1.Asn1Tag AsConstructed() => throw null; public System.Formats.Asn1.Asn1Tag AsPrimitive() => throw null; - // Stub generator skipped constructor - public Asn1Tag(System.Formats.Asn1.TagClass tagClass, int tagValue, bool isConstructed = default(bool)) => throw null; - public Asn1Tag(System.Formats.Asn1.UniversalTagNumber universalTagNumber, bool isConstructed = default(bool)) => throw null; public static System.Formats.Asn1.Asn1Tag Boolean; public int CalculateEncodedSize() => throw null; public static System.Formats.Asn1.Asn1Tag ConstructedBitString; public static System.Formats.Asn1.Asn1Tag ConstructedOctetString; - public static System.Formats.Asn1.Asn1Tag Decode(System.ReadOnlySpan source, out int bytesConsumed) => throw null; - public int Encode(System.Span destination) => throw null; + public Asn1Tag(System.Formats.Asn1.TagClass tagClass, int tagValue, bool isConstructed = default(bool)) => throw null; + public Asn1Tag(System.Formats.Asn1.UniversalTagNumber universalTagNumber, bool isConstructed = default(bool)) => throw null; + public static System.Formats.Asn1.Asn1Tag Decode(System.ReadOnlySpan source, out int bytesConsumed) => throw null; + public int Encode(System.Span destination) => throw null; public static System.Formats.Asn1.Asn1Tag Enumerated; public bool Equals(System.Formats.Asn1.Asn1Tag other) => throw null; public override bool Equals(object obj) => throw null; @@ -32,6 +28,8 @@ public struct Asn1Tag : System.IEquatable public bool IsConstructed { get => throw null; } public static System.Formats.Asn1.Asn1Tag Null; public static System.Formats.Asn1.Asn1Tag ObjectIdentifier; + public static bool operator ==(System.Formats.Asn1.Asn1Tag left, System.Formats.Asn1.Asn1Tag right) => throw null; + public static bool operator !=(System.Formats.Asn1.Asn1Tag left, System.Formats.Asn1.Asn1Tag right) => throw null; public static System.Formats.Asn1.Asn1Tag PrimitiveBitString; public static System.Formats.Asn1.Asn1Tag PrimitiveOctetString; public static System.Formats.Asn1.Asn1Tag Sequence; @@ -39,11 +37,10 @@ public struct Asn1Tag : System.IEquatable public System.Formats.Asn1.TagClass TagClass { get => throw null; } public int TagValue { get => throw null; } public override string ToString() => throw null; - public static bool TryDecode(System.ReadOnlySpan source, out System.Formats.Asn1.Asn1Tag tag, out int bytesConsumed) => throw null; - public bool TryEncode(System.Span destination, out int bytesWritten) => throw null; + public static bool TryDecode(System.ReadOnlySpan source, out System.Formats.Asn1.Asn1Tag tag, out int bytesConsumed) => throw null; + public bool TryEncode(System.Span destination, out int bytesWritten) => throw null; public static System.Formats.Asn1.Asn1Tag UtcTime; } - public class AsnContentException : System.Exception { public AsnContentException() => throw null; @@ -51,115 +48,102 @@ public class AsnContentException : System.Exception public AsnContentException(string message) => throw null; public AsnContentException(string message, System.Exception inner) => throw null; } - public static class AsnDecoder { - public static System.Byte[] ReadBitString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool ReadBoolean(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static string ReadCharacterString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.UniversalTagNumber encodingType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Formats.Asn1.Asn1Tag ReadEncodedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed) => throw null; - public static System.ReadOnlySpan ReadEnumeratedBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Enum ReadEnumeratedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Type enumType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static TEnum ReadEnumeratedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TEnum : System.Enum => throw null; - public static System.DateTimeOffset ReadGeneralizedTime(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Numerics.BigInteger ReadInteger(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.ReadOnlySpan ReadIntegerBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Collections.BitArray ReadNamedBitList(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Enum ReadNamedBitListValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Type flagsEnumType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static TFlagsEnum ReadNamedBitListValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TFlagsEnum : System.Enum => throw null; - public static void ReadNull(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static string ReadObjectIdentifier(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.Byte[] ReadOctetString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static void ReadSequence(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static void ReadSetOf(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed, bool skipSortOrderValidation = default(bool), System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static System.DateTimeOffset ReadUtcTime(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, int twoDigitYearMax = default(int), System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadBitString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out int bytesConsumed, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadCharacterString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.UniversalTagNumber encodingType, out int bytesConsumed, out int charsWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadCharacterStringBytes(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.Asn1Tag expectedTag, out int bytesConsumed, out int bytesWritten) => throw null; - public static bool TryReadEncodedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.Formats.Asn1.Asn1Tag tag, out int contentOffset, out int contentLength, out int bytesConsumed) => throw null; - public static bool TryReadInt32(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadInt64(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.Int64 value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadOctetString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadPrimitiveBitString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out System.ReadOnlySpan value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadPrimitiveCharacterStringBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.Asn1Tag expectedTag, out System.ReadOnlySpan value, out int bytesConsumed) => throw null; - public static bool TryReadPrimitiveOctetString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.ReadOnlySpan value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadUInt32(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.UInt32 value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public static bool TryReadUInt64(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.UInt64 value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static byte[] ReadBitString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool ReadBoolean(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static string ReadCharacterString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.UniversalTagNumber encodingType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.Formats.Asn1.Asn1Tag ReadEncodedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed) => throw null; + public static System.ReadOnlySpan ReadEnumeratedBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.Enum ReadEnumeratedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Type enumType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static TEnum ReadEnumeratedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TEnum : System.Enum => throw null; + public static System.DateTimeOffset ReadGeneralizedTime(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.Numerics.BigInteger ReadInteger(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.ReadOnlySpan ReadIntegerBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.Collections.BitArray ReadNamedBitList(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.Enum ReadNamedBitListValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Type flagsEnumType, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static TFlagsEnum ReadNamedBitListValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TFlagsEnum : System.Enum => throw null; + public static void ReadNull(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static string ReadObjectIdentifier(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static byte[] ReadOctetString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static void ReadSequence(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static void ReadSetOf(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int contentOffset, out int contentLength, out int bytesConsumed, bool skipSortOrderValidation = default(bool), System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static System.DateTimeOffset ReadUtcTime(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, int twoDigitYearMax = default(int), System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadBitString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out int bytesConsumed, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadCharacterString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.UniversalTagNumber encodingType, out int bytesConsumed, out int charsWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadCharacterStringBytes(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.Asn1Tag expectedTag, out int bytesConsumed, out int bytesWritten) => throw null; + public static bool TryReadEncodedValue(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.Formats.Asn1.Asn1Tag tag, out int contentOffset, out int contentLength, out int bytesConsumed) => throw null; + public static bool TryReadInt32(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadInt64(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out long value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadOctetString(System.ReadOnlySpan source, System.Span destination, System.Formats.Asn1.AsnEncodingRules ruleSet, out int bytesConsumed, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadPrimitiveBitString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out int unusedBitCount, out System.ReadOnlySpan value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadPrimitiveCharacterStringBytes(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.Asn1Tag expectedTag, out System.ReadOnlySpan value, out int bytesConsumed) => throw null; + public static bool TryReadPrimitiveOctetString(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out System.ReadOnlySpan value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadUInt32(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out uint value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public static bool TryReadUInt64(System.ReadOnlySpan source, System.Formats.Asn1.AsnEncodingRules ruleSet, out ulong value, out int bytesConsumed, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; } - - public enum AsnEncodingRules : int + public enum AsnEncodingRules { BER = 0, CER = 1, DER = 2, } - public class AsnReader { - public AsnReader(System.ReadOnlyMemory data, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.AsnReaderOptions options = default(System.Formats.Asn1.AsnReaderOptions)) => throw null; + public AsnReader(System.ReadOnlyMemory data, System.Formats.Asn1.AsnEncodingRules ruleSet, System.Formats.Asn1.AsnReaderOptions options = default(System.Formats.Asn1.AsnReaderOptions)) => throw null; public bool HasData { get => throw null; } - public System.ReadOnlyMemory PeekContentBytes() => throw null; - public System.ReadOnlyMemory PeekEncodedValue() => throw null; + public System.ReadOnlyMemory PeekContentBytes() => throw null; + public System.ReadOnlyMemory PeekEncodedValue() => throw null; public System.Formats.Asn1.Asn1Tag PeekTag() => throw null; - public System.Byte[] ReadBitString(out int unusedBitCount, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public byte[] ReadBitString(out int unusedBitCount, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public bool ReadBoolean(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public string ReadCharacterString(System.Formats.Asn1.UniversalTagNumber encodingType, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public System.ReadOnlyMemory ReadEncodedValue() => throw null; - public System.ReadOnlyMemory ReadEnumeratedBytes(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public System.ReadOnlyMemory ReadEncodedValue() => throw null; + public System.ReadOnlyMemory ReadEnumeratedBytes(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Enum ReadEnumeratedValue(System.Type enumType, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public TEnum ReadEnumeratedValue(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TEnum : System.Enum => throw null; public System.DateTimeOffset ReadGeneralizedTime(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Numerics.BigInteger ReadInteger(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public System.ReadOnlyMemory ReadIntegerBytes(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public System.ReadOnlyMemory ReadIntegerBytes(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Collections.BitArray ReadNamedBitList(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Enum ReadNamedBitListValue(System.Type flagsEnumType, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public TFlagsEnum ReadNamedBitListValue(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) where TFlagsEnum : System.Enum => throw null; public void ReadNull(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public string ReadObjectIdentifier(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public System.Byte[] ReadOctetString(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public byte[] ReadOctetString(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Formats.Asn1.AsnReader ReadSequence(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public System.Formats.Asn1.AsnReader ReadSetOf(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Formats.Asn1.AsnReader ReadSetOf(bool skipSortOrderValidation, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public System.DateTimeOffset ReadUtcTime(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public System.Formats.Asn1.AsnReader ReadSetOf(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.DateTimeOffset ReadUtcTime(int twoDigitYearMax, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public System.DateTimeOffset ReadUtcTime(System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public System.Formats.Asn1.AsnEncodingRules RuleSet { get => throw null; } public void ThrowIfNotEmpty() => throw null; - public bool TryReadBitString(System.Span destination, out int unusedBitCount, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadCharacterString(System.Span destination, System.Formats.Asn1.UniversalTagNumber encodingType, out int charsWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadCharacterStringBytes(System.Span destination, System.Formats.Asn1.Asn1Tag expectedTag, out int bytesWritten) => throw null; + public bool TryReadBitString(System.Span destination, out int unusedBitCount, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadCharacterString(System.Span destination, System.Formats.Asn1.UniversalTagNumber encodingType, out int charsWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadCharacterStringBytes(System.Span destination, System.Formats.Asn1.Asn1Tag expectedTag, out int bytesWritten) => throw null; public bool TryReadInt32(out int value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadInt64(out System.Int64 value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadOctetString(System.Span destination, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadPrimitiveBitString(out int unusedBitCount, out System.ReadOnlyMemory value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadPrimitiveCharacterStringBytes(System.Formats.Asn1.Asn1Tag expectedTag, out System.ReadOnlyMemory contents) => throw null; - public bool TryReadPrimitiveOctetString(out System.ReadOnlyMemory contents, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadUInt32(out System.UInt32 value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public bool TryReadUInt64(out System.UInt64 value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadInt64(out long value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadOctetString(System.Span destination, out int bytesWritten, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadPrimitiveBitString(out int unusedBitCount, out System.ReadOnlyMemory value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadPrimitiveCharacterStringBytes(System.Formats.Asn1.Asn1Tag expectedTag, out System.ReadOnlyMemory contents) => throw null; + public bool TryReadPrimitiveOctetString(out System.ReadOnlyMemory contents, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadUInt32(out uint value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public bool TryReadUInt64(out ulong value, System.Formats.Asn1.Asn1Tag? expectedTag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; } - public struct AsnReaderOptions { - // Stub generator skipped constructor - public bool SkipSetSortOrderVerification { get => throw null; set => throw null; } - public int UtcTimeTwoDigitYearMax { get => throw null; set => throw null; } + public bool SkipSetSortOrderVerification { get => throw null; set { } } + public int UtcTimeTwoDigitYearMax { get => throw null; set { } } } - - public class AsnWriter + public sealed class AsnWriter { - public struct Scope : System.IDisposable - { - public void Dispose() => throw null; - // Stub generator skipped constructor - } - - + public void CopyTo(System.Formats.Asn1.AsnWriter destination) => throw null; public AsnWriter(System.Formats.Asn1.AsnEncodingRules ruleSet) => throw null; public AsnWriter(System.Formats.Asn1.AsnEncodingRules ruleSet, int initialCapacity) => throw null; - public void CopyTo(System.Formats.Asn1.AsnWriter destination) => throw null; - public System.Byte[] Encode() => throw null; - public int Encode(System.Span destination) => throw null; + public byte[] Encode() => throw null; + public int Encode(System.Span destination) => throw null; public bool EncodedValueEquals(System.Formats.Asn1.AsnWriter other) => throw null; - public bool EncodedValueEquals(System.ReadOnlySpan other) => throw null; + public bool EncodedValueEquals(System.ReadOnlySpan other) => throw null; public int GetEncodedLength() => throw null; public void PopOctetString(System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void PopSequence(System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; @@ -169,84 +153,85 @@ public struct Scope : System.IDisposable public System.Formats.Asn1.AsnWriter.Scope PushSetOf(System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void Reset() => throw null; public System.Formats.Asn1.AsnEncodingRules RuleSet { get => throw null; } - public bool TryEncode(System.Span destination, out int bytesWritten) => throw null; - public void WriteBitString(System.ReadOnlySpan value, int unusedBitCount = default(int), System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public struct Scope : System.IDisposable + { + public void Dispose() => throw null; + } + public bool TryEncode(System.Span destination, out int bytesWritten) => throw null; + public void WriteBitString(System.ReadOnlySpan value, int unusedBitCount = default(int), System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteBoolean(bool value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteCharacterString(System.Formats.Asn1.UniversalTagNumber encodingType, System.ReadOnlySpan str, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteCharacterString(System.Formats.Asn1.UniversalTagNumber encodingType, System.ReadOnlySpan str, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteCharacterString(System.Formats.Asn1.UniversalTagNumber encodingType, string value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteEncodedValue(System.ReadOnlySpan value) => throw null; + public void WriteEncodedValue(System.ReadOnlySpan value) => throw null; public void WriteEnumeratedValue(System.Enum value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteEnumeratedValue(TEnum value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) where TEnum : System.Enum => throw null; public void WriteGeneralizedTime(System.DateTimeOffset value, bool omitFractionalSeconds = default(bool), System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteInteger(long value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteInteger(System.Numerics.BigInteger value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteInteger(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteInteger(System.Int64 value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteInteger(System.UInt64 value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteIntegerUnsigned(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteInteger(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteInteger(ulong value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteIntegerUnsigned(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteNamedBitList(System.Collections.BitArray value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteNamedBitList(System.Enum value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteNamedBitList(TEnum value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) where TEnum : System.Enum => throw null; public void WriteNull(System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteObjectIdentifier(System.ReadOnlySpan oidValue, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteObjectIdentifier(System.ReadOnlySpan oidValue, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteObjectIdentifier(string oidValue, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteOctetString(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; - public void WriteUtcTime(System.DateTimeOffset value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteOctetString(System.ReadOnlySpan value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; public void WriteUtcTime(System.DateTimeOffset value, int twoDigitYearMax, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; + public void WriteUtcTime(System.DateTimeOffset value, System.Formats.Asn1.Asn1Tag? tag = default(System.Formats.Asn1.Asn1Tag?)) => throw null; } - - public enum TagClass : int + public enum TagClass { + Universal = 0, Application = 64, ContextSpecific = 128, Private = 192, - Universal = 0, } - - public enum UniversalTagNumber : int + public enum UniversalTagNumber { - BMPString = 30, - BitString = 3, - Boolean = 1, - Date = 31, - DateTime = 33, - Duration = 34, - Embedded = 11, EndOfContents = 0, - Enumerated = 10, - External = 8, - GeneralString = 27, - GeneralizedTime = 24, - GraphicString = 25, - IA5String = 22, - ISO646String = 26, - InstanceOf = 8, + Boolean = 1, Integer = 2, + BitString = 3, + OctetString = 4, Null = 5, - NumericString = 18, - ObjectDescriptor = 7, ObjectIdentifier = 6, - ObjectIdentifierIRI = 35, - OctetString = 4, - PrintableString = 19, + ObjectDescriptor = 7, + External = 8, + InstanceOf = 8, Real = 9, + Enumerated = 10, + Embedded = 11, + UTF8String = 12, RelativeObjectIdentifier = 13, - RelativeObjectIdentifierIRI = 36, + Time = 14, Sequence = 16, SequenceOf = 16, Set = 17, SetOf = 17, + NumericString = 18, + PrintableString = 19, T61String = 20, TeletexString = 20, - Time = 14, - TimeOfDay = 32, - UTF8String = 12, - UniversalString = 28, - UnrestrictedCharacterString = 29, - UtcTime = 23, VideotexString = 21, + IA5String = 22, + UtcTime = 23, + GeneralizedTime = 24, + GraphicString = 25, + ISO646String = 26, VisibleString = 26, + GeneralString = 27, + UniversalString = 28, + UnrestrictedCharacterString = 29, + BMPString = 30, + Date = 31, + TimeOfDay = 32, + DateTime = 33, + Duration = 34, + ObjectIdentifierIRI = 35, + RelativeObjectIdentifierIRI = 36, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Tar.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Tar.cs index 76c2ed09ae4f..eacee23161bd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Tar.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Formats.Tar.cs @@ -1,93 +1,83 @@ // This file contains auto-generated code. // Generated from `System.Formats.Tar, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Formats { namespace Tar { - public class GnuTarEntry : System.Formats.Tar.PosixTarEntry + public sealed class GnuTarEntry : System.Formats.Tar.PosixTarEntry { - public System.DateTimeOffset AccessTime { get => throw null; set => throw null; } - public System.DateTimeOffset ChangeTime { get => throw null; set => throw null; } + public System.DateTimeOffset AccessTime { get => throw null; set { } } + public System.DateTimeOffset ChangeTime { get => throw null; set { } } public GnuTarEntry(System.Formats.Tar.TarEntry other) => throw null; public GnuTarEntry(System.Formats.Tar.TarEntryType entryType, string entryName) => throw null; } - - public class PaxGlobalExtendedAttributesTarEntry : System.Formats.Tar.PosixTarEntry + public sealed class PaxGlobalExtendedAttributesTarEntry : System.Formats.Tar.PosixTarEntry { - public System.Collections.Generic.IReadOnlyDictionary GlobalExtendedAttributes { get => throw null; } public PaxGlobalExtendedAttributesTarEntry(System.Collections.Generic.IEnumerable> globalExtendedAttributes) => throw null; + public System.Collections.Generic.IReadOnlyDictionary GlobalExtendedAttributes { get => throw null; } } - - public class PaxTarEntry : System.Formats.Tar.PosixTarEntry + public sealed class PaxTarEntry : System.Formats.Tar.PosixTarEntry { - public System.Collections.Generic.IReadOnlyDictionary ExtendedAttributes { get => throw null; } public PaxTarEntry(System.Formats.Tar.TarEntry other) => throw null; public PaxTarEntry(System.Formats.Tar.TarEntryType entryType, string entryName) => throw null; public PaxTarEntry(System.Formats.Tar.TarEntryType entryType, string entryName, System.Collections.Generic.IEnumerable> extendedAttributes) => throw null; + public System.Collections.Generic.IReadOnlyDictionary ExtendedAttributes { get => throw null; } } - public abstract class PosixTarEntry : System.Formats.Tar.TarEntry { - public int DeviceMajor { get => throw null; set => throw null; } - public int DeviceMinor { get => throw null; set => throw null; } - public string GroupName { get => throw null; set => throw null; } - internal PosixTarEntry() => throw null; - public string UserName { get => throw null; set => throw null; } + public int DeviceMajor { get => throw null; set { } } + public int DeviceMinor { get => throw null; set { } } + public string GroupName { get => throw null; set { } } + public string UserName { get => throw null; set { } } } - public abstract class TarEntry { public int Checksum { get => throw null; } - public System.IO.Stream DataStream { get => throw null; set => throw null; } + public System.IO.Stream DataStream { get => throw null; set { } } public System.Formats.Tar.TarEntryType EntryType { get => throw null; } public void ExtractToFile(string destinationFileName, bool overwrite) => throw null; public System.Threading.Tasks.Task ExtractToFileAsync(string destinationFileName, bool overwrite, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Formats.Tar.TarEntryFormat Format { get => throw null; } - public int Gid { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } - public string LinkName { get => throw null; set => throw null; } - public System.IO.UnixFileMode Mode { get => throw null; set => throw null; } - public System.DateTimeOffset ModificationTime { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - internal TarEntry() => throw null; + public int Gid { get => throw null; set { } } + public long Length { get => throw null; } + public string LinkName { get => throw null; set { } } + public System.IO.UnixFileMode Mode { get => throw null; set { } } + public System.DateTimeOffset ModificationTime { get => throw null; set { } } + public string Name { get => throw null; set { } } public override string ToString() => throw null; - public int Uid { get => throw null; set => throw null; } + public int Uid { get => throw null; set { } } } - - public enum TarEntryFormat : int + public enum TarEntryFormat { - Gnu = 4, - Pax = 3, Unknown = 0, - Ustar = 2, V7 = 1, + Ustar = 2, + Pax = 3, + Gnu = 4, } - public enum TarEntryType : byte { - BlockDevice = 52, + V7RegularFile = 0, + RegularFile = 48, + HardLink = 49, + SymbolicLink = 50, CharacterDevice = 51, - ContiguousFile = 55, + BlockDevice = 52, Directory = 53, - DirectoryList = 68, - ExtendedAttributes = 120, Fifo = 54, - GlobalExtendedAttributes = 103, - HardLink = 49, + ContiguousFile = 55, + DirectoryList = 68, LongLink = 75, LongPath = 76, MultiVolume = 77, - RegularFile = 48, RenamedOrSymlinked = 78, SparseFile = 83, - SymbolicLink = 50, TapeVolume = 86, - V7RegularFile = 0, + GlobalExtendedAttributes = 103, + ExtendedAttributes = 120, } - public static class TarFile { public static void CreateFromDirectory(string sourceDirectoryName, System.IO.Stream destination, bool includeBaseDirectory) => throw null; @@ -99,42 +89,37 @@ public static class TarFile public static System.Threading.Tasks.Task ExtractToDirectoryAsync(System.IO.Stream source, string destinationDirectoryName, bool overwriteFiles, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task ExtractToDirectoryAsync(string sourceFileName, string destinationDirectoryName, bool overwriteFiles, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class TarReader : System.IAsyncDisposable, System.IDisposable + public sealed class TarReader : System.IAsyncDisposable, System.IDisposable { + public TarReader(System.IO.Stream archiveStream, bool leaveOpen = default(bool)) => throw null; public void Dispose() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public System.Formats.Tar.TarEntry GetNextEntry(bool copyData = default(bool)) => throw null; public System.Threading.Tasks.ValueTask GetNextEntryAsync(bool copyData = default(bool), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public TarReader(System.IO.Stream archiveStream, bool leaveOpen = default(bool)) => throw null; } - - public class TarWriter : System.IAsyncDisposable, System.IDisposable + public sealed class TarWriter : System.IAsyncDisposable, System.IDisposable { + public TarWriter(System.IO.Stream archiveStream) => throw null; + public TarWriter(System.IO.Stream archiveStream, bool leaveOpen = default(bool)) => throw null; + public TarWriter(System.IO.Stream archiveStream, System.Formats.Tar.TarEntryFormat format = default(System.Formats.Tar.TarEntryFormat), bool leaveOpen = default(bool)) => throw null; public void Dispose() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public System.Formats.Tar.TarEntryFormat Format { get => throw null; } - public TarWriter(System.IO.Stream archiveStream) => throw null; - public TarWriter(System.IO.Stream archiveStream, System.Formats.Tar.TarEntryFormat format = default(System.Formats.Tar.TarEntryFormat), bool leaveOpen = default(bool)) => throw null; - public TarWriter(System.IO.Stream archiveStream, bool leaveOpen = default(bool)) => throw null; public void WriteEntry(System.Formats.Tar.TarEntry entry) => throw null; public void WriteEntry(string fileName, string entryName) => throw null; public System.Threading.Tasks.Task WriteEntryAsync(System.Formats.Tar.TarEntry entry, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task WriteEntryAsync(string fileName, string entryName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class UstarTarEntry : System.Formats.Tar.PosixTarEntry + public sealed class UstarTarEntry : System.Formats.Tar.PosixTarEntry { public UstarTarEntry(System.Formats.Tar.TarEntry other) => throw null; public UstarTarEntry(System.Formats.Tar.TarEntryType entryType, string entryName) => throw null; } - - public class V7TarEntry : System.Formats.Tar.TarEntry + public sealed class V7TarEntry : System.Formats.Tar.TarEntry { public V7TarEntry(System.Formats.Tar.TarEntry other) => throw null; public V7TarEntry(System.Formats.Tar.TarEntryType entryType, string entryName) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs new file mode 100644 index 000000000000..2b71a1a65083 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Globalization.Calendars, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs new file mode 100644 index 000000000000..63a6ec834181 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Globalization.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs new file mode 100644 index 000000000000..875c58efa3b3 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Globalization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.Brotli.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.Brotli.cs index c1a3d5debccf..bfe89b8eec25 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.Brotli.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.Brotli.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.Compression.Brotli, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. - namespace System { namespace IO @@ -9,58 +8,53 @@ namespace Compression { public struct BrotliDecoder : System.IDisposable { - // Stub generator skipped constructor - public System.Buffers.OperationStatus Decompress(System.ReadOnlySpan source, System.Span destination, out int bytesConsumed, out int bytesWritten) => throw null; + public System.Buffers.OperationStatus Decompress(System.ReadOnlySpan source, System.Span destination, out int bytesConsumed, out int bytesWritten) => throw null; public void Dispose() => throw null; - public static bool TryDecompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + public static bool TryDecompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } - public struct BrotliEncoder : System.IDisposable { - // Stub generator skipped constructor + public System.Buffers.OperationStatus Compress(System.ReadOnlySpan source, System.Span destination, out int bytesConsumed, out int bytesWritten, bool isFinalBlock) => throw null; public BrotliEncoder(int quality, int window) => throw null; - public System.Buffers.OperationStatus Compress(System.ReadOnlySpan source, System.Span destination, out int bytesConsumed, out int bytesWritten, bool isFinalBlock) => throw null; public void Dispose() => throw null; - public System.Buffers.OperationStatus Flush(System.Span destination, out int bytesWritten) => throw null; + public System.Buffers.OperationStatus Flush(System.Span destination, out int bytesWritten) => throw null; public static int GetMaxCompressedLength(int inputSize) => throw null; - public static bool TryCompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - public static bool TryCompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten, int quality, int window) => throw null; + public static bool TryCompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + public static bool TryCompress(System.ReadOnlySpan source, System.Span destination, out int bytesWritten, int quality, int window) => throw null; } - - public class BrotliStream : System.IO.Stream + public sealed class BrotliStream : System.IO.Stream { public System.IO.Stream BaseStream { get => throw null; } - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } public BrotliStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel) => throw null; public BrotliStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel, bool leaveOpen) => throw null; public BrotliStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode) => throw null; public BrotliStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode, bool leaveOpen) => throw null; - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override int EndRead(System.IAsyncResult asyncResult) => throw null; public override void EndWrite(System.IAsyncResult asyncResult) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs new file mode 100644 index 000000000000..7275a34a8916 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.IO.Compression.FileSystem, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.ZipFile.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.ZipFile.cs index 2e9edb888ef0..49bb5744236b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.ZipFile.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.ZipFile.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.Compression.ZipFile, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. - namespace System { namespace IO @@ -13,15 +12,14 @@ public static class ZipFile public static void CreateFromDirectory(string sourceDirectoryName, string destinationArchiveFileName, System.IO.Compression.CompressionLevel compressionLevel, bool includeBaseDirectory) => throw null; public static void CreateFromDirectory(string sourceDirectoryName, string destinationArchiveFileName, System.IO.Compression.CompressionLevel compressionLevel, bool includeBaseDirectory, System.Text.Encoding entryNameEncoding) => throw null; public static void ExtractToDirectory(string sourceArchiveFileName, string destinationDirectoryName) => throw null; + public static void ExtractToDirectory(string sourceArchiveFileName, string destinationDirectoryName, bool overwriteFiles) => throw null; public static void ExtractToDirectory(string sourceArchiveFileName, string destinationDirectoryName, System.Text.Encoding entryNameEncoding) => throw null; public static void ExtractToDirectory(string sourceArchiveFileName, string destinationDirectoryName, System.Text.Encoding entryNameEncoding, bool overwriteFiles) => throw null; - public static void ExtractToDirectory(string sourceArchiveFileName, string destinationDirectoryName, bool overwriteFiles) => throw null; public static System.IO.Compression.ZipArchive Open(string archiveFileName, System.IO.Compression.ZipArchiveMode mode) => throw null; public static System.IO.Compression.ZipArchive Open(string archiveFileName, System.IO.Compression.ZipArchiveMode mode, System.Text.Encoding entryNameEncoding) => throw null; public static System.IO.Compression.ZipArchive OpenRead(string archiveFileName) => throw null; } - - public static class ZipFileExtensions + public static partial class ZipFileExtensions { public static System.IO.Compression.ZipArchiveEntry CreateEntryFromFile(this System.IO.Compression.ZipArchive destination, string sourceFileName, string entryName) => throw null; public static System.IO.Compression.ZipArchiveEntry CreateEntryFromFile(this System.IO.Compression.ZipArchive destination, string sourceFileName, string entryName, System.IO.Compression.CompressionLevel compressionLevel) => throw null; @@ -30,7 +28,6 @@ public static class ZipFileExtensions public static void ExtractToFile(this System.IO.Compression.ZipArchiveEntry source, string destinationFileName) => throw null; public static void ExtractToFile(this System.IO.Compression.ZipArchiveEntry source, string destinationFileName, bool overwrite) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.cs index d622100714e7..2b38f8bafd04 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.cs @@ -1,31 +1,28 @@ // This file contains auto-generated code. // Generated from `System.IO.Compression, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. - namespace System { namespace IO { namespace Compression { - public enum CompressionLevel : int + public enum CompressionLevel { + Optimal = 0, Fastest = 1, NoCompression = 2, - Optimal = 0, SmallestSize = 3, } - - public enum CompressionMode : int + public enum CompressionMode { - Compress = 1, Decompress = 0, + Compress = 1, } - public class DeflateStream : System.IO.Stream { public System.IO.Stream BaseStream { get => throw null; } - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } @@ -41,134 +38,128 @@ public class DeflateStream : System.IO.Stream public override void EndWrite(System.IAsyncResult asyncResult) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - public class GZipStream : System.IO.Stream { public System.IO.Stream BaseStream { get => throw null; } - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public override int EndRead(System.IAsyncResult asyncResult) => throw null; - public override void EndWrite(System.IAsyncResult asyncResult) => throw null; - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; public GZipStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel) => throw null; public GZipStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel, bool leaveOpen) => throw null; public GZipStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode) => throw null; public GZipStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode, bool leaveOpen) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - } - - public class ZLibStream : System.IO.Stream - { - public System.IO.Stream BaseStream { get => throw null; } - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } - public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; - public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override int EndRead(System.IAsyncResult asyncResult) => throw null; public override void EndWrite(System.IAsyncResult asyncResult) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel) => throw null; - public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel, bool leaveOpen) => throw null; - public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode) => throw null; - public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode, bool leaveOpen) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - public class ZipArchive : System.IDisposable { - public string Comment { get => throw null; set => throw null; } + public string Comment { get => throw null; set { } } public System.IO.Compression.ZipArchiveEntry CreateEntry(string entryName) => throw null; public System.IO.Compression.ZipArchiveEntry CreateEntry(string entryName, System.IO.Compression.CompressionLevel compressionLevel) => throw null; + public ZipArchive(System.IO.Stream stream) => throw null; + public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode) => throw null; + public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode, bool leaveOpen) => throw null; + public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode, bool leaveOpen, System.Text.Encoding entryNameEncoding) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Entries { get => throw null; } public System.IO.Compression.ZipArchiveEntry GetEntry(string entryName) => throw null; public System.IO.Compression.ZipArchiveMode Mode { get => throw null; } - public ZipArchive(System.IO.Stream stream) => throw null; - public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode) => throw null; - public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode, bool leaveOpen) => throw null; - public ZipArchive(System.IO.Stream stream, System.IO.Compression.ZipArchiveMode mode, bool leaveOpen, System.Text.Encoding entryNameEncoding) => throw null; } - public class ZipArchiveEntry { public System.IO.Compression.ZipArchive Archive { get => throw null; } - public string Comment { get => throw null; set => throw null; } - public System.Int64 CompressedLength { get => throw null; } - public System.UInt32 Crc32 { get => throw null; } + public string Comment { get => throw null; set { } } + public long CompressedLength { get => throw null; } + public uint Crc32 { get => throw null; } public void Delete() => throw null; - public int ExternalAttributes { get => throw null; set => throw null; } + public int ExternalAttributes { get => throw null; set { } } public string FullName { get => throw null; } public bool IsEncrypted { get => throw null; } - public System.DateTimeOffset LastWriteTime { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } + public System.DateTimeOffset LastWriteTime { get => throw null; set { } } + public long Length { get => throw null; } public string Name { get => throw null; } public System.IO.Stream Open() => throw null; public override string ToString() => throw null; } - - public enum ZipArchiveMode : int + public enum ZipArchiveMode { - Create = 1, Read = 0, + Create = 1, Update = 2, } - + public sealed class ZLibStream : System.IO.Stream + { + public System.IO.Stream BaseStream { get => throw null; } + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } + public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; + public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel) => throw null; + public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionLevel compressionLevel, bool leaveOpen) => throw null; + public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode) => throw null; + public ZLibStream(System.IO.Stream stream, System.IO.Compression.CompressionMode mode, bool leaveOpen) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public override int EndRead(System.IAsyncResult asyncResult) => throw null; + public override void EndWrite(System.IAsyncResult asyncResult) => throw null; + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadByte() => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; + } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.AccessControl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.AccessControl.cs index 8dd026736cac..3275c91aa0c5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.AccessControl.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.AccessControl.cs @@ -1,11 +1,10 @@ // This file contains auto-generated code. // Generated from `System.IO.FileSystem.AccessControl, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace IO { - public static class FileSystemAclExtensions + public static partial class FileSystemAclExtensions { public static void Create(this System.IO.DirectoryInfo directoryInfo, System.Security.AccessControl.DirectorySecurity directorySecurity) => throw null; public static System.IO.FileStream Create(this System.IO.FileInfo fileInfo, System.IO.FileMode mode, System.Security.AccessControl.FileSystemRights rights, System.IO.FileShare share, int bufferSize, System.IO.FileOptions options, System.Security.AccessControl.FileSecurity fileSecurity) => throw null; @@ -19,7 +18,6 @@ public static class FileSystemAclExtensions public static void SetAccessControl(this System.IO.FileInfo fileInfo, System.Security.AccessControl.FileSecurity fileSecurity) => throw null; public static void SetAccessControl(this System.IO.FileStream fileStream, System.Security.AccessControl.FileSecurity fileSecurity) => throw null; } - } namespace Security { @@ -47,20 +45,17 @@ public abstract class DirectoryObjectSecurity : System.Security.AccessControl.Ob protected void SetAccessRule(System.Security.AccessControl.ObjectAccessRule rule) => throw null; protected void SetAuditRule(System.Security.AccessControl.ObjectAuditRule rule) => throw null; } - - public class DirectorySecurity : System.Security.AccessControl.FileSystemSecurity + public sealed class DirectorySecurity : System.Security.AccessControl.FileSystemSecurity { public DirectorySecurity() => throw null; public DirectorySecurity(string name, System.Security.AccessControl.AccessControlSections includeSections) => throw null; } - - public class FileSecurity : System.Security.AccessControl.FileSystemSecurity + public sealed class FileSecurity : System.Security.AccessControl.FileSystemSecurity { public FileSecurity() => throw null; public FileSecurity(string fileName, System.Security.AccessControl.AccessControlSections includeSections) => throw null; } - - public class FileSystemAccessRule : System.Security.AccessControl.AccessRule + public sealed class FileSystemAccessRule : System.Security.AccessControl.AccessRule { public FileSystemAccessRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public FileSystemAccessRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; @@ -68,8 +63,7 @@ public class FileSystemAccessRule : System.Security.AccessControl.AccessRule public FileSystemAccessRule(string identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public System.Security.AccessControl.FileSystemRights FileSystemRights { get => throw null; } } - - public class FileSystemAuditRule : System.Security.AccessControl.AuditRule + public sealed class FileSystemAuditRule : System.Security.AccessControl.AuditRule { public FileSystemAuditRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public FileSystemAuditRule(System.Security.Principal.IdentityReference identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; @@ -77,45 +71,42 @@ public class FileSystemAuditRule : System.Security.AccessControl.AuditRule public FileSystemAuditRule(string identity, System.Security.AccessControl.FileSystemRights fileSystemRights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public System.Security.AccessControl.FileSystemRights FileSystemRights { get => throw null; } } - [System.Flags] - public enum FileSystemRights : int + public enum FileSystemRights { + ListDirectory = 1, + ReadData = 1, + CreateFiles = 2, + WriteData = 2, AppendData = 4, - ChangePermissions = 262144, CreateDirectories = 4, - CreateFiles = 2, - Delete = 65536, - DeleteSubdirectoriesAndFiles = 64, + ReadExtendedAttributes = 8, + WriteExtendedAttributes = 16, ExecuteFile = 32, - FullControl = 2032127, - ListDirectory = 1, - Modify = 197055, - Read = 131209, - ReadAndExecute = 131241, + Traverse = 32, + DeleteSubdirectoriesAndFiles = 64, ReadAttributes = 128, - ReadData = 1, - ReadExtendedAttributes = 8, + WriteAttributes = 256, + Write = 278, + Delete = 65536, ReadPermissions = 131072, - Synchronize = 1048576, + Read = 131209, + ReadAndExecute = 131241, + Modify = 197055, + ChangePermissions = 262144, TakeOwnership = 524288, - Traverse = 32, - Write = 278, - WriteAttributes = 256, - WriteData = 2, - WriteExtendedAttributes = 16, + Synchronize = 1048576, + FullControl = 2032127, } - public abstract class FileSystemSecurity : System.Security.AccessControl.NativeObjectSecurity { public override System.Type AccessRightType { get => throw null; } - public override System.Security.AccessControl.AccessRule AccessRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) => throw null; + public override sealed System.Security.AccessControl.AccessRule AccessRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) => throw null; public override System.Type AccessRuleType { get => throw null; } public void AddAccessRule(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; public void AddAuditRule(System.Security.AccessControl.FileSystemAuditRule rule) => throw null; - public override System.Security.AccessControl.AuditRule AuditRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) => throw null; + public override sealed System.Security.AccessControl.AuditRule AuditRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) => throw null; public override System.Type AuditRuleType { get => throw null; } - internal FileSystemSecurity() : base(default(bool), default(System.Security.AccessControl.ResourceType)) => throw null; public bool RemoveAccessRule(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; public void RemoveAccessRuleAll(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; public void RemoveAccessRuleSpecific(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; @@ -125,8 +116,8 @@ public abstract class FileSystemSecurity : System.Security.AccessControl.NativeO public void ResetAccessRule(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; public void SetAccessRule(System.Security.AccessControl.FileSystemAccessRule rule) => throw null; public void SetAuditRule(System.Security.AccessControl.FileSystemAuditRule rule) => throw null; + internal FileSystemSecurity() : base(default(bool), default(System.Security.AccessControl.ResourceType)) { } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.DriveInfo.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.DriveInfo.cs index f5730af1388a..001d628735ff 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.DriveInfo.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.DriveInfo.cs @@ -1,15 +1,14 @@ // This file contains auto-generated code. // Generated from `System.IO.FileSystem.DriveInfo, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace IO { - public class DriveInfo : System.Runtime.Serialization.ISerializable + public sealed class DriveInfo : System.Runtime.Serialization.ISerializable { - public System.Int64 AvailableFreeSpace { get => throw null; } - public string DriveFormat { get => throw null; } + public long AvailableFreeSpace { get => throw null; } public DriveInfo(string driveName) => throw null; + public string DriveFormat { get => throw null; } public System.IO.DriveType DriveType { get => throw null; } public static System.IO.DriveInfo[] GetDrives() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; @@ -17,11 +16,10 @@ public class DriveInfo : System.Runtime.Serialization.ISerializable public string Name { get => throw null; } public System.IO.DirectoryInfo RootDirectory { get => throw null; } public override string ToString() => throw null; - public System.Int64 TotalFreeSpace { get => throw null; } - public System.Int64 TotalSize { get => throw null; } - public string VolumeLabel { get => throw null; set => throw null; } + public long TotalFreeSpace { get => throw null; } + public long TotalSize { get => throw null; } + public string VolumeLabel { get => throw null; set { } } } - public class DriveNotFoundException : System.IO.IOException { public DriveNotFoundException() => throw null; @@ -29,17 +27,15 @@ public class DriveNotFoundException : System.IO.IOException public DriveNotFoundException(string message) => throw null; public DriveNotFoundException(string message, System.Exception innerException) => throw null; } - - public enum DriveType : int + public enum DriveType { - CDRom = 5, + Unknown = 0, + NoRootDirectory = 1, + Removable = 2, Fixed = 3, Network = 4, - NoRootDirectory = 1, + CDRom = 5, Ram = 6, - Removable = 2, - Unknown = 0, } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs new file mode 100644 index 000000000000..10eaf2f92c57 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.IO.FileSystem.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs index 9019b06e86cb..97d776bef42a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.FileSystem.Watcher, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace IO @@ -10,9 +9,7 @@ public class ErrorEventArgs : System.EventArgs public ErrorEventArgs(System.Exception exception) => throw null; public virtual System.Exception GetException() => throw null; } - public delegate void ErrorEventHandler(object sender, System.IO.ErrorEventArgs e); - public class FileSystemEventArgs : System.EventArgs { public System.IO.WatcherChangeTypes ChangeType { get => throw null; } @@ -20,41 +17,38 @@ public class FileSystemEventArgs : System.EventArgs public string FullPath { get => throw null; } public string Name { get => throw null; } } - public delegate void FileSystemEventHandler(object sender, System.IO.FileSystemEventArgs e); - public class FileSystemWatcher : System.ComponentModel.Component, System.ComponentModel.ISupportInitialize { public void BeginInit() => throw null; - public event System.IO.FileSystemEventHandler Changed; - public event System.IO.FileSystemEventHandler Created; - public event System.IO.FileSystemEventHandler Deleted; - protected override void Dispose(bool disposing) => throw null; - public bool EnableRaisingEvents { get => throw null; set => throw null; } - public void EndInit() => throw null; - public event System.IO.ErrorEventHandler Error; + public event System.IO.FileSystemEventHandler Changed { add { } remove { } } + public event System.IO.FileSystemEventHandler Created { add { } remove { } } public FileSystemWatcher() => throw null; public FileSystemWatcher(string path) => throw null; public FileSystemWatcher(string path, string filter) => throw null; - public string Filter { get => throw null; set => throw null; } + public event System.IO.FileSystemEventHandler Deleted { add { } remove { } } + protected override void Dispose(bool disposing) => throw null; + public bool EnableRaisingEvents { get => throw null; set { } } + public void EndInit() => throw null; + public event System.IO.ErrorEventHandler Error { add { } remove { } } + public string Filter { get => throw null; set { } } public System.Collections.ObjectModel.Collection Filters { get => throw null; } - public bool IncludeSubdirectories { get => throw null; set => throw null; } - public int InternalBufferSize { get => throw null; set => throw null; } - public System.IO.NotifyFilters NotifyFilter { get => throw null; set => throw null; } + public bool IncludeSubdirectories { get => throw null; set { } } + public int InternalBufferSize { get => throw null; set { } } + public System.IO.NotifyFilters NotifyFilter { get => throw null; set { } } protected void OnChanged(System.IO.FileSystemEventArgs e) => throw null; protected void OnCreated(System.IO.FileSystemEventArgs e) => throw null; protected void OnDeleted(System.IO.FileSystemEventArgs e) => throw null; protected void OnError(System.IO.ErrorEventArgs e) => throw null; protected void OnRenamed(System.IO.RenamedEventArgs e) => throw null; - public string Path { get => throw null; set => throw null; } - public event System.IO.RenamedEventHandler Renamed; - public override System.ComponentModel.ISite Site { get => throw null; set => throw null; } - public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set => throw null; } + public string Path { get => throw null; set { } } + public event System.IO.RenamedEventHandler Renamed { add { } remove { } } + public override System.ComponentModel.ISite Site { get => throw null; set { } } + public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set { } } public System.IO.WaitForChangedResult WaitForChanged(System.IO.WatcherChangeTypes changeType) => throw null; - public System.IO.WaitForChangedResult WaitForChanged(System.IO.WatcherChangeTypes changeType, System.TimeSpan timeout) => throw null; public System.IO.WaitForChangedResult WaitForChanged(System.IO.WatcherChangeTypes changeType, int timeout) => throw null; + public System.IO.WaitForChangedResult WaitForChanged(System.IO.WatcherChangeTypes changeType, System.TimeSpan timeout) => throw null; } - public class InternalBufferOverflowException : System.SystemException { public InternalBufferOverflowException() => throw null; @@ -62,47 +56,40 @@ public class InternalBufferOverflowException : System.SystemException public InternalBufferOverflowException(string message) => throw null; public InternalBufferOverflowException(string message, System.Exception inner) => throw null; } - [System.Flags] - public enum NotifyFilters : int + public enum NotifyFilters { - Attributes = 4, - CreationTime = 64, - DirectoryName = 2, FileName = 1, - LastAccess = 32, + DirectoryName = 2, + Attributes = 4, + Size = 8, LastWrite = 16, + LastAccess = 32, + CreationTime = 64, Security = 256, - Size = 8, } - public class RenamedEventArgs : System.IO.FileSystemEventArgs { + public RenamedEventArgs(System.IO.WatcherChangeTypes changeType, string directory, string name, string oldName) : base(default(System.IO.WatcherChangeTypes), default(string), default(string)) => throw null; public string OldFullPath { get => throw null; } public string OldName { get => throw null; } - public RenamedEventArgs(System.IO.WatcherChangeTypes changeType, string directory, string name, string oldName) : base(default(System.IO.WatcherChangeTypes), default(string), default(string)) => throw null; } - public delegate void RenamedEventHandler(object sender, System.IO.RenamedEventArgs e); - public struct WaitForChangedResult { - public System.IO.WatcherChangeTypes ChangeType { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string OldName { get => throw null; set => throw null; } - public bool TimedOut { get => throw null; set => throw null; } - // Stub generator skipped constructor + public System.IO.WatcherChangeTypes ChangeType { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string OldName { get => throw null; set { } } + public bool TimedOut { get => throw null; set { } } } - [System.Flags] - public enum WatcherChangeTypes : int + public enum WatcherChangeTypes { - All = 15, - Changed = 4, Created = 1, Deleted = 2, + Changed = 4, Renamed = 8, + All = 15, } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs new file mode 100644 index 000000000000..03c89ca48544 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.IO.FileSystem, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.IsolatedStorage.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.IsolatedStorage.cs index 42aaa82f2ad0..f646b22be9f4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.IsolatedStorage.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.IsolatedStorage.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.IsolatedStorage, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace IO @@ -11,27 +10,25 @@ public interface INormalizeForIsolatedStorage { object Normalize(); } - public abstract class IsolatedStorage : System.MarshalByRefObject { public object ApplicationIdentity { get => throw null; } public object AssemblyIdentity { get => throw null; } - public virtual System.Int64 AvailableFreeSpace { get => throw null; } - public virtual System.UInt64 CurrentSize { get => throw null; } + public virtual long AvailableFreeSpace { get => throw null; } + protected IsolatedStorage() => throw null; + public virtual ulong CurrentSize { get => throw null; } public object DomainIdentity { get => throw null; } - public virtual bool IncreaseQuotaTo(System.Int64 newQuotaSize) => throw null; + public virtual bool IncreaseQuotaTo(long newQuotaSize) => throw null; protected void InitStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type appEvidenceType) => throw null; protected void InitStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type domainEvidenceType, System.Type assemblyEvidenceType) => throw null; - protected IsolatedStorage() => throw null; - public virtual System.UInt64 MaximumSize { get => throw null; } - public virtual System.Int64 Quota { get => throw null; } + public virtual ulong MaximumSize { get => throw null; } + public virtual long Quota { get => throw null; } public abstract void Remove(); public System.IO.IsolatedStorage.IsolatedStorageScope Scope { get => throw null; } - protected virtual System.Char SeparatorExternal { get => throw null; } - protected virtual System.Char SeparatorInternal { get => throw null; } - public virtual System.Int64 UsedSize { get => throw null; } + protected virtual char SeparatorExternal { get => throw null; } + protected virtual char SeparatorInternal { get => throw null; } + public virtual long UsedSize { get => throw null; } } - public class IsolatedStorageException : System.Exception { public IsolatedStorageException() => throw null; @@ -39,16 +36,15 @@ public class IsolatedStorageException : System.Exception public IsolatedStorageException(string message) => throw null; public IsolatedStorageException(string message, System.Exception inner) => throw null; } - - public class IsolatedStorageFile : System.IO.IsolatedStorage.IsolatedStorage, System.IDisposable + public sealed class IsolatedStorageFile : System.IO.IsolatedStorage.IsolatedStorage, System.IDisposable { - public override System.Int64 AvailableFreeSpace { get => throw null; } + public override long AvailableFreeSpace { get => throw null; } public void Close() => throw null; public void CopyFile(string sourceFileName, string destinationFileName) => throw null; public void CopyFile(string sourceFileName, string destinationFileName, bool overwrite) => throw null; public void CreateDirectory(string dir) => throw null; public System.IO.IsolatedStorage.IsolatedStorageFileStream CreateFile(string path) => throw null; - public override System.UInt64 CurrentSize { get => throw null; } + public override ulong CurrentSize { get => throw null; } public void DeleteDirectory(string dir) => throw null; public void DeleteFile(string file) => throw null; public bool DirectoryExists(string path) => throw null; @@ -65,35 +61,42 @@ public class IsolatedStorageFile : System.IO.IsolatedStorage.IsolatedStorage, Sy public static System.IO.IsolatedStorage.IsolatedStorageFile GetMachineStoreForApplication() => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetMachineStoreForAssembly() => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetMachineStoreForDomain() => throw null; - public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type applicationEvidenceType) => throw null; - public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type domainEvidenceType, System.Type assemblyEvidenceType) => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, object applicationIdentity) => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, object domainIdentity, object assemblyIdentity) => throw null; + public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type applicationEvidenceType) => throw null; + public static System.IO.IsolatedStorage.IsolatedStorageFile GetStore(System.IO.IsolatedStorage.IsolatedStorageScope scope, System.Type domainEvidenceType, System.Type assemblyEvidenceType) => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetUserStoreForApplication() => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetUserStoreForAssembly() => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetUserStoreForDomain() => throw null; public static System.IO.IsolatedStorage.IsolatedStorageFile GetUserStoreForSite() => throw null; - public override bool IncreaseQuotaTo(System.Int64 newQuotaSize) => throw null; + public override bool IncreaseQuotaTo(long newQuotaSize) => throw null; public static bool IsEnabled { get => throw null; } - public override System.UInt64 MaximumSize { get => throw null; } + public override ulong MaximumSize { get => throw null; } public void MoveDirectory(string sourceDirectoryName, string destinationDirectoryName) => throw null; public void MoveFile(string sourceFileName, string destinationFileName) => throw null; public System.IO.IsolatedStorage.IsolatedStorageFileStream OpenFile(string path, System.IO.FileMode mode) => throw null; public System.IO.IsolatedStorage.IsolatedStorageFileStream OpenFile(string path, System.IO.FileMode mode, System.IO.FileAccess access) => throw null; public System.IO.IsolatedStorage.IsolatedStorageFileStream OpenFile(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; - public override System.Int64 Quota { get => throw null; } + public override long Quota { get => throw null; } public override void Remove() => throw null; public static void Remove(System.IO.IsolatedStorage.IsolatedStorageScope scope) => throw null; - public override System.Int64 UsedSize { get => throw null; } + public override long UsedSize { get => throw null; } } - public class IsolatedStorageFileStream : System.IO.FileStream { - public override System.IAsyncResult BeginRead(System.Byte[] array, int offset, int numBytes, System.AsyncCallback userCallback, object stateObject) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] array, int offset, int numBytes, System.AsyncCallback userCallback, object stateObject) => throw null; + public override System.IAsyncResult BeginRead(byte[] array, int offset, int numBytes, System.AsyncCallback userCallback, object stateObject) => throw null; + public override System.IAsyncResult BeginWrite(byte[] array, int offset, int numBytes, System.AsyncCallback userCallback, object stateObject) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } + public IsolatedStorageFileStream(string path, System.IO.FileMode mode) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; + public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override int EndRead(System.IAsyncResult asyncResult) => throw null; @@ -101,47 +104,37 @@ public class IsolatedStorageFileStream : System.IO.FileStream public override void Flush() => throw null; public override void Flush(bool flushToDisk) => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.IntPtr Handle { get => throw null; } + public override nint Handle { get => throw null; } public override bool IsAsync { get => throw null; } - public IsolatedStorageFileStream(string path, System.IO.FileMode mode) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public IsolatedStorageFileStream(string path, System.IO.FileMode mode, System.IO.IsolatedStorage.IsolatedStorageFile isf) : base(default(Microsoft.Win32.SafeHandles.SafeFileHandle), default(System.IO.FileAccess)) => throw null; - public override System.Int64 Length { get => throw null; } - public override void Lock(System.Int64 position, System.Int64 length) => throw null; - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override void Lock(long position, long length) => throw null; + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; public override Microsoft.Win32.SafeHandles.SafeFileHandle SafeFileHandle { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Unlock(System.Int64 position, System.Int64 length) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Unlock(long position, long length) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - [System.Flags] - public enum IsolatedStorageScope : int + public enum IsolatedStorageScope { - Application = 32, - Assembly = 4, - Domain = 2, - Machine = 16, None = 0, - Roaming = 8, User = 1, + Domain = 2, + Assembly = 4, + Roaming = 8, + Machine = 16, + Application = 32, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.MemoryMappedFiles.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.MemoryMappedFiles.cs index 3635bb66008b..ec1f6021c7f3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.MemoryMappedFiles.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.MemoryMappedFiles.cs @@ -1,25 +1,22 @@ // This file contains auto-generated code. // Generated from `System.IO.MemoryMappedFiles, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 { namespace SafeHandles { - public class SafeMemoryMappedFileHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeMemoryMappedFileHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { + public SafeMemoryMappedFileHandle() : base(default(bool)) => throw null; public override bool IsInvalid { get => throw null; } protected override bool ReleaseHandle() => throw null; - public SafeMemoryMappedFileHandle() : base(default(bool)) => throw null; } - - public class SafeMemoryMappedViewHandle : System.Runtime.InteropServices.SafeBuffer + public sealed class SafeMemoryMappedViewHandle : System.Runtime.InteropServices.SafeBuffer { - protected override bool ReleaseHandle() => throw null; public SafeMemoryMappedViewHandle() : base(default(bool)) => throw null; + protected override bool ReleaseHandle() => throw null; } - } } } @@ -31,24 +28,24 @@ namespace MemoryMappedFiles { public class MemoryMappedFile : System.IDisposable { - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(System.IO.FileStream fileStream, string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.HandleInheritability inheritability, bool leaveOpen) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(System.IO.FileStream fileStream, string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.HandleInheritability inheritability, bool leaveOpen) => throw null; public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path) => throw null; public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode) => throw null; public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode, string mapName) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode, string mapName, System.Int64 capacity) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode, string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, System.Int64 capacity) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.MemoryMappedFiles.MemoryMappedFileOptions options, System.IO.HandleInheritability inheritability) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, System.Int64 capacity) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; - public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, System.Int64 capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.MemoryMappedFiles.MemoryMappedFileOptions options, System.IO.HandleInheritability inheritability) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode, string mapName, long capacity) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateFromFile(string path, System.IO.FileMode mode, string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, long capacity) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateNew(string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.MemoryMappedFiles.MemoryMappedFileOptions options, System.IO.HandleInheritability inheritability) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, long capacity) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; + public static System.IO.MemoryMappedFiles.MemoryMappedFile CreateOrOpen(string mapName, long capacity, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access, System.IO.MemoryMappedFiles.MemoryMappedFileOptions options, System.IO.HandleInheritability inheritability) => throw null; public System.IO.MemoryMappedFiles.MemoryMappedViewAccessor CreateViewAccessor() => throw null; - public System.IO.MemoryMappedFiles.MemoryMappedViewAccessor CreateViewAccessor(System.Int64 offset, System.Int64 size) => throw null; - public System.IO.MemoryMappedFiles.MemoryMappedViewAccessor CreateViewAccessor(System.Int64 offset, System.Int64 size, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; + public System.IO.MemoryMappedFiles.MemoryMappedViewAccessor CreateViewAccessor(long offset, long size) => throw null; + public System.IO.MemoryMappedFiles.MemoryMappedViewAccessor CreateViewAccessor(long offset, long size, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; public System.IO.MemoryMappedFiles.MemoryMappedViewStream CreateViewStream() => throw null; - public System.IO.MemoryMappedFiles.MemoryMappedViewStream CreateViewStream(System.Int64 offset, System.Int64 size) => throw null; - public System.IO.MemoryMappedFiles.MemoryMappedViewStream CreateViewStream(System.Int64 offset, System.Int64 size, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; + public System.IO.MemoryMappedFiles.MemoryMappedViewStream CreateViewStream(long offset, long size) => throw null; + public System.IO.MemoryMappedFiles.MemoryMappedViewStream CreateViewStream(long offset, long size, System.IO.MemoryMappedFiles.MemoryMappedFileAccess access) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public static System.IO.MemoryMappedFiles.MemoryMappedFile OpenExisting(string mapName) => throw null; @@ -56,59 +53,53 @@ public class MemoryMappedFile : System.IDisposable public static System.IO.MemoryMappedFiles.MemoryMappedFile OpenExisting(string mapName, System.IO.MemoryMappedFiles.MemoryMappedFileRights desiredAccessRights, System.IO.HandleInheritability inheritability) => throw null; public Microsoft.Win32.SafeHandles.SafeMemoryMappedFileHandle SafeMemoryMappedFileHandle { get => throw null; } } - - public enum MemoryMappedFileAccess : int + public enum MemoryMappedFileAccess { - CopyOnWrite = 3, + ReadWrite = 0, Read = 1, + Write = 2, + CopyOnWrite = 3, ReadExecute = 4, - ReadWrite = 0, ReadWriteExecute = 5, - Write = 2, } - [System.Flags] - public enum MemoryMappedFileOptions : int + public enum MemoryMappedFileOptions { - DelayAllocatePages = 67108864, None = 0, + DelayAllocatePages = 67108864, } - [System.Flags] - public enum MemoryMappedFileRights : int + public enum MemoryMappedFileRights { - AccessSystemSecurity = 16777216, - ChangePermissions = 262144, CopyOnWrite = 1, - Delete = 65536, - Execute = 8, - FullControl = 983055, + Write = 2, Read = 4, - ReadExecute = 12, - ReadPermissions = 131072, ReadWrite = 6, + Execute = 8, + ReadExecute = 12, ReadWriteExecute = 14, + Delete = 65536, + ReadPermissions = 131072, + ChangePermissions = 262144, TakeOwnership = 524288, - Write = 2, + FullControl = 983055, + AccessSystemSecurity = 16777216, } - - public class MemoryMappedViewAccessor : System.IO.UnmanagedMemoryAccessor + public sealed class MemoryMappedViewAccessor : System.IO.UnmanagedMemoryAccessor { protected override void Dispose(bool disposing) => throw null; public void Flush() => throw null; - public System.Int64 PointerOffset { get => throw null; } + public long PointerOffset { get => throw null; } public Microsoft.Win32.SafeHandles.SafeMemoryMappedViewHandle SafeMemoryMappedViewHandle { get => throw null; } } - - public class MemoryMappedViewStream : System.IO.UnmanagedMemoryStream + public sealed class MemoryMappedViewStream : System.IO.UnmanagedMemoryStream { protected override void Dispose(bool disposing) => throw null; public override void Flush() => throw null; - public System.Int64 PointerOffset { get => throw null; } + public long PointerOffset { get => throw null; } public Microsoft.Win32.SafeHandles.SafeMemoryMappedViewHandle SafeMemoryMappedViewHandle { get => throw null; } - public override void SetLength(System.Int64 value) => throw null; + public override void SetLength(long value) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.AccessControl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.AccessControl.cs index 673ebe72872e..32993370b1ab 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.AccessControl.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.AccessControl.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.Pipes.AccessControl, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace IO @@ -11,48 +10,48 @@ public static class AnonymousPipeServerStreamAcl { public static System.IO.Pipes.AnonymousPipeServerStream Create(System.IO.Pipes.PipeDirection direction, System.IO.HandleInheritability inheritability, int bufferSize, System.IO.Pipes.PipeSecurity pipeSecurity) => throw null; } - public static class NamedPipeServerStreamAcl { public static System.IO.Pipes.NamedPipeServerStream Create(string pipeName, System.IO.Pipes.PipeDirection direction, int maxNumberOfServerInstances, System.IO.Pipes.PipeTransmissionMode transmissionMode, System.IO.Pipes.PipeOptions options, int inBufferSize, int outBufferSize, System.IO.Pipes.PipeSecurity pipeSecurity, System.IO.HandleInheritability inheritability = default(System.IO.HandleInheritability), System.IO.Pipes.PipeAccessRights additionalAccessRights = default(System.IO.Pipes.PipeAccessRights)) => throw null; } - [System.Flags] - public enum PipeAccessRights : int + public enum PipeAccessRights { - AccessSystemSecurity = 16777216, - ChangePermissions = 262144, - CreateNewInstance = 4, - Delete = 65536, - FullControl = 2032031, - Read = 131209, - ReadAttributes = 128, ReadData = 1, + WriteData = 2, + CreateNewInstance = 4, ReadExtendedAttributes = 8, + WriteExtendedAttributes = 16, + ReadAttributes = 128, + WriteAttributes = 256, + Write = 274, + Delete = 65536, ReadPermissions = 131072, + Read = 131209, ReadWrite = 131483, - Synchronize = 1048576, + ChangePermissions = 262144, TakeOwnership = 524288, - Write = 274, - WriteAttributes = 256, - WriteData = 2, - WriteExtendedAttributes = 16, + Synchronize = 1048576, + FullControl = 2032031, + AccessSystemSecurity = 16777216, } - - public class PipeAccessRule : System.Security.AccessControl.AccessRule + public sealed class PipeAccessRule : System.Security.AccessControl.AccessRule { - public System.IO.Pipes.PipeAccessRights PipeAccessRights { get => throw null; } public PipeAccessRule(System.Security.Principal.IdentityReference identity, System.IO.Pipes.PipeAccessRights rights, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public PipeAccessRule(string identity, System.IO.Pipes.PipeAccessRights rights, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; + public System.IO.Pipes.PipeAccessRights PipeAccessRights { get => throw null; } } - - public class PipeAuditRule : System.Security.AccessControl.AuditRule + public sealed class PipeAuditRule : System.Security.AccessControl.AuditRule { - public System.IO.Pipes.PipeAccessRights PipeAccessRights { get => throw null; } public PipeAuditRule(System.Security.Principal.IdentityReference identity, System.IO.Pipes.PipeAccessRights rights, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public PipeAuditRule(string identity, System.IO.Pipes.PipeAccessRights rights, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; + public System.IO.Pipes.PipeAccessRights PipeAccessRights { get => throw null; } + } + public static partial class PipesAclExtensions + { + public static System.IO.Pipes.PipeSecurity GetAccessControl(this System.IO.Pipes.PipeStream stream) => throw null; + public static void SetAccessControl(this System.IO.Pipes.PipeStream stream, System.IO.Pipes.PipeSecurity pipeSecurity) => throw null; } - public class PipeSecurity : System.Security.AccessControl.NativeObjectSecurity { public override System.Type AccessRightType { get => throw null; } @@ -60,11 +59,11 @@ public class PipeSecurity : System.Security.AccessControl.NativeObjectSecurity public override System.Type AccessRuleType { get => throw null; } public void AddAccessRule(System.IO.Pipes.PipeAccessRule rule) => throw null; public void AddAuditRule(System.IO.Pipes.PipeAuditRule rule) => throw null; - public override System.Security.AccessControl.AuditRule AuditRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) => throw null; + public override sealed System.Security.AccessControl.AuditRule AuditRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) => throw null; public override System.Type AuditRuleType { get => throw null; } - protected internal void Persist(System.Runtime.InteropServices.SafeHandle handle) => throw null; - protected internal void Persist(string name) => throw null; public PipeSecurity() : base(default(bool), default(System.Security.AccessControl.ResourceType)) => throw null; + protected void Persist(System.Runtime.InteropServices.SafeHandle handle) => throw null; + protected void Persist(string name) => throw null; public bool RemoveAccessRule(System.IO.Pipes.PipeAccessRule rule) => throw null; public void RemoveAccessRuleSpecific(System.IO.Pipes.PipeAccessRule rule) => throw null; public bool RemoveAuditRule(System.IO.Pipes.PipeAuditRule rule) => throw null; @@ -74,13 +73,6 @@ public class PipeSecurity : System.Security.AccessControl.NativeObjectSecurity public void SetAccessRule(System.IO.Pipes.PipeAccessRule rule) => throw null; public void SetAuditRule(System.IO.Pipes.PipeAuditRule rule) => throw null; } - - public static class PipesAclExtensions - { - public static System.IO.Pipes.PipeSecurity GetAccessControl(this System.IO.Pipes.PipeStream stream) => throw null; - public static void SetAccessControl(this System.IO.Pipes.PipeStream stream, System.IO.Pipes.PipeSecurity pipeSecurity) => throw null; - } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs index bd3581006a0f..539a2b3727a6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs @@ -1,20 +1,18 @@ // This file contains auto-generated code. // Generated from `System.IO.Pipes, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 { namespace SafeHandles { - public class SafePipeHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafePipeHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { + public SafePipeHandle() : base(default(bool)) => throw null; + public SafePipeHandle(nint preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; public override bool IsInvalid { get => throw null; } protected override bool ReleaseHandle() => throw null; - public SafePipeHandle() : base(default(bool)) => throw null; - public SafePipeHandle(System.IntPtr preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; } - } } } @@ -24,43 +22,39 @@ namespace IO { namespace Pipes { - public class AnonymousPipeClientStream : System.IO.Pipes.PipeStream + public sealed class AnonymousPipeClientStream : System.IO.Pipes.PipeStream { public AnonymousPipeClientStream(System.IO.Pipes.PipeDirection direction, Microsoft.Win32.SafeHandles.SafePipeHandle safePipeHandle) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public AnonymousPipeClientStream(System.IO.Pipes.PipeDirection direction, string pipeHandleAsString) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public AnonymousPipeClientStream(string pipeHandleAsString) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; - public override System.IO.Pipes.PipeTransmissionMode ReadMode { set => throw null; } + public override System.IO.Pipes.PipeTransmissionMode ReadMode { set { } } public override System.IO.Pipes.PipeTransmissionMode TransmissionMode { get => throw null; } - // ERR: Stub generator didn't handle member: ~AnonymousPipeClientStream } - - public class AnonymousPipeServerStream : System.IO.Pipes.PipeStream + public sealed class AnonymousPipeServerStream : System.IO.Pipes.PipeStream { + public Microsoft.Win32.SafeHandles.SafePipeHandle ClientSafePipeHandle { get => throw null; } public AnonymousPipeServerStream() : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public AnonymousPipeServerStream(System.IO.Pipes.PipeDirection direction) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; + public AnonymousPipeServerStream(System.IO.Pipes.PipeDirection direction, Microsoft.Win32.SafeHandles.SafePipeHandle serverSafePipeHandle, Microsoft.Win32.SafeHandles.SafePipeHandle clientSafePipeHandle) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public AnonymousPipeServerStream(System.IO.Pipes.PipeDirection direction, System.IO.HandleInheritability inheritability) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public AnonymousPipeServerStream(System.IO.Pipes.PipeDirection direction, System.IO.HandleInheritability inheritability, int bufferSize) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; - public AnonymousPipeServerStream(System.IO.Pipes.PipeDirection direction, Microsoft.Win32.SafeHandles.SafePipeHandle serverSafePipeHandle, Microsoft.Win32.SafeHandles.SafePipeHandle clientSafePipeHandle) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; - public Microsoft.Win32.SafeHandles.SafePipeHandle ClientSafePipeHandle { get => throw null; } protected override void Dispose(bool disposing) => throw null; public void DisposeLocalCopyOfClientHandle() => throw null; public string GetClientHandleAsString() => throw null; - public override System.IO.Pipes.PipeTransmissionMode ReadMode { set => throw null; } + public override System.IO.Pipes.PipeTransmissionMode ReadMode { set { } } public override System.IO.Pipes.PipeTransmissionMode TransmissionMode { get => throw null; } - // ERR: Stub generator didn't handle member: ~AnonymousPipeServerStream } - - public class NamedPipeClientStream : System.IO.Pipes.PipeStream + public sealed class NamedPipeClientStream : System.IO.Pipes.PipeStream { - protected internal override void CheckPipePropertyOperations() => throw null; + protected override void CheckPipePropertyOperations() => throw null; public void Connect() => throw null; - public void Connect(System.TimeSpan timeout) => throw null; public void Connect(int timeout) => throw null; + public void Connect(System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task ConnectAsync() => throw null; - public System.Threading.Tasks.Task ConnectAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ConnectAsync(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ConnectAsync(int timeout) => throw null; public System.Threading.Tasks.Task ConnectAsync(int timeout, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ConnectAsync(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ConnectAsync(System.Threading.CancellationToken cancellationToken) => throw null; public NamedPipeClientStream(System.IO.Pipes.PipeDirection direction, bool isAsync, bool isConnected, Microsoft.Win32.SafeHandles.SafePipeHandle safePipeHandle) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeClientStream(string pipeName) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeClientStream(string serverName, string pipeName) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; @@ -69,16 +63,10 @@ public class NamedPipeClientStream : System.IO.Pipes.PipeStream public NamedPipeClientStream(string serverName, string pipeName, System.IO.Pipes.PipeDirection direction, System.IO.Pipes.PipeOptions options, System.Security.Principal.TokenImpersonationLevel impersonationLevel) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeClientStream(string serverName, string pipeName, System.IO.Pipes.PipeDirection direction, System.IO.Pipes.PipeOptions options, System.Security.Principal.TokenImpersonationLevel impersonationLevel, System.IO.HandleInheritability inheritability) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public int NumberOfServerInstances { get => throw null; } - // ERR: Stub generator didn't handle member: ~NamedPipeClientStream } - - public class NamedPipeServerStream : System.IO.Pipes.PipeStream + public sealed class NamedPipeServerStream : System.IO.Pipes.PipeStream { public System.IAsyncResult BeginWaitForConnection(System.AsyncCallback callback, object state) => throw null; - public void Disconnect() => throw null; - public void EndWaitForConnection(System.IAsyncResult asyncResult) => throw null; - public string GetImpersonationUserName() => throw null; - public const int MaxAllowedServerInstances = default; public NamedPipeServerStream(System.IO.Pipes.PipeDirection direction, bool isAsync, bool isConnected, Microsoft.Win32.SafeHandles.SafePipeHandle safePipeHandle) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeServerStream(string pipeName) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeServerStream(string pipeName, System.IO.Pipes.PipeDirection direction) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; @@ -86,39 +74,41 @@ public class NamedPipeServerStream : System.IO.Pipes.PipeStream public NamedPipeServerStream(string pipeName, System.IO.Pipes.PipeDirection direction, int maxNumberOfServerInstances, System.IO.Pipes.PipeTransmissionMode transmissionMode) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeServerStream(string pipeName, System.IO.Pipes.PipeDirection direction, int maxNumberOfServerInstances, System.IO.Pipes.PipeTransmissionMode transmissionMode, System.IO.Pipes.PipeOptions options) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; public NamedPipeServerStream(string pipeName, System.IO.Pipes.PipeDirection direction, int maxNumberOfServerInstances, System.IO.Pipes.PipeTransmissionMode transmissionMode, System.IO.Pipes.PipeOptions options, int inBufferSize, int outBufferSize) : base(default(System.IO.Pipes.PipeDirection), default(int)) => throw null; + public void Disconnect() => throw null; + public void EndWaitForConnection(System.IAsyncResult asyncResult) => throw null; + public string GetImpersonationUserName() => throw null; + public static int MaxAllowedServerInstances; public void RunAsClient(System.IO.Pipes.PipeStreamImpersonationWorker impersonationWorker) => throw null; public void WaitForConnection() => throw null; public System.Threading.Tasks.Task WaitForConnectionAsync() => throw null; public System.Threading.Tasks.Task WaitForConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - // ERR: Stub generator didn't handle member: ~NamedPipeServerStream } - - public enum PipeDirection : int + public enum PipeDirection { In = 1, - InOut = 3, Out = 2, + InOut = 3, } - [System.Flags] - public enum PipeOptions : int + public enum PipeOptions { - Asynchronous = 1073741824, - CurrentUserOnly = 536870912, - None = 0, WriteThrough = -2147483648, + None = 0, + CurrentUserOnly = 536870912, + Asynchronous = 1073741824, } - public abstract class PipeStream : System.IO.Stream { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } - protected internal virtual void CheckPipePropertyOperations() => throw null; - protected internal void CheckReadOperations() => throw null; - protected internal void CheckWriteOperations() => throw null; + protected virtual void CheckPipePropertyOperations() => throw null; + protected void CheckReadOperations() => throw null; + protected void CheckWriteOperations() => throw null; + protected PipeStream(System.IO.Pipes.PipeDirection direction, int bufferSize) => throw null; + protected PipeStream(System.IO.Pipes.PipeDirection direction, System.IO.Pipes.PipeTransmissionMode transmissionMode, int outBufferSize) => throw null; protected override void Dispose(bool disposing) => throw null; public override int EndRead(System.IAsyncResult asyncResult) => throw null; public override void EndWrite(System.IAsyncResult asyncResult) => throw null; @@ -127,40 +117,35 @@ public abstract class PipeStream : System.IO.Stream public virtual int InBufferSize { get => throw null; } protected void InitializeHandle(Microsoft.Win32.SafeHandles.SafePipeHandle handle, bool isExposed, bool isAsync) => throw null; public bool IsAsync { get => throw null; } - public bool IsConnected { get => throw null; set => throw null; } + public bool IsConnected { get => throw null; set { } } protected bool IsHandleExposed { get => throw null; } public bool IsMessageComplete { get => throw null; } - public override System.Int64 Length { get => throw null; } + public override long Length { get => throw null; } public virtual int OutBufferSize { get => throw null; } - protected PipeStream(System.IO.Pipes.PipeDirection direction, System.IO.Pipes.PipeTransmissionMode transmissionMode, int outBufferSize) => throw null; - protected PipeStream(System.IO.Pipes.PipeDirection direction, int bufferSize) => throw null; - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public virtual System.IO.Pipes.PipeTransmissionMode ReadMode { get => throw null; set => throw null; } + public virtual System.IO.Pipes.PipeTransmissionMode ReadMode { get => throw null; set { } } public Microsoft.Win32.SafeHandles.SafePipeHandle SafePipeHandle { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; public virtual System.IO.Pipes.PipeTransmissionMode TransmissionMode { get => throw null; } public void WaitForPipeDrain() => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - public delegate void PipeStreamImpersonationWorker(); - - public enum PipeTransmissionMode : int + public enum PipeTransmissionMode { Byte = 0, Message = 1, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs new file mode 100644 index 000000000000..4bdd5f6feada --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.IO.UnmanagedMemoryStream, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs new file mode 100644 index 000000000000..f6f753a6ae29 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.IO, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs index 8f8f33ee9155..093995b1b28f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs @@ -1,20 +1,18 @@ // This file contains auto-generated code. // Generated from `System.Linq.Expressions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Dynamic { public abstract class BinaryOperationBinder : System.Dynamic.DynamicMetaObjectBinder { + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; protected BinaryOperationBinder(System.Linq.Expressions.ExpressionType operation) => throw null; - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.DynamicMetaObject FallbackBinaryOperation(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject arg) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackBinaryOperation(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject arg, System.Dynamic.DynamicMetaObject errorSuggestion); public System.Linq.Expressions.ExpressionType Operation { get => throw null; } - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class BindingRestrictions { public static System.Dynamic.BindingRestrictions Combine(System.Collections.Generic.IList contributingObjects) => throw null; @@ -25,8 +23,7 @@ public abstract class BindingRestrictions public System.Dynamic.BindingRestrictions Merge(System.Dynamic.BindingRestrictions restrictions) => throw null; public System.Linq.Expressions.Expression ToExpression() => throw null; } - - public class CallInfo + public sealed class CallInfo { public int ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection ArgumentNames { get => throw null; } @@ -35,49 +32,44 @@ public class CallInfo public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; } - public abstract class ConvertBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; protected ConvertBinder(System.Type type, bool @explicit) => throw null; public bool Explicit { get => throw null; } public System.Dynamic.DynamicMetaObject FallbackConvert(System.Dynamic.DynamicMetaObject target) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackConvert(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject errorSuggestion); - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } public System.Type Type { get => throw null; } } - public abstract class CreateInstanceBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } protected CreateInstanceBinder(System.Dynamic.CallInfo callInfo) => throw null; public System.Dynamic.DynamicMetaObject FallbackCreateInstance(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackCreateInstance(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args, System.Dynamic.DynamicMetaObject errorSuggestion); - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class DeleteIndexBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } protected DeleteIndexBinder(System.Dynamic.CallInfo callInfo) => throw null; public System.Dynamic.DynamicMetaObject FallbackDeleteIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackDeleteIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes, System.Dynamic.DynamicMetaObject errorSuggestion); - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class DeleteMemberBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; protected DeleteMemberBinder(string name, bool ignoreCase) => throw null; public System.Dynamic.DynamicMetaObject FallbackDeleteMember(System.Dynamic.DynamicMetaObject target) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackDeleteMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject errorSuggestion); public bool IgnoreCase { get => throw null; } public string Name { get => throw null; } - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public class DynamicMetaObject { public virtual System.Dynamic.DynamicMetaObject BindBinaryOperation(System.Dynamic.BinaryOperationBinder binder, System.Dynamic.DynamicMetaObject arg) => throw null; @@ -104,18 +96,16 @@ public class DynamicMetaObject public System.Type RuntimeType { get => throw null; } public object Value { get => throw null; } } - public abstract class DynamicMetaObjectBinder : System.Runtime.CompilerServices.CallSiteBinder { public abstract System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args); - public override System.Linq.Expressions.Expression Bind(object[] args, System.Collections.ObjectModel.ReadOnlyCollection parameters, System.Linq.Expressions.LabelTarget returnLabel) => throw null; + public override sealed System.Linq.Expressions.Expression Bind(object[] args, System.Collections.ObjectModel.ReadOnlyCollection parameters, System.Linq.Expressions.LabelTarget returnLabel) => throw null; + protected DynamicMetaObjectBinder() => throw null; public System.Dynamic.DynamicMetaObject Defer(System.Dynamic.DynamicMetaObject target, params System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.DynamicMetaObject Defer(params System.Dynamic.DynamicMetaObject[] args) => throw null; - protected DynamicMetaObjectBinder() => throw null; public System.Linq.Expressions.Expression GetUpdateExpression(System.Type type) => throw null; public virtual System.Type ReturnType { get => throw null; } } - public class DynamicObject : System.Dynamic.IDynamicMetaObjectProvider { protected DynamicObject() => throw null; @@ -134,8 +124,7 @@ public class DynamicObject : System.Dynamic.IDynamicMetaObjectProvider public virtual bool TrySetMember(System.Dynamic.SetMemberBinder binder, object value) => throw null; public virtual bool TryUnaryOperation(System.Dynamic.UnaryOperationBinder binder, out object result) => throw null; } - - public class ExpandoObject : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.INotifyPropertyChanged, System.Dynamic.IDynamicMetaObjectProvider + public sealed class ExpandoObject : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.ComponentModel.INotifyPropertyChanged, System.Dynamic.IDynamicMetaObjectProvider { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; @@ -149,135 +138,98 @@ public class ExpandoObject : System.Collections.Generic.ICollection throw null; System.Dynamic.DynamicMetaObject System.Dynamic.IDynamicMetaObjectProvider.GetMetaObject(System.Linq.Expressions.Expression parameter) => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set => throw null; } + object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set { } } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add => throw null; remove => throw null; } + event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add { } remove { } } bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; bool System.Collections.Generic.IDictionary.TryGetValue(string key, out object value) => throw null; System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } } - public abstract class GetIndexBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } + protected GetIndexBinder(System.Dynamic.CallInfo callInfo) => throw null; public System.Dynamic.DynamicMetaObject FallbackGetIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackGetIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes, System.Dynamic.DynamicMetaObject errorSuggestion); - protected GetIndexBinder(System.Dynamic.CallInfo callInfo) => throw null; - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class GetMemberBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + protected GetMemberBinder(string name, bool ignoreCase) => throw null; public System.Dynamic.DynamicMetaObject FallbackGetMember(System.Dynamic.DynamicMetaObject target) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackGetMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject errorSuggestion); - protected GetMemberBinder(string name, bool ignoreCase) => throw null; public bool IgnoreCase { get => throw null; } public string Name { get => throw null; } - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public interface IDynamicMetaObjectProvider { System.Dynamic.DynamicMetaObject GetMetaObject(System.Linq.Expressions.Expression parameter); } - public interface IInvokeOnGetBinder { bool InvokeOnGet { get; } } - public abstract class InvokeBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } + protected InvokeBinder(System.Dynamic.CallInfo callInfo) => throw null; public System.Dynamic.DynamicMetaObject FallbackInvoke(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackInvoke(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args, System.Dynamic.DynamicMetaObject errorSuggestion); - protected InvokeBinder(System.Dynamic.CallInfo callInfo) => throw null; - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class InvokeMemberBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } + protected InvokeMemberBinder(string name, bool ignoreCase, System.Dynamic.CallInfo callInfo) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackInvoke(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args, System.Dynamic.DynamicMetaObject errorSuggestion); public System.Dynamic.DynamicMetaObject FallbackInvokeMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackInvokeMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args, System.Dynamic.DynamicMetaObject errorSuggestion); public bool IgnoreCase { get => throw null; } - protected InvokeMemberBinder(string name, bool ignoreCase, System.Dynamic.CallInfo callInfo) => throw null; public string Name { get => throw null; } - public override System.Type ReturnType { get => throw null; } + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class SetIndexBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; public System.Dynamic.CallInfo CallInfo { get => throw null; } + protected SetIndexBinder(System.Dynamic.CallInfo callInfo) => throw null; public System.Dynamic.DynamicMetaObject FallbackSetIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes, System.Dynamic.DynamicMetaObject value) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackSetIndex(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] indexes, System.Dynamic.DynamicMetaObject value, System.Dynamic.DynamicMetaObject errorSuggestion); - public override System.Type ReturnType { get => throw null; } - protected SetIndexBinder(System.Dynamic.CallInfo callInfo) => throw null; + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class SetMemberBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + protected SetMemberBinder(string name, bool ignoreCase) => throw null; public System.Dynamic.DynamicMetaObject FallbackSetMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject value) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackSetMember(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject value, System.Dynamic.DynamicMetaObject errorSuggestion); public bool IgnoreCase { get => throw null; } public string Name { get => throw null; } - public override System.Type ReturnType { get => throw null; } - protected SetMemberBinder(string name, bool ignoreCase) => throw null; + public override sealed System.Type ReturnType { get => throw null; } } - public abstract class UnaryOperationBinder : System.Dynamic.DynamicMetaObjectBinder { - public override System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + public override sealed System.Dynamic.DynamicMetaObject Bind(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject[] args) => throw null; + protected UnaryOperationBinder(System.Linq.Expressions.ExpressionType operation) => throw null; public System.Dynamic.DynamicMetaObject FallbackUnaryOperation(System.Dynamic.DynamicMetaObject target) => throw null; public abstract System.Dynamic.DynamicMetaObject FallbackUnaryOperation(System.Dynamic.DynamicMetaObject target, System.Dynamic.DynamicMetaObject errorSuggestion); public System.Linq.Expressions.ExpressionType Operation { get => throw null; } - public override System.Type ReturnType { get => throw null; } - protected UnaryOperationBinder(System.Linq.Expressions.ExpressionType operation) => throw null; + public override sealed System.Type ReturnType { get => throw null; } } - } namespace Linq { - public interface IOrderedQueryable : System.Collections.IEnumerable, System.Linq.IQueryable - { - } - - public interface IOrderedQueryable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryable - { - } - - public interface IQueryProvider - { - System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); - System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); - object Execute(System.Linq.Expressions.Expression expression); - TResult Execute(System.Linq.Expressions.Expression expression); - } - - public interface IQueryable : System.Collections.IEnumerable - { - System.Type ElementType { get; } - System.Linq.Expressions.Expression Expression { get; } - System.Linq.IQueryProvider Provider { get; } - } - - public interface IQueryable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IQueryable - { - } - namespace Expressions { public class BinaryExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public override bool CanReduce { get => throw null; } public System.Linq.Expressions.LambdaExpression Conversion { get => throw null; } public bool IsLifted { get => throw null; } @@ -288,19 +240,17 @@ public class BinaryExpression : System.Linq.Expressions.Expression public System.Linq.Expressions.Expression Right { get => throw null; } public System.Linq.Expressions.BinaryExpression Update(System.Linq.Expressions.Expression left, System.Linq.Expressions.LambdaExpression conversion, System.Linq.Expressions.Expression right) => throw null; } - public class BlockExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Expressions { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression Result { get => throw null; } public override System.Type Type { get => throw null; } public System.Linq.Expressions.BlockExpression Update(System.Collections.Generic.IEnumerable variables, System.Collections.Generic.IEnumerable expressions) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Variables { get => throw null; } } - - public class CatchBlock + public sealed class CatchBlock { public System.Linq.Expressions.Expression Body { get => throw null; } public System.Linq.Expressions.Expression Filter { get => throw null; } @@ -309,80 +259,73 @@ public class CatchBlock public System.Linq.Expressions.CatchBlock Update(System.Linq.Expressions.ParameterExpression variable, System.Linq.Expressions.Expression filter, System.Linq.Expressions.Expression body) => throw null; public System.Linq.Expressions.ParameterExpression Variable { get => throw null; } } - public class ConditionalExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression IfFalse { get => throw null; } public System.Linq.Expressions.Expression IfTrue { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression Test { get => throw null; } public override System.Type Type { get => throw null; } public System.Linq.Expressions.ConditionalExpression Update(System.Linq.Expressions.Expression test, System.Linq.Expressions.Expression ifTrue, System.Linq.Expressions.Expression ifFalse) => throw null; } - public class ConstantExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Type Type { get => throw null; } public object Value { get => throw null; } } - public class DebugInfoExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.SymbolDocumentInfo Document { get => throw null; } public virtual int EndColumn { get => throw null; } public virtual int EndLine { get => throw null; } public virtual bool IsClear { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public virtual int StartColumn { get => throw null; } public virtual int StartLine { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } } - - public class DefaultExpression : System.Linq.Expressions.Expression + public sealed class DefaultExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } } - public class DynamicExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider, System.Linq.Expressions.IDynamicExpression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } public System.Runtime.CompilerServices.CallSiteBinder Binder { get => throw null; } object System.Linq.Expressions.IDynamicExpression.CreateCallSite() => throw null; public System.Type DelegateType { get => throw null; } + public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; - public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, params System.Linq.Expressions.Expression[] arguments) => throw null; System.Linq.Expressions.Expression System.Linq.Expressions.IArgumentProvider.GetArgument(int index) => throw null; + public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; - public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, params System.Linq.Expressions.Expression[] arguments) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } System.Linq.Expressions.Expression System.Linq.Expressions.IDynamicExpression.Rewrite(System.Linq.Expressions.Expression[] args) => throw null; public override System.Type Type { get => throw null; } public System.Linq.Expressions.DynamicExpression Update(System.Collections.Generic.IEnumerable arguments) => throw null; } - public abstract class DynamicExpressionVisitor : System.Linq.Expressions.ExpressionVisitor { protected DynamicExpressionVisitor() => throw null; - protected internal override System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression node) => throw null; + protected override System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression node) => throw null; } - - public class ElementInit : System.Linq.Expressions.IArgumentProvider + public sealed class ElementInit : System.Linq.Expressions.IArgumentProvider { public System.Reflection.MethodInfo AddMethod { get => throw null; } int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } @@ -391,10 +334,9 @@ public class ElementInit : System.Linq.Expressions.IArgumentProvider public override string ToString() => throw null; public System.Linq.Expressions.ElementInit Update(System.Collections.Generic.IEnumerable arguments) => throw null; } - public abstract class Expression { - protected internal virtual System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected virtual System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public static System.Linq.Expressions.BinaryExpression Add(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.BinaryExpression Add(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.BinaryExpression AddAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; @@ -414,41 +356,41 @@ public abstract class Expression public static System.Linq.Expressions.BinaryExpression AndAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method, System.Linq.Expressions.LambdaExpression conversion) => throw null; public static System.Linq.Expressions.IndexExpression ArrayAccess(System.Linq.Expressions.Expression array, System.Collections.Generic.IEnumerable indexes) => throw null; public static System.Linq.Expressions.IndexExpression ArrayAccess(System.Linq.Expressions.Expression array, params System.Linq.Expressions.Expression[] indexes) => throw null; - public static System.Linq.Expressions.BinaryExpression ArrayIndex(System.Linq.Expressions.Expression array, System.Linq.Expressions.Expression index) => throw null; public static System.Linq.Expressions.MethodCallExpression ArrayIndex(System.Linq.Expressions.Expression array, System.Collections.Generic.IEnumerable indexes) => throw null; + public static System.Linq.Expressions.BinaryExpression ArrayIndex(System.Linq.Expressions.Expression array, System.Linq.Expressions.Expression index) => throw null; public static System.Linq.Expressions.MethodCallExpression ArrayIndex(System.Linq.Expressions.Expression array, params System.Linq.Expressions.Expression[] indexes) => throw null; public static System.Linq.Expressions.UnaryExpression ArrayLength(System.Linq.Expressions.Expression array) => throw null; public static System.Linq.Expressions.BinaryExpression Assign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.MemberAssignment Bind(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression) => throw null; public static System.Linq.Expressions.MemberAssignment Bind(System.Reflection.MethodInfo propertyAccessor, System.Linq.Expressions.Expression expression) => throw null; + public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable expressions) => throw null; + public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable variables, System.Collections.Generic.IEnumerable expressions) => throw null; + public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable variables, params System.Linq.Expressions.Expression[] expressions) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3, System.Linq.Expressions.Expression arg4) => throw null; - public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable expressions) => throw null; - public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable variables, System.Collections.Generic.IEnumerable expressions) => throw null; - public static System.Linq.Expressions.BlockExpression Block(System.Collections.Generic.IEnumerable variables, params System.Linq.Expressions.Expression[] expressions) => throw null; + public static System.Linq.Expressions.BlockExpression Block(params System.Linq.Expressions.Expression[] expressions) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Type type, System.Collections.Generic.IEnumerable expressions) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Type type, System.Collections.Generic.IEnumerable variables, System.Collections.Generic.IEnumerable expressions) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Type type, System.Collections.Generic.IEnumerable variables, params System.Linq.Expressions.Expression[] expressions) => throw null; public static System.Linq.Expressions.BlockExpression Block(System.Type type, params System.Linq.Expressions.Expression[] expressions) => throw null; - public static System.Linq.Expressions.BlockExpression Block(params System.Linq.Expressions.Expression[] expressions) => throw null; public static System.Linq.Expressions.GotoExpression Break(System.Linq.Expressions.LabelTarget target) => throw null; public static System.Linq.Expressions.GotoExpression Break(System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression value) => throw null; public static System.Linq.Expressions.GotoExpression Break(System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression value, System.Type type) => throw null; public static System.Linq.Expressions.GotoExpression Break(System.Linq.Expressions.LabelTarget target, System.Type type) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method) => throw null; + public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; - public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, System.Reflection.MethodInfo method, params System.Linq.Expressions.Expression[] arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Linq.Expressions.Expression instance, string methodName, System.Type[] typeArguments, params System.Linq.Expressions.Expression[] arguments) => throw null; + public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3, System.Linq.Expressions.Expression arg4) => throw null; - public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Reflection.MethodInfo method, params System.Linq.Expressions.Expression[] arguments) => throw null; public static System.Linq.Expressions.MethodCallExpression Call(System.Type type, string methodName, System.Type[] typeArguments, params System.Linq.Expressions.Expression[] arguments) => throw null; public virtual bool CanReduce { get => throw null; } @@ -469,6 +411,8 @@ public abstract class Expression public static System.Linq.Expressions.UnaryExpression Convert(System.Linq.Expressions.Expression expression, System.Type type, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.UnaryExpression ConvertChecked(System.Linq.Expressions.Expression expression, System.Type type) => throw null; public static System.Linq.Expressions.UnaryExpression ConvertChecked(System.Linq.Expressions.Expression expression, System.Type type, System.Reflection.MethodInfo method) => throw null; + protected Expression() => throw null; + protected Expression(System.Linq.Expressions.ExpressionType nodeType, System.Type type) => throw null; public static System.Linq.Expressions.DebugInfoExpression DebugInfo(System.Linq.Expressions.SymbolDocumentInfo document, int startLine, int startColumn, int endLine, int endColumn) => throw null; public static System.Linq.Expressions.UnaryExpression Decrement(System.Linq.Expressions.Expression expression) => throw null; public static System.Linq.Expressions.UnaryExpression Decrement(System.Linq.Expressions.Expression expression, System.Reflection.MethodInfo method) => throw null; @@ -478,11 +422,11 @@ public abstract class Expression public static System.Linq.Expressions.BinaryExpression DivideAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.BinaryExpression DivideAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.BinaryExpression DivideAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method, System.Linq.Expressions.LambdaExpression conversion) => throw null; + public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; - public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression Dynamic(System.Runtime.CompilerServices.CallSiteBinder binder, System.Type returnType, params System.Linq.Expressions.Expression[] arguments) => throw null; public static System.Linq.Expressions.ElementInit ElementInit(System.Reflection.MethodInfo addMethod, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.ElementInit ElementInit(System.Reflection.MethodInfo addMethod, params System.Linq.Expressions.Expression[] arguments) => throw null; @@ -494,11 +438,9 @@ public abstract class Expression public static System.Linq.Expressions.BinaryExpression ExclusiveOrAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.BinaryExpression ExclusiveOrAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.BinaryExpression ExclusiveOrAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method, System.Linq.Expressions.LambdaExpression conversion) => throw null; - protected Expression() => throw null; - protected Expression(System.Linq.Expressions.ExpressionType nodeType, System.Type type) => throw null; public static System.Linq.Expressions.MemberExpression Field(System.Linq.Expressions.Expression expression, System.Reflection.FieldInfo field) => throw null; - public static System.Linq.Expressions.MemberExpression Field(System.Linq.Expressions.Expression expression, System.Type type, string fieldName) => throw null; public static System.Linq.Expressions.MemberExpression Field(System.Linq.Expressions.Expression expression, string fieldName) => throw null; + public static System.Linq.Expressions.MemberExpression Field(System.Linq.Expressions.Expression expression, System.Type type, string fieldName) => throw null; public static System.Type GetActionType(params System.Type[] typeArgs) => throw null; public static System.Type GetDelegateType(params System.Type[] typeArgs) => throw null; public static System.Type GetFuncType(params System.Type[] typeArgs) => throw null; @@ -523,27 +465,27 @@ public abstract class Expression public static System.Linq.Expressions.LabelTarget Label() => throw null; public static System.Linq.Expressions.LabelExpression Label(System.Linq.Expressions.LabelTarget target) => throw null; public static System.Linq.Expressions.LabelExpression Label(System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression defaultValue) => throw null; + public static System.Linq.Expressions.LabelTarget Label(string name) => throw null; public static System.Linq.Expressions.LabelTarget Label(System.Type type) => throw null; public static System.Linq.Expressions.LabelTarget Label(System.Type type, string name) => throw null; - public static System.Linq.Expressions.LabelTarget Label(string name) => throw null; - public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, bool tailCall, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; + public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; - public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, string name, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; - public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; + public static System.Linq.Expressions.LambdaExpression Lambda(System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, bool tailCall, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; + public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; - public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, string name, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; - public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; + public static System.Linq.Expressions.LambdaExpression Lambda(System.Type delegateType, System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, bool tailCall, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; + public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, params System.Linq.Expressions.ParameterExpression[] parameters) => throw null; - public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, string name, bool tailCall, System.Collections.Generic.IEnumerable parameters) => throw null; + public static System.Linq.Expressions.Expression Lambda(System.Linq.Expressions.Expression body, string name, System.Collections.Generic.IEnumerable parameters) => throw null; public static System.Linq.Expressions.BinaryExpression LeftShift(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.BinaryExpression LeftShift(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.BinaryExpression LeftShiftAssign(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; @@ -559,10 +501,10 @@ public abstract class Expression public static System.Linq.Expressions.MemberListBinding ListBind(System.Reflection.MethodInfo propertyAccessor, params System.Linq.Expressions.ElementInit[] initializers) => throw null; public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Collections.Generic.IEnumerable initializers) => throw null; public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Collections.Generic.IEnumerable initializers) => throw null; - public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Reflection.MethodInfo addMethod, System.Collections.Generic.IEnumerable initializers) => throw null; - public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Reflection.MethodInfo addMethod, params System.Linq.Expressions.Expression[] initializers) => throw null; public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, params System.Linq.Expressions.ElementInit[] initializers) => throw null; public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, params System.Linq.Expressions.Expression[] initializers) => throw null; + public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Reflection.MethodInfo addMethod, System.Collections.Generic.IEnumerable initializers) => throw null; + public static System.Linq.Expressions.ListInitExpression ListInit(System.Linq.Expressions.NewExpression newExpression, System.Reflection.MethodInfo addMethod, params System.Linq.Expressions.Expression[] initializers) => throw null; public static System.Linq.Expressions.LoopExpression Loop(System.Linq.Expressions.Expression body) => throw null; public static System.Linq.Expressions.LoopExpression Loop(System.Linq.Expressions.Expression body, System.Linq.Expressions.LabelTarget @break) => throw null; public static System.Linq.Expressions.LoopExpression Loop(System.Linq.Expressions.Expression body, System.Linq.Expressions.LabelTarget @break, System.Linq.Expressions.LabelTarget @continue) => throw null; @@ -570,11 +512,11 @@ public abstract class Expression public static System.Linq.Expressions.BinaryExpression MakeBinary(System.Linq.Expressions.ExpressionType binaryType, System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, bool liftToNull, System.Reflection.MethodInfo method) => throw null; public static System.Linq.Expressions.BinaryExpression MakeBinary(System.Linq.Expressions.ExpressionType binaryType, System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, bool liftToNull, System.Reflection.MethodInfo method, System.Linq.Expressions.LambdaExpression conversion) => throw null; public static System.Linq.Expressions.CatchBlock MakeCatchBlock(System.Type type, System.Linq.Expressions.ParameterExpression variable, System.Linq.Expressions.Expression body, System.Linq.Expressions.Expression filter) => throw null; + public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Linq.Expressions.Expression arg0, System.Linq.Expressions.Expression arg1, System.Linq.Expressions.Expression arg2, System.Linq.Expressions.Expression arg3) => throw null; - public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.DynamicExpression MakeDynamic(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder, params System.Linq.Expressions.Expression[] arguments) => throw null; public static System.Linq.Expressions.GotoExpression MakeGoto(System.Linq.Expressions.GotoExpressionKind kind, System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression value, System.Type type) => throw null; public static System.Linq.Expressions.IndexExpression MakeIndex(System.Linq.Expressions.Expression instance, System.Reflection.PropertyInfo indexer, System.Collections.Generic.IEnumerable arguments) => throw null; @@ -650,9 +592,9 @@ public abstract class Expression public static System.Linq.Expressions.MemberExpression Property(System.Linq.Expressions.Expression expression, System.Reflection.PropertyInfo property) => throw null; public static System.Linq.Expressions.IndexExpression Property(System.Linq.Expressions.Expression instance, System.Reflection.PropertyInfo indexer, System.Collections.Generic.IEnumerable arguments) => throw null; public static System.Linq.Expressions.IndexExpression Property(System.Linq.Expressions.Expression instance, System.Reflection.PropertyInfo indexer, params System.Linq.Expressions.Expression[] arguments) => throw null; - public static System.Linq.Expressions.MemberExpression Property(System.Linq.Expressions.Expression expression, System.Type type, string propertyName) => throw null; public static System.Linq.Expressions.MemberExpression Property(System.Linq.Expressions.Expression expression, string propertyName) => throw null; public static System.Linq.Expressions.IndexExpression Property(System.Linq.Expressions.Expression instance, string propertyName, params System.Linq.Expressions.Expression[] arguments) => throw null; + public static System.Linq.Expressions.MemberExpression Property(System.Linq.Expressions.Expression expression, System.Type type, string propertyName) => throw null; public static System.Linq.Expressions.MemberExpression PropertyOrField(System.Linq.Expressions.Expression expression, string propertyOrFieldName) => throw null; public static System.Linq.Expressions.UnaryExpression Quote(System.Linq.Expressions.Expression expression) => throw null; public virtual System.Linq.Expressions.Expression Reduce() => throw null; @@ -683,9 +625,9 @@ public abstract class Expression public static System.Linq.Expressions.BinaryExpression SubtractAssignChecked(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method, System.Linq.Expressions.LambdaExpression conversion) => throw null; public static System.Linq.Expressions.BinaryExpression SubtractChecked(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right) => throw null; public static System.Linq.Expressions.BinaryExpression SubtractChecked(System.Linq.Expressions.Expression left, System.Linq.Expressions.Expression right, System.Reflection.MethodInfo method) => throw null; + public static System.Linq.Expressions.SwitchExpression Switch(System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, params System.Linq.Expressions.SwitchCase[] cases) => throw null; public static System.Linq.Expressions.SwitchExpression Switch(System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, System.Reflection.MethodInfo comparison, System.Collections.Generic.IEnumerable cases) => throw null; public static System.Linq.Expressions.SwitchExpression Switch(System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, System.Reflection.MethodInfo comparison, params System.Linq.Expressions.SwitchCase[] cases) => throw null; - public static System.Linq.Expressions.SwitchExpression Switch(System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, params System.Linq.Expressions.SwitchCase[] cases) => throw null; public static System.Linq.Expressions.SwitchExpression Switch(System.Linq.Expressions.Expression switchValue, params System.Linq.Expressions.SwitchCase[] cases) => throw null; public static System.Linq.Expressions.SwitchExpression Switch(System.Type type, System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, System.Reflection.MethodInfo comparison, System.Collections.Generic.IEnumerable cases) => throw null; public static System.Linq.Expressions.SwitchExpression Switch(System.Type type, System.Linq.Expressions.Expression switchValue, System.Linq.Expressions.Expression defaultBody, System.Reflection.MethodInfo comparison, params System.Linq.Expressions.SwitchCase[] cases) => throw null; @@ -713,392 +655,362 @@ public abstract class Expression public static System.Linq.Expressions.UnaryExpression Unbox(System.Linq.Expressions.Expression expression, System.Type type) => throw null; public static System.Linq.Expressions.ParameterExpression Variable(System.Type type) => throw null; public static System.Linq.Expressions.ParameterExpression Variable(System.Type type, string name) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected virtual System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; } - - public class Expression : System.Linq.Expressions.LambdaExpression + public sealed class Expression : System.Linq.Expressions.LambdaExpression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public TDelegate Compile() => throw null; - public TDelegate Compile(System.Runtime.CompilerServices.DebugInfoGenerator debugInfoGenerator) => throw null; public TDelegate Compile(bool preferInterpretation) => throw null; + public TDelegate Compile(System.Runtime.CompilerServices.DebugInfoGenerator debugInfoGenerator) => throw null; public System.Linq.Expressions.Expression Update(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable parameters) => throw null; } - - public enum ExpressionType : int + public enum ExpressionType { Add = 0, - AddAssign = 63, - AddAssignChecked = 74, AddChecked = 1, And = 2, AndAlso = 3, - AndAssign = 64, - ArrayIndex = 5, ArrayLength = 4, - Assign = 46, - Block = 47, + ArrayIndex = 5, Call = 6, Coalesce = 7, Conditional = 8, Constant = 9, Convert = 10, ConvertChecked = 11, - DebugInfo = 48, - Decrement = 49, - Default = 51, Divide = 12, - DivideAssign = 65, - Dynamic = 50, Equal = 13, ExclusiveOr = 14, - ExclusiveOrAssign = 66, - Extension = 52, - Goto = 53, GreaterThan = 15, GreaterThanOrEqual = 16, - Increment = 54, - Index = 55, Invoke = 17, - IsFalse = 84, - IsTrue = 83, - Label = 56, Lambda = 18, LeftShift = 19, - LeftShiftAssign = 67, LessThan = 20, LessThanOrEqual = 21, ListInit = 22, - Loop = 58, MemberAccess = 23, MemberInit = 24, Modulo = 25, - ModuloAssign = 68, Multiply = 26, - MultiplyAssign = 69, - MultiplyAssignChecked = 75, MultiplyChecked = 27, Negate = 28, + UnaryPlus = 29, NegateChecked = 30, New = 31, - NewArrayBounds = 33, NewArrayInit = 32, + NewArrayBounds = 33, Not = 34, NotEqual = 35, - OnesComplement = 82, Or = 36, - OrAssign = 70, OrElse = 37, Parameter = 38, - PostDecrementAssign = 80, - PostIncrementAssign = 79, Power = 39, - PowerAssign = 71, - PreDecrementAssign = 78, - PreIncrementAssign = 77, Quote = 40, RightShift = 41, - RightShiftAssign = 72, - RuntimeVariables = 57, Subtract = 42, - SubtractAssign = 73, - SubtractAssignChecked = 76, SubtractChecked = 43, + TypeAs = 44, + TypeIs = 45, + Assign = 46, + Block = 47, + DebugInfo = 48, + Decrement = 49, + Dynamic = 50, + Default = 51, + Extension = 52, + Goto = 53, + Increment = 54, + Index = 55, + Label = 56, + RuntimeVariables = 57, + Loop = 58, Switch = 59, Throw = 60, Try = 61, - TypeAs = 44, - TypeEqual = 81, - TypeIs = 45, - UnaryPlus = 29, Unbox = 62, + AddAssign = 63, + AndAssign = 64, + DivideAssign = 65, + ExclusiveOrAssign = 66, + LeftShiftAssign = 67, + ModuloAssign = 68, + MultiplyAssign = 69, + OrAssign = 70, + PowerAssign = 71, + RightShiftAssign = 72, + SubtractAssign = 73, + AddAssignChecked = 74, + MultiplyAssignChecked = 75, + SubtractAssignChecked = 76, + PreIncrementAssign = 77, + PreDecrementAssign = 78, + PostIncrementAssign = 79, + PostDecrementAssign = 80, + TypeEqual = 81, + OnesComplement = 82, + IsTrue = 83, + IsFalse = 84, } - public abstract class ExpressionVisitor { protected ExpressionVisitor() => throw null; - public virtual System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression node) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Visit(System.Collections.ObjectModel.ReadOnlyCollection nodes) => throw null; + public virtual System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression node) => throw null; public static System.Collections.ObjectModel.ReadOnlyCollection Visit(System.Collections.ObjectModel.ReadOnlyCollection nodes, System.Func elementVisitor) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection VisitAndConvert(System.Collections.ObjectModel.ReadOnlyCollection nodes, string callerName) where T : System.Linq.Expressions.Expression => throw null; public T VisitAndConvert(T node, string callerName) where T : System.Linq.Expressions.Expression => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression node) => throw null; protected virtual System.Linq.Expressions.CatchBlock VisitCatchBlock(System.Linq.Expressions.CatchBlock node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression node) => throw null; protected virtual System.Linq.Expressions.ElementInit VisitElementInit(System.Linq.Expressions.ElementInit node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitExtension(System.Linq.Expressions.Expression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitExtension(System.Linq.Expressions.Expression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression node) => throw null; protected virtual System.Linq.Expressions.LabelTarget VisitLabelTarget(System.Linq.Expressions.LabelTarget node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression node) => throw null; protected virtual System.Linq.Expressions.MemberAssignment VisitMemberAssignment(System.Linq.Expressions.MemberAssignment node) => throw null; protected virtual System.Linq.Expressions.MemberBinding VisitMemberBinding(System.Linq.Expressions.MemberBinding node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression node) => throw null; protected virtual System.Linq.Expressions.MemberListBinding VisitMemberListBinding(System.Linq.Expressions.MemberListBinding node) => throw null; protected virtual System.Linq.Expressions.MemberMemberBinding VisitMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitRuntimeVariables(System.Linq.Expressions.RuntimeVariablesExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitRuntimeVariables(System.Linq.Expressions.RuntimeVariablesExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression node) => throw null; protected virtual System.Linq.Expressions.SwitchCase VisitSwitchCase(System.Linq.Expressions.SwitchCase node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression node) => throw null; } - - public class GotoExpression : System.Linq.Expressions.Expression + public sealed class GotoExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.GotoExpressionKind Kind { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.LabelTarget Target { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.GotoExpression Update(System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression value) => throw null; public System.Linq.Expressions.Expression Value { get => throw null; } } - - public enum GotoExpressionKind : int + public enum GotoExpressionKind { - Break = 2, - Continue = 3, Goto = 0, Return = 1, + Break = 2, + Continue = 3, } - public interface IArgumentProvider { int ArgumentCount { get; } System.Linq.Expressions.Expression GetArgument(int index); } - public interface IDynamicExpression : System.Linq.Expressions.IArgumentProvider { object CreateCallSite(); System.Type DelegateType { get; } System.Linq.Expressions.Expression Rewrite(System.Linq.Expressions.Expression[] args); } - - public class IndexExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider + public sealed class IndexExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } System.Linq.Expressions.Expression System.Linq.Expressions.IArgumentProvider.GetArgument(int index) => throw null; public System.Reflection.PropertyInfo Indexer { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression Object { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.IndexExpression Update(System.Linq.Expressions.Expression @object, System.Collections.Generic.IEnumerable arguments) => throw null; } - - public class InvocationExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider + public sealed class InvocationExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } public System.Linq.Expressions.Expression Expression { get => throw null; } System.Linq.Expressions.Expression System.Linq.Expressions.IArgumentProvider.GetArgument(int index) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.InvocationExpression Update(System.Linq.Expressions.Expression expression, System.Collections.Generic.IEnumerable arguments) => throw null; } - - public class LabelExpression : System.Linq.Expressions.Expression + public sealed class LabelExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression DefaultValue { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.LabelTarget Target { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.LabelExpression Update(System.Linq.Expressions.LabelTarget target, System.Linq.Expressions.Expression defaultValue) => throw null; } - - public class LabelTarget + public sealed class LabelTarget { public string Name { get => throw null; } public override string ToString() => throw null; public System.Type Type { get => throw null; } } - public abstract class LambdaExpression : System.Linq.Expressions.Expression { public System.Linq.Expressions.Expression Body { get => throw null; } public System.Delegate Compile() => throw null; - public System.Delegate Compile(System.Runtime.CompilerServices.DebugInfoGenerator debugInfoGenerator) => throw null; public System.Delegate Compile(bool preferInterpretation) => throw null; - internal LambdaExpression() => throw null; + public System.Delegate Compile(System.Runtime.CompilerServices.DebugInfoGenerator debugInfoGenerator) => throw null; public string Name { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Parameters { get => throw null; } public System.Type ReturnType { get => throw null; } public bool TailCall { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } } - - public class ListInitExpression : System.Linq.Expressions.Expression + public sealed class ListInitExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public override bool CanReduce { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Initializers { get => throw null; } public System.Linq.Expressions.NewExpression NewExpression { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Linq.Expressions.Expression Reduce() => throw null; - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.ListInitExpression Update(System.Linq.Expressions.NewExpression newExpression, System.Collections.Generic.IEnumerable initializers) => throw null; } - - public class LoopExpression : System.Linq.Expressions.Expression + public sealed class LoopExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression Body { get => throw null; } public System.Linq.Expressions.LabelTarget BreakLabel { get => throw null; } public System.Linq.Expressions.LabelTarget ContinueLabel { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.LoopExpression Update(System.Linq.Expressions.LabelTarget breakLabel, System.Linq.Expressions.LabelTarget continueLabel, System.Linq.Expressions.Expression body) => throw null; } - - public class MemberAssignment : System.Linq.Expressions.MemberBinding + public sealed class MemberAssignment : System.Linq.Expressions.MemberBinding { public System.Linq.Expressions.Expression Expression { get => throw null; } - internal MemberAssignment() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) => throw null; public System.Linq.Expressions.MemberAssignment Update(System.Linq.Expressions.Expression expression) => throw null; + internal MemberAssignment() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) { } } - public abstract class MemberBinding { public System.Linq.Expressions.MemberBindingType BindingType { get => throw null; } - public System.Reflection.MemberInfo Member { get => throw null; } protected MemberBinding(System.Linq.Expressions.MemberBindingType type, System.Reflection.MemberInfo member) => throw null; + public System.Reflection.MemberInfo Member { get => throw null; } public override string ToString() => throw null; } - - public enum MemberBindingType : int + public enum MemberBindingType { Assignment = 0, - ListBinding = 2, MemberBinding = 1, + ListBinding = 2, } - public class MemberExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression Expression { get => throw null; } public System.Reflection.MemberInfo Member { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.MemberExpression Update(System.Linq.Expressions.Expression expression) => throw null; } - - public class MemberInitExpression : System.Linq.Expressions.Expression + public sealed class MemberInitExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Bindings { get => throw null; } public override bool CanReduce { get => throw null; } public System.Linq.Expressions.NewExpression NewExpression { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Linq.Expressions.Expression Reduce() => throw null; - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.MemberInitExpression Update(System.Linq.Expressions.NewExpression newExpression, System.Collections.Generic.IEnumerable bindings) => throw null; } - - public class MemberListBinding : System.Linq.Expressions.MemberBinding + public sealed class MemberListBinding : System.Linq.Expressions.MemberBinding { public System.Collections.ObjectModel.ReadOnlyCollection Initializers { get => throw null; } - internal MemberListBinding() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) => throw null; public System.Linq.Expressions.MemberListBinding Update(System.Collections.Generic.IEnumerable initializers) => throw null; + internal MemberListBinding() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) { } } - - public class MemberMemberBinding : System.Linq.Expressions.MemberBinding + public sealed class MemberMemberBinding : System.Linq.Expressions.MemberBinding { public System.Collections.ObjectModel.ReadOnlyCollection Bindings { get => throw null; } - internal MemberMemberBinding() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) => throw null; public System.Linq.Expressions.MemberMemberBinding Update(System.Collections.Generic.IEnumerable bindings) => throw null; + internal MemberMemberBinding() : base(default(System.Linq.Expressions.MemberBindingType), default(System.Reflection.MemberInfo)) { } } - public class MethodCallExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } System.Linq.Expressions.Expression System.Linq.Expressions.IArgumentProvider.GetArgument(int index) => throw null; public System.Reflection.MethodInfo Method { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression Object { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.MethodCallExpression Update(System.Linq.Expressions.Expression @object, System.Collections.Generic.IEnumerable arguments) => throw null; } - public class NewArrayExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Expressions { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.NewArrayExpression Update(System.Collections.Generic.IEnumerable expressions) => throw null; } - public class NewExpression : System.Linq.Expressions.Expression, System.Linq.Expressions.IArgumentProvider { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; int System.Linq.Expressions.IArgumentProvider.ArgumentCount { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } public System.Reflection.ConstructorInfo Constructor { get => throw null; } System.Linq.Expressions.Expression System.Linq.Expressions.IArgumentProvider.GetArgument(int index) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Members { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Type Type { get => throw null; } public System.Linq.Expressions.NewExpression Update(System.Collections.Generic.IEnumerable arguments) => throw null; } - public class ParameterExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public bool IsByRef { get => throw null; } public string Name { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Type Type { get => throw null; } } - - public class RuntimeVariablesExpression : System.Linq.Expressions.Expression + public sealed class RuntimeVariablesExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.RuntimeVariablesExpression Update(System.Collections.Generic.IEnumerable variables) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Variables { get => throw null; } } - - public class SwitchCase + public sealed class SwitchCase { public System.Linq.Expressions.Expression Body { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection TestValues { get => throw null; } public override string ToString() => throw null; public System.Linq.Expressions.SwitchCase Update(System.Collections.Generic.IEnumerable testValues, System.Linq.Expressions.Expression body) => throw null; } - - public class SwitchExpression : System.Linq.Expressions.Expression + public sealed class SwitchExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Collections.ObjectModel.ReadOnlyCollection Cases { get => throw null; } public System.Reflection.MethodInfo Comparison { get => throw null; } public System.Linq.Expressions.Expression DefaultBody { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression SwitchValue { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.SwitchExpression Update(System.Linq.Expressions.Expression switchValue, System.Collections.Generic.IEnumerable cases, System.Linq.Expressions.Expression defaultBody) => throw null; } - public class SymbolDocumentInfo { public virtual System.Guid DocumentType { get => throw null; } @@ -1106,43 +1018,61 @@ public class SymbolDocumentInfo public virtual System.Guid Language { get => throw null; } public virtual System.Guid LanguageVendor { get => throw null; } } - - public class TryExpression : System.Linq.Expressions.Expression + public sealed class TryExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression Body { get => throw null; } public System.Linq.Expressions.Expression Fault { get => throw null; } public System.Linq.Expressions.Expression Finally { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection Handlers { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.TryExpression Update(System.Linq.Expressions.Expression body, System.Collections.Generic.IEnumerable handlers, System.Linq.Expressions.Expression @finally, System.Linq.Expressions.Expression fault) => throw null; } - - public class TypeBinaryExpression : System.Linq.Expressions.Expression + public sealed class TypeBinaryExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public System.Linq.Expressions.Expression Expression { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public override System.Type Type { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Type TypeOperand { get => throw null; } public System.Linq.Expressions.TypeBinaryExpression Update(System.Linq.Expressions.Expression expression) => throw null; } - - public class UnaryExpression : System.Linq.Expressions.Expression + public sealed class UnaryExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public override bool CanReduce { get => throw null; } public bool IsLifted { get => throw null; } public bool IsLiftedToNull { get => throw null; } public System.Reflection.MethodInfo Method { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public System.Linq.Expressions.Expression Operand { get => throw null; } public override System.Linq.Expressions.Expression Reduce() => throw null; - public override System.Type Type { get => throw null; } + public override sealed System.Type Type { get => throw null; } public System.Linq.Expressions.UnaryExpression Update(System.Linq.Expressions.Expression operand) => throw null; } - + } + public interface IOrderedQueryable : System.Collections.IEnumerable, System.Linq.IQueryable + { + } + public interface IOrderedQueryable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryable + { + } + public interface IQueryable : System.Collections.IEnumerable + { + System.Type ElementType { get; } + System.Linq.Expressions.Expression Expression { get; } + System.Linq.IQueryProvider Provider { get; } + } + public interface IQueryable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IQueryable + { + } + public interface IQueryProvider + { + System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); + System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); + object Execute(System.Linq.Expressions.Expression expression); + TResult Execute(System.Linq.Expressions.Expression expression); } } namespace Runtime @@ -1152,17 +1082,14 @@ namespace CompilerServices public class CallSite { public System.Runtime.CompilerServices.CallSiteBinder Binder { get => throw null; } - internal CallSite() => throw null; public static System.Runtime.CompilerServices.CallSite Create(System.Type delegateType, System.Runtime.CompilerServices.CallSiteBinder binder) => throw null; } - public class CallSite : System.Runtime.CompilerServices.CallSite where T : class { public static System.Runtime.CompilerServices.CallSite Create(System.Runtime.CompilerServices.CallSiteBinder binder) => throw null; public T Target; public T Update { get => throw null; } } - public abstract class CallSiteBinder { public abstract System.Linq.Expressions.Expression Bind(object[] args, System.Collections.ObjectModel.ReadOnlyCollection parameters, System.Linq.Expressions.LabelTarget returnLabel); @@ -1171,43 +1098,41 @@ public abstract class CallSiteBinder protected CallSiteBinder() => throw null; public static System.Linq.Expressions.LabelTarget UpdateLabel { get => throw null; } } - public static class CallSiteHelpers { public static bool IsInternalFrame(System.Reflection.MethodBase mb) => throw null; } - public abstract class DebugInfoGenerator { public static System.Runtime.CompilerServices.DebugInfoGenerator CreatePdbGenerator() => throw null; protected DebugInfoGenerator() => throw null; public abstract void MarkSequencePoint(System.Linq.Expressions.LambdaExpression method, int ilOffset, System.Linq.Expressions.DebugInfoExpression sequencePoint); } - - public class DynamicAttribute : System.Attribute + public sealed class DynamicAttribute : System.Attribute { public DynamicAttribute() => throw null; public DynamicAttribute(bool[] transformFlags) => throw null; public System.Collections.Generic.IList TransformFlags { get => throw null; } } - public interface IRuntimeVariables { int Count { get; } object this[int index] { get; set; } } - - public class ReadOnlyCollectionBuilder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public sealed class ReadOnlyCollectionBuilder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.ICollection, System.Collections.IList { public void Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; - public int Capacity { get => throw null; set => throw null; } + public int Capacity { get => throw null; set { } } public void Clear() => throw null; public bool Contains(T item) => throw null; bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(T[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ReadOnlyCollectionBuilder() => throw null; + public ReadOnlyCollectionBuilder(System.Collections.Generic.IEnumerable collection) => throw null; + public ReadOnlyCollectionBuilder(int capacity) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public int IndexOf(T item) => throw null; @@ -1218,25 +1143,20 @@ public class ReadOnlyCollectionBuilder : System.Collections.Generic.ICollecti bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } bool System.Collections.IList.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public ReadOnlyCollectionBuilder() => throw null; - public ReadOnlyCollectionBuilder(System.Collections.Generic.IEnumerable collection) => throw null; - public ReadOnlyCollectionBuilder(int capacity) => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } public bool Remove(T item) => throw null; void System.Collections.IList.Remove(object value) => throw null; public void RemoveAt(int index) => throw null; public void Reverse() => throw null; public void Reverse(int index, int count) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } public T[] ToArray() => throw null; public System.Collections.ObjectModel.ReadOnlyCollection ToReadOnlyCollection() => throw null; } - public class RuleCache where T : class { } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Parallel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Parallel.cs index a151bca46886..c7611c69a2d6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Parallel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Parallel.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Linq.Parallel, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Linq @@ -9,14 +8,13 @@ public class OrderedParallelQuery : System.Linq.ParallelQuery { public override System.Collections.Generic.IEnumerator GetEnumerator() => throw null; } - public static class ParallelEnumerable { + public static TSource Aggregate(this System.Linq.ParallelQuery source, System.Func func) => throw null; + public static TAccumulate Aggregate(this System.Linq.ParallelQuery source, TAccumulate seed, System.Func func) => throw null; public static TResult Aggregate(this System.Linq.ParallelQuery source, System.Func seedFactory, System.Func updateAccumulatorFunc, System.Func combineAccumulatorsFunc, System.Func resultSelector) => throw null; public static TResult Aggregate(this System.Linq.ParallelQuery source, TAccumulate seed, System.Func updateAccumulatorFunc, System.Func combineAccumulatorsFunc, System.Func resultSelector) => throw null; public static TResult Aggregate(this System.Linq.ParallelQuery source, TAccumulate seed, System.Func func, System.Func resultSelector) => throw null; - public static TAccumulate Aggregate(this System.Linq.ParallelQuery source, TAccumulate seed, System.Func func) => throw null; - public static TSource Aggregate(this System.Linq.ParallelQuery source, System.Func func) => throw null; public static bool All(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; public static bool Any(this System.Linq.ParallelQuery source) => throw null; public static bool Any(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; @@ -24,30 +22,30 @@ public static class ParallelEnumerable public static System.Linq.ParallelQuery AsOrdered(this System.Linq.ParallelQuery source) => throw null; public static System.Linq.ParallelQuery AsOrdered(this System.Linq.ParallelQuery source) => throw null; public static System.Linq.ParallelQuery AsParallel(this System.Collections.IEnumerable source) => throw null; - public static System.Linq.ParallelQuery AsParallel(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Linq.ParallelQuery AsParallel(this System.Collections.Concurrent.Partitioner source) => throw null; + public static System.Linq.ParallelQuery AsParallel(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Generic.IEnumerable AsSequential(this System.Linq.ParallelQuery source) => throw null; public static System.Linq.ParallelQuery AsUnordered(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal Average(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal? Average(this System.Linq.ParallelQuery source) => throw null; + public static decimal Average(this System.Linq.ParallelQuery source) => throw null; public static double Average(this System.Linq.ParallelQuery source) => throw null; - public static double? Average(this System.Linq.ParallelQuery source) => throw null; - public static float Average(this System.Linq.ParallelQuery source) => throw null; - public static float? Average(this System.Linq.ParallelQuery source) => throw null; public static double Average(this System.Linq.ParallelQuery source) => throw null; + public static double Average(this System.Linq.ParallelQuery source) => throw null; + public static decimal? Average(this System.Linq.ParallelQuery source) => throw null; + public static double? Average(this System.Linq.ParallelQuery source) => throw null; public static double? Average(this System.Linq.ParallelQuery source) => throw null; - public static double Average(this System.Linq.ParallelQuery source) => throw null; - public static double? Average(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Decimal? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Average(this System.Linq.ParallelQuery source) => throw null; + public static float? Average(this System.Linq.ParallelQuery source) => throw null; + public static float Average(this System.Linq.ParallelQuery source) => throw null; + public static decimal Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float? Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float Average(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static System.Linq.ParallelQuery Cast(this System.Linq.ParallelQuery source) => throw null; public static System.Linq.ParallelQuery Concat(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second) => throw null; public static System.Linq.ParallelQuery Concat(this System.Linq.ParallelQuery first, System.Linq.ParallelQuery second) => throw null; @@ -71,14 +69,14 @@ public static class ParallelEnumerable public static TSource FirstOrDefault(this System.Linq.ParallelQuery source) => throw null; public static TSource FirstOrDefault(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; public static void ForAll(this System.Linq.ParallelQuery source, System.Action action) => throw null; - public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector) => throw null; - public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector) => throw null; + public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector) => throw null; public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func, TResult> resultSelector) => throw null; public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector) => throw null; - public static System.Linq.ParallelQuery> GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector) => throw null; + public static System.Linq.ParallelQuery GroupBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery GroupJoin(this System.Linq.ParallelQuery outer, System.Collections.Generic.IEnumerable inner, System.Func outerKeySelector, System.Func innerKeySelector, System.Func, TResult> resultSelector) => throw null; public static System.Linq.ParallelQuery GroupJoin(this System.Linq.ParallelQuery outer, System.Collections.Generic.IEnumerable inner, System.Func outerKeySelector, System.Func innerKeySelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery GroupJoin(this System.Linq.ParallelQuery outer, System.Linq.ParallelQuery inner, System.Func outerKeySelector, System.Func innerKeySelector, System.Func, TResult> resultSelector) => throw null; @@ -95,52 +93,52 @@ public static class ParallelEnumerable public static TSource Last(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; public static TSource LastOrDefault(this System.Linq.ParallelQuery source) => throw null; public static TSource LastOrDefault(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; - public static System.Int64 LongCount(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64 LongCount(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; - public static System.Decimal Max(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal? Max(this System.Linq.ParallelQuery source) => throw null; + public static long LongCount(this System.Linq.ParallelQuery source) => throw null; + public static long LongCount(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; + public static decimal Max(this System.Linq.ParallelQuery source) => throw null; public static double Max(this System.Linq.ParallelQuery source) => throw null; - public static double? Max(this System.Linq.ParallelQuery source) => throw null; - public static float Max(this System.Linq.ParallelQuery source) => throw null; - public static float? Max(this System.Linq.ParallelQuery source) => throw null; public static int Max(this System.Linq.ParallelQuery source) => throw null; + public static long Max(this System.Linq.ParallelQuery source) => throw null; + public static decimal? Max(this System.Linq.ParallelQuery source) => throw null; + public static double? Max(this System.Linq.ParallelQuery source) => throw null; public static int? Max(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64 Max(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64? Max(this System.Linq.ParallelQuery source) => throw null; - public static TResult Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long? Max(this System.Linq.ParallelQuery source) => throw null; + public static float? Max(this System.Linq.ParallelQuery source) => throw null; + public static float Max(this System.Linq.ParallelQuery source) => throw null; public static TSource Max(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Decimal? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64 Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Decimal Min(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal? Min(this System.Linq.ParallelQuery source) => throw null; + public static long? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float? Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static TResult Max(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal Min(this System.Linq.ParallelQuery source) => throw null; public static double Min(this System.Linq.ParallelQuery source) => throw null; - public static double? Min(this System.Linq.ParallelQuery source) => throw null; - public static float Min(this System.Linq.ParallelQuery source) => throw null; - public static float? Min(this System.Linq.ParallelQuery source) => throw null; public static int Min(this System.Linq.ParallelQuery source) => throw null; + public static long Min(this System.Linq.ParallelQuery source) => throw null; + public static decimal? Min(this System.Linq.ParallelQuery source) => throw null; + public static double? Min(this System.Linq.ParallelQuery source) => throw null; public static int? Min(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64 Min(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64? Min(this System.Linq.ParallelQuery source) => throw null; - public static TResult Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long? Min(this System.Linq.ParallelQuery source) => throw null; + public static float? Min(this System.Linq.ParallelQuery source) => throw null; + public static float Min(this System.Linq.ParallelQuery source) => throw null; public static TSource Min(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Decimal? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64 Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float? Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static TResult Min(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static System.Linq.ParallelQuery OfType(this System.Linq.ParallelQuery source) => throw null; public static System.Linq.OrderedParallelQuery OrderBy(this System.Linq.ParallelQuery source, System.Func keySelector) => throw null; public static System.Linq.OrderedParallelQuery OrderBy(this System.Linq.ParallelQuery source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; @@ -149,12 +147,12 @@ public static class ParallelEnumerable public static System.Linq.ParallelQuery Range(int start, int count) => throw null; public static System.Linq.ParallelQuery Repeat(TResult element, int count) => throw null; public static System.Linq.ParallelQuery Reverse(this System.Linq.ParallelQuery source) => throw null; - public static System.Linq.ParallelQuery Select(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static System.Linq.ParallelQuery Select(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> collectionSelector, System.Func resultSelector) => throw null; - public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> collectionSelector, System.Func resultSelector) => throw null; + public static System.Linq.ParallelQuery Select(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> selector) => throw null; public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> selector) => throw null; + public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> collectionSelector, System.Func resultSelector) => throw null; + public static System.Linq.ParallelQuery SelectMany(this System.Linq.ParallelQuery source, System.Func> collectionSelector, System.Func resultSelector) => throw null; public static bool SequenceEqual(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second) => throw null; public static bool SequenceEqual(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool SequenceEqual(this System.Linq.ParallelQuery first, System.Linq.ParallelQuery second) => throw null; @@ -166,26 +164,26 @@ public static class ParallelEnumerable public static System.Linq.ParallelQuery Skip(this System.Linq.ParallelQuery source, int count) => throw null; public static System.Linq.ParallelQuery SkipWhile(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; public static System.Linq.ParallelQuery SkipWhile(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; - public static System.Decimal Sum(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal? Sum(this System.Linq.ParallelQuery source) => throw null; + public static decimal Sum(this System.Linq.ParallelQuery source) => throw null; public static double Sum(this System.Linq.ParallelQuery source) => throw null; - public static double? Sum(this System.Linq.ParallelQuery source) => throw null; - public static float Sum(this System.Linq.ParallelQuery source) => throw null; - public static float? Sum(this System.Linq.ParallelQuery source) => throw null; public static int Sum(this System.Linq.ParallelQuery source) => throw null; + public static long Sum(this System.Linq.ParallelQuery source) => throw null; + public static decimal? Sum(this System.Linq.ParallelQuery source) => throw null; + public static double? Sum(this System.Linq.ParallelQuery source) => throw null; public static int? Sum(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64 Sum(this System.Linq.ParallelQuery source) => throw null; - public static System.Int64? Sum(this System.Linq.ParallelQuery source) => throw null; - public static System.Decimal Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Decimal? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long? Sum(this System.Linq.ParallelQuery source) => throw null; + public static float? Sum(this System.Linq.ParallelQuery source) => throw null; + public static float Sum(this System.Linq.ParallelQuery source) => throw null; + public static decimal Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static double Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static double? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static float? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static decimal? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static double? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static int? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64 Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; - public static System.Int64? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static long? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float? Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; + public static float Sum(this System.Linq.ParallelQuery source, System.Func selector) => throw null; public static System.Linq.ParallelQuery Take(this System.Linq.ParallelQuery source, int count) => throw null; public static System.Linq.ParallelQuery TakeWhile(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; public static System.Linq.ParallelQuery TakeWhile(this System.Linq.ParallelQuery source, System.Func predicate) => throw null; @@ -194,15 +192,15 @@ public static class ParallelEnumerable public static System.Linq.OrderedParallelQuery ThenByDescending(this System.Linq.OrderedParallelQuery source, System.Func keySelector) => throw null; public static System.Linq.OrderedParallelQuery ThenByDescending(this System.Linq.OrderedParallelQuery source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; public static TSource[] ToArray(this System.Linq.ParallelQuery source) => throw null; - public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector) => throw null; - public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector) => throw null; public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector) => throw null; + public static System.Collections.Generic.Dictionary ToDictionary(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.List ToList(this System.Linq.ParallelQuery source) => throw null; - public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector) => throw null; - public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector) => throw null; public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector) => throw null; + public static System.Linq.ILookup ToLookup(this System.Linq.ParallelQuery source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery Union(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second) => throw null; public static System.Linq.ParallelQuery Union(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ParallelQuery Union(this System.Linq.ParallelQuery first, System.Linq.ParallelQuery second) => throw null; @@ -216,32 +214,25 @@ public static class ParallelEnumerable public static System.Linq.ParallelQuery Zip(this System.Linq.ParallelQuery first, System.Collections.Generic.IEnumerable second, System.Func resultSelector) => throw null; public static System.Linq.ParallelQuery Zip(this System.Linq.ParallelQuery first, System.Linq.ParallelQuery second, System.Func resultSelector) => throw null; } - - public enum ParallelExecutionMode : int + public enum ParallelExecutionMode { Default = 0, ForceParallelism = 1, } - - public enum ParallelMergeOptions : int + public enum ParallelMergeOptions { - AutoBuffered = 2, Default = 0, - FullyBuffered = 3, NotBuffered = 1, + AutoBuffered = 2, + FullyBuffered = 3, } - public class ParallelQuery : System.Collections.IEnumerable { System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - internal ParallelQuery() => throw null; } - public class ParallelQuery : System.Linq.ParallelQuery, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - internal ParallelQuery() => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs index 199d450bc94e..2e959d9b18a4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs @@ -1,32 +1,26 @@ // This file contains auto-generated code. // Generated from `System.Linq.Queryable, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Linq { public abstract class EnumerableExecutor { - internal EnumerableExecutor() => throw null; } - public class EnumerableExecutor : System.Linq.EnumerableExecutor { public EnumerableExecutor(System.Linq.Expressions.Expression expression) => throw null; } - public abstract class EnumerableQuery { - internal EnumerableQuery() => throw null; } - - public class EnumerableQuery : System.Linq.EnumerableQuery, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IOrderedQueryable, System.Linq.IQueryProvider, System.Linq.IQueryable, System.Linq.IQueryable + public class EnumerableQuery : System.Linq.EnumerableQuery, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryProvider { System.Linq.IQueryable System.Linq.IQueryProvider.CreateQuery(System.Linq.Expressions.Expression expression) => throw null; System.Linq.IQueryable System.Linq.IQueryProvider.CreateQuery(System.Linq.Expressions.Expression expression) => throw null; - System.Type System.Linq.IQueryable.ElementType { get => throw null; } - public EnumerableQuery(System.Linq.Expressions.Expression expression) => throw null; public EnumerableQuery(System.Collections.Generic.IEnumerable enumerable) => throw null; + public EnumerableQuery(System.Linq.Expressions.Expression expression) => throw null; + System.Type System.Linq.IQueryable.ElementType { get => throw null; } object System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; TElement System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } @@ -35,38 +29,37 @@ public class EnumerableQuery : System.Linq.EnumerableQuery, System.Collection System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } public override string ToString() => throw null; } - public static class Queryable { - public static TResult Aggregate(this System.Linq.IQueryable source, TAccumulate seed, System.Linq.Expressions.Expression> func, System.Linq.Expressions.Expression> selector) => throw null; - public static TAccumulate Aggregate(this System.Linq.IQueryable source, TAccumulate seed, System.Linq.Expressions.Expression> func) => throw null; public static TSource Aggregate(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> func) => throw null; + public static TAccumulate Aggregate(this System.Linq.IQueryable source, TAccumulate seed, System.Linq.Expressions.Expression> func) => throw null; + public static TResult Aggregate(this System.Linq.IQueryable source, TAccumulate seed, System.Linq.Expressions.Expression> func, System.Linq.Expressions.Expression> selector) => throw null; public static bool All(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static bool Any(this System.Linq.IQueryable source) => throw null; public static bool Any(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static System.Linq.IQueryable Append(this System.Linq.IQueryable source, TSource element) => throw null; public static System.Linq.IQueryable AsQueryable(this System.Collections.IEnumerable source) => throw null; public static System.Linq.IQueryable AsQueryable(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Average(this System.Linq.IQueryable source) => throw null; - public static System.Decimal? Average(this System.Linq.IQueryable source) => throw null; + public static decimal Average(this System.Linq.IQueryable source) => throw null; public static double Average(this System.Linq.IQueryable source) => throw null; - public static double? Average(this System.Linq.IQueryable source) => throw null; - public static float Average(this System.Linq.IQueryable source) => throw null; - public static float? Average(this System.Linq.IQueryable source) => throw null; public static double Average(this System.Linq.IQueryable source) => throw null; + public static double Average(this System.Linq.IQueryable source) => throw null; + public static decimal? Average(this System.Linq.IQueryable source) => throw null; + public static double? Average(this System.Linq.IQueryable source) => throw null; public static double? Average(this System.Linq.IQueryable source) => throw null; - public static double Average(this System.Linq.IQueryable source) => throw null; - public static double? Average(this System.Linq.IQueryable source) => throw null; - public static System.Decimal Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Decimal? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static double? Average(this System.Linq.IQueryable source) => throw null; + public static float? Average(this System.Linq.IQueryable source) => throw null; + public static float Average(this System.Linq.IQueryable source) => throw null; + public static decimal Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static double Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static double? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static float Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static float? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static double Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static double Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static decimal? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static double? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static double? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static double Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static double? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static double? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static float? Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static float Average(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static System.Linq.IQueryable Cast(this System.Linq.IQueryable source) => throw null; public static System.Linq.IQueryable Chunk(this System.Linq.IQueryable source, int size) => throw null; public static System.Linq.IQueryable Concat(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2) => throw null; @@ -94,14 +87,14 @@ public static class Queryable public static TSource FirstOrDefault(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static TSource FirstOrDefault(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, TSource defaultValue) => throw null; public static TSource FirstOrDefault(this System.Linq.IQueryable source, TSource defaultValue) => throw null; - public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector, System.Linq.Expressions.Expression, TResult>> resultSelector) => throw null; - public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector, System.Linq.Expressions.Expression, TResult>> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector) => throw null; + public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector) => throw null; public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression, TResult>> resultSelector) => throw null; public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression, TResult>> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector) => throw null; - public static System.Linq.IQueryable> GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector, System.Linq.Expressions.Expression, TResult>> resultSelector) => throw null; + public static System.Linq.IQueryable GroupBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Linq.Expressions.Expression> elementSelector, System.Linq.Expressions.Expression, TResult>> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.IQueryable GroupJoin(this System.Linq.IQueryable outer, System.Collections.Generic.IEnumerable inner, System.Linq.Expressions.Expression> outerKeySelector, System.Linq.Expressions.Expression> innerKeySelector, System.Linq.Expressions.Expression, TResult>> resultSelector) => throw null; public static System.Linq.IQueryable GroupJoin(this System.Linq.IQueryable outer, System.Collections.Generic.IEnumerable inner, System.Linq.Expressions.Expression> outerKeySelector, System.Linq.Expressions.Expression> innerKeySelector, System.Linq.Expressions.Expression, TResult>> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.IQueryable Intersect(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2) => throw null; @@ -116,16 +109,16 @@ public static class Queryable public static TSource LastOrDefault(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static TSource LastOrDefault(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, TSource defaultValue) => throw null; public static TSource LastOrDefault(this System.Linq.IQueryable source, TSource defaultValue) => throw null; - public static System.Int64 LongCount(this System.Linq.IQueryable source) => throw null; - public static System.Int64 LongCount(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; - public static TResult Max(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static long LongCount(this System.Linq.IQueryable source) => throw null; + public static long LongCount(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static TSource Max(this System.Linq.IQueryable source) => throw null; public static TSource Max(this System.Linq.IQueryable source, System.Collections.Generic.IComparer comparer) => throw null; + public static TResult Max(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static TSource MaxBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector) => throw null; public static TSource MaxBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static TResult Min(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static TSource Min(this System.Linq.IQueryable source) => throw null; public static TSource Min(this System.Linq.IQueryable source, System.Collections.Generic.IComparer comparer) => throw null; + public static TResult Min(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static TSource MinBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector) => throw null; public static TSource MinBy(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> keySelector, System.Collections.Generic.IComparer comparer) => throw null; public static System.Linq.IQueryable OfType(this System.Linq.IQueryable source) => throw null; @@ -139,12 +132,12 @@ public static class Queryable public static System.Linq.IOrderedQueryable OrderDescending(this System.Linq.IQueryable source, System.Collections.Generic.IComparer comparer) => throw null; public static System.Linq.IQueryable Prepend(this System.Linq.IQueryable source, TSource element) => throw null; public static System.Linq.IQueryable Reverse(this System.Linq.IQueryable source) => throw null; - public static System.Linq.IQueryable Select(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static System.Linq.IQueryable Select(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> collectionSelector, System.Linq.Expressions.Expression> resultSelector) => throw null; - public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> collectionSelector, System.Linq.Expressions.Expression> resultSelector) => throw null; + public static System.Linq.IQueryable Select(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> selector) => throw null; public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> selector) => throw null; + public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> collectionSelector, System.Linq.Expressions.Expression> resultSelector) => throw null; + public static System.Linq.IQueryable SelectMany(this System.Linq.IQueryable source, System.Linq.Expressions.Expression>> collectionSelector, System.Linq.Expressions.Expression> resultSelector) => throw null; public static bool SequenceEqual(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2) => throw null; public static bool SequenceEqual(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static TSource Single(this System.Linq.IQueryable source) => throw null; @@ -157,28 +150,28 @@ public static class Queryable public static System.Linq.IQueryable SkipLast(this System.Linq.IQueryable source, int count) => throw null; public static System.Linq.IQueryable SkipWhile(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static System.Linq.IQueryable SkipWhile(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; - public static System.Decimal Sum(this System.Linq.IQueryable source) => throw null; - public static System.Decimal? Sum(this System.Linq.IQueryable source) => throw null; + public static decimal Sum(this System.Linq.IQueryable source) => throw null; public static double Sum(this System.Linq.IQueryable source) => throw null; - public static double? Sum(this System.Linq.IQueryable source) => throw null; - public static float Sum(this System.Linq.IQueryable source) => throw null; - public static float? Sum(this System.Linq.IQueryable source) => throw null; public static int Sum(this System.Linq.IQueryable source) => throw null; + public static long Sum(this System.Linq.IQueryable source) => throw null; + public static decimal? Sum(this System.Linq.IQueryable source) => throw null; + public static double? Sum(this System.Linq.IQueryable source) => throw null; public static int? Sum(this System.Linq.IQueryable source) => throw null; - public static System.Int64 Sum(this System.Linq.IQueryable source) => throw null; - public static System.Int64? Sum(this System.Linq.IQueryable source) => throw null; - public static System.Decimal Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Decimal? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static long? Sum(this System.Linq.IQueryable source) => throw null; + public static float? Sum(this System.Linq.IQueryable source) => throw null; + public static float Sum(this System.Linq.IQueryable source) => throw null; + public static decimal Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static double Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static double? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static float Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static float? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static int Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static long Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static decimal? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static double? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static int? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Int64 Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Int64? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; - public static System.Linq.IQueryable Take(this System.Linq.IQueryable source, System.Range range) => throw null; + public static long? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static float? Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; + public static float Sum(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector) => throw null; public static System.Linq.IQueryable Take(this System.Linq.IQueryable source, int count) => throw null; + public static System.Linq.IQueryable Take(this System.Linq.IQueryable source, System.Range range) => throw null; public static System.Linq.IQueryable TakeLast(this System.Linq.IQueryable source, int count) => throw null; public static System.Linq.IQueryable TakeWhile(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static System.Linq.IQueryable TakeWhile(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; @@ -192,10 +185,9 @@ public static class Queryable public static System.Linq.IQueryable UnionBy(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2, System.Linq.Expressions.Expression> keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.IQueryable Where(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; public static System.Linq.IQueryable Where(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate) => throw null; + public static System.Linq.IQueryable<(TFirst First, TSecond Second)> Zip(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2) => throw null; + public static System.Linq.IQueryable<(TFirst First, TSecond Second, TThird Third)> Zip(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2, System.Collections.Generic.IEnumerable source3) => throw null; public static System.Linq.IQueryable Zip(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2, System.Linq.Expressions.Expression> resultSelector) => throw null; - public static System.Linq.IQueryable<(TFirst, TSecond, TThird)> Zip(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2, System.Collections.Generic.IEnumerable source3) => throw null; - public static System.Linq.IQueryable<(TFirst, TSecond)> Zip(this System.Linq.IQueryable source1, System.Collections.Generic.IEnumerable source2) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.cs index f288e27be770..4d83ba3ca245 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.cs @@ -1,40 +1,39 @@ // This file contains auto-generated code. // Generated from `System.Linq, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Linq { public static class Enumerable { - public static TResult Aggregate(this System.Collections.Generic.IEnumerable source, TAccumulate seed, System.Func func, System.Func resultSelector) => throw null; - public static TAccumulate Aggregate(this System.Collections.Generic.IEnumerable source, TAccumulate seed, System.Func func) => throw null; public static TSource Aggregate(this System.Collections.Generic.IEnumerable source, System.Func func) => throw null; + public static TAccumulate Aggregate(this System.Collections.Generic.IEnumerable source, TAccumulate seed, System.Func func) => throw null; + public static TResult Aggregate(this System.Collections.Generic.IEnumerable source, TAccumulate seed, System.Func func, System.Func resultSelector) => throw null; public static bool All(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static bool Any(this System.Collections.Generic.IEnumerable source) => throw null; public static bool Any(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static System.Collections.Generic.IEnumerable Append(this System.Collections.Generic.IEnumerable source, TSource element) => throw null; public static System.Collections.Generic.IEnumerable AsEnumerable(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal? Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal Average(this System.Collections.Generic.IEnumerable source) => throw null; public static double Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static double? Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static float Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static float? Average(this System.Collections.Generic.IEnumerable source) => throw null; public static double Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static double Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal? Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static double? Average(this System.Collections.Generic.IEnumerable source) => throw null; public static double? Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static double Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static double? Average(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Decimal? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static float? Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static float Average(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static decimal? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float? Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float Average(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static System.Collections.Generic.IEnumerable Cast(this System.Collections.IEnumerable source) => throw null; public static System.Collections.Generic.IEnumerable Chunk(this System.Collections.Generic.IEnumerable source, int size) => throw null; public static System.Collections.Generic.IEnumerable Concat(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; @@ -60,17 +59,17 @@ public static class Enumerable public static TSource First(this System.Collections.Generic.IEnumerable source) => throw null; public static TSource First(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource FirstOrDefault(this System.Collections.Generic.IEnumerable source) => throw null; + public static TSource FirstOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; public static TSource FirstOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource FirstOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate, TSource defaultValue) => throw null; - public static TSource FirstOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; - public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector) => throw null; - public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; + public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func, TResult> resultSelector) => throw null; public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; - public static System.Collections.Generic.IEnumerable> GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector) => throw null; + public static System.Collections.Generic.IEnumerable GroupBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable GroupJoin(this System.Collections.Generic.IEnumerable outer, System.Collections.Generic.IEnumerable inner, System.Func outerKeySelector, System.Func innerKeySelector, System.Func, TResult> resultSelector) => throw null; public static System.Collections.Generic.IEnumerable GroupJoin(this System.Collections.Generic.IEnumerable outer, System.Collections.Generic.IEnumerable inner, System.Func outerKeySelector, System.Func innerKeySelector, System.Func, TResult> resultSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable Intersect(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; @@ -82,59 +81,59 @@ public static class Enumerable public static TSource Last(this System.Collections.Generic.IEnumerable source) => throw null; public static TSource Last(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource LastOrDefault(this System.Collections.Generic.IEnumerable source) => throw null; + public static TSource LastOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; public static TSource LastOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource LastOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate, TSource defaultValue) => throw null; - public static TSource LastOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; - public static System.Int64 LongCount(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64 LongCount(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; - public static System.Decimal Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal? Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static long LongCount(this System.Collections.Generic.IEnumerable source) => throw null; + public static long LongCount(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; + public static decimal Max(this System.Collections.Generic.IEnumerable source) => throw null; public static double Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static double? Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static float Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static float? Max(this System.Collections.Generic.IEnumerable source) => throw null; public static int Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static long Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal? Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static double? Max(this System.Collections.Generic.IEnumerable source) => throw null; public static int? Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64 Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64? Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static TResult Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long? Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static float? Max(this System.Collections.Generic.IEnumerable source) => throw null; + public static float Max(this System.Collections.Generic.IEnumerable source) => throw null; public static TSource Max(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Decimal? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static TSource Max(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; + public static decimal Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static decimal? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64 Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static TSource Max(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; + public static long? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float? Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static TResult Max(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static TSource MaxBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; public static TSource MaxBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; - public static System.Decimal Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal? Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal Min(this System.Collections.Generic.IEnumerable source) => throw null; public static double Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static double? Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static float Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static float? Min(this System.Collections.Generic.IEnumerable source) => throw null; public static int Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static long Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal? Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static double? Min(this System.Collections.Generic.IEnumerable source) => throw null; public static int? Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64 Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64? Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static TResult Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long? Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static float? Min(this System.Collections.Generic.IEnumerable source) => throw null; + public static float Min(this System.Collections.Generic.IEnumerable source) => throw null; public static TSource Min(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Decimal? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static TSource Min(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; + public static decimal Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static decimal? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64 Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static TSource Min(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; + public static long? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float? Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static TResult Min(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static TSource MinBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; public static TSource MinBy(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable OfType(this System.Collections.IEnumerable source) => throw null; @@ -150,46 +149,46 @@ public static class Enumerable public static System.Collections.Generic.IEnumerable Range(int start, int count) => throw null; public static System.Collections.Generic.IEnumerable Repeat(TResult element, int count) => throw null; public static System.Collections.Generic.IEnumerable Reverse(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Collections.Generic.IEnumerable Select(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static System.Collections.Generic.IEnumerable Select(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> collectionSelector, System.Func resultSelector) => throw null; - public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> collectionSelector, System.Func resultSelector) => throw null; + public static System.Collections.Generic.IEnumerable Select(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> selector) => throw null; public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> selector) => throw null; + public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> collectionSelector, System.Func resultSelector) => throw null; + public static System.Collections.Generic.IEnumerable SelectMany(this System.Collections.Generic.IEnumerable source, System.Func> collectionSelector, System.Func resultSelector) => throw null; public static bool SequenceEqual(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; public static bool SequenceEqual(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static TSource Single(this System.Collections.Generic.IEnumerable source) => throw null; public static TSource Single(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource SingleOrDefault(this System.Collections.Generic.IEnumerable source) => throw null; + public static TSource SingleOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; public static TSource SingleOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static TSource SingleOrDefault(this System.Collections.Generic.IEnumerable source, System.Func predicate, TSource defaultValue) => throw null; - public static TSource SingleOrDefault(this System.Collections.Generic.IEnumerable source, TSource defaultValue) => throw null; public static System.Collections.Generic.IEnumerable Skip(this System.Collections.Generic.IEnumerable source, int count) => throw null; public static System.Collections.Generic.IEnumerable SkipLast(this System.Collections.Generic.IEnumerable source, int count) => throw null; public static System.Collections.Generic.IEnumerable SkipWhile(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static System.Collections.Generic.IEnumerable SkipWhile(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; - public static System.Decimal Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal? Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal Sum(this System.Collections.Generic.IEnumerable source) => throw null; public static double Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static double? Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static float Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static float? Sum(this System.Collections.Generic.IEnumerable source) => throw null; public static int Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static long Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal? Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static double? Sum(this System.Collections.Generic.IEnumerable source) => throw null; public static int? Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64 Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Int64? Sum(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Decimal Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Decimal? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long? Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static float? Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static float Sum(this System.Collections.Generic.IEnumerable source) => throw null; + public static decimal Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static double Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static double? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static float? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static long Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static decimal? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static double? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static int? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64 Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Int64? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; - public static System.Collections.Generic.IEnumerable Take(this System.Collections.Generic.IEnumerable source, System.Range range) => throw null; + public static long? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float? Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; + public static float Sum(this System.Collections.Generic.IEnumerable source, System.Func selector) => throw null; public static System.Collections.Generic.IEnumerable Take(this System.Collections.Generic.IEnumerable source, int count) => throw null; + public static System.Collections.Generic.IEnumerable Take(this System.Collections.Generic.IEnumerable source, System.Range range) => throw null; public static System.Collections.Generic.IEnumerable TakeLast(this System.Collections.Generic.IEnumerable source, int count) => throw null; public static System.Collections.Generic.IEnumerable TakeWhile(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static System.Collections.Generic.IEnumerable TakeWhile(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; @@ -198,17 +197,17 @@ public static class Enumerable public static System.Linq.IOrderedEnumerable ThenByDescending(this System.Linq.IOrderedEnumerable source, System.Func keySelector) => throw null; public static System.Linq.IOrderedEnumerable ThenByDescending(this System.Linq.IOrderedEnumerable source, System.Func keySelector, System.Collections.Generic.IComparer comparer) => throw null; public static TSource[] ToArray(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; - public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; + public static System.Collections.Generic.Dictionary ToDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.HashSet ToHashSet(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Generic.HashSet ToHashSet(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.List ToList(this System.Collections.Generic.IEnumerable source) => throw null; - public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; - public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector) => throw null; public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector) => throw null; + public static System.Linq.ILookup ToLookup(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool TryGetNonEnumeratedCount(this System.Collections.Generic.IEnumerable source, out int count) => throw null; public static System.Collections.Generic.IEnumerable Union(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; public static System.Collections.Generic.IEnumerable Union(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEqualityComparer comparer) => throw null; @@ -216,28 +215,24 @@ public static class Enumerable public static System.Collections.Generic.IEnumerable UnionBy(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Func keySelector, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.Generic.IEnumerable Where(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; public static System.Collections.Generic.IEnumerable Where(this System.Collections.Generic.IEnumerable source, System.Func predicate) => throw null; + public static System.Collections.Generic.IEnumerable<(TFirst First, TSecond Second)> Zip(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; + public static System.Collections.Generic.IEnumerable<(TFirst First, TSecond Second, TThird Third)> Zip(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEnumerable third) => throw null; public static System.Collections.Generic.IEnumerable Zip(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Func resultSelector) => throw null; - public static System.Collections.Generic.IEnumerable<(TFirst, TSecond, TThird)> Zip(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second, System.Collections.Generic.IEnumerable third) => throw null; - public static System.Collections.Generic.IEnumerable<(TFirst, TSecond)> Zip(this System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; } - public interface IGrouping : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { TKey Key { get; } } - public interface ILookup : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { bool Contains(TKey key); int Count { get; } System.Collections.Generic.IEnumerable this[TKey key] { get; } } - public interface IOrderedEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { System.Linq.IOrderedEnumerable CreateOrderedEnumerable(System.Func keySelector, System.Collections.Generic.IComparer comparer, bool descending); } - public class Lookup : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Linq.ILookup { public System.Collections.Generic.IEnumerable ApplyResultSelector(System.Func, TResult> resultSelector) => throw null; @@ -247,6 +242,5 @@ public class Lookup : System.Collections.Generic.IEnumerable throw null; public System.Collections.Generic.IEnumerable this[TKey key] { get => throw null; } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs index ce4a7e45a61b..f0c21acd4845 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs @@ -1,207 +1,16 @@ // This file contains auto-generated code. // Generated from `System.Memory, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { - public static class MemoryExtensions - { - public struct TryWriteInterpolatedStringHandler - { - public bool AppendFormatted(System.ReadOnlySpan value) => throw null; - public bool AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; - public bool AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; - public bool AppendFormatted(string value) => throw null; - public bool AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; - public bool AppendFormatted(T value) => throw null; - public bool AppendFormatted(T value, int alignment) => throw null; - public bool AppendFormatted(T value, int alignment, string format) => throw null; - public bool AppendFormatted(T value, string format) => throw null; - public bool AppendLiteral(string value) => throw null; - // Stub generator skipped constructor - public TryWriteInterpolatedStringHandler(int literalLength, int formattedCount, System.Span destination, System.IFormatProvider provider, out bool shouldAppend) => throw null; - public TryWriteInterpolatedStringHandler(int literalLength, int formattedCount, System.Span destination, out bool shouldAppend) => throw null; - } - - - public static System.ReadOnlyMemory AsMemory(this string text) => throw null; - public static System.ReadOnlyMemory AsMemory(this string text, System.Index startIndex) => throw null; - public static System.ReadOnlyMemory AsMemory(this string text, System.Range range) => throw null; - public static System.ReadOnlyMemory AsMemory(this string text, int start) => throw null; - public static System.ReadOnlyMemory AsMemory(this string text, int start, int length) => throw null; - public static System.Memory AsMemory(this System.ArraySegment segment) => throw null; - public static System.Memory AsMemory(this System.ArraySegment segment, int start) => throw null; - public static System.Memory AsMemory(this System.ArraySegment segment, int start, int length) => throw null; - public static System.Memory AsMemory(this T[] array) => throw null; - public static System.Memory AsMemory(this T[] array, System.Index startIndex) => throw null; - public static System.Memory AsMemory(this T[] array, System.Range range) => throw null; - public static System.Memory AsMemory(this T[] array, int start) => throw null; - public static System.Memory AsMemory(this T[] array, int start, int length) => throw null; - public static System.ReadOnlySpan AsSpan(this string text) => throw null; - public static System.ReadOnlySpan AsSpan(this string text, int start) => throw null; - public static System.ReadOnlySpan AsSpan(this string text, int start, int length) => throw null; - public static System.Span AsSpan(this System.ArraySegment segment) => throw null; - public static System.Span AsSpan(this System.ArraySegment segment, System.Index startIndex) => throw null; - public static System.Span AsSpan(this System.ArraySegment segment, System.Range range) => throw null; - public static System.Span AsSpan(this System.ArraySegment segment, int start) => throw null; - public static System.Span AsSpan(this System.ArraySegment segment, int start, int length) => throw null; - public static System.Span AsSpan(this T[] array) => throw null; - public static System.Span AsSpan(this T[] array, System.Index startIndex) => throw null; - public static System.Span AsSpan(this T[] array, System.Range range) => throw null; - public static System.Span AsSpan(this T[] array, int start) => throw null; - public static System.Span AsSpan(this T[] array, int start, int length) => throw null; - public static int BinarySearch(this System.ReadOnlySpan span, TComparable comparable) where TComparable : System.IComparable => throw null; - public static int BinarySearch(this System.Span span, TComparable comparable) where TComparable : System.IComparable => throw null; - public static int BinarySearch(this System.ReadOnlySpan span, T value, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; - public static int BinarySearch(this System.Span span, T value, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; - public static int BinarySearch(this System.ReadOnlySpan span, System.IComparable comparable) => throw null; - public static int BinarySearch(this System.Span span, System.IComparable comparable) => throw null; - public static int CommonPrefixLength(this System.ReadOnlySpan span, System.ReadOnlySpan other) => throw null; - public static int CommonPrefixLength(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static int CommonPrefixLength(this System.Span span, System.ReadOnlySpan other) => throw null; - public static int CommonPrefixLength(this System.Span span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static int CompareTo(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.StringComparison comparisonType) => throw null; - public static bool Contains(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public static bool Contains(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; - public static bool Contains(this System.Span span, T value) where T : System.IEquatable => throw null; - public static void CopyTo(this T[] source, System.Memory destination) => throw null; - public static void CopyTo(this T[] source, System.Span destination) => throw null; - public static bool EndsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public static bool EndsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static bool EndsWith(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static System.Text.SpanLineEnumerator EnumerateLines(this System.ReadOnlySpan span) => throw null; - public static System.Text.SpanLineEnumerator EnumerateLines(this System.Span span) => throw null; - public static System.Text.SpanRuneEnumerator EnumerateRunes(this System.ReadOnlySpan span) => throw null; - public static System.Text.SpanRuneEnumerator EnumerateRunes(this System.Span span) => throw null; - public static bool Equals(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.StringComparison comparisonType) => throw null; - public static int IndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public static int IndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static int IndexOf(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; - public static int IndexOf(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static int IndexOf(this System.Span span, T value) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; - public static int IndexOfAny(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.Span span, T value) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; - public static int IndexOfAnyExcept(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static bool IsWhiteSpace(this System.ReadOnlySpan span) => throw null; - public static int LastIndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public static int LastIndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static int LastIndexOf(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; - public static int LastIndexOf(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static int LastIndexOf(this System.Span span, T value) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; - public static int LastIndexOfAny(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.Span span, T value) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; - public static int LastIndexOfAnyExcept(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; - public static bool Overlaps(this System.ReadOnlySpan span, System.ReadOnlySpan other) => throw null; - public static bool Overlaps(this System.ReadOnlySpan span, System.ReadOnlySpan other, out int elementOffset) => throw null; - public static bool Overlaps(this System.Span span, System.ReadOnlySpan other) => throw null; - public static bool Overlaps(this System.Span span, System.ReadOnlySpan other, out int elementOffset) => throw null; - public static void Reverse(this System.Span span) => throw null; - public static int SequenceCompareTo(this System.ReadOnlySpan span, System.ReadOnlySpan other) where T : System.IComparable => throw null; - public static int SequenceCompareTo(this System.Span span, System.ReadOnlySpan other) where T : System.IComparable => throw null; - public static bool SequenceEqual(this System.ReadOnlySpan span, System.ReadOnlySpan other) where T : System.IEquatable => throw null; - public static bool SequenceEqual(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; - public static bool SequenceEqual(this System.Span span, System.ReadOnlySpan other) where T : System.IEquatable => throw null; - public static bool SequenceEqual(this System.Span span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; - public static void Sort(this System.Span span, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; - public static void Sort(this System.Span span) => throw null; - public static void Sort(this System.Span span, System.Comparison comparison) => throw null; - public static void Sort(this System.Span keys, System.Span items, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; - public static void Sort(this System.Span keys, System.Span items) => throw null; - public static void Sort(this System.Span keys, System.Span items, System.Comparison comparison) => throw null; - public static bool StartsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public static bool StartsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static bool StartsWith(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; - public static int ToLower(this System.ReadOnlySpan source, System.Span destination, System.Globalization.CultureInfo culture) => throw null; - public static int ToLowerInvariant(this System.ReadOnlySpan source, System.Span destination) => throw null; - public static int ToUpper(this System.ReadOnlySpan source, System.Span destination, System.Globalization.CultureInfo culture) => throw null; - public static int ToUpperInvariant(this System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Memory Trim(this System.Memory memory) => throw null; - public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory) => throw null; - public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span) => throw null; - public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; - public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, System.Char trimChar) => throw null; - public static System.Span Trim(this System.Span span) => throw null; - public static System.Memory Trim(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Memory Trim(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; - public static System.Span Trim(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Span Trim(this System.Span span, T trimElement) where T : System.IEquatable => throw null; - public static System.Memory TrimEnd(this System.Memory memory) => throw null; - public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory) => throw null; - public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span) => throw null; - public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; - public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, System.Char trimChar) => throw null; - public static System.Span TrimEnd(this System.Span span) => throw null; - public static System.Memory TrimEnd(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Memory TrimEnd(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; - public static System.Span TrimEnd(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Span TrimEnd(this System.Span span, T trimElement) where T : System.IEquatable => throw null; - public static System.Memory TrimStart(this System.Memory memory) => throw null; - public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory) => throw null; - public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span) => throw null; - public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; - public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, System.Char trimChar) => throw null; - public static System.Span TrimStart(this System.Span span) => throw null; - public static System.Memory TrimStart(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Memory TrimStart(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; - public static System.Span TrimStart(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; - public static System.Span TrimStart(this System.Span span, T trimElement) where T : System.IEquatable => throw null; - public static bool TryWrite(this System.Span destination, System.IFormatProvider provider, ref System.MemoryExtensions.TryWriteInterpolatedStringHandler handler, out int charsWritten) => throw null; - public static bool TryWrite(this System.Span destination, ref System.MemoryExtensions.TryWriteInterpolatedStringHandler handler, out int charsWritten) => throw null; - } - - public struct SequencePosition : System.IEquatable - { - public bool Equals(System.SequencePosition other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public int GetInteger() => throw null; - public object GetObject() => throw null; - // Stub generator skipped constructor - public SequencePosition(object @object, int integer) => throw null; - } - namespace Buffers { - public class ArrayBufferWriter : System.Buffers.IBufferWriter + public sealed class ArrayBufferWriter : System.Buffers.IBufferWriter { public void Advance(int count) => throw null; - public ArrayBufferWriter() => throw null; - public ArrayBufferWriter(int initialCapacity) => throw null; public int Capacity { get => throw null; } public void Clear() => throw null; + public ArrayBufferWriter() => throw null; + public ArrayBufferWriter(int initialCapacity) => throw null; public int FreeCapacity { get => throw null; } public System.Memory GetMemory(int sizeHint = default(int)) => throw null; public System.Span GetSpan(int sizeHint = default(int)) => throw null; @@ -209,283 +18,440 @@ public class ArrayBufferWriter : System.Buffers.IBufferWriter public System.ReadOnlyMemory WrittenMemory { get => throw null; } public System.ReadOnlySpan WrittenSpan { get => throw null; } } - - public static class BuffersExtensions + namespace Binary { - public static void CopyTo(System.Buffers.ReadOnlySequence source, System.Span destination) => throw null; - public static System.SequencePosition? PositionOf(System.Buffers.ReadOnlySequence source, T value) where T : System.IEquatable => throw null; - public static T[] ToArray(System.Buffers.ReadOnlySequence sequence) => throw null; + public static class BinaryPrimitives + { + public static double ReadDoubleBigEndian(System.ReadOnlySpan source) => throw null; + public static double ReadDoubleLittleEndian(System.ReadOnlySpan source) => throw null; + public static System.Half ReadHalfBigEndian(System.ReadOnlySpan source) => throw null; + public static System.Half ReadHalfLittleEndian(System.ReadOnlySpan source) => throw null; + public static short ReadInt16BigEndian(System.ReadOnlySpan source) => throw null; + public static short ReadInt16LittleEndian(System.ReadOnlySpan source) => throw null; + public static int ReadInt32BigEndian(System.ReadOnlySpan source) => throw null; + public static int ReadInt32LittleEndian(System.ReadOnlySpan source) => throw null; + public static long ReadInt64BigEndian(System.ReadOnlySpan source) => throw null; + public static long ReadInt64LittleEndian(System.ReadOnlySpan source) => throw null; + public static float ReadSingleBigEndian(System.ReadOnlySpan source) => throw null; + public static float ReadSingleLittleEndian(System.ReadOnlySpan source) => throw null; + public static ushort ReadUInt16BigEndian(System.ReadOnlySpan source) => throw null; + public static ushort ReadUInt16LittleEndian(System.ReadOnlySpan source) => throw null; + public static uint ReadUInt32BigEndian(System.ReadOnlySpan source) => throw null; + public static uint ReadUInt32LittleEndian(System.ReadOnlySpan source) => throw null; + public static ulong ReadUInt64BigEndian(System.ReadOnlySpan source) => throw null; + public static ulong ReadUInt64LittleEndian(System.ReadOnlySpan source) => throw null; + public static byte ReverseEndianness(byte value) => throw null; + public static short ReverseEndianness(short value) => throw null; + public static int ReverseEndianness(int value) => throw null; + public static long ReverseEndianness(long value) => throw null; + public static sbyte ReverseEndianness(sbyte value) => throw null; + public static ushort ReverseEndianness(ushort value) => throw null; + public static uint ReverseEndianness(uint value) => throw null; + public static ulong ReverseEndianness(ulong value) => throw null; + public static bool TryReadDoubleBigEndian(System.ReadOnlySpan source, out double value) => throw null; + public static bool TryReadDoubleLittleEndian(System.ReadOnlySpan source, out double value) => throw null; + public static bool TryReadHalfBigEndian(System.ReadOnlySpan source, out System.Half value) => throw null; + public static bool TryReadHalfLittleEndian(System.ReadOnlySpan source, out System.Half value) => throw null; + public static bool TryReadInt16BigEndian(System.ReadOnlySpan source, out short value) => throw null; + public static bool TryReadInt16LittleEndian(System.ReadOnlySpan source, out short value) => throw null; + public static bool TryReadInt32BigEndian(System.ReadOnlySpan source, out int value) => throw null; + public static bool TryReadInt32LittleEndian(System.ReadOnlySpan source, out int value) => throw null; + public static bool TryReadInt64BigEndian(System.ReadOnlySpan source, out long value) => throw null; + public static bool TryReadInt64LittleEndian(System.ReadOnlySpan source, out long value) => throw null; + public static bool TryReadSingleBigEndian(System.ReadOnlySpan source, out float value) => throw null; + public static bool TryReadSingleLittleEndian(System.ReadOnlySpan source, out float value) => throw null; + public static bool TryReadUInt16BigEndian(System.ReadOnlySpan source, out ushort value) => throw null; + public static bool TryReadUInt16LittleEndian(System.ReadOnlySpan source, out ushort value) => throw null; + public static bool TryReadUInt32BigEndian(System.ReadOnlySpan source, out uint value) => throw null; + public static bool TryReadUInt32LittleEndian(System.ReadOnlySpan source, out uint value) => throw null; + public static bool TryReadUInt64BigEndian(System.ReadOnlySpan source, out ulong value) => throw null; + public static bool TryReadUInt64LittleEndian(System.ReadOnlySpan source, out ulong value) => throw null; + public static bool TryWriteDoubleBigEndian(System.Span destination, double value) => throw null; + public static bool TryWriteDoubleLittleEndian(System.Span destination, double value) => throw null; + public static bool TryWriteHalfBigEndian(System.Span destination, System.Half value) => throw null; + public static bool TryWriteHalfLittleEndian(System.Span destination, System.Half value) => throw null; + public static bool TryWriteInt16BigEndian(System.Span destination, short value) => throw null; + public static bool TryWriteInt16LittleEndian(System.Span destination, short value) => throw null; + public static bool TryWriteInt32BigEndian(System.Span destination, int value) => throw null; + public static bool TryWriteInt32LittleEndian(System.Span destination, int value) => throw null; + public static bool TryWriteInt64BigEndian(System.Span destination, long value) => throw null; + public static bool TryWriteInt64LittleEndian(System.Span destination, long value) => throw null; + public static bool TryWriteSingleBigEndian(System.Span destination, float value) => throw null; + public static bool TryWriteSingleLittleEndian(System.Span destination, float value) => throw null; + public static bool TryWriteUInt16BigEndian(System.Span destination, ushort value) => throw null; + public static bool TryWriteUInt16LittleEndian(System.Span destination, ushort value) => throw null; + public static bool TryWriteUInt32BigEndian(System.Span destination, uint value) => throw null; + public static bool TryWriteUInt32LittleEndian(System.Span destination, uint value) => throw null; + public static bool TryWriteUInt64BigEndian(System.Span destination, ulong value) => throw null; + public static bool TryWriteUInt64LittleEndian(System.Span destination, ulong value) => throw null; + public static void WriteDoubleBigEndian(System.Span destination, double value) => throw null; + public static void WriteDoubleLittleEndian(System.Span destination, double value) => throw null; + public static void WriteHalfBigEndian(System.Span destination, System.Half value) => throw null; + public static void WriteHalfLittleEndian(System.Span destination, System.Half value) => throw null; + public static void WriteInt16BigEndian(System.Span destination, short value) => throw null; + public static void WriteInt16LittleEndian(System.Span destination, short value) => throw null; + public static void WriteInt32BigEndian(System.Span destination, int value) => throw null; + public static void WriteInt32LittleEndian(System.Span destination, int value) => throw null; + public static void WriteInt64BigEndian(System.Span destination, long value) => throw null; + public static void WriteInt64LittleEndian(System.Span destination, long value) => throw null; + public static void WriteSingleBigEndian(System.Span destination, float value) => throw null; + public static void WriteSingleLittleEndian(System.Span destination, float value) => throw null; + public static void WriteUInt16BigEndian(System.Span destination, ushort value) => throw null; + public static void WriteUInt16LittleEndian(System.Span destination, ushort value) => throw null; + public static void WriteUInt32BigEndian(System.Span destination, uint value) => throw null; + public static void WriteUInt32LittleEndian(System.Span destination, uint value) => throw null; + public static void WriteUInt64BigEndian(System.Span destination, ulong value) => throw null; + public static void WriteUInt64LittleEndian(System.Span destination, ulong value) => throw null; + } + } + public static partial class BuffersExtensions + { + public static void CopyTo(this in System.Buffers.ReadOnlySequence source, System.Span destination) => throw null; + public static System.SequencePosition? PositionOf(this in System.Buffers.ReadOnlySequence source, T value) where T : System.IEquatable => throw null; + public static T[] ToArray(this in System.Buffers.ReadOnlySequence sequence) => throw null; public static void Write(this System.Buffers.IBufferWriter writer, System.ReadOnlySpan value) => throw null; } - public interface IBufferWriter { void Advance(int count); System.Memory GetMemory(int sizeHint = default(int)); System.Span GetSpan(int sizeHint = default(int)); } - public abstract class MemoryPool : System.IDisposable { + protected MemoryPool() => throw null; public void Dispose() => throw null; protected abstract void Dispose(bool disposing); public abstract int MaxBufferSize { get; } - protected MemoryPool() => throw null; public abstract System.Buffers.IMemoryOwner Rent(int minBufferSize = default(int)); public static System.Buffers.MemoryPool Shared { get => throw null; } } - public struct ReadOnlySequence { + public ReadOnlySequence(System.Buffers.ReadOnlySequenceSegment startSegment, int startIndex, System.Buffers.ReadOnlySequenceSegment endSegment, int endIndex) => throw null; + public ReadOnlySequence(System.ReadOnlyMemory memory) => throw null; + public ReadOnlySequence(T[] array) => throw null; + public ReadOnlySequence(T[] array, int start, int length) => throw null; + public static System.Buffers.ReadOnlySequence Empty; + public System.SequencePosition End { get => throw null; } public struct Enumerator { + public Enumerator(in System.Buffers.ReadOnlySequence sequence) => throw null; public System.ReadOnlyMemory Current { get => throw null; } - // Stub generator skipped constructor - public Enumerator(System.Buffers.ReadOnlySequence sequence) => throw null; public bool MoveNext() => throw null; } - - - public static System.Buffers.ReadOnlySequence Empty; - public System.SequencePosition End { get => throw null; } public System.ReadOnlyMemory First { get => throw null; } public System.ReadOnlySpan FirstSpan { get => throw null; } public System.Buffers.ReadOnlySequence.Enumerator GetEnumerator() => throw null; - public System.Int64 GetOffset(System.SequencePosition position) => throw null; - public System.SequencePosition GetPosition(System.Int64 offset) => throw null; - public System.SequencePosition GetPosition(System.Int64 offset, System.SequencePosition origin) => throw null; + public long GetOffset(System.SequencePosition position) => throw null; + public System.SequencePosition GetPosition(long offset) => throw null; + public System.SequencePosition GetPosition(long offset, System.SequencePosition origin) => throw null; public bool IsEmpty { get => throw null; } public bool IsSingleSegment { get => throw null; } - public System.Int64 Length { get => throw null; } - // Stub generator skipped constructor - public ReadOnlySequence(System.ReadOnlyMemory memory) => throw null; - public ReadOnlySequence(System.Buffers.ReadOnlySequenceSegment startSegment, int startIndex, System.Buffers.ReadOnlySequenceSegment endSegment, int endIndex) => throw null; - public ReadOnlySequence(T[] array) => throw null; - public ReadOnlySequence(T[] array, int start, int length) => throw null; + public long Length { get => throw null; } + public System.Buffers.ReadOnlySequence Slice(int start, int length) => throw null; + public System.Buffers.ReadOnlySequence Slice(int start, System.SequencePosition end) => throw null; + public System.Buffers.ReadOnlySequence Slice(long start) => throw null; + public System.Buffers.ReadOnlySequence Slice(long start, long length) => throw null; + public System.Buffers.ReadOnlySequence Slice(long start, System.SequencePosition end) => throw null; public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start) => throw null; - public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start, System.SequencePosition end) => throw null; public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start, int length) => throw null; - public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start, System.Int64 length) => throw null; - public System.Buffers.ReadOnlySequence Slice(int start, System.SequencePosition end) => throw null; - public System.Buffers.ReadOnlySequence Slice(int start, int length) => throw null; - public System.Buffers.ReadOnlySequence Slice(System.Int64 start) => throw null; - public System.Buffers.ReadOnlySequence Slice(System.Int64 start, System.SequencePosition end) => throw null; - public System.Buffers.ReadOnlySequence Slice(System.Int64 start, System.Int64 length) => throw null; + public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start, long length) => throw null; + public System.Buffers.ReadOnlySequence Slice(System.SequencePosition start, System.SequencePosition end) => throw null; public System.SequencePosition Start { get => throw null; } public override string ToString() => throw null; public bool TryGet(ref System.SequencePosition position, out System.ReadOnlyMemory memory, bool advance = default(bool)) => throw null; } - public abstract class ReadOnlySequenceSegment { - public System.ReadOnlyMemory Memory { get => throw null; set => throw null; } - public System.Buffers.ReadOnlySequenceSegment Next { get => throw null; set => throw null; } protected ReadOnlySequenceSegment() => throw null; - public System.Int64 RunningIndex { get => throw null; set => throw null; } + public System.ReadOnlyMemory Memory { get => throw null; set { } } + public System.Buffers.ReadOnlySequenceSegment Next { get => throw null; set { } } + public long RunningIndex { get => throw null; set { } } } - public struct SequenceReader where T : unmanaged, System.IEquatable { - public void Advance(System.Int64 count) => throw null; - public System.Int64 AdvancePast(T value) => throw null; - public System.Int64 AdvancePastAny(System.ReadOnlySpan values) => throw null; - public System.Int64 AdvancePastAny(T value0, T value1) => throw null; - public System.Int64 AdvancePastAny(T value0, T value1, T value2) => throw null; - public System.Int64 AdvancePastAny(T value0, T value1, T value2, T value3) => throw null; + public void Advance(long count) => throw null; + public long AdvancePast(T value) => throw null; + public long AdvancePastAny(System.ReadOnlySpan values) => throw null; + public long AdvancePastAny(T value0, T value1) => throw null; + public long AdvancePastAny(T value0, T value1, T value2) => throw null; + public long AdvancePastAny(T value0, T value1, T value2, T value3) => throw null; public void AdvanceToEnd() => throw null; - public System.Int64 Consumed { get => throw null; } + public long Consumed { get => throw null; } + public SequenceReader(System.Buffers.ReadOnlySequence sequence) => throw null; public System.ReadOnlySpan CurrentSpan { get => throw null; } public int CurrentSpanIndex { get => throw null; } public bool End { get => throw null; } public bool IsNext(System.ReadOnlySpan next, bool advancePast = default(bool)) => throw null; public bool IsNext(T next, bool advancePast = default(bool)) => throw null; - public System.Int64 Length { get => throw null; } + public long Length { get => throw null; } public System.SequencePosition Position { get => throw null; } - public System.Int64 Remaining { get => throw null; } - public void Rewind(System.Int64 count) => throw null; + public long Remaining { get => throw null; } + public void Rewind(long count) => throw null; public System.Buffers.ReadOnlySequence Sequence { get => throw null; } - // Stub generator skipped constructor - public SequenceReader(System.Buffers.ReadOnlySequence sequence) => throw null; public bool TryAdvanceTo(T delimiter, bool advancePastDelimiter = default(bool)) => throw null; public bool TryAdvanceToAny(System.ReadOnlySpan delimiters, bool advancePastDelimiter = default(bool)) => throw null; public bool TryCopyTo(System.Span destination) => throw null; - public bool TryPeek(System.Int64 offset, out T value) => throw null; public bool TryPeek(out T value) => throw null; + public bool TryPeek(long offset, out T value) => throw null; public bool TryRead(out T value) => throw null; public bool TryReadExact(int count, out System.Buffers.ReadOnlySequence sequence) => throw null; public bool TryReadTo(out System.Buffers.ReadOnlySequence sequence, System.ReadOnlySpan delimiter, bool advancePastDelimiter = default(bool)) => throw null; - public bool TryReadTo(out System.Buffers.ReadOnlySequence sequence, T delimiter, T delimiterEscape, bool advancePastDelimiter = default(bool)) => throw null; public bool TryReadTo(out System.Buffers.ReadOnlySequence sequence, T delimiter, bool advancePastDelimiter = default(bool)) => throw null; + public bool TryReadTo(out System.Buffers.ReadOnlySequence sequence, T delimiter, T delimiterEscape, bool advancePastDelimiter = default(bool)) => throw null; public bool TryReadTo(out System.ReadOnlySpan span, System.ReadOnlySpan delimiter, bool advancePastDelimiter = default(bool)) => throw null; - public bool TryReadTo(out System.ReadOnlySpan span, T delimiter, T delimiterEscape, bool advancePastDelimiter = default(bool)) => throw null; public bool TryReadTo(out System.ReadOnlySpan span, T delimiter, bool advancePastDelimiter = default(bool)) => throw null; + public bool TryReadTo(out System.ReadOnlySpan span, T delimiter, T delimiterEscape, bool advancePastDelimiter = default(bool)) => throw null; public bool TryReadToAny(out System.Buffers.ReadOnlySequence sequence, System.ReadOnlySpan delimiters, bool advancePastDelimiter = default(bool)) => throw null; public bool TryReadToAny(out System.ReadOnlySpan span, System.ReadOnlySpan delimiters, bool advancePastDelimiter = default(bool)) => throw null; public System.Buffers.ReadOnlySequence UnreadSequence { get => throw null; } public System.ReadOnlySpan UnreadSpan { get => throw null; } } - - public static class SequenceReaderExtensions + public static partial class SequenceReaderExtensions { - public static bool TryReadBigEndian(ref System.Buffers.SequenceReader reader, out int value) => throw null; - public static bool TryReadBigEndian(ref System.Buffers.SequenceReader reader, out System.Int64 value) => throw null; - public static bool TryReadBigEndian(ref System.Buffers.SequenceReader reader, out System.Int16 value) => throw null; - public static bool TryReadLittleEndian(ref System.Buffers.SequenceReader reader, out int value) => throw null; - public static bool TryReadLittleEndian(ref System.Buffers.SequenceReader reader, out System.Int64 value) => throw null; - public static bool TryReadLittleEndian(ref System.Buffers.SequenceReader reader, out System.Int16 value) => throw null; + public static bool TryReadBigEndian(this ref System.Buffers.SequenceReader reader, out short value) => throw null; + public static bool TryReadBigEndian(this ref System.Buffers.SequenceReader reader, out int value) => throw null; + public static bool TryReadBigEndian(this ref System.Buffers.SequenceReader reader, out long value) => throw null; + public static bool TryReadLittleEndian(this ref System.Buffers.SequenceReader reader, out short value) => throw null; + public static bool TryReadLittleEndian(this ref System.Buffers.SequenceReader reader, out int value) => throw null; + public static bool TryReadLittleEndian(this ref System.Buffers.SequenceReader reader, out long value) => throw null; } - public struct StandardFormat : System.IEquatable { - public static bool operator !=(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; - public static bool operator ==(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; + public StandardFormat(char symbol, byte precision = default(byte)) => throw null; public bool Equals(System.Buffers.StandardFormat other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool HasPrecision { get => throw null; } public bool IsDefault { get => throw null; } - public const System.Byte MaxPrecision = default; - public const System.Byte NoPrecision = default; - public static System.Buffers.StandardFormat Parse(System.ReadOnlySpan format) => throw null; + public static byte MaxPrecision; + public static byte NoPrecision; + public static bool operator ==(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; + public static implicit operator System.Buffers.StandardFormat(char symbol) => throw null; + public static bool operator !=(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; + public static System.Buffers.StandardFormat Parse(System.ReadOnlySpan format) => throw null; public static System.Buffers.StandardFormat Parse(string format) => throw null; - public System.Byte Precision { get => throw null; } - // Stub generator skipped constructor - public StandardFormat(System.Char symbol, System.Byte precision = default(System.Byte)) => throw null; - public System.Char Symbol { get => throw null; } + public byte Precision { get => throw null; } + public char Symbol { get => throw null; } public override string ToString() => throw null; - public static bool TryParse(System.ReadOnlySpan format, out System.Buffers.StandardFormat result) => throw null; - public static implicit operator System.Buffers.StandardFormat(System.Char symbol) => throw null; - } - - namespace Binary - { - public static class BinaryPrimitives - { - public static double ReadDoubleBigEndian(System.ReadOnlySpan source) => throw null; - public static double ReadDoubleLittleEndian(System.ReadOnlySpan source) => throw null; - public static System.Half ReadHalfBigEndian(System.ReadOnlySpan source) => throw null; - public static System.Half ReadHalfLittleEndian(System.ReadOnlySpan source) => throw null; - public static System.Int16 ReadInt16BigEndian(System.ReadOnlySpan source) => throw null; - public static System.Int16 ReadInt16LittleEndian(System.ReadOnlySpan source) => throw null; - public static int ReadInt32BigEndian(System.ReadOnlySpan source) => throw null; - public static int ReadInt32LittleEndian(System.ReadOnlySpan source) => throw null; - public static System.Int64 ReadInt64BigEndian(System.ReadOnlySpan source) => throw null; - public static System.Int64 ReadInt64LittleEndian(System.ReadOnlySpan source) => throw null; - public static float ReadSingleBigEndian(System.ReadOnlySpan source) => throw null; - public static float ReadSingleLittleEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt16 ReadUInt16BigEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt16 ReadUInt16LittleEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt32 ReadUInt32BigEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt32 ReadUInt32LittleEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt64 ReadUInt64BigEndian(System.ReadOnlySpan source) => throw null; - public static System.UInt64 ReadUInt64LittleEndian(System.ReadOnlySpan source) => throw null; - public static System.Byte ReverseEndianness(System.Byte value) => throw null; - public static int ReverseEndianness(int value) => throw null; - public static System.Int64 ReverseEndianness(System.Int64 value) => throw null; - public static System.SByte ReverseEndianness(System.SByte value) => throw null; - public static System.Int16 ReverseEndianness(System.Int16 value) => throw null; - public static System.UInt32 ReverseEndianness(System.UInt32 value) => throw null; - public static System.UInt64 ReverseEndianness(System.UInt64 value) => throw null; - public static System.UInt16 ReverseEndianness(System.UInt16 value) => throw null; - public static bool TryReadDoubleBigEndian(System.ReadOnlySpan source, out double value) => throw null; - public static bool TryReadDoubleLittleEndian(System.ReadOnlySpan source, out double value) => throw null; - public static bool TryReadHalfBigEndian(System.ReadOnlySpan source, out System.Half value) => throw null; - public static bool TryReadHalfLittleEndian(System.ReadOnlySpan source, out System.Half value) => throw null; - public static bool TryReadInt16BigEndian(System.ReadOnlySpan source, out System.Int16 value) => throw null; - public static bool TryReadInt16LittleEndian(System.ReadOnlySpan source, out System.Int16 value) => throw null; - public static bool TryReadInt32BigEndian(System.ReadOnlySpan source, out int value) => throw null; - public static bool TryReadInt32LittleEndian(System.ReadOnlySpan source, out int value) => throw null; - public static bool TryReadInt64BigEndian(System.ReadOnlySpan source, out System.Int64 value) => throw null; - public static bool TryReadInt64LittleEndian(System.ReadOnlySpan source, out System.Int64 value) => throw null; - public static bool TryReadSingleBigEndian(System.ReadOnlySpan source, out float value) => throw null; - public static bool TryReadSingleLittleEndian(System.ReadOnlySpan source, out float value) => throw null; - public static bool TryReadUInt16BigEndian(System.ReadOnlySpan source, out System.UInt16 value) => throw null; - public static bool TryReadUInt16LittleEndian(System.ReadOnlySpan source, out System.UInt16 value) => throw null; - public static bool TryReadUInt32BigEndian(System.ReadOnlySpan source, out System.UInt32 value) => throw null; - public static bool TryReadUInt32LittleEndian(System.ReadOnlySpan source, out System.UInt32 value) => throw null; - public static bool TryReadUInt64BigEndian(System.ReadOnlySpan source, out System.UInt64 value) => throw null; - public static bool TryReadUInt64LittleEndian(System.ReadOnlySpan source, out System.UInt64 value) => throw null; - public static bool TryWriteDoubleBigEndian(System.Span destination, double value) => throw null; - public static bool TryWriteDoubleLittleEndian(System.Span destination, double value) => throw null; - public static bool TryWriteHalfBigEndian(System.Span destination, System.Half value) => throw null; - public static bool TryWriteHalfLittleEndian(System.Span destination, System.Half value) => throw null; - public static bool TryWriteInt16BigEndian(System.Span destination, System.Int16 value) => throw null; - public static bool TryWriteInt16LittleEndian(System.Span destination, System.Int16 value) => throw null; - public static bool TryWriteInt32BigEndian(System.Span destination, int value) => throw null; - public static bool TryWriteInt32LittleEndian(System.Span destination, int value) => throw null; - public static bool TryWriteInt64BigEndian(System.Span destination, System.Int64 value) => throw null; - public static bool TryWriteInt64LittleEndian(System.Span destination, System.Int64 value) => throw null; - public static bool TryWriteSingleBigEndian(System.Span destination, float value) => throw null; - public static bool TryWriteSingleLittleEndian(System.Span destination, float value) => throw null; - public static bool TryWriteUInt16BigEndian(System.Span destination, System.UInt16 value) => throw null; - public static bool TryWriteUInt16LittleEndian(System.Span destination, System.UInt16 value) => throw null; - public static bool TryWriteUInt32BigEndian(System.Span destination, System.UInt32 value) => throw null; - public static bool TryWriteUInt32LittleEndian(System.Span destination, System.UInt32 value) => throw null; - public static bool TryWriteUInt64BigEndian(System.Span destination, System.UInt64 value) => throw null; - public static bool TryWriteUInt64LittleEndian(System.Span destination, System.UInt64 value) => throw null; - public static void WriteDoubleBigEndian(System.Span destination, double value) => throw null; - public static void WriteDoubleLittleEndian(System.Span destination, double value) => throw null; - public static void WriteHalfBigEndian(System.Span destination, System.Half value) => throw null; - public static void WriteHalfLittleEndian(System.Span destination, System.Half value) => throw null; - public static void WriteInt16BigEndian(System.Span destination, System.Int16 value) => throw null; - public static void WriteInt16LittleEndian(System.Span destination, System.Int16 value) => throw null; - public static void WriteInt32BigEndian(System.Span destination, int value) => throw null; - public static void WriteInt32LittleEndian(System.Span destination, int value) => throw null; - public static void WriteInt64BigEndian(System.Span destination, System.Int64 value) => throw null; - public static void WriteInt64LittleEndian(System.Span destination, System.Int64 value) => throw null; - public static void WriteSingleBigEndian(System.Span destination, float value) => throw null; - public static void WriteSingleLittleEndian(System.Span destination, float value) => throw null; - public static void WriteUInt16BigEndian(System.Span destination, System.UInt16 value) => throw null; - public static void WriteUInt16LittleEndian(System.Span destination, System.UInt16 value) => throw null; - public static void WriteUInt32BigEndian(System.Span destination, System.UInt32 value) => throw null; - public static void WriteUInt32LittleEndian(System.Span destination, System.UInt32 value) => throw null; - public static void WriteUInt64BigEndian(System.Span destination, System.UInt64 value) => throw null; - public static void WriteUInt64LittleEndian(System.Span destination, System.UInt64 value) => throw null; - } - + public static bool TryParse(System.ReadOnlySpan format, out System.Buffers.StandardFormat result) => throw null; } namespace Text { public static class Utf8Formatter { - public static bool TryFormat(System.DateTime value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.DateTimeOffset value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.Guid value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.TimeSpan value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(bool value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.Byte value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.Decimal value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(double value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(float value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(int value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.Int64 value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.SByte value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.Int16 value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.UInt32 value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.UInt64 value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; - public static bool TryFormat(System.UInt16 value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(bool value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(byte value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(System.DateTime value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(System.DateTimeOffset value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(decimal value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(double value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(System.Guid value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(short value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(int value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(long value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(sbyte value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(float value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(System.TimeSpan value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(ushort value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(uint value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; + public static bool TryFormat(ulong value, System.Span destination, out int bytesWritten, System.Buffers.StandardFormat format = default(System.Buffers.StandardFormat)) => throw null; } - public static class Utf8Parser { - public static bool TryParse(System.ReadOnlySpan source, out System.DateTime value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.DateTimeOffset value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.Guid value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.TimeSpan value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out bool value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.Byte value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.Decimal value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out double value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out float value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out int value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.Int64 value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.SByte value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.Int16 value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.UInt32 value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.UInt64 value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; - public static bool TryParse(System.ReadOnlySpan source, out System.UInt16 value, out int bytesConsumed, System.Char standardFormat = default(System.Char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out bool value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out byte value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out System.DateTime value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out System.DateTimeOffset value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out decimal value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out double value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out System.Guid value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out short value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out int value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out long value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out sbyte value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out float value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out System.TimeSpan value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out ushort value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out uint value, out int bytesConsumed, char standardFormat = default(char)) => throw null; + public static bool TryParse(System.ReadOnlySpan source, out ulong value, out int bytesConsumed, char standardFormat = default(char)) => throw null; } - + } + } + public static partial class MemoryExtensions + { + public static System.ReadOnlyMemory AsMemory(this string text) => throw null; + public static System.ReadOnlyMemory AsMemory(this string text, System.Index startIndex) => throw null; + public static System.ReadOnlyMemory AsMemory(this string text, int start) => throw null; + public static System.ReadOnlyMemory AsMemory(this string text, int start, int length) => throw null; + public static System.ReadOnlyMemory AsMemory(this string text, System.Range range) => throw null; + public static System.Memory AsMemory(this System.ArraySegment segment) => throw null; + public static System.Memory AsMemory(this System.ArraySegment segment, int start) => throw null; + public static System.Memory AsMemory(this System.ArraySegment segment, int start, int length) => throw null; + public static System.Memory AsMemory(this T[] array) => throw null; + public static System.Memory AsMemory(this T[] array, System.Index startIndex) => throw null; + public static System.Memory AsMemory(this T[] array, int start) => throw null; + public static System.Memory AsMemory(this T[] array, int start, int length) => throw null; + public static System.Memory AsMemory(this T[] array, System.Range range) => throw null; + public static System.ReadOnlySpan AsSpan(this string text) => throw null; + public static System.ReadOnlySpan AsSpan(this string text, int start) => throw null; + public static System.ReadOnlySpan AsSpan(this string text, int start, int length) => throw null; + public static System.Span AsSpan(this System.ArraySegment segment) => throw null; + public static System.Span AsSpan(this System.ArraySegment segment, System.Index startIndex) => throw null; + public static System.Span AsSpan(this System.ArraySegment segment, int start) => throw null; + public static System.Span AsSpan(this System.ArraySegment segment, int start, int length) => throw null; + public static System.Span AsSpan(this System.ArraySegment segment, System.Range range) => throw null; + public static System.Span AsSpan(this T[] array) => throw null; + public static System.Span AsSpan(this T[] array, System.Index startIndex) => throw null; + public static System.Span AsSpan(this T[] array, int start) => throw null; + public static System.Span AsSpan(this T[] array, int start, int length) => throw null; + public static System.Span AsSpan(this T[] array, System.Range range) => throw null; + public static int BinarySearch(this System.ReadOnlySpan span, System.IComparable comparable) => throw null; + public static int BinarySearch(this System.Span span, System.IComparable comparable) => throw null; + public static int BinarySearch(this System.ReadOnlySpan span, T value, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; + public static int BinarySearch(this System.ReadOnlySpan span, TComparable comparable) where TComparable : System.IComparable => throw null; + public static int BinarySearch(this System.Span span, T value, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; + public static int BinarySearch(this System.Span span, TComparable comparable) where TComparable : System.IComparable => throw null; + public static int CommonPrefixLength(this System.Span span, System.ReadOnlySpan other) => throw null; + public static int CommonPrefixLength(this System.Span span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static int CommonPrefixLength(this System.ReadOnlySpan span, System.ReadOnlySpan other) => throw null; + public static int CommonPrefixLength(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static int CompareTo(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.StringComparison comparisonType) => throw null; + public static bool Contains(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public static bool Contains(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; + public static bool Contains(this System.Span span, T value) where T : System.IEquatable => throw null; + public static void CopyTo(this T[] source, System.Memory destination) => throw null; + public static void CopyTo(this T[] source, System.Span destination) => throw null; + public static bool EndsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public static bool EndsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static bool EndsWith(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static System.Text.SpanLineEnumerator EnumerateLines(this System.ReadOnlySpan span) => throw null; + public static System.Text.SpanLineEnumerator EnumerateLines(this System.Span span) => throw null; + public static System.Text.SpanRuneEnumerator EnumerateRunes(this System.ReadOnlySpan span) => throw null; + public static System.Text.SpanRuneEnumerator EnumerateRunes(this System.Span span) => throw null; + public static bool Equals(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.StringComparison comparisonType) => throw null; + public static int IndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public static int IndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static int IndexOf(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; + public static int IndexOf(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static int IndexOf(this System.Span span, T value) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; + public static int IndexOfAny(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.Span span, T value) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int IndexOfAnyExcept(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static bool IsWhiteSpace(this System.ReadOnlySpan span) => throw null; + public static int LastIndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public static int LastIndexOf(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static int LastIndexOf(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; + public static int LastIndexOf(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static int LastIndexOf(this System.Span span, T value) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; + public static int LastIndexOfAny(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.Span span, T value) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.Span span, T value0, T value1) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.Span span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.Span span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, T value0, T value1, T value2) where T : System.IEquatable => throw null; + public static int LastIndexOfAnyExcept(this System.ReadOnlySpan span, System.ReadOnlySpan values) where T : System.IEquatable => throw null; + public static bool Overlaps(this System.ReadOnlySpan span, System.ReadOnlySpan other) => throw null; + public static bool Overlaps(this System.ReadOnlySpan span, System.ReadOnlySpan other, out int elementOffset) => throw null; + public static bool Overlaps(this System.Span span, System.ReadOnlySpan other) => throw null; + public static bool Overlaps(this System.Span span, System.ReadOnlySpan other, out int elementOffset) => throw null; + public static void Reverse(this System.Span span) => throw null; + public static int SequenceCompareTo(this System.ReadOnlySpan span, System.ReadOnlySpan other) where T : System.IComparable => throw null; + public static int SequenceCompareTo(this System.Span span, System.ReadOnlySpan other) where T : System.IComparable => throw null; + public static bool SequenceEqual(this System.ReadOnlySpan span, System.ReadOnlySpan other) where T : System.IEquatable => throw null; + public static bool SequenceEqual(this System.Span span, System.ReadOnlySpan other) where T : System.IEquatable => throw null; + public static bool SequenceEqual(this System.ReadOnlySpan span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; + public static bool SequenceEqual(this System.Span span, System.ReadOnlySpan other, System.Collections.Generic.IEqualityComparer comparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; + public static void Sort(this System.Span span) => throw null; + public static void Sort(this System.Span span, System.Comparison comparison) => throw null; + public static void Sort(this System.Span keys, System.Span items) => throw null; + public static void Sort(this System.Span keys, System.Span items, System.Comparison comparison) => throw null; + public static void Sort(this System.Span span, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; + public static void Sort(this System.Span keys, System.Span items, TComparer comparer) where TComparer : System.Collections.Generic.IComparer => throw null; + public static bool StartsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public static bool StartsWith(this System.ReadOnlySpan span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static bool StartsWith(this System.Span span, System.ReadOnlySpan value) where T : System.IEquatable => throw null; + public static int ToLower(this System.ReadOnlySpan source, System.Span destination, System.Globalization.CultureInfo culture) => throw null; + public static int ToLowerInvariant(this System.ReadOnlySpan source, System.Span destination) => throw null; + public static int ToUpper(this System.ReadOnlySpan source, System.Span destination, System.Globalization.CultureInfo culture) => throw null; + public static int ToUpperInvariant(this System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Memory Trim(this System.Memory memory) => throw null; + public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory) => throw null; + public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span) => throw null; + public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, char trimChar) => throw null; + public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; + public static System.Span Trim(this System.Span span) => throw null; + public static System.Memory Trim(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Memory Trim(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory Trim(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan Trim(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; + public static System.Span Trim(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Span Trim(this System.Span span, T trimElement) where T : System.IEquatable => throw null; + public static System.Memory TrimEnd(this System.Memory memory) => throw null; + public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory) => throw null; + public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span) => throw null; + public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, char trimChar) => throw null; + public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; + public static System.Span TrimEnd(this System.Span span) => throw null; + public static System.Memory TrimEnd(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Memory TrimEnd(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory TrimEnd(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan TrimEnd(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; + public static System.Span TrimEnd(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Span TrimEnd(this System.Span span, T trimElement) where T : System.IEquatable => throw null; + public static System.Memory TrimStart(this System.Memory memory) => throw null; + public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory) => throw null; + public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span) => throw null; + public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, char trimChar) => throw null; + public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, System.ReadOnlySpan trimChars) => throw null; + public static System.Span TrimStart(this System.Span span) => throw null; + public static System.Memory TrimStart(this System.Memory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Memory TrimStart(this System.Memory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlyMemory TrimStart(this System.ReadOnlyMemory memory, T trimElement) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.ReadOnlySpan TrimStart(this System.ReadOnlySpan span, T trimElement) where T : System.IEquatable => throw null; + public static System.Span TrimStart(this System.Span span, System.ReadOnlySpan trimElements) where T : System.IEquatable => throw null; + public static System.Span TrimStart(this System.Span span, T trimElement) where T : System.IEquatable => throw null; + public static bool TryWrite(this System.Span destination, ref System.MemoryExtensions.TryWriteInterpolatedStringHandler handler, out int charsWritten) => throw null; + public static bool TryWrite(this System.Span destination, System.IFormatProvider provider, ref System.MemoryExtensions.TryWriteInterpolatedStringHandler handler, out int charsWritten) => throw null; + public struct TryWriteInterpolatedStringHandler + { + public bool AppendFormatted(System.ReadOnlySpan value) => throw null; + public bool AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; + public bool AppendFormatted(T value) => throw null; + public bool AppendFormatted(T value, string format) => throw null; + public bool AppendFormatted(T value, int alignment) => throw null; + public bool AppendFormatted(T value, int alignment, string format) => throw null; + public bool AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; + public bool AppendFormatted(string value) => throw null; + public bool AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; + public bool AppendLiteral(string value) => throw null; + public TryWriteInterpolatedStringHandler(int literalLength, int formattedCount, System.Span destination, out bool shouldAppend) => throw null; + public TryWriteInterpolatedStringHandler(int literalLength, int formattedCount, System.Span destination, System.IFormatProvider provider, out bool shouldAppend) => throw null; } } namespace Runtime @@ -494,76 +460,78 @@ namespace InteropServices { public static class MemoryMarshal { - public static System.ReadOnlySpan AsBytes(System.ReadOnlySpan span) where T : struct => throw null; - public static System.Span AsBytes(System.Span span) where T : struct => throw null; + public static System.ReadOnlySpan AsBytes(System.ReadOnlySpan span) where T : struct => throw null; + public static System.Span AsBytes(System.Span span) where T : struct => throw null; public static System.Memory AsMemory(System.ReadOnlyMemory memory) => throw null; - public static T AsRef(System.ReadOnlySpan span) where T : struct => throw null; - public static T AsRef(System.Span span) where T : struct => throw null; + public static T AsRef(System.ReadOnlySpan span) where T : struct => throw null; + public static T AsRef(System.Span span) where T : struct => throw null; public static System.ReadOnlySpan Cast(System.ReadOnlySpan span) where TFrom : struct where TTo : struct => throw null; public static System.Span Cast(System.Span span) where TFrom : struct where TTo : struct => throw null; public static System.Memory CreateFromPinnedArray(T[] array, int start, int length) => throw null; public static System.ReadOnlySpan CreateReadOnlySpan(ref T reference, int length) => throw null; - unsafe public static System.ReadOnlySpan CreateReadOnlySpanFromNullTerminated(System.Byte* value) => throw null; - unsafe public static System.ReadOnlySpan CreateReadOnlySpanFromNullTerminated(System.Char* value) => throw null; + public static unsafe System.ReadOnlySpan CreateReadOnlySpanFromNullTerminated(byte* value) => throw null; + public static unsafe System.ReadOnlySpan CreateReadOnlySpanFromNullTerminated(char* value) => throw null; public static System.Span CreateSpan(ref T reference, int length) => throw null; - public static System.Byte GetArrayDataReference(System.Array array) => throw null; public static T GetArrayDataReference(T[] array) => throw null; + public static byte GetArrayDataReference(System.Array array) => throw null; public static T GetReference(System.ReadOnlySpan span) => throw null; public static T GetReference(System.Span span) => throw null; - public static T Read(System.ReadOnlySpan source) where T : struct => throw null; + public static T Read(System.ReadOnlySpan source) where T : struct => throw null; public static System.Collections.Generic.IEnumerable ToEnumerable(System.ReadOnlyMemory memory) => throw null; public static bool TryGetArray(System.ReadOnlyMemory memory, out System.ArraySegment segment) => throw null; public static bool TryGetMemoryManager(System.ReadOnlyMemory memory, out TManager manager) where TManager : System.Buffers.MemoryManager => throw null; public static bool TryGetMemoryManager(System.ReadOnlyMemory memory, out TManager manager, out int start, out int length) where TManager : System.Buffers.MemoryManager => throw null; - public static bool TryGetString(System.ReadOnlyMemory memory, out string text, out int start, out int length) => throw null; - public static bool TryRead(System.ReadOnlySpan source, out T value) where T : struct => throw null; - public static bool TryWrite(System.Span destination, ref T value) where T : struct => throw null; - public static void Write(System.Span destination, ref T value) where T : struct => throw null; + public static bool TryGetString(System.ReadOnlyMemory memory, out string text, out int start, out int length) => throw null; + public static bool TryRead(System.ReadOnlySpan source, out T value) where T : struct => throw null; + public static bool TryWrite(System.Span destination, ref T value) where T : struct => throw null; + public static void Write(System.Span destination, ref T value) where T : struct => throw null; } - public static class SequenceMarshal { public static bool TryGetArray(System.Buffers.ReadOnlySequence sequence, out System.ArraySegment segment) => throw null; public static bool TryGetReadOnlyMemory(System.Buffers.ReadOnlySequence sequence, out System.ReadOnlyMemory memory) => throw null; public static bool TryGetReadOnlySequenceSegment(System.Buffers.ReadOnlySequence sequence, out System.Buffers.ReadOnlySequenceSegment startSegment, out int startIndex, out System.Buffers.ReadOnlySequenceSegment endSegment, out int endIndex) => throw null; - public static bool TryRead(ref System.Buffers.SequenceReader reader, out T value) where T : unmanaged => throw null; + public static bool TryRead(ref System.Buffers.SequenceReader reader, out T value) where T : unmanaged => throw null; } - } } + public struct SequencePosition : System.IEquatable + { + public SequencePosition(object @object, int integer) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.SequencePosition other) => throw null; + public override int GetHashCode() => throw null; + public int GetInteger() => throw null; + public object GetObject() => throw null; + } namespace Text { - public static class EncodingExtensions + public static partial class EncodingExtensions { - public static void Convert(this System.Text.Decoder decoder, System.Buffers.ReadOnlySequence bytes, System.Buffers.IBufferWriter writer, bool flush, out System.Int64 charsUsed, out bool completed) => throw null; - public static void Convert(this System.Text.Decoder decoder, System.ReadOnlySpan bytes, System.Buffers.IBufferWriter writer, bool flush, out System.Int64 charsUsed, out bool completed) => throw null; - public static void Convert(this System.Text.Encoder encoder, System.Buffers.ReadOnlySequence chars, System.Buffers.IBufferWriter writer, bool flush, out System.Int64 bytesUsed, out bool completed) => throw null; - public static void Convert(this System.Text.Encoder encoder, System.ReadOnlySpan chars, System.Buffers.IBufferWriter writer, bool flush, out System.Int64 bytesUsed, out bool completed) => throw null; - public static System.Byte[] GetBytes(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence chars) => throw null; - public static System.Int64 GetBytes(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence chars, System.Buffers.IBufferWriter writer) => throw null; - public static int GetBytes(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence chars, System.Span bytes) => throw null; - public static System.Int64 GetBytes(this System.Text.Encoding encoding, System.ReadOnlySpan chars, System.Buffers.IBufferWriter writer) => throw null; - public static System.Int64 GetChars(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence bytes, System.Buffers.IBufferWriter writer) => throw null; - public static int GetChars(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence bytes, System.Span chars) => throw null; - public static System.Int64 GetChars(this System.Text.Encoding encoding, System.ReadOnlySpan bytes, System.Buffers.IBufferWriter writer) => throw null; - public static string GetString(this System.Text.Encoding encoding, System.Buffers.ReadOnlySequence bytes) => throw null; + public static void Convert(this System.Text.Decoder decoder, in System.Buffers.ReadOnlySequence bytes, System.Buffers.IBufferWriter writer, bool flush, out long charsUsed, out bool completed) => throw null; + public static void Convert(this System.Text.Decoder decoder, System.ReadOnlySpan bytes, System.Buffers.IBufferWriter writer, bool flush, out long charsUsed, out bool completed) => throw null; + public static void Convert(this System.Text.Encoder encoder, in System.Buffers.ReadOnlySequence chars, System.Buffers.IBufferWriter writer, bool flush, out long bytesUsed, out bool completed) => throw null; + public static void Convert(this System.Text.Encoder encoder, System.ReadOnlySpan chars, System.Buffers.IBufferWriter writer, bool flush, out long bytesUsed, out bool completed) => throw null; + public static byte[] GetBytes(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence chars) => throw null; + public static long GetBytes(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence chars, System.Buffers.IBufferWriter writer) => throw null; + public static int GetBytes(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence chars, System.Span bytes) => throw null; + public static long GetBytes(this System.Text.Encoding encoding, System.ReadOnlySpan chars, System.Buffers.IBufferWriter writer) => throw null; + public static long GetChars(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence bytes, System.Buffers.IBufferWriter writer) => throw null; + public static int GetChars(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence bytes, System.Span chars) => throw null; + public static long GetChars(this System.Text.Encoding encoding, System.ReadOnlySpan bytes, System.Buffers.IBufferWriter writer) => throw null; + public static string GetString(this System.Text.Encoding encoding, in System.Buffers.ReadOnlySequence bytes) => throw null; } - public struct SpanLineEnumerator { - public System.ReadOnlySpan Current { get => throw null; } + public System.ReadOnlySpan Current { get => throw null; } public System.Text.SpanLineEnumerator GetEnumerator() => throw null; public bool MoveNext() => throw null; - // Stub generator skipped constructor } - public struct SpanRuneEnumerator { public System.Text.Rune Current { get => throw null; } public System.Text.SpanRuneEnumerator GetEnumerator() => throw null; public bool MoveNext() => throw null; - // Stub generator skipped constructor } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.Json.cs index d446b901ee7f..62c0d07bf807 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.Json.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Http.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net @@ -9,61 +8,59 @@ namespace Http { namespace Json { - public static class HttpClientJsonExtensions + public static partial class HttpClientJsonExtensions { - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task DeleteFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, string requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetFromJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PatchAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PostAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, string requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task PutAsJsonAsync(this System.Net.Http.HttpClient client, System.Uri requestUri, TValue value, System.Threading.CancellationToken cancellationToken) => throw null; } - - public static class HttpContentJsonExtensions + public static partial class HttpContentJsonExtensions { - public static System.Threading.Tasks.Task ReadFromJsonAsync(this System.Net.Http.HttpContent content, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task ReadFromJsonAsync(this System.Net.Http.HttpContent content, System.Type type, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task ReadFromJsonAsync(this System.Net.Http.HttpContent content, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task ReadFromJsonAsync(this System.Net.Http.HttpContent content, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task ReadFromJsonAsync(this System.Net.Http.HttpContent content, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class JsonContent : System.Net.Http.HttpContent + public sealed class JsonContent : System.Net.Http.HttpContent { public static System.Net.Http.Json.JsonContent Create(object inputValue, System.Type inputType, System.Net.Http.Headers.MediaTypeHeaderValue mediaType = default(System.Net.Http.Headers.MediaTypeHeaderValue), System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static System.Net.Http.Json.JsonContent Create(T inputValue, System.Net.Http.Headers.MediaTypeHeaderValue mediaType = default(System.Net.Http.Headers.MediaTypeHeaderValue), System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; @@ -71,10 +68,9 @@ public class JsonContent : System.Net.Http.HttpContent protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool TryComputeLength(out System.Int64 length) => throw null; + protected override bool TryComputeLength(out long length) => throw null; public object Value { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs index b90cbb9cb5a1..40263d280244 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Http, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -9,434 +8,42 @@ namespace Http { public class ByteArrayContent : System.Net.Http.HttpContent { - public ByteArrayContent(System.Byte[] content) => throw null; - public ByteArrayContent(System.Byte[] content, int offset, int count) => throw null; protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; + public ByteArrayContent(byte[] content) => throw null; + public ByteArrayContent(byte[] content, int offset, int count) => throw null; protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool TryComputeLength(out System.Int64 length) => throw null; + protected override bool TryComputeLength(out long length) => throw null; } - - public enum ClientCertificateOption : int + public enum ClientCertificateOption { - Automatic = 1, Manual = 0, + Automatic = 1, } - public abstract class DelegatingHandler : System.Net.Http.HttpMessageHandler { protected DelegatingHandler() => throw null; protected DelegatingHandler(System.Net.Http.HttpMessageHandler innerHandler) => throw null; protected override void Dispose(bool disposing) => throw null; - public System.Net.Http.HttpMessageHandler InnerHandler { get => throw null; set => throw null; } - protected internal override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Net.Http.HttpMessageHandler InnerHandler { get => throw null; set { } } + protected override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; } - public class FormUrlEncodedContent : System.Net.Http.ByteArrayContent { - public FormUrlEncodedContent(System.Collections.Generic.IEnumerable> nameValueCollection) : base(default(System.Byte[])) => throw null; + public FormUrlEncodedContent(System.Collections.Generic.IEnumerable> nameValueCollection) : base(default(byte[])) => throw null; protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; } - public delegate System.Text.Encoding HeaderEncodingSelector(string headerName, TContext context); - - public class HttpClient : System.Net.Http.HttpMessageInvoker - { - public System.Uri BaseAddress { get => throw null; set => throw null; } - public void CancelPendingRequests() => throw null; - public static System.Net.IWebProxy DefaultProxy { get => throw null; set => throw null; } - public System.Net.Http.Headers.HttpRequestHeaders DefaultRequestHeaders { get => throw null; } - public System.Version DefaultRequestVersion { get => throw null; set => throw null; } - public System.Net.Http.HttpVersionPolicy DefaultVersionPolicy { get => throw null; set => throw null; } - public System.Threading.Tasks.Task DeleteAsync(System.Uri requestUri) => throw null; - public System.Threading.Tasks.Task DeleteAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string requestUri) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Uri requestUri) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Net.Http.HttpCompletionOption completionOption) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetAsync(string requestUri) => throw null; - public System.Threading.Tasks.Task GetAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetAsync(string requestUri, System.Net.Http.HttpCompletionOption completionOption) => throw null; - public System.Threading.Tasks.Task GetAsync(string requestUri, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetByteArrayAsync(System.Uri requestUri) => throw null; - public System.Threading.Tasks.Task GetByteArrayAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetByteArrayAsync(string requestUri) => throw null; - public System.Threading.Tasks.Task GetByteArrayAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetStreamAsync(System.Uri requestUri) => throw null; - public System.Threading.Tasks.Task GetStreamAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetStreamAsync(string requestUri) => throw null; - public System.Threading.Tasks.Task GetStreamAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetStringAsync(System.Uri requestUri) => throw null; - public System.Threading.Tasks.Task GetStringAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetStringAsync(string requestUri) => throw null; - public System.Threading.Tasks.Task GetStringAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; - public HttpClient() : base(default(System.Net.Http.HttpMessageHandler)) => throw null; - public HttpClient(System.Net.Http.HttpMessageHandler handler) : base(default(System.Net.Http.HttpMessageHandler)) => throw null; - public HttpClient(System.Net.Http.HttpMessageHandler handler, bool disposeHandler) : base(default(System.Net.Http.HttpMessageHandler)) => throw null; - public System.Int64 MaxResponseContentBufferSize { get => throw null; set => throw null; } - public System.Threading.Tasks.Task PatchAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PatchAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PatchAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PatchAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PostAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PostAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PostAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PostAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PutAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PutAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PutAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; - public System.Threading.Tasks.Task PutAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request) => throw null; - public override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption) => throw null; - public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request) => throw null; - public override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; - public System.TimeSpan Timeout { get => throw null; set => throw null; } - } - - public class HttpClientHandler : System.Net.Http.HttpMessageHandler - { - public bool AllowAutoRedirect { get => throw null; set => throw null; } - public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set => throw null; } - public bool CheckCertificateRevocationList { get => throw null; set => throw null; } - public System.Net.Http.ClientCertificateOption ClientCertificateOptions { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; } - public System.Net.CookieContainer CookieContainer { get => throw null; set => throw null; } - public System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public static System.Func DangerousAcceptAnyServerCertificateValidator { get => throw null; } - public System.Net.ICredentials DefaultProxyCredentials { get => throw null; set => throw null; } - protected override void Dispose(bool disposing) => throw null; - public HttpClientHandler() => throw null; - public int MaxAutomaticRedirections { get => throw null; set => throw null; } - public int MaxConnectionsPerServer { get => throw null; set => throw null; } - public System.Int64 MaxRequestContentBufferSize { get => throw null; set => throw null; } - public int MaxResponseHeadersLength { get => throw null; set => throw null; } - public bool PreAuthenticate { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; } - public System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - protected internal override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Func ServerCertificateCustomValidationCallback { get => throw null; set => throw null; } - public System.Security.Authentication.SslProtocols SslProtocols { get => throw null; set => throw null; } - public virtual bool SupportsAutomaticDecompression { get => throw null; } - public virtual bool SupportsProxy { get => throw null; } - public virtual bool SupportsRedirectConfiguration { get => throw null; } - public bool UseCookies { get => throw null; set => throw null; } - public bool UseDefaultCredentials { get => throw null; set => throw null; } - public bool UseProxy { get => throw null; set => throw null; } - } - - public enum HttpCompletionOption : int - { - ResponseContentRead = 0, - ResponseHeadersRead = 1, - } - - public abstract class HttpContent : System.IDisposable - { - public void CopyTo(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; - protected virtual System.Threading.Tasks.Task CreateContentReadStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Net.Http.Headers.HttpContentHeaders Headers { get => throw null; } - protected HttpContent() => throw null; - public System.Threading.Tasks.Task LoadIntoBufferAsync() => throw null; - public System.Threading.Tasks.Task LoadIntoBufferAsync(System.Int64 maxBufferSize) => throw null; - public System.Threading.Tasks.Task ReadAsByteArrayAsync() => throw null; - public System.Threading.Tasks.Task ReadAsByteArrayAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public System.IO.Stream ReadAsStream() => throw null; - public System.IO.Stream ReadAsStream(System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ReadAsStreamAsync() => throw null; - public System.Threading.Tasks.Task ReadAsStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ReadAsStringAsync() => throw null; - public System.Threading.Tasks.Task ReadAsStringAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected abstract System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context); - protected virtual System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal abstract bool TryComputeLength(out System.Int64 length); - } - - public enum HttpKeepAlivePingPolicy : int - { - Always = 1, - WithActiveRequests = 0, - } - - public abstract class HttpMessageHandler : System.IDisposable - { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - protected HttpMessageHandler() => throw null; - protected internal virtual System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal abstract System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken); - } - - public class HttpMessageInvoker : System.IDisposable - { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public HttpMessageInvoker(System.Net.Http.HttpMessageHandler handler) => throw null; - public HttpMessageInvoker(System.Net.Http.HttpMessageHandler handler, bool disposeHandler) => throw null; - public virtual System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - } - - public class HttpMethod : System.IEquatable - { - public static bool operator !=(System.Net.Http.HttpMethod left, System.Net.Http.HttpMethod right) => throw null; - public static bool operator ==(System.Net.Http.HttpMethod left, System.Net.Http.HttpMethod right) => throw null; - public static System.Net.Http.HttpMethod Connect { get => throw null; } - public static System.Net.Http.HttpMethod Delete { get => throw null; } - public bool Equals(System.Net.Http.HttpMethod other) => throw null; - public override bool Equals(object obj) => throw null; - public static System.Net.Http.HttpMethod Get { get => throw null; } - public override int GetHashCode() => throw null; - public static System.Net.Http.HttpMethod Head { get => throw null; } - public HttpMethod(string method) => throw null; - public string Method { get => throw null; } - public static System.Net.Http.HttpMethod Options { get => throw null; } - public static System.Net.Http.HttpMethod Patch { get => throw null; } - public static System.Net.Http.HttpMethod Post { get => throw null; } - public static System.Net.Http.HttpMethod Put { get => throw null; } - public override string ToString() => throw null; - public static System.Net.Http.HttpMethod Trace { get => throw null; } - } - - public class HttpProtocolException : System.IO.IOException - { - public System.Int64 ErrorCode { get => throw null; } - public HttpProtocolException(System.Int64 errorCode, string message, System.Exception innerException) => throw null; - } - - public class HttpRequestException : System.Exception - { - public HttpRequestException() => throw null; - public HttpRequestException(string message) => throw null; - public HttpRequestException(string message, System.Exception inner) => throw null; - public HttpRequestException(string message, System.Exception inner, System.Net.HttpStatusCode? statusCode) => throw null; - public System.Net.HttpStatusCode? StatusCode { get => throw null; } - } - - public class HttpRequestMessage : System.IDisposable - { - public System.Net.Http.HttpContent Content { get => throw null; set => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Net.Http.Headers.HttpRequestHeaders Headers { get => throw null; } - public HttpRequestMessage() => throw null; - public HttpRequestMessage(System.Net.Http.HttpMethod method, System.Uri requestUri) => throw null; - public HttpRequestMessage(System.Net.Http.HttpMethod method, string requestUri) => throw null; - public System.Net.Http.HttpMethod Method { get => throw null; set => throw null; } - public System.Net.Http.HttpRequestOptions Options { get => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; } - public System.Uri RequestUri { get => throw null; set => throw null; } - public override string ToString() => throw null; - public System.Version Version { get => throw null; set => throw null; } - public System.Net.Http.HttpVersionPolicy VersionPolicy { get => throw null; set => throw null; } - } - - public class HttpRequestOptions : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; - void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; - void System.Collections.Generic.ICollection>.Clear() => throw null; - bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; - bool System.Collections.Generic.IDictionary.ContainsKey(string key) => throw null; - void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - int System.Collections.Generic.ICollection>.Count { get => throw null; } - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public HttpRequestOptions() => throw null; - bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set => throw null; } - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; - bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; - public void Set(System.Net.Http.HttpRequestOptionsKey key, TValue value) => throw null; - bool System.Collections.Generic.IDictionary.TryGetValue(string key, out object value) => throw null; - public bool TryGetValue(System.Net.Http.HttpRequestOptionsKey key, out TValue value) => throw null; - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } - } - - public struct HttpRequestOptionsKey - { - // Stub generator skipped constructor - public HttpRequestOptionsKey(string key) => throw null; - public string Key { get => throw null; } - } - - public class HttpResponseMessage : System.IDisposable - { - public System.Net.Http.HttpContent Content { get => throw null; set => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Net.Http.HttpResponseMessage EnsureSuccessStatusCode() => throw null; - public System.Net.Http.Headers.HttpResponseHeaders Headers { get => throw null; } - public HttpResponseMessage() => throw null; - public HttpResponseMessage(System.Net.HttpStatusCode statusCode) => throw null; - public bool IsSuccessStatusCode { get => throw null; } - public string ReasonPhrase { get => throw null; set => throw null; } - public System.Net.Http.HttpRequestMessage RequestMessage { get => throw null; set => throw null; } - public System.Net.HttpStatusCode StatusCode { get => throw null; set => throw null; } - public override string ToString() => throw null; - public System.Net.Http.Headers.HttpResponseHeaders TrailingHeaders { get => throw null; } - public System.Version Version { get => throw null; set => throw null; } - } - - public enum HttpVersionPolicy : int - { - RequestVersionExact = 2, - RequestVersionOrHigher = 1, - RequestVersionOrLower = 0, - } - - public abstract class MessageProcessingHandler : System.Net.Http.DelegatingHandler - { - protected MessageProcessingHandler() => throw null; - protected MessageProcessingHandler(System.Net.Http.HttpMessageHandler innerHandler) => throw null; - protected abstract System.Net.Http.HttpRequestMessage ProcessRequest(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken); - protected abstract System.Net.Http.HttpResponseMessage ProcessResponse(System.Net.Http.HttpResponseMessage response, System.Threading.CancellationToken cancellationToken); - protected internal override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - } - - public class MultipartContent : System.Net.Http.HttpContent, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public virtual void Add(System.Net.Http.HttpContent content) => throw null; - protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; - protected override System.Threading.Tasks.Task CreateContentReadStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Net.Http.HeaderEncodingSelector HeaderEncodingSelector { get => throw null; set => throw null; } - public MultipartContent() => throw null; - public MultipartContent(string subtype) => throw null; - public MultipartContent(string subtype, string boundary) => throw null; - protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool TryComputeLength(out System.Int64 length) => throw null; - } - - public class MultipartFormDataContent : System.Net.Http.MultipartContent - { - public override void Add(System.Net.Http.HttpContent content) => throw null; - public void Add(System.Net.Http.HttpContent content, string name) => throw null; - public void Add(System.Net.Http.HttpContent content, string name, string fileName) => throw null; - public MultipartFormDataContent() => throw null; - public MultipartFormDataContent(string boundary) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - } - - public class ReadOnlyMemoryContent : System.Net.Http.HttpContent - { - protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; - public ReadOnlyMemoryContent(System.ReadOnlyMemory content) => throw null; - protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool TryComputeLength(out System.Int64 length) => throw null; - } - - public class SocketsHttpConnectionContext - { - public System.Net.DnsEndPoint DnsEndPoint { get => throw null; } - public System.Net.Http.HttpRequestMessage InitialRequestMessage { get => throw null; } - } - - public class SocketsHttpHandler : System.Net.Http.HttpMessageHandler - { - public System.Diagnostics.DistributedContextPropagator ActivityHeadersPropagator { get => throw null; set => throw null; } - public bool AllowAutoRedirect { get => throw null; set => throw null; } - public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set => throw null; } - public System.Func> ConnectCallback { get => throw null; set => throw null; } - public System.TimeSpan ConnectTimeout { get => throw null; set => throw null; } - public System.Net.CookieContainer CookieContainer { get => throw null; set => throw null; } - public System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public System.Net.ICredentials DefaultProxyCredentials { get => throw null; set => throw null; } - protected override void Dispose(bool disposing) => throw null; - public bool EnableMultipleHttp2Connections { get => throw null; set => throw null; } - public System.TimeSpan Expect100ContinueTimeout { get => throw null; set => throw null; } - public int InitialHttp2StreamWindowSize { get => throw null; set => throw null; } - public static bool IsSupported { get => throw null; } - public System.TimeSpan KeepAlivePingDelay { get => throw null; set => throw null; } - public System.Net.Http.HttpKeepAlivePingPolicy KeepAlivePingPolicy { get => throw null; set => throw null; } - public System.TimeSpan KeepAlivePingTimeout { get => throw null; set => throw null; } - public int MaxAutomaticRedirections { get => throw null; set => throw null; } - public int MaxConnectionsPerServer { get => throw null; set => throw null; } - public int MaxResponseDrainSize { get => throw null; set => throw null; } - public int MaxResponseHeadersLength { get => throw null; set => throw null; } - public System.Func> PlaintextStreamFilter { get => throw null; set => throw null; } - public System.TimeSpan PooledConnectionIdleTimeout { get => throw null; set => throw null; } - public System.TimeSpan PooledConnectionLifetime { get => throw null; set => throw null; } - public bool PreAuthenticate { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; } - public System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - public System.Net.Http.HeaderEncodingSelector RequestHeaderEncodingSelector { get => throw null; set => throw null; } - public System.TimeSpan ResponseDrainTimeout { get => throw null; set => throw null; } - public System.Net.Http.HeaderEncodingSelector ResponseHeaderEncodingSelector { get => throw null; set => throw null; } - protected internal override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; - public SocketsHttpHandler() => throw null; - public System.Net.Security.SslClientAuthenticationOptions SslOptions { get => throw null; set => throw null; } - public bool UseCookies { get => throw null; set => throw null; } - public bool UseProxy { get => throw null; set => throw null; } - } - - public class SocketsHttpPlaintextStreamFilterContext - { - public System.Net.Http.HttpRequestMessage InitialRequestMessage { get => throw null; } - public System.Version NegotiatedHttpVersion { get => throw null; } - public System.IO.Stream PlaintextStream { get => throw null; } - } - - public class StreamContent : System.Net.Http.HttpContent - { - protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; - protected override void Dispose(bool disposing) => throw null; - protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - public StreamContent(System.IO.Stream content) => throw null; - public StreamContent(System.IO.Stream content, int bufferSize) => throw null; - protected internal override bool TryComputeLength(out System.Int64 length) => throw null; - } - - public class StringContent : System.Net.Http.ByteArrayContent - { - protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; - public StringContent(string content) : base(default(System.Byte[])) => throw null; - public StringContent(string content, System.Text.Encoding encoding) : base(default(System.Byte[])) => throw null; - public StringContent(string content, System.Text.Encoding encoding, System.Net.Http.Headers.MediaTypeHeaderValue mediaType) : base(default(System.Byte[])) => throw null; - public StringContent(string content, System.Text.Encoding encoding, string mediaType) : base(default(System.Byte[])) => throw null; - public StringContent(string content, System.Net.Http.Headers.MediaTypeHeaderValue mediaType) : base(default(System.Byte[])) => throw null; - } - - namespace Headers + namespace Headers { public class AuthenticationHeaderValue : System.ICloneable { + object System.ICloneable.Clone() => throw null; public AuthenticationHeaderValue(string scheme) => throw null; public AuthenticationHeaderValue(string scheme, string parameter) => throw null; - object System.ICloneable.Clone() => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string Parameter { get => throw null; } @@ -445,74 +52,70 @@ public class AuthenticationHeaderValue : System.ICloneable public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.AuthenticationHeaderValue parsedValue) => throw null; } - public class CacheControlHeaderValue : System.ICloneable { - public CacheControlHeaderValue() => throw null; object System.ICloneable.Clone() => throw null; + public CacheControlHeaderValue() => throw null; public override bool Equals(object obj) => throw null; public System.Collections.Generic.ICollection Extensions { get => throw null; } public override int GetHashCode() => throw null; - public System.TimeSpan? MaxAge { get => throw null; set => throw null; } - public bool MaxStale { get => throw null; set => throw null; } - public System.TimeSpan? MaxStaleLimit { get => throw null; set => throw null; } - public System.TimeSpan? MinFresh { get => throw null; set => throw null; } - public bool MustRevalidate { get => throw null; set => throw null; } - public bool NoCache { get => throw null; set => throw null; } + public System.TimeSpan? MaxAge { get => throw null; set { } } + public bool MaxStale { get => throw null; set { } } + public System.TimeSpan? MaxStaleLimit { get => throw null; set { } } + public System.TimeSpan? MinFresh { get => throw null; set { } } + public bool MustRevalidate { get => throw null; set { } } + public bool NoCache { get => throw null; set { } } public System.Collections.Generic.ICollection NoCacheHeaders { get => throw null; } - public bool NoStore { get => throw null; set => throw null; } - public bool NoTransform { get => throw null; set => throw null; } - public bool OnlyIfCached { get => throw null; set => throw null; } + public bool NoStore { get => throw null; set { } } + public bool NoTransform { get => throw null; set { } } + public bool OnlyIfCached { get => throw null; set { } } public static System.Net.Http.Headers.CacheControlHeaderValue Parse(string input) => throw null; - public bool Private { get => throw null; set => throw null; } + public bool Private { get => throw null; set { } } public System.Collections.Generic.ICollection PrivateHeaders { get => throw null; } - public bool ProxyRevalidate { get => throw null; set => throw null; } - public bool Public { get => throw null; set => throw null; } - public System.TimeSpan? SharedMaxAge { get => throw null; set => throw null; } + public bool ProxyRevalidate { get => throw null; set { } } + public bool Public { get => throw null; set { } } + public System.TimeSpan? SharedMaxAge { get => throw null; set { } } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.CacheControlHeaderValue parsedValue) => throw null; } - public class ContentDispositionHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public System.DateTimeOffset? CreationDate { get => throw null; set { } } protected ContentDispositionHeaderValue(System.Net.Http.Headers.ContentDispositionHeaderValue source) => throw null; public ContentDispositionHeaderValue(string dispositionType) => throw null; - public System.DateTimeOffset? CreationDate { get => throw null; set => throw null; } - public string DispositionType { get => throw null; set => throw null; } + public string DispositionType { get => throw null; set { } } public override bool Equals(object obj) => throw null; - public string FileName { get => throw null; set => throw null; } - public string FileNameStar { get => throw null; set => throw null; } + public string FileName { get => throw null; set { } } + public string FileNameStar { get => throw null; set { } } public override int GetHashCode() => throw null; - public System.DateTimeOffset? ModificationDate { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public System.DateTimeOffset? ModificationDate { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Collections.Generic.ICollection Parameters { get => throw null; } public static System.Net.Http.Headers.ContentDispositionHeaderValue Parse(string input) => throw null; - public System.DateTimeOffset? ReadDate { get => throw null; set => throw null; } - public System.Int64? Size { get => throw null; set => throw null; } + public System.DateTimeOffset? ReadDate { get => throw null; set { } } + public long? Size { get => throw null; set { } } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.ContentDispositionHeaderValue parsedValue) => throw null; } - public class ContentRangeHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; - public ContentRangeHeaderValue(System.Int64 length) => throw null; - public ContentRangeHeaderValue(System.Int64 from, System.Int64 to) => throw null; - public ContentRangeHeaderValue(System.Int64 from, System.Int64 to, System.Int64 length) => throw null; + public ContentRangeHeaderValue(long length) => throw null; + public ContentRangeHeaderValue(long from, long to) => throw null; + public ContentRangeHeaderValue(long from, long to, long length) => throw null; public override bool Equals(object obj) => throw null; - public System.Int64? From { get => throw null; } + public long? From { get => throw null; } public override int GetHashCode() => throw null; public bool HasLength { get => throw null; } public bool HasRange { get => throw null; } - public System.Int64? Length { get => throw null; } + public long? Length { get => throw null; } public static System.Net.Http.Headers.ContentRangeHeaderValue Parse(string input) => throw null; - public System.Int64? To { get => throw null; } + public long? To { get => throw null; } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.ContentRangeHeaderValue parsedValue) => throw null; - public string Unit { get => throw null; set => throw null; } + public string Unit { get => throw null; set { } } } - public class EntityTagHeaderValue : System.ICloneable { public static System.Net.Http.Headers.EntityTagHeaderValue Any { get => throw null; } @@ -527,69 +130,46 @@ public class EntityTagHeaderValue : System.ICloneable public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.EntityTagHeaderValue parsedValue) => throw null; } - - public struct HeaderStringValues : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct HeaderStringValues : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public string Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public int Count { get => throw null; } public System.Net.Http.Headers.HeaderStringValues.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor public override string ToString() => throw null; } - - public class HttpContentHeaders : System.Net.Http.Headers.HttpHeaders + public sealed class HttpContentHeaders : System.Net.Http.Headers.HttpHeaders { public System.Collections.Generic.ICollection Allow { get => throw null; } - public System.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set => throw null; } + public System.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set { } } public System.Collections.Generic.ICollection ContentEncoding { get => throw null; } public System.Collections.Generic.ICollection ContentLanguage { get => throw null; } - public System.Int64? ContentLength { get => throw null; set => throw null; } - public System.Uri ContentLocation { get => throw null; set => throw null; } - public System.Byte[] ContentMD5 { get => throw null; set => throw null; } - public System.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set => throw null; } - public System.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set => throw null; } - public System.DateTimeOffset? Expires { get => throw null; set => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public long? ContentLength { get => throw null; set { } } + public System.Uri ContentLocation { get => throw null; set { } } + public byte[] ContentMD5 { get => throw null; set { } } + public System.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set { } } + public System.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set { } } + public System.DateTimeOffset? Expires { get => throw null; set { } } + public System.DateTimeOffset? LastModified { get => throw null; set { } } } - - public class HttpHeaderValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable where T : class - { - public void Add(T item) => throw null; - public void Clear() => throw null; - public bool Contains(T item) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public bool IsReadOnly { get => throw null; } - public void ParseAdd(string input) => throw null; - public bool Remove(T item) => throw null; - public override string ToString() => throw null; - public bool TryParseAdd(string input) => throw null; - } - public abstract class HttpHeaders : System.Collections.Generic.IEnumerable>>, System.Collections.IEnumerable { public void Add(string name, System.Collections.Generic.IEnumerable values) => throw null; public void Add(string name, string value) => throw null; public void Clear() => throw null; public bool Contains(string name) => throw null; + protected HttpHeaders() => throw null; public System.Collections.Generic.IEnumerator>> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public System.Collections.Generic.IEnumerable GetValues(string name) => throw null; - protected HttpHeaders() => throw null; public System.Net.Http.Headers.HttpHeadersNonValidated NonValidated { get => throw null; } public bool Remove(string name) => throw null; public override string ToString() => throw null; @@ -597,274 +177,271 @@ public abstract class HttpHeaders : System.Collections.Generic.IEnumerable throw null; public bool TryGetValues(string name, out System.Collections.Generic.IEnumerable values) => throw null; } - - public struct HttpHeadersNonValidated : System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public struct HttpHeadersNonValidated : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { + public bool Contains(string headerName) => throw null; + bool System.Collections.Generic.IReadOnlyDictionary.ContainsKey(string key) => throw null; + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public bool Contains(string headerName) => throw null; - bool System.Collections.Generic.IReadOnlyDictionary.ContainsKey(string key) => throw null; - public int Count { get => throw null; } public System.Net.Http.Headers.HttpHeadersNonValidated.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - public System.Net.Http.Headers.HeaderStringValues this[string headerName] { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + public System.Net.Http.Headers.HeaderStringValues this[string headerName] { get => throw null; } bool System.Collections.Generic.IReadOnlyDictionary.TryGetValue(string key, out System.Net.Http.Headers.HeaderStringValues value) => throw null; public bool TryGetValues(string headerName, out System.Net.Http.Headers.HeaderStringValues values) => throw null; System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } } - - public class HttpRequestHeaders : System.Net.Http.Headers.HttpHeaders + public sealed class HttpHeaderValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable where T : class + { + public void Add(T item) => throw null; + public void Clear() => throw null; + public bool Contains(T item) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public bool IsReadOnly { get => throw null; } + public void ParseAdd(string input) => throw null; + public bool Remove(T item) => throw null; + public override string ToString() => throw null; + public bool TryParseAdd(string input) => throw null; + } + public sealed class HttpRequestHeaders : System.Net.Http.Headers.HttpHeaders { public System.Net.Http.Headers.HttpHeaderValueCollection Accept { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection AcceptCharset { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection AcceptEncoding { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection AcceptLanguage { get => throw null; } - public System.Net.Http.Headers.AuthenticationHeaderValue Authorization { get => throw null; set => throw null; } - public System.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set => throw null; } + public System.Net.Http.Headers.AuthenticationHeaderValue Authorization { get => throw null; set { } } + public System.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Connection { get => throw null; } - public bool? ConnectionClose { get => throw null; set => throw null; } - public System.DateTimeOffset? Date { get => throw null; set => throw null; } + public bool? ConnectionClose { get => throw null; set { } } + public System.DateTimeOffset? Date { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Expect { get => throw null; } - public bool? ExpectContinue { get => throw null; set => throw null; } - public string From { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } + public bool? ExpectContinue { get => throw null; set { } } + public string From { get => throw null; set { } } + public string Host { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection IfMatch { get => throw null; } - public System.DateTimeOffset? IfModifiedSince { get => throw null; set => throw null; } + public System.DateTimeOffset? IfModifiedSince { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection IfNoneMatch { get => throw null; } - public System.Net.Http.Headers.RangeConditionHeaderValue IfRange { get => throw null; set => throw null; } - public System.DateTimeOffset? IfUnmodifiedSince { get => throw null; set => throw null; } - public int? MaxForwards { get => throw null; set => throw null; } + public System.Net.Http.Headers.RangeConditionHeaderValue IfRange { get => throw null; set { } } + public System.DateTimeOffset? IfUnmodifiedSince { get => throw null; set { } } + public int? MaxForwards { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Pragma { get => throw null; } - public string Protocol { get => throw null; set => throw null; } - public System.Net.Http.Headers.AuthenticationHeaderValue ProxyAuthorization { get => throw null; set => throw null; } - public System.Net.Http.Headers.RangeHeaderValue Range { get => throw null; set => throw null; } - public System.Uri Referrer { get => throw null; set => throw null; } + public string Protocol { get => throw null; set { } } + public System.Net.Http.Headers.AuthenticationHeaderValue ProxyAuthorization { get => throw null; set { } } + public System.Net.Http.Headers.RangeHeaderValue Range { get => throw null; set { } } + public System.Uri Referrer { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection TE { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Trailer { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection TransferEncoding { get => throw null; } - public bool? TransferEncodingChunked { get => throw null; set => throw null; } + public bool? TransferEncodingChunked { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Upgrade { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection UserAgent { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Via { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Warning { get => throw null; } } - - public class HttpResponseHeaders : System.Net.Http.Headers.HttpHeaders + public sealed class HttpResponseHeaders : System.Net.Http.Headers.HttpHeaders { public System.Net.Http.Headers.HttpHeaderValueCollection AcceptRanges { get => throw null; } - public System.TimeSpan? Age { get => throw null; set => throw null; } - public System.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set => throw null; } + public System.TimeSpan? Age { get => throw null; set { } } + public System.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Connection { get => throw null; } - public bool? ConnectionClose { get => throw null; set => throw null; } - public System.DateTimeOffset? Date { get => throw null; set => throw null; } - public System.Net.Http.Headers.EntityTagHeaderValue ETag { get => throw null; set => throw null; } - public System.Uri Location { get => throw null; set => throw null; } + public bool? ConnectionClose { get => throw null; set { } } + public System.DateTimeOffset? Date { get => throw null; set { } } + public System.Net.Http.Headers.EntityTagHeaderValue ETag { get => throw null; set { } } + public System.Uri Location { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Pragma { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection ProxyAuthenticate { get => throw null; } - public System.Net.Http.Headers.RetryConditionHeaderValue RetryAfter { get => throw null; set => throw null; } + public System.Net.Http.Headers.RetryConditionHeaderValue RetryAfter { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Server { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Trailer { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection TransferEncoding { get => throw null; } - public bool? TransferEncodingChunked { get => throw null; set => throw null; } + public bool? TransferEncodingChunked { get => throw null; set { } } public System.Net.Http.Headers.HttpHeaderValueCollection Upgrade { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Vary { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Via { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection Warning { get => throw null; } public System.Net.Http.Headers.HttpHeaderValueCollection WwwAuthenticate { get => throw null; } } - public class MediaTypeHeaderValue : System.ICloneable { - public string CharSet { get => throw null; set => throw null; } + public string CharSet { get => throw null; set { } } object System.ICloneable.Clone() => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public string MediaType { get => throw null; set => throw null; } protected MediaTypeHeaderValue(System.Net.Http.Headers.MediaTypeHeaderValue source) => throw null; public MediaTypeHeaderValue(string mediaType) => throw null; public MediaTypeHeaderValue(string mediaType, string charSet) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public string MediaType { get => throw null; set { } } public System.Collections.Generic.ICollection Parameters { get => throw null; } public static System.Net.Http.Headers.MediaTypeHeaderValue Parse(string input) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.MediaTypeHeaderValue parsedValue) => throw null; } - - public class MediaTypeWithQualityHeaderValue : System.Net.Http.Headers.MediaTypeHeaderValue, System.ICloneable + public sealed class MediaTypeWithQualityHeaderValue : System.Net.Http.Headers.MediaTypeHeaderValue, System.ICloneable { object System.ICloneable.Clone() => throw null; public MediaTypeWithQualityHeaderValue(string mediaType) : base(default(System.Net.Http.Headers.MediaTypeHeaderValue)) => throw null; public MediaTypeWithQualityHeaderValue(string mediaType, double quality) : base(default(System.Net.Http.Headers.MediaTypeHeaderValue)) => throw null; public static System.Net.Http.Headers.MediaTypeWithQualityHeaderValue Parse(string input) => throw null; - public double? Quality { get => throw null; set => throw null; } + public double? Quality { get => throw null; set { } } public static bool TryParse(string input, out System.Net.Http.Headers.MediaTypeWithQualityHeaderValue parsedValue) => throw null; } - public class NameValueHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public string Name { get => throw null; } protected NameValueHeaderValue(System.Net.Http.Headers.NameValueHeaderValue source) => throw null; public NameValueHeaderValue(string name) => throw null; public NameValueHeaderValue(string name, string value) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public string Name { get => throw null; } public static System.Net.Http.Headers.NameValueHeaderValue Parse(string input) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.NameValueHeaderValue parsedValue) => throw null; - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } } - public class NameValueWithParametersHeaderValue : System.Net.Http.Headers.NameValueHeaderValue, System.ICloneable { object System.ICloneable.Clone() => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; protected NameValueWithParametersHeaderValue(System.Net.Http.Headers.NameValueWithParametersHeaderValue source) : base(default(System.Net.Http.Headers.NameValueHeaderValue)) => throw null; public NameValueWithParametersHeaderValue(string name) : base(default(System.Net.Http.Headers.NameValueHeaderValue)) => throw null; public NameValueWithParametersHeaderValue(string name, string value) : base(default(System.Net.Http.Headers.NameValueHeaderValue)) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; public System.Collections.Generic.ICollection Parameters { get => throw null; } public static System.Net.Http.Headers.NameValueWithParametersHeaderValue Parse(string input) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.NameValueWithParametersHeaderValue parsedValue) => throw null; } - public class ProductHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public ProductHeaderValue(string name) => throw null; + public ProductHeaderValue(string name, string version) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } public static System.Net.Http.Headers.ProductHeaderValue Parse(string input) => throw null; - public ProductHeaderValue(string name) => throw null; - public ProductHeaderValue(string name, string version) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.ProductHeaderValue parsedValue) => throw null; public string Version { get => throw null; } } - public class ProductInfoHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; public string Comment { get => throw null; } + public ProductInfoHeaderValue(System.Net.Http.Headers.ProductHeaderValue product) => throw null; + public ProductInfoHeaderValue(string comment) => throw null; + public ProductInfoHeaderValue(string productName, string productVersion) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.ProductInfoHeaderValue Parse(string input) => throw null; public System.Net.Http.Headers.ProductHeaderValue Product { get => throw null; } - public ProductInfoHeaderValue(System.Net.Http.Headers.ProductHeaderValue product) => throw null; - public ProductInfoHeaderValue(string comment) => throw null; - public ProductInfoHeaderValue(string productName, string productVersion) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.ProductInfoHeaderValue parsedValue) => throw null; } - public class RangeConditionHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public RangeConditionHeaderValue(System.DateTimeOffset date) => throw null; + public RangeConditionHeaderValue(System.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public RangeConditionHeaderValue(string entityTag) => throw null; public System.DateTimeOffset? Date { get => throw null; } public System.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.RangeConditionHeaderValue Parse(string input) => throw null; - public RangeConditionHeaderValue(System.DateTimeOffset date) => throw null; - public RangeConditionHeaderValue(System.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public RangeConditionHeaderValue(string entityTag) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.RangeConditionHeaderValue parsedValue) => throw null; } - public class RangeHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public RangeHeaderValue() => throw null; + public RangeHeaderValue(long? from, long? to) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.RangeHeaderValue Parse(string input) => throw null; - public RangeHeaderValue() => throw null; - public RangeHeaderValue(System.Int64? from, System.Int64? to) => throw null; public System.Collections.Generic.ICollection Ranges { get => throw null; } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.RangeHeaderValue parsedValue) => throw null; - public string Unit { get => throw null; set => throw null; } + public string Unit { get => throw null; set { } } } - public class RangeItemHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public RangeItemHeaderValue(long? from, long? to) => throw null; public override bool Equals(object obj) => throw null; - public System.Int64? From { get => throw null; } + public long? From { get => throw null; } public override int GetHashCode() => throw null; - public RangeItemHeaderValue(System.Int64? from, System.Int64? to) => throw null; - public System.Int64? To { get => throw null; } + public long? To { get => throw null; } public override string ToString() => throw null; } - public class RetryConditionHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public RetryConditionHeaderValue(System.DateTimeOffset date) => throw null; + public RetryConditionHeaderValue(System.TimeSpan delta) => throw null; public System.DateTimeOffset? Date { get => throw null; } public System.TimeSpan? Delta { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.RetryConditionHeaderValue Parse(string input) => throw null; - public RetryConditionHeaderValue(System.DateTimeOffset date) => throw null; - public RetryConditionHeaderValue(System.TimeSpan delta) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.RetryConditionHeaderValue parsedValue) => throw null; } - public class StringWithQualityHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + public StringWithQualityHeaderValue(string value) => throw null; + public StringWithQualityHeaderValue(string value, double quality) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.StringWithQualityHeaderValue Parse(string input) => throw null; public double? Quality { get => throw null; } - public StringWithQualityHeaderValue(string value) => throw null; - public StringWithQualityHeaderValue(string value, double quality) => throw null; public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.StringWithQualityHeaderValue parsedValue) => throw null; public string Value { get => throw null; } } - public class TransferCodingHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; + protected TransferCodingHeaderValue(System.Net.Http.Headers.TransferCodingHeaderValue source) => throw null; + public TransferCodingHeaderValue(string value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public System.Collections.Generic.ICollection Parameters { get => throw null; } public static System.Net.Http.Headers.TransferCodingHeaderValue Parse(string input) => throw null; public override string ToString() => throw null; - protected TransferCodingHeaderValue(System.Net.Http.Headers.TransferCodingHeaderValue source) => throw null; - public TransferCodingHeaderValue(string value) => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.TransferCodingHeaderValue parsedValue) => throw null; public string Value { get => throw null; } } - - public class TransferCodingWithQualityHeaderValue : System.Net.Http.Headers.TransferCodingHeaderValue, System.ICloneable + public sealed class TransferCodingWithQualityHeaderValue : System.Net.Http.Headers.TransferCodingHeaderValue, System.ICloneable { object System.ICloneable.Clone() => throw null; - public static System.Net.Http.Headers.TransferCodingWithQualityHeaderValue Parse(string input) => throw null; - public double? Quality { get => throw null; set => throw null; } public TransferCodingWithQualityHeaderValue(string value) : base(default(System.Net.Http.Headers.TransferCodingHeaderValue)) => throw null; public TransferCodingWithQualityHeaderValue(string value, double quality) : base(default(System.Net.Http.Headers.TransferCodingHeaderValue)) => throw null; + public static System.Net.Http.Headers.TransferCodingWithQualityHeaderValue Parse(string input) => throw null; + public double? Quality { get => throw null; set { } } public static bool TryParse(string input, out System.Net.Http.Headers.TransferCodingWithQualityHeaderValue parsedValue) => throw null; } - public class ViaHeaderValue : System.ICloneable { object System.ICloneable.Clone() => throw null; public string Comment { get => throw null; } + public ViaHeaderValue(string protocolVersion, string receivedBy) => throw null; + public ViaHeaderValue(string protocolVersion, string receivedBy, string protocolName) => throw null; + public ViaHeaderValue(string protocolVersion, string receivedBy, string protocolName, string comment) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Http.Headers.ViaHeaderValue Parse(string input) => throw null; @@ -873,16 +450,14 @@ public class ViaHeaderValue : System.ICloneable public string ReceivedBy { get => throw null; } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.ViaHeaderValue parsedValue) => throw null; - public ViaHeaderValue(string protocolVersion, string receivedBy) => throw null; - public ViaHeaderValue(string protocolVersion, string receivedBy, string protocolName) => throw null; - public ViaHeaderValue(string protocolVersion, string receivedBy, string protocolName, string comment) => throw null; } - public class WarningHeaderValue : System.ICloneable { public string Agent { get => throw null; } object System.ICloneable.Clone() => throw null; public int Code { get => throw null; } + public WarningHeaderValue(int code, string agent, string text) => throw null; + public WarningHeaderValue(int code, string agent, string text, System.DateTimeOffset date) => throw null; public System.DateTimeOffset? Date { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; @@ -890,10 +465,369 @@ public class WarningHeaderValue : System.ICloneable public string Text { get => throw null; } public override string ToString() => throw null; public static bool TryParse(string input, out System.Net.Http.Headers.WarningHeaderValue parsedValue) => throw null; - public WarningHeaderValue(int code, string agent, string text) => throw null; - public WarningHeaderValue(int code, string agent, string text, System.DateTimeOffset date) => throw null; } - + } + public class HttpClient : System.Net.Http.HttpMessageInvoker + { + public System.Uri BaseAddress { get => throw null; set { } } + public void CancelPendingRequests() => throw null; + public HttpClient() : base(default(System.Net.Http.HttpMessageHandler)) => throw null; + public HttpClient(System.Net.Http.HttpMessageHandler handler) : base(default(System.Net.Http.HttpMessageHandler)) => throw null; + public HttpClient(System.Net.Http.HttpMessageHandler handler, bool disposeHandler) : base(default(System.Net.Http.HttpMessageHandler)) => throw null; + public static System.Net.IWebProxy DefaultProxy { get => throw null; set { } } + public System.Net.Http.Headers.HttpRequestHeaders DefaultRequestHeaders { get => throw null; } + public System.Version DefaultRequestVersion { get => throw null; set { } } + public System.Net.Http.HttpVersionPolicy DefaultVersionPolicy { get => throw null; set { } } + public System.Threading.Tasks.Task DeleteAsync(string requestUri) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task DeleteAsync(System.Uri requestUri) => throw null; + public System.Threading.Tasks.Task DeleteAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + protected override void Dispose(bool disposing) => throw null; + public System.Threading.Tasks.Task GetAsync(string requestUri) => throw null; + public System.Threading.Tasks.Task GetAsync(string requestUri, System.Net.Http.HttpCompletionOption completionOption) => throw null; + public System.Threading.Tasks.Task GetAsync(string requestUri, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Uri requestUri) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Net.Http.HttpCompletionOption completionOption) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetByteArrayAsync(string requestUri) => throw null; + public System.Threading.Tasks.Task GetByteArrayAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetByteArrayAsync(System.Uri requestUri) => throw null; + public System.Threading.Tasks.Task GetByteArrayAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetStreamAsync(string requestUri) => throw null; + public System.Threading.Tasks.Task GetStreamAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetStreamAsync(System.Uri requestUri) => throw null; + public System.Threading.Tasks.Task GetStreamAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetStringAsync(string requestUri) => throw null; + public System.Threading.Tasks.Task GetStringAsync(string requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetStringAsync(System.Uri requestUri) => throw null; + public System.Threading.Tasks.Task GetStringAsync(System.Uri requestUri, System.Threading.CancellationToken cancellationToken) => throw null; + public long MaxResponseContentBufferSize { get => throw null; set { } } + public System.Threading.Tasks.Task PatchAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PatchAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PatchAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PatchAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PostAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PostAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PostAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PostAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PutAsync(string requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PutAsync(string requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PutAsync(System.Uri requestUri, System.Net.Http.HttpContent content) => throw null; + public System.Threading.Tasks.Task PutAsync(System.Uri requestUri, System.Net.Http.HttpContent content, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request) => throw null; + public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption) => throw null; + public System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request) => throw null; + public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption) => throw null; + public System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Net.Http.HttpCompletionOption completionOption, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public System.TimeSpan Timeout { get => throw null; set { } } + } + public class HttpClientHandler : System.Net.Http.HttpMessageHandler + { + public bool AllowAutoRedirect { get => throw null; set { } } + public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set { } } + public bool CheckCertificateRevocationList { get => throw null; set { } } + public System.Net.Http.ClientCertificateOption ClientCertificateOptions { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; } + public System.Net.CookieContainer CookieContainer { get => throw null; set { } } + public System.Net.ICredentials Credentials { get => throw null; set { } } + public HttpClientHandler() => throw null; + public static System.Func DangerousAcceptAnyServerCertificateValidator { get => throw null; } + public System.Net.ICredentials DefaultProxyCredentials { get => throw null; set { } } + protected override void Dispose(bool disposing) => throw null; + public int MaxAutomaticRedirections { get => throw null; set { } } + public int MaxConnectionsPerServer { get => throw null; set { } } + public long MaxRequestContentBufferSize { get => throw null; set { } } + public int MaxResponseHeadersLength { get => throw null; set { } } + public bool PreAuthenticate { get => throw null; set { } } + public System.Collections.Generic.IDictionary Properties { get => throw null; } + public System.Net.IWebProxy Proxy { get => throw null; set { } } + protected override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Func ServerCertificateCustomValidationCallback { get => throw null; set { } } + public System.Security.Authentication.SslProtocols SslProtocols { get => throw null; set { } } + public virtual bool SupportsAutomaticDecompression { get => throw null; } + public virtual bool SupportsProxy { get => throw null; } + public virtual bool SupportsRedirectConfiguration { get => throw null; } + public bool UseCookies { get => throw null; set { } } + public bool UseDefaultCredentials { get => throw null; set { } } + public bool UseProxy { get => throw null; set { } } + } + public enum HttpCompletionOption + { + ResponseContentRead = 0, + ResponseHeadersRead = 1, + } + public abstract class HttpContent : System.IDisposable + { + public void CopyTo(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream stream, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; + protected virtual System.Threading.Tasks.Task CreateContentReadStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected HttpContent() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Net.Http.Headers.HttpContentHeaders Headers { get => throw null; } + public System.Threading.Tasks.Task LoadIntoBufferAsync() => throw null; + public System.Threading.Tasks.Task LoadIntoBufferAsync(long maxBufferSize) => throw null; + public System.Threading.Tasks.Task ReadAsByteArrayAsync() => throw null; + public System.Threading.Tasks.Task ReadAsByteArrayAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public System.IO.Stream ReadAsStream() => throw null; + public System.IO.Stream ReadAsStream(System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ReadAsStreamAsync() => throw null; + public System.Threading.Tasks.Task ReadAsStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ReadAsStringAsync() => throw null; + public System.Threading.Tasks.Task ReadAsStringAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context); + protected virtual System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract bool TryComputeLength(out long length); + } + public enum HttpKeepAlivePingPolicy + { + WithActiveRequests = 0, + Always = 1, + } + public abstract class HttpMessageHandler : System.IDisposable + { + protected HttpMessageHandler() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + protected virtual System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken); + } + public class HttpMessageInvoker : System.IDisposable + { + public HttpMessageInvoker(System.Net.Http.HttpMessageHandler handler) => throw null; + public HttpMessageInvoker(System.Net.Http.HttpMessageHandler handler, bool disposeHandler) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public virtual System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class HttpMethod : System.IEquatable + { + public static System.Net.Http.HttpMethod Connect { get => throw null; } + public HttpMethod(string method) => throw null; + public static System.Net.Http.HttpMethod Delete { get => throw null; } + public bool Equals(System.Net.Http.HttpMethod other) => throw null; + public override bool Equals(object obj) => throw null; + public static System.Net.Http.HttpMethod Get { get => throw null; } + public override int GetHashCode() => throw null; + public static System.Net.Http.HttpMethod Head { get => throw null; } + public string Method { get => throw null; } + public static bool operator ==(System.Net.Http.HttpMethod left, System.Net.Http.HttpMethod right) => throw null; + public static bool operator !=(System.Net.Http.HttpMethod left, System.Net.Http.HttpMethod right) => throw null; + public static System.Net.Http.HttpMethod Options { get => throw null; } + public static System.Net.Http.HttpMethod Patch { get => throw null; } + public static System.Net.Http.HttpMethod Post { get => throw null; } + public static System.Net.Http.HttpMethod Put { get => throw null; } + public override string ToString() => throw null; + public static System.Net.Http.HttpMethod Trace { get => throw null; } + } + public sealed class HttpProtocolException : System.IO.IOException + { + public HttpProtocolException(long errorCode, string message, System.Exception innerException) => throw null; + public long ErrorCode { get => throw null; } + } + public class HttpRequestException : System.Exception + { + public HttpRequestException() => throw null; + public HttpRequestException(string message) => throw null; + public HttpRequestException(string message, System.Exception inner) => throw null; + public HttpRequestException(string message, System.Exception inner, System.Net.HttpStatusCode? statusCode) => throw null; + public System.Net.HttpStatusCode? StatusCode { get => throw null; } + } + public class HttpRequestMessage : System.IDisposable + { + public System.Net.Http.HttpContent Content { get => throw null; set { } } + public HttpRequestMessage() => throw null; + public HttpRequestMessage(System.Net.Http.HttpMethod method, string requestUri) => throw null; + public HttpRequestMessage(System.Net.Http.HttpMethod method, System.Uri requestUri) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Net.Http.Headers.HttpRequestHeaders Headers { get => throw null; } + public System.Net.Http.HttpMethod Method { get => throw null; set { } } + public System.Net.Http.HttpRequestOptions Options { get => throw null; } + public System.Collections.Generic.IDictionary Properties { get => throw null; } + public System.Uri RequestUri { get => throw null; set { } } + public override string ToString() => throw null; + public System.Version Version { get => throw null; set { } } + public System.Net.Http.HttpVersionPolicy VersionPolicy { get => throw null; set { } } + } + public sealed class HttpRequestOptions : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; + void System.Collections.Generic.ICollection>.Clear() => throw null; + bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; + bool System.Collections.Generic.IDictionary.ContainsKey(string key) => throw null; + void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + int System.Collections.Generic.ICollection>.Count { get => throw null; } + public HttpRequestOptions() => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } + object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set { } } + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } + bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public void Set(System.Net.Http.HttpRequestOptionsKey key, TValue value) => throw null; + bool System.Collections.Generic.IDictionary.TryGetValue(string key, out object value) => throw null; + public bool TryGetValue(System.Net.Http.HttpRequestOptionsKey key, out TValue value) => throw null; + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } + } + public struct HttpRequestOptionsKey + { + public HttpRequestOptionsKey(string key) => throw null; + public string Key { get => throw null; } + } + public class HttpResponseMessage : System.IDisposable + { + public System.Net.Http.HttpContent Content { get => throw null; set { } } + public HttpResponseMessage() => throw null; + public HttpResponseMessage(System.Net.HttpStatusCode statusCode) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Net.Http.HttpResponseMessage EnsureSuccessStatusCode() => throw null; + public System.Net.Http.Headers.HttpResponseHeaders Headers { get => throw null; } + public bool IsSuccessStatusCode { get => throw null; } + public string ReasonPhrase { get => throw null; set { } } + public System.Net.Http.HttpRequestMessage RequestMessage { get => throw null; set { } } + public System.Net.HttpStatusCode StatusCode { get => throw null; set { } } + public override string ToString() => throw null; + public System.Net.Http.Headers.HttpResponseHeaders TrailingHeaders { get => throw null; } + public System.Version Version { get => throw null; set { } } + } + public enum HttpVersionPolicy + { + RequestVersionOrLower = 0, + RequestVersionOrHigher = 1, + RequestVersionExact = 2, + } + public abstract class MessageProcessingHandler : System.Net.Http.DelegatingHandler + { + protected MessageProcessingHandler() => throw null; + protected MessageProcessingHandler(System.Net.Http.HttpMessageHandler innerHandler) => throw null; + protected abstract System.Net.Http.HttpRequestMessage ProcessRequest(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken); + protected abstract System.Net.Http.HttpResponseMessage ProcessResponse(System.Net.Http.HttpResponseMessage response, System.Threading.CancellationToken cancellationToken); + protected override sealed System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override sealed System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class MultipartContent : System.Net.Http.HttpContent, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public virtual void Add(System.Net.Http.HttpContent content) => throw null; + protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; + protected override System.Threading.Tasks.Task CreateContentReadStreamAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public MultipartContent() => throw null; + public MultipartContent(string subtype) => throw null; + public MultipartContent(string subtype, string boundary) => throw null; + protected override void Dispose(bool disposing) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Net.Http.HeaderEncodingSelector HeaderEncodingSelector { get => throw null; set { } } + protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool TryComputeLength(out long length) => throw null; + } + public class MultipartFormDataContent : System.Net.Http.MultipartContent + { + public override void Add(System.Net.Http.HttpContent content) => throw null; + public void Add(System.Net.Http.HttpContent content, string name) => throw null; + public void Add(System.Net.Http.HttpContent content, string name, string fileName) => throw null; + public MultipartFormDataContent() => throw null; + public MultipartFormDataContent(string boundary) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + } + public sealed class ReadOnlyMemoryContent : System.Net.Http.HttpContent + { + protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; + public ReadOnlyMemoryContent(System.ReadOnlyMemory content) => throw null; + protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool TryComputeLength(out long length) => throw null; + } + public sealed class SocketsHttpConnectionContext + { + public System.Net.DnsEndPoint DnsEndPoint { get => throw null; } + public System.Net.Http.HttpRequestMessage InitialRequestMessage { get => throw null; } + } + public sealed class SocketsHttpHandler : System.Net.Http.HttpMessageHandler + { + public System.Diagnostics.DistributedContextPropagator ActivityHeadersPropagator { get => throw null; set { } } + public bool AllowAutoRedirect { get => throw null; set { } } + public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set { } } + public System.Func> ConnectCallback { get => throw null; set { } } + public System.TimeSpan ConnectTimeout { get => throw null; set { } } + public System.Net.CookieContainer CookieContainer { get => throw null; set { } } + public System.Net.ICredentials Credentials { get => throw null; set { } } + public SocketsHttpHandler() => throw null; + public System.Net.ICredentials DefaultProxyCredentials { get => throw null; set { } } + protected override void Dispose(bool disposing) => throw null; + public bool EnableMultipleHttp2Connections { get => throw null; set { } } + public System.TimeSpan Expect100ContinueTimeout { get => throw null; set { } } + public int InitialHttp2StreamWindowSize { get => throw null; set { } } + public static bool IsSupported { get => throw null; } + public System.TimeSpan KeepAlivePingDelay { get => throw null; set { } } + public System.Net.Http.HttpKeepAlivePingPolicy KeepAlivePingPolicy { get => throw null; set { } } + public System.TimeSpan KeepAlivePingTimeout { get => throw null; set { } } + public int MaxAutomaticRedirections { get => throw null; set { } } + public int MaxConnectionsPerServer { get => throw null; set { } } + public int MaxResponseDrainSize { get => throw null; set { } } + public int MaxResponseHeadersLength { get => throw null; set { } } + public System.Func> PlaintextStreamFilter { get => throw null; set { } } + public System.TimeSpan PooledConnectionIdleTimeout { get => throw null; set { } } + public System.TimeSpan PooledConnectionLifetime { get => throw null; set { } } + public bool PreAuthenticate { get => throw null; set { } } + public System.Collections.Generic.IDictionary Properties { get => throw null; } + public System.Net.IWebProxy Proxy { get => throw null; set { } } + public System.Net.Http.HeaderEncodingSelector RequestHeaderEncodingSelector { get => throw null; set { } } + public System.TimeSpan ResponseDrainTimeout { get => throw null; set { } } + public System.Net.Http.HeaderEncodingSelector ResponseHeaderEncodingSelector { get => throw null; set { } } + protected override System.Net.Http.HttpResponseMessage Send(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Net.Security.SslClientAuthenticationOptions SslOptions { get => throw null; set { } } + public bool UseCookies { get => throw null; set { } } + public bool UseProxy { get => throw null; set { } } + } + public sealed class SocketsHttpPlaintextStreamFilterContext + { + public System.Net.Http.HttpRequestMessage InitialRequestMessage { get => throw null; } + public System.Version NegotiatedHttpVersion { get => throw null; } + public System.IO.Stream PlaintextStream { get => throw null; } + } + public class StreamContent : System.Net.Http.HttpContent + { + protected override System.IO.Stream CreateContentReadStream(System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task CreateContentReadStreamAsync() => throw null; + public StreamContent(System.IO.Stream content) => throw null; + public StreamContent(System.IO.Stream content, int bufferSize) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void SerializeToStream(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool TryComputeLength(out long length) => throw null; + } + public class StringContent : System.Net.Http.ByteArrayContent + { + public StringContent(string content) : base(default(byte[])) => throw null; + public StringContent(string content, System.Net.Http.Headers.MediaTypeHeaderValue mediaType) : base(default(byte[])) => throw null; + public StringContent(string content, System.Text.Encoding encoding) : base(default(byte[])) => throw null; + public StringContent(string content, System.Text.Encoding encoding, System.Net.Http.Headers.MediaTypeHeaderValue mediaType) : base(default(byte[])) => throw null; + public StringContent(string content, System.Text.Encoding encoding, string mediaType) : base(default(byte[])) => throw null; + protected override System.Threading.Tasks.Task SerializeToStreamAsync(System.IO.Stream stream, System.Net.TransportContext context, System.Threading.CancellationToken cancellationToken) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.HttpListener.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.HttpListener.cs index 954ca76fba40..6061d1216073 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.HttpListener.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.HttpListener.cs @@ -1,67 +1,59 @@ // This file contains auto-generated code. // Generated from `System.Net.HttpListener, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net { public delegate System.Net.AuthenticationSchemes AuthenticationSchemeSelector(System.Net.HttpListenerRequest httpRequest); - - public class HttpListener : System.IDisposable + public sealed class HttpListener : System.IDisposable { - public delegate System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy ExtendedProtectionSelector(System.Net.HttpListenerRequest request); - - public void Abort() => throw null; - public System.Net.AuthenticationSchemeSelector AuthenticationSchemeSelectorDelegate { get => throw null; set => throw null; } - public System.Net.AuthenticationSchemes AuthenticationSchemes { get => throw null; set => throw null; } + public System.Net.AuthenticationSchemes AuthenticationSchemes { get => throw null; set { } } + public System.Net.AuthenticationSchemeSelector AuthenticationSchemeSelectorDelegate { get => throw null; set { } } public System.IAsyncResult BeginGetContext(System.AsyncCallback callback, object state) => throw null; public void Close() => throw null; + public HttpListener() => throw null; public System.Security.Authentication.ExtendedProtection.ServiceNameCollection DefaultServiceNames { get => throw null; } void System.IDisposable.Dispose() => throw null; public System.Net.HttpListenerContext EndGetContext(System.IAsyncResult asyncResult) => throw null; - public System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy ExtendedProtectionPolicy { get => throw null; set => throw null; } - public System.Net.HttpListener.ExtendedProtectionSelector ExtendedProtectionSelectorDelegate { get => throw null; set => throw null; } + public System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy ExtendedProtectionPolicy { get => throw null; set { } } + public delegate System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy ExtendedProtectionSelector(System.Net.HttpListenerRequest request); + public System.Net.HttpListener.ExtendedProtectionSelector ExtendedProtectionSelectorDelegate { get => throw null; set { } } public System.Net.HttpListenerContext GetContext() => throw null; public System.Threading.Tasks.Task GetContextAsync() => throw null; - public HttpListener() => throw null; - public bool IgnoreWriteExceptions { get => throw null; set => throw null; } + public bool IgnoreWriteExceptions { get => throw null; set { } } public bool IsListening { get => throw null; } public static bool IsSupported { get => throw null; } public System.Net.HttpListenerPrefixCollection Prefixes { get => throw null; } - public string Realm { get => throw null; set => throw null; } + public string Realm { get => throw null; set { } } public void Start() => throw null; public void Stop() => throw null; public System.Net.HttpListenerTimeoutManager TimeoutManager { get => throw null; } - public bool UnsafeConnectionNtlmAuthentication { get => throw null; set => throw null; } + public bool UnsafeConnectionNtlmAuthentication { get => throw null; set { } } } - public class HttpListenerBasicIdentity : System.Security.Principal.GenericIdentity { public HttpListenerBasicIdentity(string username, string password) : base(default(System.Security.Principal.GenericIdentity)) => throw null; public virtual string Password { get => throw null; } } - - public class HttpListenerContext + public sealed class HttpListenerContext { public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol) => throw null; - public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol, System.TimeSpan keepAliveInterval) => throw null; public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol, int receiveBufferSize, System.TimeSpan keepAliveInterval) => throw null; - public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol, int receiveBufferSize, System.TimeSpan keepAliveInterval, System.ArraySegment internalBuffer) => throw null; + public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol, int receiveBufferSize, System.TimeSpan keepAliveInterval, System.ArraySegment internalBuffer) => throw null; + public System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol, System.TimeSpan keepAliveInterval) => throw null; public System.Net.HttpListenerRequest Request { get => throw null; } public System.Net.HttpListenerResponse Response { get => throw null; } public System.Security.Principal.IPrincipal User { get => throw null; } } - public class HttpListenerException : System.ComponentModel.Win32Exception { - public override int ErrorCode { get => throw null; } public HttpListenerException() => throw null; - protected HttpListenerException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public HttpListenerException(int errorCode) => throw null; public HttpListenerException(int errorCode, string message) => throw null; + protected HttpListenerException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public override int ErrorCode { get => throw null; } } - public class HttpListenerPrefixCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public void Add(string uriPrefix) => throw null; @@ -76,14 +68,13 @@ public class HttpListenerPrefixCollection : System.Collections.Generic.ICollecti public bool IsSynchronized { get => throw null; } public bool Remove(string uriPrefix) => throw null; } - - public class HttpListenerRequest + public sealed class HttpListenerRequest { public string[] AcceptTypes { get => throw null; } public System.IAsyncResult BeginGetClientCertificate(System.AsyncCallback requestCallback, object state) => throw null; public int ClientCertificateError { get => throw null; } public System.Text.Encoding ContentEncoding { get => throw null; } - public System.Int64 ContentLength64 { get => throw null; } + public long ContentLength64 { get => throw null; } public string ContentType { get => throw null; } public System.Net.CookieCollection Cookies { get => throw null; } public System.Security.Cryptography.X509Certificates.X509Certificate2 EndGetClientCertificate(System.IAsyncResult asyncResult) => throw null; @@ -113,43 +104,40 @@ public class HttpListenerRequest public string UserHostName { get => throw null; } public string[] UserLanguages { get => throw null; } } - - public class HttpListenerResponse : System.IDisposable + public sealed class HttpListenerResponse : System.IDisposable { public void Abort() => throw null; public void AddHeader(string name, string value) => throw null; public void AppendCookie(System.Net.Cookie cookie) => throw null; public void AppendHeader(string name, string value) => throw null; public void Close() => throw null; - public void Close(System.Byte[] responseEntity, bool willBlock) => throw null; - public System.Text.Encoding ContentEncoding { get => throw null; set => throw null; } - public System.Int64 ContentLength64 { get => throw null; set => throw null; } - public string ContentType { get => throw null; set => throw null; } - public System.Net.CookieCollection Cookies { get => throw null; set => throw null; } + public void Close(byte[] responseEntity, bool willBlock) => throw null; + public System.Text.Encoding ContentEncoding { get => throw null; set { } } + public long ContentLength64 { get => throw null; set { } } + public string ContentType { get => throw null; set { } } + public System.Net.CookieCollection Cookies { get => throw null; set { } } public void CopyFrom(System.Net.HttpListenerResponse templateResponse) => throw null; void System.IDisposable.Dispose() => throw null; - public System.Net.WebHeaderCollection Headers { get => throw null; set => throw null; } - public bool KeepAlive { get => throw null; set => throw null; } + public System.Net.WebHeaderCollection Headers { get => throw null; set { } } + public bool KeepAlive { get => throw null; set { } } public System.IO.Stream OutputStream { get => throw null; } - public System.Version ProtocolVersion { get => throw null; set => throw null; } + public System.Version ProtocolVersion { get => throw null; set { } } public void Redirect(string url) => throw null; - public string RedirectLocation { get => throw null; set => throw null; } - public bool SendChunked { get => throw null; set => throw null; } + public string RedirectLocation { get => throw null; set { } } + public bool SendChunked { get => throw null; set { } } public void SetCookie(System.Net.Cookie cookie) => throw null; - public int StatusCode { get => throw null; set => throw null; } - public string StatusDescription { get => throw null; set => throw null; } + public int StatusCode { get => throw null; set { } } + public string StatusDescription { get => throw null; set { } } } - public class HttpListenerTimeoutManager { - public System.TimeSpan DrainEntityBody { get => throw null; set => throw null; } - public System.TimeSpan EntityBody { get => throw null; set => throw null; } - public System.TimeSpan HeaderWait { get => throw null; set => throw null; } - public System.TimeSpan IdleConnection { get => throw null; set => throw null; } - public System.Int64 MinSendBytesPerSecond { get => throw null; set => throw null; } - public System.TimeSpan RequestQueue { get => throw null; set => throw null; } + public System.TimeSpan DrainEntityBody { get => throw null; set { } } + public System.TimeSpan EntityBody { get => throw null; set { } } + public System.TimeSpan HeaderWait { get => throw null; set { } } + public System.TimeSpan IdleConnection { get => throw null; set { } } + public long MinSendBytesPerSecond { get => throw null; set { } } + public System.TimeSpan RequestQueue { get => throw null; set { } } } - namespace WebSockets { public class HttpListenerWebSocketContext : System.Net.WebSockets.WebSocketContext @@ -167,7 +155,6 @@ public class HttpListenerWebSocketContext : System.Net.WebSockets.WebSocketConte public override System.Security.Principal.IPrincipal User { get => throw null; } public override System.Net.WebSockets.WebSocket WebSocket { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs index 4abf2e6a7592..b8a3e0b0d64f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Mail, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net @@ -9,21 +8,20 @@ namespace Mail { public class AlternateView : System.Net.Mail.AttachmentBase { + public System.Uri BaseUri { get => throw null; set { } } + public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content) => throw null; + public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content, System.Net.Mime.ContentType contentType) => throw null; + public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content, System.Text.Encoding contentEncoding, string mediaType) => throw null; public AlternateView(System.IO.Stream contentStream) : base(default(System.IO.Stream)) => throw null; public AlternateView(System.IO.Stream contentStream, System.Net.Mime.ContentType contentType) : base(default(System.IO.Stream)) => throw null; public AlternateView(System.IO.Stream contentStream, string mediaType) : base(default(System.IO.Stream)) => throw null; public AlternateView(string fileName) : base(default(System.IO.Stream)) => throw null; public AlternateView(string fileName, System.Net.Mime.ContentType contentType) : base(default(System.IO.Stream)) => throw null; public AlternateView(string fileName, string mediaType) : base(default(System.IO.Stream)) => throw null; - public System.Uri BaseUri { get => throw null; set => throw null; } - public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content) => throw null; - public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content, System.Net.Mime.ContentType contentType) => throw null; - public static System.Net.Mail.AlternateView CreateAlternateViewFromString(string content, System.Text.Encoding contentEncoding, string mediaType) => throw null; protected override void Dispose(bool disposing) => throw null; public System.Net.Mail.LinkedResourceCollection LinkedResources { get => throw null; } } - - public class AlternateViewCollection : System.Collections.ObjectModel.Collection, System.IDisposable + public sealed class AlternateViewCollection : System.Collections.ObjectModel.Collection, System.IDisposable { protected override void ClearItems() => throw null; public void Dispose() => throw null; @@ -31,40 +29,37 @@ public class AlternateViewCollection : System.Collections.ObjectModel.Collection protected override void RemoveItem(int index) => throw null; protected override void SetItem(int index, System.Net.Mail.AlternateView item) => throw null; } - public class Attachment : System.Net.Mail.AttachmentBase { + public System.Net.Mime.ContentDisposition ContentDisposition { get => throw null; } + public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, System.Net.Mime.ContentType contentType) => throw null; + public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, string name) => throw null; + public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, string name, System.Text.Encoding contentEncoding, string mediaType) => throw null; public Attachment(System.IO.Stream contentStream, System.Net.Mime.ContentType contentType) : base(default(System.IO.Stream)) => throw null; public Attachment(System.IO.Stream contentStream, string name) : base(default(System.IO.Stream)) => throw null; public Attachment(System.IO.Stream contentStream, string name, string mediaType) : base(default(System.IO.Stream)) => throw null; public Attachment(string fileName) : base(default(System.IO.Stream)) => throw null; public Attachment(string fileName, System.Net.Mime.ContentType contentType) : base(default(System.IO.Stream)) => throw null; public Attachment(string fileName, string mediaType) : base(default(System.IO.Stream)) => throw null; - public System.Net.Mime.ContentDisposition ContentDisposition { get => throw null; } - public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, System.Net.Mime.ContentType contentType) => throw null; - public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, string name) => throw null; - public static System.Net.Mail.Attachment CreateAttachmentFromString(string content, string name, System.Text.Encoding contentEncoding, string mediaType) => throw null; - public string Name { get => throw null; set => throw null; } - public System.Text.Encoding NameEncoding { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public System.Text.Encoding NameEncoding { get => throw null; set { } } } - public abstract class AttachmentBase : System.IDisposable { + public string ContentId { get => throw null; set { } } + public System.IO.Stream ContentStream { get => throw null; } + public System.Net.Mime.ContentType ContentType { get => throw null; set { } } protected AttachmentBase(System.IO.Stream contentStream) => throw null; protected AttachmentBase(System.IO.Stream contentStream, System.Net.Mime.ContentType contentType) => throw null; protected AttachmentBase(System.IO.Stream contentStream, string mediaType) => throw null; protected AttachmentBase(string fileName) => throw null; protected AttachmentBase(string fileName, System.Net.Mime.ContentType contentType) => throw null; protected AttachmentBase(string fileName, string mediaType) => throw null; - public string ContentId { get => throw null; set => throw null; } - public System.IO.Stream ContentStream { get => throw null; } - public System.Net.Mime.ContentType ContentType { get => throw null; set => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public System.Net.Mime.TransferEncoding TransferEncoding { get => throw null; set => throw null; } + public System.Net.Mime.TransferEncoding TransferEncoding { get => throw null; set { } } } - - public class AttachmentCollection : System.Collections.ObjectModel.Collection, System.IDisposable + public sealed class AttachmentCollection : System.Collections.ObjectModel.Collection, System.IDisposable { protected override void ClearItems() => throw null; public void Dispose() => throw null; @@ -72,20 +67,18 @@ public class AttachmentCollection : System.Collections.ObjectModel.Collection throw null; protected override void SetItem(int index, System.Net.Mail.Attachment item) => throw null; } - [System.Flags] - public enum DeliveryNotificationOptions : int + public enum DeliveryNotificationOptions { - Delay = 4, - Never = 134217728, None = 0, - OnFailure = 2, OnSuccess = 1, + OnFailure = 2, + Delay = 4, + Never = 134217728, } - public class LinkedResource : System.Net.Mail.AttachmentBase { - public System.Uri ContentLink { get => throw null; set => throw null; } + public System.Uri ContentLink { get => throw null; set { } } public static System.Net.Mail.LinkedResource CreateLinkedResourceFromString(string content) => throw null; public static System.Net.Mail.LinkedResource CreateLinkedResourceFromString(string content, System.Net.Mime.ContentType contentType) => throw null; public static System.Net.Mail.LinkedResource CreateLinkedResourceFromString(string content, System.Text.Encoding contentEncoding, string mediaType) => throw null; @@ -96,8 +89,7 @@ public class LinkedResource : System.Net.Mail.AttachmentBase public LinkedResource(string fileName, System.Net.Mime.ContentType contentType) : base(default(System.IO.Stream)) => throw null; public LinkedResource(string fileName, string mediaType) : base(default(System.IO.Stream)) => throw null; } - - public class LinkedResourceCollection : System.Collections.ObjectModel.Collection, System.IDisposable + public sealed class LinkedResourceCollection : System.Collections.ObjectModel.Collection, System.IDisposable { protected override void ClearItems() => throw null; public void Dispose() => throw null; @@ -105,266 +97,242 @@ public class LinkedResourceCollection : System.Collections.ObjectModel.Collectio protected override void RemoveItem(int index) => throw null; protected override void SetItem(int index, System.Net.Mail.LinkedResource item) => throw null; } - public class MailAddress { public string Address { get => throw null; } + public MailAddress(string address) => throw null; + public MailAddress(string address, string displayName) => throw null; + public MailAddress(string address, string displayName, System.Text.Encoding displayNameEncoding) => throw null; public string DisplayName { get => throw null; } public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; public string Host { get => throw null; } - public MailAddress(string address) => throw null; - public MailAddress(string address, string displayName) => throw null; - public MailAddress(string address, string displayName, System.Text.Encoding displayNameEncoding) => throw null; public override string ToString() => throw null; public static bool TryCreate(string address, out System.Net.Mail.MailAddress result) => throw null; - public static bool TryCreate(string address, string displayName, System.Text.Encoding displayNameEncoding, out System.Net.Mail.MailAddress result) => throw null; public static bool TryCreate(string address, string displayName, out System.Net.Mail.MailAddress result) => throw null; + public static bool TryCreate(string address, string displayName, System.Text.Encoding displayNameEncoding, out System.Net.Mail.MailAddress result) => throw null; public string User { get => throw null; } } - public class MailAddressCollection : System.Collections.ObjectModel.Collection { public void Add(string addresses) => throw null; - protected override void InsertItem(int index, System.Net.Mail.MailAddress item) => throw null; public MailAddressCollection() => throw null; + protected override void InsertItem(int index, System.Net.Mail.MailAddress item) => throw null; protected override void SetItem(int index, System.Net.Mail.MailAddress item) => throw null; public override string ToString() => throw null; } - public class MailMessage : System.IDisposable { public System.Net.Mail.AlternateViewCollection AlternateViews { get => throw null; } public System.Net.Mail.AttachmentCollection Attachments { get => throw null; } public System.Net.Mail.MailAddressCollection Bcc { get => throw null; } - public string Body { get => throw null; set => throw null; } - public System.Text.Encoding BodyEncoding { get => throw null; set => throw null; } - public System.Net.Mime.TransferEncoding BodyTransferEncoding { get => throw null; set => throw null; } + public string Body { get => throw null; set { } } + public System.Text.Encoding BodyEncoding { get => throw null; set { } } + public System.Net.Mime.TransferEncoding BodyTransferEncoding { get => throw null; set { } } public System.Net.Mail.MailAddressCollection CC { get => throw null; } - public System.Net.Mail.DeliveryNotificationOptions DeliveryNotificationOptions { get => throw null; set => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Net.Mail.MailAddress From { get => throw null; set => throw null; } - public System.Collections.Specialized.NameValueCollection Headers { get => throw null; } - public System.Text.Encoding HeadersEncoding { get => throw null; set => throw null; } - public bool IsBodyHtml { get => throw null; set => throw null; } public MailMessage() => throw null; public MailMessage(System.Net.Mail.MailAddress from, System.Net.Mail.MailAddress to) => throw null; public MailMessage(string from, string to) => throw null; public MailMessage(string from, string to, string subject, string body) => throw null; - public System.Net.Mail.MailPriority Priority { get => throw null; set => throw null; } - public System.Net.Mail.MailAddress ReplyTo { get => throw null; set => throw null; } + public System.Net.Mail.DeliveryNotificationOptions DeliveryNotificationOptions { get => throw null; set { } } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Net.Mail.MailAddress From { get => throw null; set { } } + public System.Collections.Specialized.NameValueCollection Headers { get => throw null; } + public System.Text.Encoding HeadersEncoding { get => throw null; set { } } + public bool IsBodyHtml { get => throw null; set { } } + public System.Net.Mail.MailPriority Priority { get => throw null; set { } } + public System.Net.Mail.MailAddress ReplyTo { get => throw null; set { } } public System.Net.Mail.MailAddressCollection ReplyToList { get => throw null; } - public System.Net.Mail.MailAddress Sender { get => throw null; set => throw null; } - public string Subject { get => throw null; set => throw null; } - public System.Text.Encoding SubjectEncoding { get => throw null; set => throw null; } + public System.Net.Mail.MailAddress Sender { get => throw null; set { } } + public string Subject { get => throw null; set { } } + public System.Text.Encoding SubjectEncoding { get => throw null; set { } } public System.Net.Mail.MailAddressCollection To { get => throw null; } } - - public enum MailPriority : int + public enum MailPriority { - High = 2, - Low = 1, Normal = 0, + Low = 1, + High = 2, } - public delegate void SendCompletedEventHandler(object sender, System.ComponentModel.AsyncCompletedEventArgs e); - public class SmtpClient : System.IDisposable { public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; } - public System.Net.ICredentialsByHost Credentials { get => throw null; set => throw null; } - public System.Net.Mail.SmtpDeliveryFormat DeliveryFormat { get => throw null; set => throw null; } - public System.Net.Mail.SmtpDeliveryMethod DeliveryMethod { get => throw null; set => throw null; } + public System.Net.ICredentialsByHost Credentials { get => throw null; set { } } + public SmtpClient() => throw null; + public SmtpClient(string host) => throw null; + public SmtpClient(string host, int port) => throw null; + public System.Net.Mail.SmtpDeliveryFormat DeliveryFormat { get => throw null; set { } } + public System.Net.Mail.SmtpDeliveryMethod DeliveryMethod { get => throw null; set { } } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public bool EnableSsl { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } + public bool EnableSsl { get => throw null; set { } } + public string Host { get => throw null; set { } } protected void OnSendCompleted(System.ComponentModel.AsyncCompletedEventArgs e) => throw null; - public string PickupDirectoryLocation { get => throw null; set => throw null; } - public int Port { get => throw null; set => throw null; } + public string PickupDirectoryLocation { get => throw null; set { } } + public int Port { get => throw null; set { } } public void Send(System.Net.Mail.MailMessage message) => throw null; public void Send(string from, string recipients, string subject, string body) => throw null; public void SendAsync(System.Net.Mail.MailMessage message, object userToken) => throw null; public void SendAsync(string from, string recipients, string subject, string body, object userToken) => throw null; public void SendAsyncCancel() => throw null; - public event System.Net.Mail.SendCompletedEventHandler SendCompleted; + public event System.Net.Mail.SendCompletedEventHandler SendCompleted { add { } remove { } } public System.Threading.Tasks.Task SendMailAsync(System.Net.Mail.MailMessage message) => throw null; - public System.Threading.Tasks.Task SendMailAsync(System.Net.Mail.MailMessage message, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SendMailAsync(string from, string recipients, string subject, string body) => throw null; + public System.Threading.Tasks.Task SendMailAsync(System.Net.Mail.MailMessage message, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SendMailAsync(string from, string recipients, string subject, string body, System.Threading.CancellationToken cancellationToken) => throw null; public System.Net.ServicePoint ServicePoint { get => throw null; } - public SmtpClient() => throw null; - public SmtpClient(string host) => throw null; - public SmtpClient(string host, int port) => throw null; - public string TargetName { get => throw null; set => throw null; } - public int Timeout { get => throw null; set => throw null; } - public bool UseDefaultCredentials { get => throw null; set => throw null; } + public string TargetName { get => throw null; set { } } + public int Timeout { get => throw null; set { } } + public bool UseDefaultCredentials { get => throw null; set { } } } - - public enum SmtpDeliveryFormat : int + public enum SmtpDeliveryFormat { - International = 1, SevenBit = 0, + International = 1, } - - public enum SmtpDeliveryMethod : int + public enum SmtpDeliveryMethod { Network = 0, - PickupDirectoryFromIis = 2, SpecifiedPickupDirectory = 1, + PickupDirectoryFromIis = 2, } - public class SmtpException : System.Exception, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public SmtpException() => throw null; - protected SmtpException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public SmtpException(System.Net.Mail.SmtpStatusCode statusCode) => throw null; public SmtpException(System.Net.Mail.SmtpStatusCode statusCode, string message) => throw null; + protected SmtpException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public SmtpException(string message) => throw null; public SmtpException(string message, System.Exception innerException) => throw null; - public System.Net.Mail.SmtpStatusCode StatusCode { get => throw null; set => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public System.Net.Mail.SmtpStatusCode StatusCode { get => throw null; set { } } } - public class SmtpFailedRecipientException : System.Net.Mail.SmtpException, System.Runtime.Serialization.ISerializable { - public string FailedRecipient { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public SmtpFailedRecipientException() => throw null; - protected SmtpFailedRecipientException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public SmtpFailedRecipientException(System.Net.Mail.SmtpStatusCode statusCode, string failedRecipient) => throw null; public SmtpFailedRecipientException(System.Net.Mail.SmtpStatusCode statusCode, string failedRecipient, string serverResponse) => throw null; + protected SmtpFailedRecipientException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public SmtpFailedRecipientException(string message) => throw null; public SmtpFailedRecipientException(string message, System.Exception innerException) => throw null; public SmtpFailedRecipientException(string message, string failedRecipient, System.Exception innerException) => throw null; + public string FailedRecipient { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - public class SmtpFailedRecipientsException : System.Net.Mail.SmtpFailedRecipientException, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public System.Net.Mail.SmtpFailedRecipientException[] InnerExceptions { get => throw null; } public SmtpFailedRecipientsException() => throw null; protected SmtpFailedRecipientsException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public SmtpFailedRecipientsException(string message) => throw null; public SmtpFailedRecipientsException(string message, System.Exception innerException) => throw null; public SmtpFailedRecipientsException(string message, System.Net.Mail.SmtpFailedRecipientException[] innerExceptions) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public System.Net.Mail.SmtpFailedRecipientException[] InnerExceptions { get => throw null; } } - - public enum SmtpStatusCode : int + public enum SmtpStatusCode { - BadCommandSequence = 503, + GeneralFailure = -1, + SystemStatus = 211, + HelpMessage = 214, + ServiceReady = 220, + ServiceClosingTransmissionChannel = 221, + Ok = 250, + UserNotLocalWillForward = 251, CannotVerifyUserWillAttemptDelivery = 252, + StartMailInput = 354, + ServiceNotAvailable = 421, + MailboxBusy = 450, + LocalErrorInProcessing = 451, + InsufficientStorage = 452, ClientNotPermitted = 454, + CommandUnrecognized = 500, + SyntaxError = 501, CommandNotImplemented = 502, + BadCommandSequence = 503, CommandParameterNotImplemented = 504, - CommandUnrecognized = 500, + MustIssueStartTlsFirst = 530, + MailboxUnavailable = 550, + UserNotLocalTryAlternatePath = 551, ExceededStorageAllocation = 552, - GeneralFailure = -1, - HelpMessage = 214, - InsufficientStorage = 452, - LocalErrorInProcessing = 451, - MailboxBusy = 450, MailboxNameNotAllowed = 553, - MailboxUnavailable = 550, - MustIssueStartTlsFirst = 530, - Ok = 250, - ServiceClosingTransmissionChannel = 221, - ServiceNotAvailable = 421, - ServiceReady = 220, - StartMailInput = 354, - SyntaxError = 501, - SystemStatus = 211, TransactionFailed = 554, - UserNotLocalTryAlternatePath = 551, - UserNotLocalWillForward = 251, } - } namespace Mime { public class ContentDisposition { + public System.DateTime CreationDate { get => throw null; set { } } public ContentDisposition() => throw null; public ContentDisposition(string disposition) => throw null; - public System.DateTime CreationDate { get => throw null; set => throw null; } - public string DispositionType { get => throw null; set => throw null; } + public string DispositionType { get => throw null; set { } } public override bool Equals(object rparam) => throw null; - public string FileName { get => throw null; set => throw null; } + public string FileName { get => throw null; set { } } public override int GetHashCode() => throw null; - public bool Inline { get => throw null; set => throw null; } - public System.DateTime ModificationDate { get => throw null; set => throw null; } + public bool Inline { get => throw null; set { } } + public System.DateTime ModificationDate { get => throw null; set { } } public System.Collections.Specialized.StringDictionary Parameters { get => throw null; } - public System.DateTime ReadDate { get => throw null; set => throw null; } - public System.Int64 Size { get => throw null; set => throw null; } + public System.DateTime ReadDate { get => throw null; set { } } + public long Size { get => throw null; set { } } public override string ToString() => throw null; } - public class ContentType { - public string Boundary { get => throw null; set => throw null; } - public string CharSet { get => throw null; set => throw null; } + public string Boundary { get => throw null; set { } } + public string CharSet { get => throw null; set { } } public ContentType() => throw null; public ContentType(string contentType) => throw null; public override bool Equals(object rparam) => throw null; public override int GetHashCode() => throw null; - public string MediaType { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public string MediaType { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Collections.Specialized.StringDictionary Parameters { get => throw null; } public override string ToString() => throw null; } - public static class DispositionTypeNames { - public const string Attachment = default; - public const string Inline = default; + public static string Attachment; + public static string Inline; } - public static class MediaTypeNames { public static class Application { - public const string Json = default; - public const string Octet = default; - public const string Pdf = default; - public const string Rtf = default; - public const string Soap = default; - public const string Xml = default; - public const string Zip = default; + public static string Json; + public static string Octet; + public static string Pdf; + public static string Rtf; + public static string Soap; + public static string Xml; + public static string Zip; } - - public static class Image { - public const string Gif = default; - public const string Jpeg = default; - public const string Tiff = default; + public static string Gif; + public static string Jpeg; + public static string Tiff; } - - public static class Text { - public const string Html = default; - public const string Plain = default; - public const string RichText = default; - public const string Xml = default; + public static string Html; + public static string Plain; + public static string RichText; + public static string Xml; } - - } - - public enum TransferEncoding : int + public enum TransferEncoding { - Base64 = 1, - EightBit = 3, + Unknown = -1, QuotedPrintable = 0, + Base64 = 1, SevenBit = 2, - Unknown = -1, + EightBit = 3, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NameResolution.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NameResolution.cs index 6224965e325c..605b5e091e22 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NameResolution.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NameResolution.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.NameResolution, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -34,14 +33,12 @@ public static class Dns public static string GetHostName() => throw null; public static System.Net.IPHostEntry Resolve(string hostName) => throw null; } - public class IPHostEntry { - public System.Net.IPAddress[] AddressList { get => throw null; set => throw null; } - public string[] Aliases { get => throw null; set => throw null; } - public string HostName { get => throw null; set => throw null; } + public System.Net.IPAddress[] AddressList { get => throw null; set { } } + public string[] Aliases { get => throw null; set { } } public IPHostEntry() => throw null; + public string HostName { get => throw null; set { } } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs index 9d5c2758e18a..d2d408fe7acb 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs @@ -1,27 +1,24 @@ // This file contains auto-generated code. // Generated from `System.Net.NetworkInformation, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net { namespace NetworkInformation { - public enum DuplicateAddressDetectionState : int + public enum DuplicateAddressDetectionState { - Deprecated = 3, - Duplicate = 2, Invalid = 0, - Preferred = 4, Tentative = 1, + Duplicate = 2, + Deprecated = 3, + Preferred = 4, } - public abstract class GatewayIPAddressInformation { public abstract System.Net.IPAddress Address { get; } protected GatewayIPAddressInformation() => throw null; } - public class GatewayIPAddressInformationCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public virtual void Add(System.Net.NetworkInformation.GatewayIPAddressInformation address) => throw null; @@ -29,14 +26,79 @@ public class GatewayIPAddressInformationCollection : System.Collections.Generic. public virtual bool Contains(System.Net.NetworkInformation.GatewayIPAddressInformation address) => throw null; public virtual void CopyTo(System.Net.NetworkInformation.GatewayIPAddressInformation[] array, int offset) => throw null; public virtual int Count { get => throw null; } - protected internal GatewayIPAddressInformationCollection() => throw null; + protected GatewayIPAddressInformationCollection() => throw null; public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public virtual bool IsReadOnly { get => throw null; } - public virtual System.Net.NetworkInformation.GatewayIPAddressInformation this[int index] { get => throw null; } public virtual bool Remove(System.Net.NetworkInformation.GatewayIPAddressInformation address) => throw null; + public virtual System.Net.NetworkInformation.GatewayIPAddressInformation this[int index] { get => throw null; } + } + public abstract class IcmpV4Statistics + { + public abstract long AddressMaskRepliesReceived { get; } + public abstract long AddressMaskRepliesSent { get; } + public abstract long AddressMaskRequestsReceived { get; } + public abstract long AddressMaskRequestsSent { get; } + protected IcmpV4Statistics() => throw null; + public abstract long DestinationUnreachableMessagesReceived { get; } + public abstract long DestinationUnreachableMessagesSent { get; } + public abstract long EchoRepliesReceived { get; } + public abstract long EchoRepliesSent { get; } + public abstract long EchoRequestsReceived { get; } + public abstract long EchoRequestsSent { get; } + public abstract long ErrorsReceived { get; } + public abstract long ErrorsSent { get; } + public abstract long MessagesReceived { get; } + public abstract long MessagesSent { get; } + public abstract long ParameterProblemsReceived { get; } + public abstract long ParameterProblemsSent { get; } + public abstract long RedirectsReceived { get; } + public abstract long RedirectsSent { get; } + public abstract long SourceQuenchesReceived { get; } + public abstract long SourceQuenchesSent { get; } + public abstract long TimeExceededMessagesReceived { get; } + public abstract long TimeExceededMessagesSent { get; } + public abstract long TimestampRepliesReceived { get; } + public abstract long TimestampRepliesSent { get; } + public abstract long TimestampRequestsReceived { get; } + public abstract long TimestampRequestsSent { get; } + } + public abstract class IcmpV6Statistics + { + protected IcmpV6Statistics() => throw null; + public abstract long DestinationUnreachableMessagesReceived { get; } + public abstract long DestinationUnreachableMessagesSent { get; } + public abstract long EchoRepliesReceived { get; } + public abstract long EchoRepliesSent { get; } + public abstract long EchoRequestsReceived { get; } + public abstract long EchoRequestsSent { get; } + public abstract long ErrorsReceived { get; } + public abstract long ErrorsSent { get; } + public abstract long MembershipQueriesReceived { get; } + public abstract long MembershipQueriesSent { get; } + public abstract long MembershipReductionsReceived { get; } + public abstract long MembershipReductionsSent { get; } + public abstract long MembershipReportsReceived { get; } + public abstract long MembershipReportsSent { get; } + public abstract long MessagesReceived { get; } + public abstract long MessagesSent { get; } + public abstract long NeighborAdvertisementsReceived { get; } + public abstract long NeighborAdvertisementsSent { get; } + public abstract long NeighborSolicitsReceived { get; } + public abstract long NeighborSolicitsSent { get; } + public abstract long PacketTooBigMessagesReceived { get; } + public abstract long PacketTooBigMessagesSent { get; } + public abstract long ParameterProblemsReceived { get; } + public abstract long ParameterProblemsSent { get; } + public abstract long RedirectsReceived { get; } + public abstract long RedirectsSent { get; } + public abstract long RouterAdvertisementsReceived { get; } + public abstract long RouterAdvertisementsSent { get; } + public abstract long RouterSolicitsReceived { get; } + public abstract long RouterSolicitsSent { get; } + public abstract long TimeExceededMessagesReceived { get; } + public abstract long TimeExceededMessagesSent { get; } } - public abstract class IPAddressInformation { public abstract System.Net.IPAddress Address { get; } @@ -44,7 +106,6 @@ public abstract class IPAddressInformation public abstract bool IsDnsEligible { get; } public abstract bool IsTransient { get; } } - public class IPAddressInformationCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public virtual void Add(System.Net.NetworkInformation.IPAddressInformation address) => throw null; @@ -55,24 +116,24 @@ public class IPAddressInformationCollection : System.Collections.Generic.ICollec public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public virtual bool IsReadOnly { get => throw null; } - public virtual System.Net.NetworkInformation.IPAddressInformation this[int index] { get => throw null; } public virtual bool Remove(System.Net.NetworkInformation.IPAddressInformation address) => throw null; + public virtual System.Net.NetworkInformation.IPAddressInformation this[int index] { get => throw null; } } - public abstract class IPGlobalProperties { public virtual System.IAsyncResult BeginGetUnicastAddresses(System.AsyncCallback callback, object state) => throw null; + protected IPGlobalProperties() => throw null; public abstract string DhcpScopeName { get; } public abstract string DomainName { get; } public virtual System.Net.NetworkInformation.UnicastIPAddressInformationCollection EndGetUnicastAddresses(System.IAsyncResult asyncResult) => throw null; public abstract System.Net.NetworkInformation.TcpConnectionInformation[] GetActiveTcpConnections(); public abstract System.Net.IPEndPoint[] GetActiveTcpListeners(); public abstract System.Net.IPEndPoint[] GetActiveUdpListeners(); + public abstract System.Net.NetworkInformation.IcmpV4Statistics GetIcmpV4Statistics(); + public abstract System.Net.NetworkInformation.IcmpV6Statistics GetIcmpV6Statistics(); public static System.Net.NetworkInformation.IPGlobalProperties GetIPGlobalProperties() => throw null; public abstract System.Net.NetworkInformation.IPGlobalStatistics GetIPv4GlobalStatistics(); public abstract System.Net.NetworkInformation.IPGlobalStatistics GetIPv6GlobalStatistics(); - public abstract System.Net.NetworkInformation.IcmpV4Statistics GetIcmpV4Statistics(); - public abstract System.Net.NetworkInformation.IcmpV6Statistics GetIcmpV6Statistics(); public abstract System.Net.NetworkInformation.TcpStatistics GetTcpIPv4Statistics(); public abstract System.Net.NetworkInformation.TcpStatistics GetTcpIPv6Statistics(); public abstract System.Net.NetworkInformation.UdpStatistics GetUdpIPv4Statistics(); @@ -80,72 +141,67 @@ public abstract class IPGlobalProperties public virtual System.Net.NetworkInformation.UnicastIPAddressInformationCollection GetUnicastAddresses() => throw null; public virtual System.Threading.Tasks.Task GetUnicastAddressesAsync() => throw null; public abstract string HostName { get; } - protected IPGlobalProperties() => throw null; public abstract bool IsWinsProxy { get; } public abstract System.Net.NetworkInformation.NetBiosNodeType NodeType { get; } } - public abstract class IPGlobalStatistics { + protected IPGlobalStatistics() => throw null; public abstract int DefaultTtl { get; } public abstract bool ForwardingEnabled { get; } - protected IPGlobalStatistics() => throw null; - public abstract int NumberOfIPAddresses { get; } public abstract int NumberOfInterfaces { get; } + public abstract int NumberOfIPAddresses { get; } public abstract int NumberOfRoutes { get; } - public abstract System.Int64 OutputPacketRequests { get; } - public abstract System.Int64 OutputPacketRoutingDiscards { get; } - public abstract System.Int64 OutputPacketsDiscarded { get; } - public abstract System.Int64 OutputPacketsWithNoRoute { get; } - public abstract System.Int64 PacketFragmentFailures { get; } - public abstract System.Int64 PacketReassembliesRequired { get; } - public abstract System.Int64 PacketReassemblyFailures { get; } - public abstract System.Int64 PacketReassemblyTimeout { get; } - public abstract System.Int64 PacketsFragmented { get; } - public abstract System.Int64 PacketsReassembled { get; } - public abstract System.Int64 ReceivedPackets { get; } - public abstract System.Int64 ReceivedPacketsDelivered { get; } - public abstract System.Int64 ReceivedPacketsDiscarded { get; } - public abstract System.Int64 ReceivedPacketsForwarded { get; } - public abstract System.Int64 ReceivedPacketsWithAddressErrors { get; } - public abstract System.Int64 ReceivedPacketsWithHeadersErrors { get; } - public abstract System.Int64 ReceivedPacketsWithUnknownProtocol { get; } - } - + public abstract long OutputPacketRequests { get; } + public abstract long OutputPacketRoutingDiscards { get; } + public abstract long OutputPacketsDiscarded { get; } + public abstract long OutputPacketsWithNoRoute { get; } + public abstract long PacketFragmentFailures { get; } + public abstract long PacketReassembliesRequired { get; } + public abstract long PacketReassemblyFailures { get; } + public abstract long PacketReassemblyTimeout { get; } + public abstract long PacketsFragmented { get; } + public abstract long PacketsReassembled { get; } + public abstract long ReceivedPackets { get; } + public abstract long ReceivedPacketsDelivered { get; } + public abstract long ReceivedPacketsDiscarded { get; } + public abstract long ReceivedPacketsForwarded { get; } + public abstract long ReceivedPacketsWithAddressErrors { get; } + public abstract long ReceivedPacketsWithHeadersErrors { get; } + public abstract long ReceivedPacketsWithUnknownProtocol { get; } + } public abstract class IPInterfaceProperties { public abstract System.Net.NetworkInformation.IPAddressInformationCollection AnycastAddresses { get; } + protected IPInterfaceProperties() => throw null; public abstract System.Net.NetworkInformation.IPAddressCollection DhcpServerAddresses { get; } public abstract System.Net.NetworkInformation.IPAddressCollection DnsAddresses { get; } public abstract string DnsSuffix { get; } public abstract System.Net.NetworkInformation.GatewayIPAddressInformationCollection GatewayAddresses { get; } public abstract System.Net.NetworkInformation.IPv4InterfaceProperties GetIPv4Properties(); public abstract System.Net.NetworkInformation.IPv6InterfaceProperties GetIPv6Properties(); - protected IPInterfaceProperties() => throw null; public abstract bool IsDnsEnabled { get; } public abstract bool IsDynamicDnsEnabled { get; } public abstract System.Net.NetworkInformation.MulticastIPAddressInformationCollection MulticastAddresses { get; } public abstract System.Net.NetworkInformation.UnicastIPAddressInformationCollection UnicastAddresses { get; } public abstract System.Net.NetworkInformation.IPAddressCollection WinsServersAddresses { get; } } - public abstract class IPInterfaceStatistics { - public abstract System.Int64 BytesReceived { get; } - public abstract System.Int64 BytesSent { get; } + public abstract long BytesReceived { get; } + public abstract long BytesSent { get; } protected IPInterfaceStatistics() => throw null; - public abstract System.Int64 IncomingPacketsDiscarded { get; } - public abstract System.Int64 IncomingPacketsWithErrors { get; } - public abstract System.Int64 IncomingUnknownProtocolPackets { get; } - public abstract System.Int64 NonUnicastPacketsReceived { get; } - public abstract System.Int64 NonUnicastPacketsSent { get; } - public abstract System.Int64 OutgoingPacketsDiscarded { get; } - public abstract System.Int64 OutgoingPacketsWithErrors { get; } - public abstract System.Int64 OutputQueueLength { get; } - public abstract System.Int64 UnicastPacketsReceived { get; } - public abstract System.Int64 UnicastPacketsSent { get; } - } - + public abstract long IncomingPacketsDiscarded { get; } + public abstract long IncomingPacketsWithErrors { get; } + public abstract long IncomingUnknownProtocolPackets { get; } + public abstract long NonUnicastPacketsReceived { get; } + public abstract long NonUnicastPacketsSent { get; } + public abstract long OutgoingPacketsDiscarded { get; } + public abstract long OutgoingPacketsWithErrors { get; } + public abstract long OutputQueueLength { get; } + public abstract long UnicastPacketsReceived { get; } + public abstract long UnicastPacketsSent { get; } + } public abstract class IPv4InterfaceProperties { protected IPv4InterfaceProperties() => throw null; @@ -157,111 +213,39 @@ public abstract class IPv4InterfaceProperties public abstract int Mtu { get; } public abstract bool UsesWins { get; } } - public abstract class IPv4InterfaceStatistics { - public abstract System.Int64 BytesReceived { get; } - public abstract System.Int64 BytesSent { get; } + public abstract long BytesReceived { get; } + public abstract long BytesSent { get; } protected IPv4InterfaceStatistics() => throw null; - public abstract System.Int64 IncomingPacketsDiscarded { get; } - public abstract System.Int64 IncomingPacketsWithErrors { get; } - public abstract System.Int64 IncomingUnknownProtocolPackets { get; } - public abstract System.Int64 NonUnicastPacketsReceived { get; } - public abstract System.Int64 NonUnicastPacketsSent { get; } - public abstract System.Int64 OutgoingPacketsDiscarded { get; } - public abstract System.Int64 OutgoingPacketsWithErrors { get; } - public abstract System.Int64 OutputQueueLength { get; } - public abstract System.Int64 UnicastPacketsReceived { get; } - public abstract System.Int64 UnicastPacketsSent { get; } - } - + public abstract long IncomingPacketsDiscarded { get; } + public abstract long IncomingPacketsWithErrors { get; } + public abstract long IncomingUnknownProtocolPackets { get; } + public abstract long NonUnicastPacketsReceived { get; } + public abstract long NonUnicastPacketsSent { get; } + public abstract long OutgoingPacketsDiscarded { get; } + public abstract long OutgoingPacketsWithErrors { get; } + public abstract long OutputQueueLength { get; } + public abstract long UnicastPacketsReceived { get; } + public abstract long UnicastPacketsSent { get; } + } public abstract class IPv6InterfaceProperties { - public virtual System.Int64 GetScopeId(System.Net.NetworkInformation.ScopeLevel scopeLevel) => throw null; protected IPv6InterfaceProperties() => throw null; + public virtual long GetScopeId(System.Net.NetworkInformation.ScopeLevel scopeLevel) => throw null; public abstract int Index { get; } public abstract int Mtu { get; } } - - public abstract class IcmpV4Statistics - { - public abstract System.Int64 AddressMaskRepliesReceived { get; } - public abstract System.Int64 AddressMaskRepliesSent { get; } - public abstract System.Int64 AddressMaskRequestsReceived { get; } - public abstract System.Int64 AddressMaskRequestsSent { get; } - public abstract System.Int64 DestinationUnreachableMessagesReceived { get; } - public abstract System.Int64 DestinationUnreachableMessagesSent { get; } - public abstract System.Int64 EchoRepliesReceived { get; } - public abstract System.Int64 EchoRepliesSent { get; } - public abstract System.Int64 EchoRequestsReceived { get; } - public abstract System.Int64 EchoRequestsSent { get; } - public abstract System.Int64 ErrorsReceived { get; } - public abstract System.Int64 ErrorsSent { get; } - protected IcmpV4Statistics() => throw null; - public abstract System.Int64 MessagesReceived { get; } - public abstract System.Int64 MessagesSent { get; } - public abstract System.Int64 ParameterProblemsReceived { get; } - public abstract System.Int64 ParameterProblemsSent { get; } - public abstract System.Int64 RedirectsReceived { get; } - public abstract System.Int64 RedirectsSent { get; } - public abstract System.Int64 SourceQuenchesReceived { get; } - public abstract System.Int64 SourceQuenchesSent { get; } - public abstract System.Int64 TimeExceededMessagesReceived { get; } - public abstract System.Int64 TimeExceededMessagesSent { get; } - public abstract System.Int64 TimestampRepliesReceived { get; } - public abstract System.Int64 TimestampRepliesSent { get; } - public abstract System.Int64 TimestampRequestsReceived { get; } - public abstract System.Int64 TimestampRequestsSent { get; } - } - - public abstract class IcmpV6Statistics - { - public abstract System.Int64 DestinationUnreachableMessagesReceived { get; } - public abstract System.Int64 DestinationUnreachableMessagesSent { get; } - public abstract System.Int64 EchoRepliesReceived { get; } - public abstract System.Int64 EchoRepliesSent { get; } - public abstract System.Int64 EchoRequestsReceived { get; } - public abstract System.Int64 EchoRequestsSent { get; } - public abstract System.Int64 ErrorsReceived { get; } - public abstract System.Int64 ErrorsSent { get; } - protected IcmpV6Statistics() => throw null; - public abstract System.Int64 MembershipQueriesReceived { get; } - public abstract System.Int64 MembershipQueriesSent { get; } - public abstract System.Int64 MembershipReductionsReceived { get; } - public abstract System.Int64 MembershipReductionsSent { get; } - public abstract System.Int64 MembershipReportsReceived { get; } - public abstract System.Int64 MembershipReportsSent { get; } - public abstract System.Int64 MessagesReceived { get; } - public abstract System.Int64 MessagesSent { get; } - public abstract System.Int64 NeighborAdvertisementsReceived { get; } - public abstract System.Int64 NeighborAdvertisementsSent { get; } - public abstract System.Int64 NeighborSolicitsReceived { get; } - public abstract System.Int64 NeighborSolicitsSent { get; } - public abstract System.Int64 PacketTooBigMessagesReceived { get; } - public abstract System.Int64 PacketTooBigMessagesSent { get; } - public abstract System.Int64 ParameterProblemsReceived { get; } - public abstract System.Int64 ParameterProblemsSent { get; } - public abstract System.Int64 RedirectsReceived { get; } - public abstract System.Int64 RedirectsSent { get; } - public abstract System.Int64 RouterAdvertisementsReceived { get; } - public abstract System.Int64 RouterAdvertisementsSent { get; } - public abstract System.Int64 RouterSolicitsReceived { get; } - public abstract System.Int64 RouterSolicitsSent { get; } - public abstract System.Int64 TimeExceededMessagesReceived { get; } - public abstract System.Int64 TimeExceededMessagesSent { get; } - } - public abstract class MulticastIPAddressInformation : System.Net.NetworkInformation.IPAddressInformation { - public abstract System.Int64 AddressPreferredLifetime { get; } - public abstract System.Int64 AddressValidLifetime { get; } - public abstract System.Int64 DhcpLeaseLifetime { get; } - public abstract System.Net.NetworkInformation.DuplicateAddressDetectionState DuplicateAddressDetectionState { get; } + public abstract long AddressPreferredLifetime { get; } + public abstract long AddressValidLifetime { get; } protected MulticastIPAddressInformation() => throw null; + public abstract long DhcpLeaseLifetime { get; } + public abstract System.Net.NetworkInformation.DuplicateAddressDetectionState DuplicateAddressDetectionState { get; } public abstract System.Net.NetworkInformation.PrefixOrigin PrefixOrigin { get; } public abstract System.Net.NetworkInformation.SuffixOrigin SuffixOrigin { get; } } - public class MulticastIPAddressInformationCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public virtual void Add(System.Net.NetworkInformation.MulticastIPAddressInformation address) => throw null; @@ -269,50 +253,44 @@ public class MulticastIPAddressInformationCollection : System.Collections.Generi public virtual bool Contains(System.Net.NetworkInformation.MulticastIPAddressInformation address) => throw null; public virtual void CopyTo(System.Net.NetworkInformation.MulticastIPAddressInformation[] array, int offset) => throw null; public virtual int Count { get => throw null; } + protected MulticastIPAddressInformationCollection() => throw null; public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public virtual bool IsReadOnly { get => throw null; } - public virtual System.Net.NetworkInformation.MulticastIPAddressInformation this[int index] { get => throw null; } - protected internal MulticastIPAddressInformationCollection() => throw null; public virtual bool Remove(System.Net.NetworkInformation.MulticastIPAddressInformation address) => throw null; + public virtual System.Net.NetworkInformation.MulticastIPAddressInformation this[int index] { get => throw null; } } - - public enum NetBiosNodeType : int + public enum NetBiosNodeType { + Unknown = 0, Broadcast = 1, - Hybrid = 8, - Mixed = 4, Peer2Peer = 2, - Unknown = 0, + Mixed = 4, + Hybrid = 8, } - public delegate void NetworkAddressChangedEventHandler(object sender, System.EventArgs e); - public delegate void NetworkAvailabilityChangedEventHandler(object sender, System.Net.NetworkInformation.NetworkAvailabilityEventArgs e); - public class NetworkAvailabilityEventArgs : System.EventArgs { public bool IsAvailable { get => throw null; } } - public class NetworkChange { - public static event System.Net.NetworkInformation.NetworkAddressChangedEventHandler NetworkAddressChanged; - public static event System.Net.NetworkInformation.NetworkAvailabilityChangedEventHandler NetworkAvailabilityChanged; public NetworkChange() => throw null; + public static event System.Net.NetworkInformation.NetworkAddressChangedEventHandler NetworkAddressChanged { add { } remove { } } + public static event System.Net.NetworkInformation.NetworkAvailabilityChangedEventHandler NetworkAvailabilityChanged { add { } remove { } } public static void RegisterNetworkChange(System.Net.NetworkInformation.NetworkChange nc) => throw null; } - public class NetworkInformationException : System.ComponentModel.Win32Exception { - public override int ErrorCode { get => throw null; } public NetworkInformationException() => throw null; - protected NetworkInformationException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public NetworkInformationException(int errorCode) => throw null; + protected NetworkInformationException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public override int ErrorCode { get => throw null; } } - public abstract class NetworkInterface { + protected NetworkInterface() => throw null; public virtual string Description { get => throw null; } public static System.Net.NetworkInformation.NetworkInterface[] GetAllNetworkInterfaces() => throw null; public virtual System.Net.NetworkInformation.IPInterfaceProperties GetIPProperties() => throw null; @@ -320,180 +298,166 @@ public abstract class NetworkInterface public virtual System.Net.NetworkInformation.IPv4InterfaceStatistics GetIPv4Statistics() => throw null; public static bool GetIsNetworkAvailable() => throw null; public virtual System.Net.NetworkInformation.PhysicalAddress GetPhysicalAddress() => throw null; - public static int IPv6LoopbackInterfaceIndex { get => throw null; } public virtual string Id { get => throw null; } + public static int IPv6LoopbackInterfaceIndex { get => throw null; } public virtual bool IsReceiveOnly { get => throw null; } public static int LoopbackInterfaceIndex { get => throw null; } public virtual string Name { get => throw null; } - protected NetworkInterface() => throw null; public virtual System.Net.NetworkInformation.NetworkInterfaceType NetworkInterfaceType { get => throw null; } public virtual System.Net.NetworkInformation.OperationalStatus OperationalStatus { get => throw null; } - public virtual System.Int64 Speed { get => throw null; } + public virtual long Speed { get => throw null; } public virtual bool Supports(System.Net.NetworkInformation.NetworkInterfaceComponent networkInterfaceComponent) => throw null; public virtual bool SupportsMulticast { get => throw null; } } - - public enum NetworkInterfaceComponent : int + public enum NetworkInterfaceComponent { IPv4 = 0, IPv6 = 1, } - - public enum NetworkInterfaceType : int + public enum NetworkInterfaceType { - AsymmetricDsl = 94, - Atm = 37, - BasicIsdn = 20, + Unknown = 1, Ethernet = 6, - Ethernet3Megabit = 26, - FastEthernetFx = 69, - FastEthernetT = 62, + TokenRing = 9, Fddi = 15, + BasicIsdn = 20, + PrimaryIsdn = 21, + Ppp = 23, + Loopback = 24, + Ethernet3Megabit = 26, + Slip = 28, + Atm = 37, GenericModem = 48, - GigabitEthernet = 117, - HighPerformanceSerialBus = 144, - IPOverAtm = 114, + FastEthernetT = 62, Isdn = 63, - Loopback = 24, - MultiRateSymmetricDsl = 143, - Ppp = 23, - PrimaryIsdn = 21, + FastEthernetFx = 69, + Wireless80211 = 71, + AsymmetricDsl = 94, RateAdaptDsl = 95, - Slip = 28, SymmetricDsl = 96, - TokenRing = 9, - Tunnel = 131, - Unknown = 1, VeryHighSpeedDsl = 97, - Wireless80211 = 71, + IPOverAtm = 114, + GigabitEthernet = 117, + Tunnel = 131, + MultiRateSymmetricDsl = 143, + HighPerformanceSerialBus = 144, Wman = 237, Wwanpp = 243, Wwanpp2 = 244, } - - public enum OperationalStatus : int + public enum OperationalStatus { - Dormant = 5, + Up = 1, Down = 2, - LowerLayerDown = 7, - NotPresent = 6, Testing = 3, Unknown = 4, - Up = 1, + Dormant = 5, + NotPresent = 6, + LowerLayerDown = 7, } - public class PhysicalAddress { + public PhysicalAddress(byte[] address) => throw null; public override bool Equals(object comparand) => throw null; - public System.Byte[] GetAddressBytes() => throw null; + public byte[] GetAddressBytes() => throw null; public override int GetHashCode() => throw null; public static System.Net.NetworkInformation.PhysicalAddress None; - public static System.Net.NetworkInformation.PhysicalAddress Parse(System.ReadOnlySpan address) => throw null; + public static System.Net.NetworkInformation.PhysicalAddress Parse(System.ReadOnlySpan address) => throw null; public static System.Net.NetworkInformation.PhysicalAddress Parse(string address) => throw null; - public PhysicalAddress(System.Byte[] address) => throw null; public override string ToString() => throw null; - public static bool TryParse(System.ReadOnlySpan address, out System.Net.NetworkInformation.PhysicalAddress value) => throw null; + public static bool TryParse(System.ReadOnlySpan address, out System.Net.NetworkInformation.PhysicalAddress value) => throw null; public static bool TryParse(string address, out System.Net.NetworkInformation.PhysicalAddress value) => throw null; } - - public enum PrefixOrigin : int + public enum PrefixOrigin { - Dhcp = 3, - Manual = 1, Other = 0, - RouterAdvertisement = 4, + Manual = 1, WellKnown = 2, + Dhcp = 3, + RouterAdvertisement = 4, } - - public enum ScopeLevel : int + public enum ScopeLevel { - Admin = 4, - Global = 14, + None = 0, Interface = 1, Link = 2, - None = 0, - Organization = 8, - Site = 5, Subnet = 3, + Admin = 4, + Site = 5, + Organization = 8, + Global = 14, } - - public enum SuffixOrigin : int + public enum SuffixOrigin { - LinkLayerAddress = 4, + Other = 0, Manual = 1, + WellKnown = 2, OriginDhcp = 3, - Other = 0, + LinkLayerAddress = 4, Random = 5, - WellKnown = 2, } - public abstract class TcpConnectionInformation { + protected TcpConnectionInformation() => throw null; public abstract System.Net.IPEndPoint LocalEndPoint { get; } public abstract System.Net.IPEndPoint RemoteEndPoint { get; } public abstract System.Net.NetworkInformation.TcpState State { get; } - protected TcpConnectionInformation() => throw null; } - - public enum TcpState : int + public enum TcpState { - CloseWait = 8, + Unknown = 0, Closed = 1, - Closing = 9, - DeleteTcb = 12, + Listen = 2, + SynSent = 3, + SynReceived = 4, Established = 5, FinWait1 = 6, FinWait2 = 7, + CloseWait = 8, + Closing = 9, LastAck = 10, - Listen = 2, - SynReceived = 4, - SynSent = 3, TimeWait = 11, - Unknown = 0, + DeleteTcb = 12, } - public abstract class TcpStatistics { - public abstract System.Int64 ConnectionsAccepted { get; } - public abstract System.Int64 ConnectionsInitiated { get; } - public abstract System.Int64 CumulativeConnections { get; } - public abstract System.Int64 CurrentConnections { get; } - public abstract System.Int64 ErrorsReceived { get; } - public abstract System.Int64 FailedConnectionAttempts { get; } - public abstract System.Int64 MaximumConnections { get; } - public abstract System.Int64 MaximumTransmissionTimeout { get; } - public abstract System.Int64 MinimumTransmissionTimeout { get; } - public abstract System.Int64 ResetConnections { get; } - public abstract System.Int64 ResetsSent { get; } - public abstract System.Int64 SegmentsReceived { get; } - public abstract System.Int64 SegmentsResent { get; } - public abstract System.Int64 SegmentsSent { get; } + public abstract long ConnectionsAccepted { get; } + public abstract long ConnectionsInitiated { get; } protected TcpStatistics() => throw null; + public abstract long CumulativeConnections { get; } + public abstract long CurrentConnections { get; } + public abstract long ErrorsReceived { get; } + public abstract long FailedConnectionAttempts { get; } + public abstract long MaximumConnections { get; } + public abstract long MaximumTransmissionTimeout { get; } + public abstract long MinimumTransmissionTimeout { get; } + public abstract long ResetConnections { get; } + public abstract long ResetsSent { get; } + public abstract long SegmentsReceived { get; } + public abstract long SegmentsResent { get; } + public abstract long SegmentsSent { get; } } - public abstract class UdpStatistics { - public abstract System.Int64 DatagramsReceived { get; } - public abstract System.Int64 DatagramsSent { get; } - public abstract System.Int64 IncomingDatagramsDiscarded { get; } - public abstract System.Int64 IncomingDatagramsWithErrors { get; } - public abstract int UdpListeners { get; } protected UdpStatistics() => throw null; + public abstract long DatagramsReceived { get; } + public abstract long DatagramsSent { get; } + public abstract long IncomingDatagramsDiscarded { get; } + public abstract long IncomingDatagramsWithErrors { get; } + public abstract int UdpListeners { get; } } - public abstract class UnicastIPAddressInformation : System.Net.NetworkInformation.IPAddressInformation { - public abstract System.Int64 AddressPreferredLifetime { get; } - public abstract System.Int64 AddressValidLifetime { get; } - public abstract System.Int64 DhcpLeaseLifetime { get; } + public abstract long AddressPreferredLifetime { get; } + public abstract long AddressValidLifetime { get; } + protected UnicastIPAddressInformation() => throw null; + public abstract long DhcpLeaseLifetime { get; } public abstract System.Net.NetworkInformation.DuplicateAddressDetectionState DuplicateAddressDetectionState { get; } public abstract System.Net.IPAddress IPv4Mask { get; } public virtual int PrefixLength { get => throw null; } public abstract System.Net.NetworkInformation.PrefixOrigin PrefixOrigin { get; } public abstract System.Net.NetworkInformation.SuffixOrigin SuffixOrigin { get; } - protected UnicastIPAddressInformation() => throw null; } - public class UnicastIPAddressInformationCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public virtual void Add(System.Net.NetworkInformation.UnicastIPAddressInformation address) => throw null; @@ -501,14 +465,13 @@ public class UnicastIPAddressInformationCollection : System.Collections.Generic. public virtual bool Contains(System.Net.NetworkInformation.UnicastIPAddressInformation address) => throw null; public virtual void CopyTo(System.Net.NetworkInformation.UnicastIPAddressInformation[] array, int offset) => throw null; public virtual int Count { get => throw null; } + protected UnicastIPAddressInformationCollection() => throw null; public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public virtual bool IsReadOnly { get => throw null; } - public virtual System.Net.NetworkInformation.UnicastIPAddressInformation this[int index] { get => throw null; } public virtual bool Remove(System.Net.NetworkInformation.UnicastIPAddressInformation address) => throw null; - protected internal UnicastIPAddressInformationCollection() => throw null; + public virtual System.Net.NetworkInformation.UnicastIPAddressInformation this[int index] { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs index 264f76a3b3ab..0ef06b007165 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs @@ -1,107 +1,99 @@ // This file contains auto-generated code. // Generated from `System.Net.Ping, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net { namespace NetworkInformation { - public enum IPStatus : int + public enum IPStatus { - BadDestination = 11018, - BadHeader = 11042, - BadOption = 11007, - BadRoute = 11012, - DestinationHostUnreachable = 11003, + Unknown = -1, + Success = 0, DestinationNetworkUnreachable = 11002, - DestinationPortUnreachable = 11005, + DestinationHostUnreachable = 11003, DestinationProhibited = 11004, DestinationProtocolUnreachable = 11004, - DestinationScopeMismatch = 11045, - DestinationUnreachable = 11040, - HardwareError = 11008, - IcmpError = 11044, + DestinationPortUnreachable = 11005, NoResources = 11006, + BadOption = 11007, + HardwareError = 11008, PacketTooBig = 11009, - ParameterProblem = 11015, - SourceQuench = 11016, - Success = 0, - TimeExceeded = 11041, TimedOut = 11010, + BadRoute = 11012, TtlExpired = 11013, TtlReassemblyTimeExceeded = 11014, - Unknown = -1, + ParameterProblem = 11015, + SourceQuench = 11016, + BadDestination = 11018, + DestinationUnreachable = 11040, + TimeExceeded = 11041, + BadHeader = 11042, UnrecognizedNextHeader = 11043, + IcmpError = 11044, + DestinationScopeMismatch = 11045, } - public class Ping : System.ComponentModel.Component { + public Ping() => throw null; protected override void Dispose(bool disposing) => throw null; protected void OnPingCompleted(System.Net.NetworkInformation.PingCompletedEventArgs e) => throw null; - public Ping() => throw null; - public event System.Net.NetworkInformation.PingCompletedEventHandler PingCompleted; + public event System.Net.NetworkInformation.PingCompletedEventHandler PingCompleted { add { } remove { } } public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address) => throw null; - public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, System.TimeSpan timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout) => throw null; - public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout, System.Byte[] buffer) => throw null; - public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout, byte[] buffer) => throw null; + public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress) => throw null; - public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, System.TimeSpan timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, int timeout) => throw null; - public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, int timeout, System.Byte[] buffer) => throw null; - public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; - public void SendAsync(System.Net.IPAddress address, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options, object userToken) => throw null; - public void SendAsync(System.Net.IPAddress address, int timeout, System.Byte[] buffer, object userToken) => throw null; + public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, int timeout, byte[] buffer) => throw null; + public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, System.TimeSpan timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public System.Net.NetworkInformation.PingReply Send(string hostNameOrAddress, System.TimeSpan timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public void SendAsync(System.Net.IPAddress address, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options, object userToken) => throw null; + public void SendAsync(System.Net.IPAddress address, int timeout, byte[] buffer, object userToken) => throw null; public void SendAsync(System.Net.IPAddress address, int timeout, object userToken) => throw null; public void SendAsync(System.Net.IPAddress address, object userToken) => throw null; - public void SendAsync(string hostNameOrAddress, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options, object userToken) => throw null; - public void SendAsync(string hostNameOrAddress, int timeout, System.Byte[] buffer, object userToken) => throw null; + public void SendAsync(string hostNameOrAddress, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options, object userToken) => throw null; + public void SendAsync(string hostNameOrAddress, int timeout, byte[] buffer, object userToken) => throw null; public void SendAsync(string hostNameOrAddress, int timeout, object userToken) => throw null; public void SendAsync(string hostNameOrAddress, object userToken) => throw null; public void SendAsyncCancel() => throw null; public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address) => throw null; public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address, int timeout) => throw null; - public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address, int timeout, System.Byte[] buffer) => throw null; - public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address, int timeout, byte[] buffer) => throw null; + public System.Threading.Tasks.Task SendPingAsync(System.Net.IPAddress address, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress) => throw null; public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress, int timeout) => throw null; - public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress, int timeout, System.Byte[] buffer) => throw null; - public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress, int timeout, System.Byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; + public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress, int timeout, byte[] buffer) => throw null; + public System.Threading.Tasks.Task SendPingAsync(string hostNameOrAddress, int timeout, byte[] buffer, System.Net.NetworkInformation.PingOptions options) => throw null; } - public class PingCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - internal PingCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; public System.Net.NetworkInformation.PingReply Reply { get => throw null; } + internal PingCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void PingCompletedEventHandler(object sender, System.Net.NetworkInformation.PingCompletedEventArgs e); - public class PingException : System.InvalidOperationException { protected PingException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public PingException(string message) => throw null; public PingException(string message, System.Exception innerException) => throw null; } - public class PingOptions { - public bool DontFragment { get => throw null; set => throw null; } public PingOptions() => throw null; public PingOptions(int ttl, bool dontFragment) => throw null; - public int Ttl { get => throw null; set => throw null; } + public bool DontFragment { get => throw null; set { } } + public int Ttl { get => throw null; set { } } } - public class PingReply { public System.Net.IPAddress Address { get => throw null; } - public System.Byte[] Buffer { get => throw null; } + public byte[] Buffer { get => throw null; } public System.Net.NetworkInformation.PingOptions Options { get => throw null; } - public System.Int64 RoundtripTime { get => throw null; } + public long RoundtripTime { get => throw null; } public System.Net.NetworkInformation.IPStatus Status { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs index 33e2c3fb7ea5..f12a014eb970 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs @@ -1,89 +1,104 @@ // This file contains auto-generated code. // Generated from `System.Net.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net { [System.Flags] - public enum AuthenticationSchemes : int + public enum AuthenticationSchemes { - Anonymous = 32768, - Basic = 8, + None = 0, Digest = 1, - IntegratedWindowsAuthentication = 6, Negotiate = 2, - None = 0, Ntlm = 4, + IntegratedWindowsAuthentication = 6, + Basic = 8, + Anonymous = 32768, } - - public class Cookie + namespace Cache { - public string Comment { get => throw null; set => throw null; } - public System.Uri CommentUri { get => throw null; set => throw null; } + public enum RequestCacheLevel + { + Default = 0, + BypassCache = 1, + CacheOnly = 2, + CacheIfAvailable = 3, + Revalidate = 4, + Reload = 5, + NoCacheNoStore = 6, + } + public class RequestCachePolicy + { + public RequestCachePolicy() => throw null; + public RequestCachePolicy(System.Net.Cache.RequestCacheLevel level) => throw null; + public System.Net.Cache.RequestCacheLevel Level { get => throw null; } + public override string ToString() => throw null; + } + } + public sealed class Cookie + { + public string Comment { get => throw null; set { } } + public System.Uri CommentUri { get => throw null; set { } } public Cookie() => throw null; public Cookie(string name, string value) => throw null; public Cookie(string name, string value, string path) => throw null; public Cookie(string name, string value, string path, string domain) => throw null; - public bool Discard { get => throw null; set => throw null; } - public string Domain { get => throw null; set => throw null; } + public bool Discard { get => throw null; set { } } + public string Domain { get => throw null; set { } } public override bool Equals(object comparand) => throw null; - public bool Expired { get => throw null; set => throw null; } - public System.DateTime Expires { get => throw null; set => throw null; } + public bool Expired { get => throw null; set { } } + public System.DateTime Expires { get => throw null; set { } } public override int GetHashCode() => throw null; - public bool HttpOnly { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public string Port { get => throw null; set => throw null; } - public bool Secure { get => throw null; set => throw null; } + public bool HttpOnly { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string Path { get => throw null; set { } } + public string Port { get => throw null; set { } } + public bool Secure { get => throw null; set { } } public System.DateTime TimeStamp { get => throw null; } public override string ToString() => throw null; - public string Value { get => throw null; set => throw null; } - public int Version { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } + public int Version { get => throw null; set { } } } - - public class CookieCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable + public class CookieCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection { public void Add(System.Net.Cookie cookie) => throw null; public void Add(System.Net.CookieCollection cookies) => throw null; public void Clear() => throw null; public bool Contains(System.Net.Cookie cookie) => throw null; - public CookieCollection() => throw null; public void CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Net.Cookie[] array, int index) => throw null; public int Count { get => throw null; } + public CookieCollection() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public System.Net.Cookie this[int index] { get => throw null; } - public System.Net.Cookie this[string name] { get => throw null; } public bool Remove(System.Net.Cookie cookie) => throw null; public object SyncRoot { get => throw null; } + public System.Net.Cookie this[int index] { get => throw null; } + public System.Net.Cookie this[string name] { get => throw null; } } - public class CookieContainer { public void Add(System.Net.Cookie cookie) => throw null; public void Add(System.Net.CookieCollection cookies) => throw null; public void Add(System.Uri uri, System.Net.Cookie cookie) => throw null; public void Add(System.Uri uri, System.Net.CookieCollection cookies) => throw null; - public int Capacity { get => throw null; set => throw null; } + public int Capacity { get => throw null; set { } } + public int Count { get => throw null; } public CookieContainer() => throw null; public CookieContainer(int capacity) => throw null; public CookieContainer(int capacity, int perDomainCapacity, int maxCookieSize) => throw null; - public int Count { get => throw null; } - public const int DefaultCookieLengthLimit = default; - public const int DefaultCookieLimit = default; - public const int DefaultPerDomainCookieLimit = default; + public static int DefaultCookieLengthLimit; + public static int DefaultCookieLimit; + public static int DefaultPerDomainCookieLimit; public System.Net.CookieCollection GetAllCookies() => throw null; public string GetCookieHeader(System.Uri uri) => throw null; public System.Net.CookieCollection GetCookies(System.Uri uri) => throw null; - public int MaxCookieSize { get => throw null; set => throw null; } - public int PerDomainCapacity { get => throw null; set => throw null; } + public int MaxCookieSize { get => throw null; set { } } + public int PerDomainCapacity { get => throw null; set { } } public void SetCookies(System.Uri uri, string cookieHeader) => throw null; } - public class CookieException : System.FormatException, System.Runtime.Serialization.ISerializable { public CookieException() => throw null; @@ -91,31 +106,28 @@ public class CookieException : System.FormatException, System.Runtime.Serializat public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - public class CredentialCache : System.Collections.IEnumerable, System.Net.ICredentials, System.Net.ICredentialsByHost { - public void Add(System.Uri uriPrefix, string authType, System.Net.NetworkCredential cred) => throw null; public void Add(string host, int port, string authenticationType, System.Net.NetworkCredential credential) => throw null; + public void Add(System.Uri uriPrefix, string authType, System.Net.NetworkCredential cred) => throw null; public CredentialCache() => throw null; public static System.Net.ICredentials DefaultCredentials { get => throw null; } public static System.Net.NetworkCredential DefaultNetworkCredentials { get => throw null; } - public System.Net.NetworkCredential GetCredential(System.Uri uriPrefix, string authType) => throw null; public System.Net.NetworkCredential GetCredential(string host, int port, string authenticationType) => throw null; + public System.Net.NetworkCredential GetCredential(System.Uri uriPrefix, string authType) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; - public void Remove(System.Uri uriPrefix, string authType) => throw null; public void Remove(string host, int port, string authenticationType) => throw null; + public void Remove(System.Uri uriPrefix, string authType) => throw null; } - [System.Flags] - public enum DecompressionMethods : int + public enum DecompressionMethods { All = -1, - Brotli = 4, - Deflate = 2, - GZip = 1, None = 0, + GZip = 1, + Deflate = 2, + Brotli = 4, } - public class DnsEndPoint : System.Net.EndPoint { public override System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } @@ -127,7 +139,6 @@ public class DnsEndPoint : System.Net.EndPoint public int Port { get => throw null; } public override string ToString() => throw null; } - public abstract class EndPoint { public virtual System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } @@ -135,77 +146,75 @@ public abstract class EndPoint protected EndPoint() => throw null; public virtual System.Net.SocketAddress Serialize() => throw null; } - - public enum HttpStatusCode : int + public enum HttpStatusCode { - Accepted = 202, - AlreadyReported = 208, - Ambiguous = 300, - BadGateway = 502, - BadRequest = 400, - Conflict = 409, Continue = 100, - Created = 201, + SwitchingProtocols = 101, + Processing = 102, EarlyHints = 103, - ExpectationFailed = 417, - FailedDependency = 424, - Forbidden = 403, - Found = 302, - GatewayTimeout = 504, - Gone = 410, - HttpVersionNotSupported = 505, + OK = 200, + Created = 201, + Accepted = 202, + NonAuthoritativeInformation = 203, + NoContent = 204, + ResetContent = 205, + PartialContent = 206, + MultiStatus = 207, + AlreadyReported = 208, IMUsed = 226, - InsufficientStorage = 507, - InternalServerError = 500, - LengthRequired = 411, - Locked = 423, - LoopDetected = 508, - MethodNotAllowed = 405, - MisdirectedRequest = 421, + Ambiguous = 300, + MultipleChoices = 300, Moved = 301, MovedPermanently = 301, - MultiStatus = 207, - MultipleChoices = 300, - NetworkAuthenticationRequired = 511, - NoContent = 204, - NonAuthoritativeInformation = 203, - NotAcceptable = 406, - NotExtended = 510, - NotFound = 404, - NotImplemented = 501, + Found = 302, + Redirect = 302, + RedirectMethod = 303, + SeeOther = 303, NotModified = 304, - OK = 200, - PartialContent = 206, - PaymentRequired = 402, + UseProxy = 305, + Unused = 306, + RedirectKeepVerb = 307, + TemporaryRedirect = 307, PermanentRedirect = 308, - PreconditionFailed = 412, - PreconditionRequired = 428, - Processing = 102, + BadRequest = 400, + Unauthorized = 401, + PaymentRequired = 402, + Forbidden = 403, + NotFound = 404, + MethodNotAllowed = 405, + NotAcceptable = 406, ProxyAuthenticationRequired = 407, - Redirect = 302, - RedirectKeepVerb = 307, - RedirectMethod = 303, - RequestEntityTooLarge = 413, - RequestHeaderFieldsTooLarge = 431, RequestTimeout = 408, + Conflict = 409, + Gone = 410, + LengthRequired = 411, + PreconditionFailed = 412, + RequestEntityTooLarge = 413, RequestUriTooLong = 414, + UnsupportedMediaType = 415, RequestedRangeNotSatisfiable = 416, - ResetContent = 205, - SeeOther = 303, - ServiceUnavailable = 503, - SwitchingProtocols = 101, - TemporaryRedirect = 307, - TooManyRequests = 429, - Unauthorized = 401, - UnavailableForLegalReasons = 451, + ExpectationFailed = 417, + MisdirectedRequest = 421, UnprocessableEntity = 422, - UnsupportedMediaType = 415, - Unused = 306, + Locked = 423, + FailedDependency = 424, UpgradeRequired = 426, - UseProxy = 305, + PreconditionRequired = 428, + TooManyRequests = 429, + RequestHeaderFieldsTooLarge = 431, + UnavailableForLegalReasons = 451, + InternalServerError = 500, + NotImplemented = 501, + BadGateway = 502, + ServiceUnavailable = 503, + GatewayTimeout = 504, + HttpVersionNotSupported = 505, VariantAlsoNegotiates = 506, + InsufficientStorage = 507, + LoopDetected = 508, + NotExtended = 510, + NetworkAuthenticationRequired = 511, } - public static class HttpVersion { public static System.Version Unknown; @@ -214,34 +223,31 @@ public static class HttpVersion public static System.Version Version20; public static System.Version Version30; } - public interface ICredentials { System.Net.NetworkCredential GetCredential(System.Uri uri, string authType); } - public interface ICredentialsByHost { System.Net.NetworkCredential GetCredential(string host, int port, string authenticationType); } - public class IPAddress { - public System.Int64 Address { get => throw null; set => throw null; } + public long Address { get => throw null; set { } } public System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } public static System.Net.IPAddress Any; public static System.Net.IPAddress Broadcast; + public IPAddress(byte[] address) => throw null; + public IPAddress(byte[] address, long scopeid) => throw null; + public IPAddress(long newAddress) => throw null; + public IPAddress(System.ReadOnlySpan address) => throw null; + public IPAddress(System.ReadOnlySpan address, long scopeid) => throw null; public override bool Equals(object comparand) => throw null; - public System.Byte[] GetAddressBytes() => throw null; + public byte[] GetAddressBytes() => throw null; public override int GetHashCode() => throw null; + public static short HostToNetworkOrder(short host) => throw null; public static int HostToNetworkOrder(int host) => throw null; - public static System.Int64 HostToNetworkOrder(System.Int64 host) => throw null; - public static System.Int16 HostToNetworkOrder(System.Int16 host) => throw null; - public IPAddress(System.Byte[] address) => throw null; - public IPAddress(System.Byte[] address, System.Int64 scopeid) => throw null; - public IPAddress(System.ReadOnlySpan address) => throw null; - public IPAddress(System.ReadOnlySpan address, System.Int64 scopeid) => throw null; - public IPAddress(System.Int64 newAddress) => throw null; + public static long HostToNetworkOrder(long host) => throw null; public static System.Net.IPAddress IPv6Any; public static System.Net.IPAddress IPv6Loopback; public static System.Net.IPAddress IPv6None; @@ -255,101 +261,57 @@ public class IPAddress public static System.Net.IPAddress Loopback; public System.Net.IPAddress MapToIPv4() => throw null; public System.Net.IPAddress MapToIPv6() => throw null; + public static short NetworkToHostOrder(short network) => throw null; public static int NetworkToHostOrder(int network) => throw null; - public static System.Int64 NetworkToHostOrder(System.Int64 network) => throw null; - public static System.Int16 NetworkToHostOrder(System.Int16 network) => throw null; + public static long NetworkToHostOrder(long network) => throw null; public static System.Net.IPAddress None; - public static System.Net.IPAddress Parse(System.ReadOnlySpan ipSpan) => throw null; + public static System.Net.IPAddress Parse(System.ReadOnlySpan ipSpan) => throw null; public static System.Net.IPAddress Parse(string ipString) => throw null; - public System.Int64 ScopeId { get => throw null; set => throw null; } + public long ScopeId { get => throw null; set { } } public override string ToString() => throw null; - public bool TryFormat(System.Span destination, out int charsWritten) => throw null; - public static bool TryParse(System.ReadOnlySpan ipSpan, out System.Net.IPAddress address) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten) => throw null; + public static bool TryParse(System.ReadOnlySpan ipSpan, out System.Net.IPAddress address) => throw null; public static bool TryParse(string ipString, out System.Net.IPAddress address) => throw null; - public bool TryWriteBytes(System.Span destination, out int bytesWritten) => throw null; + public bool TryWriteBytes(System.Span destination, out int bytesWritten) => throw null; } - public class IPEndPoint : System.Net.EndPoint { - public System.Net.IPAddress Address { get => throw null; set => throw null; } + public System.Net.IPAddress Address { get => throw null; set { } } public override System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } public override System.Net.EndPoint Create(System.Net.SocketAddress socketAddress) => throw null; + public IPEndPoint(long address, int port) => throw null; + public IPEndPoint(System.Net.IPAddress address, int port) => throw null; public override bool Equals(object comparand) => throw null; public override int GetHashCode() => throw null; - public IPEndPoint(System.Net.IPAddress address, int port) => throw null; - public IPEndPoint(System.Int64 address, int port) => throw null; - public const int MaxPort = default; - public const int MinPort = default; - public static System.Net.IPEndPoint Parse(System.ReadOnlySpan s) => throw null; + public static int MaxPort; + public static int MinPort; + public static System.Net.IPEndPoint Parse(System.ReadOnlySpan s) => throw null; public static System.Net.IPEndPoint Parse(string s) => throw null; - public int Port { get => throw null; set => throw null; } + public int Port { get => throw null; set { } } public override System.Net.SocketAddress Serialize() => throw null; public override string ToString() => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Net.IPEndPoint result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.Net.IPEndPoint result) => throw null; public static bool TryParse(string s, out System.Net.IPEndPoint result) => throw null; } - public interface IWebProxy { System.Net.ICredentials Credentials { get; set; } System.Uri GetProxy(System.Uri destination); bool IsBypassed(System.Uri host); } - public class NetworkCredential : System.Net.ICredentials, System.Net.ICredentialsByHost { - public string Domain { get => throw null; set => throw null; } - public System.Net.NetworkCredential GetCredential(System.Uri uri, string authenticationType) => throw null; - public System.Net.NetworkCredential GetCredential(string host, int port, string authenticationType) => throw null; public NetworkCredential() => throw null; public NetworkCredential(string userName, System.Security.SecureString password) => throw null; public NetworkCredential(string userName, System.Security.SecureString password, string domain) => throw null; public NetworkCredential(string userName, string password) => throw null; public NetworkCredential(string userName, string password, string domain) => throw null; - public string Password { get => throw null; set => throw null; } - public System.Security.SecureString SecurePassword { get => throw null; set => throw null; } - public string UserName { get => throw null; set => throw null; } - } - - public class SocketAddress - { - public override bool Equals(object comparand) => throw null; - public System.Net.Sockets.AddressFamily Family { get => throw null; } - public override int GetHashCode() => throw null; - public System.Byte this[int offset] { get => throw null; set => throw null; } - public int Size { get => throw null; } - public SocketAddress(System.Net.Sockets.AddressFamily family) => throw null; - public SocketAddress(System.Net.Sockets.AddressFamily family, int size) => throw null; - public override string ToString() => throw null; - } - - public abstract class TransportContext - { - public abstract System.Security.Authentication.ExtendedProtection.ChannelBinding GetChannelBinding(System.Security.Authentication.ExtendedProtection.ChannelBindingKind kind); - protected TransportContext() => throw null; - } - - namespace Cache - { - public enum RequestCacheLevel : int - { - BypassCache = 1, - CacheIfAvailable = 3, - CacheOnly = 2, - Default = 0, - NoCacheNoStore = 6, - Reload = 5, - Revalidate = 4, - } - - public class RequestCachePolicy - { - public System.Net.Cache.RequestCacheLevel Level { get => throw null; } - public RequestCachePolicy() => throw null; - public RequestCachePolicy(System.Net.Cache.RequestCacheLevel level) => throw null; - public override string ToString() => throw null; - } - + public string Domain { get => throw null; set { } } + public System.Net.NetworkCredential GetCredential(string host, int port, string authenticationType) => throw null; + public System.Net.NetworkCredential GetCredential(System.Uri uri, string authenticationType) => throw null; + public string Password { get => throw null; set { } } + public System.Security.SecureString SecurePassword { get => throw null; set { } } + public string UserName { get => throw null; set { } } } namespace NetworkInformation { @@ -360,202 +322,206 @@ public class IPAddressCollection : System.Collections.Generic.ICollection throw null; public virtual void CopyTo(System.Net.IPAddress[] array, int offset) => throw null; public virtual int Count { get => throw null; } + protected IPAddressCollection() => throw null; public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - protected internal IPAddressCollection() => throw null; public virtual bool IsReadOnly { get => throw null; } - public virtual System.Net.IPAddress this[int index] { get => throw null; } public virtual bool Remove(System.Net.IPAddress address) => throw null; + public virtual System.Net.IPAddress this[int index] { get => throw null; } } - } namespace Security { - public enum AuthenticationLevel : int + public enum AuthenticationLevel { + None = 0, MutualAuthRequested = 1, MutualAuthRequired = 2, - None = 0, } - [System.Flags] - public enum SslPolicyErrors : int + public enum SslPolicyErrors { None = 0, - RemoteCertificateChainErrors = 4, - RemoteCertificateNameMismatch = 2, RemoteCertificateNotAvailable = 1, + RemoteCertificateNameMismatch = 2, + RemoteCertificateChainErrors = 4, } - + } + public class SocketAddress + { + public SocketAddress(System.Net.Sockets.AddressFamily family) => throw null; + public SocketAddress(System.Net.Sockets.AddressFamily family, int size) => throw null; + public override bool Equals(object comparand) => throw null; + public System.Net.Sockets.AddressFamily Family { get => throw null; } + public override int GetHashCode() => throw null; + public int Size { get => throw null; } + public byte this[int offset] { get => throw null; set { } } + public override string ToString() => throw null; } namespace Sockets { - public enum AddressFamily : int + public enum AddressFamily { - AppleTalk = 16, - Atm = 22, - Banyan = 21, - Ccitt = 10, + Unknown = -1, + Unspecified = 0, + Unix = 1, + InterNetwork = 2, + ImpLink = 3, + Pup = 4, Chaos = 5, - Cluster = 24, - ControllerAreaNetwork = 65537, + Ipx = 6, + NS = 6, + Iso = 7, + Osi = 7, + Ecma = 8, DataKit = 9, - DataLink = 13, + Ccitt = 10, + Sna = 11, DecNet = 12, - Ecma = 8, - FireFox = 19, + DataLink = 13, + Lat = 14, HyperChannel = 15, - Ieee12844 = 25, - ImpLink = 3, - InterNetwork = 2, + AppleTalk = 16, + NetBios = 17, + VoiceView = 18, + FireFox = 19, + Banyan = 21, + Atm = 22, InterNetworkV6 = 23, - Ipx = 6, + Cluster = 24, + Ieee12844 = 25, Irda = 26, - Iso = 7, - Lat = 14, - Max = 29, - NS = 6, - NetBios = 17, NetworkDesigners = 28, - Osi = 7, + Max = 29, Packet = 65536, - Pup = 4, - Sna = 11, - Unix = 1, - Unknown = -1, - Unspecified = 0, - VoiceView = 18, + ControllerAreaNetwork = 65537, } - - public enum SocketError : int + public enum SocketError { - AccessDenied = 10013, - AddressAlreadyInUse = 10048, - AddressFamilyNotSupported = 10047, - AddressNotAvailable = 10049, - AlreadyInProgress = 10037, - ConnectionAborted = 10053, - ConnectionRefused = 10061, - ConnectionReset = 10054, - DestinationAddressRequired = 10039, - Disconnecting = 10101, - Fault = 10014, - HostDown = 10064, - HostNotFound = 11001, - HostUnreachable = 10065, + SocketError = -1, + Success = 0, + OperationAborted = 995, IOPending = 997, - InProgress = 10036, Interrupted = 10004, + AccessDenied = 10013, + Fault = 10014, InvalidArgument = 10022, - IsConnected = 10056, + TooManyOpenSockets = 10024, + WouldBlock = 10035, + InProgress = 10036, + AlreadyInProgress = 10037, + NotSocket = 10038, + DestinationAddressRequired = 10039, MessageSize = 10040, + ProtocolType = 10041, + ProtocolOption = 10042, + ProtocolNotSupported = 10043, + SocketNotSupported = 10044, + OperationNotSupported = 10045, + ProtocolFamilyNotSupported = 10046, + AddressFamilyNotSupported = 10047, + AddressAlreadyInUse = 10048, + AddressNotAvailable = 10049, NetworkDown = 10050, - NetworkReset = 10052, NetworkUnreachable = 10051, + NetworkReset = 10052, + ConnectionAborted = 10053, + ConnectionReset = 10054, NoBufferSpaceAvailable = 10055, - NoData = 11004, - NoRecovery = 11003, + IsConnected = 10056, NotConnected = 10057, - NotInitialized = 10093, - NotSocket = 10038, - OperationAborted = 995, - OperationNotSupported = 10045, - ProcessLimit = 10067, - ProtocolFamilyNotSupported = 10046, - ProtocolNotSupported = 10043, - ProtocolOption = 10042, - ProtocolType = 10041, Shutdown = 10058, - SocketError = -1, - SocketNotSupported = 10044, - Success = 0, - SystemNotReady = 10091, TimedOut = 10060, - TooManyOpenSockets = 10024, - TryAgain = 11002, - TypeNotFound = 10109, + ConnectionRefused = 10061, + HostDown = 10064, + HostUnreachable = 10065, + ProcessLimit = 10067, + SystemNotReady = 10091, VersionNotSupported = 10092, - WouldBlock = 10035, + NotInitialized = 10093, + Disconnecting = 10101, + TypeNotFound = 10109, + HostNotFound = 11001, + TryAgain = 11002, + NoRecovery = 11003, + NoData = 11004, } - public class SocketException : System.ComponentModel.Win32Exception { + public SocketException() => throw null; + public SocketException(int errorCode) => throw null; + protected SocketException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override int ErrorCode { get => throw null; } public override string Message { get => throw null; } public System.Net.Sockets.SocketError SocketErrorCode { get => throw null; } - public SocketException() => throw null; - protected SocketException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public SocketException(int errorCode) => throw null; } - + } + public abstract class TransportContext + { + protected TransportContext() => throw null; + public abstract System.Security.Authentication.ExtendedProtection.ChannelBinding GetChannelBinding(System.Security.Authentication.ExtendedProtection.ChannelBindingKind kind); } } namespace Security { namespace Authentication { - public enum CipherAlgorithmType : int + public enum CipherAlgorithmType { - Aes = 26129, - Aes128 = 26126, - Aes192 = 26127, - Aes256 = 26128, - Des = 26113, None = 0, Null = 24576, + Des = 26113, Rc2 = 26114, - Rc4 = 26625, TripleDes = 26115, + Aes128 = 26126, + Aes192 = 26127, + Aes256 = 26128, + Aes = 26129, + Rc4 = 26625, } - - public enum ExchangeAlgorithmType : int + public enum ExchangeAlgorithmType { - DiffieHellman = 43522, None = 0, - RsaKeyX = 41984, RsaSign = 9216, + RsaKeyX = 41984, + DiffieHellman = 43522, } - - public enum HashAlgorithmType : int + namespace ExtendedProtection + { + public abstract class ChannelBinding : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + { + protected ChannelBinding() : base(default(bool)) => throw null; + protected ChannelBinding(bool ownsHandle) : base(default(bool)) => throw null; + public abstract int Size { get; } + } + public enum ChannelBindingKind + { + Unknown = 0, + Unique = 25, + Endpoint = 26, + } + } + public enum HashAlgorithmType { - Md5 = 32771, None = 0, + Md5 = 32771, Sha1 = 32772, Sha256 = 32780, Sha384 = 32781, Sha512 = 32782, } - [System.Flags] - public enum SslProtocols : int + public enum SslProtocols { - Default = 240, None = 0, Ssl2 = 12, Ssl3 = 48, Tls = 192, + Default = 240, Tls11 = 768, Tls12 = 3072, Tls13 = 12288, } - - namespace ExtendedProtection - { - public abstract class ChannelBinding : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid - { - protected ChannelBinding() : base(default(bool)) => throw null; - protected ChannelBinding(bool ownsHandle) : base(default(bool)) => throw null; - public abstract int Size { get; } - } - - public enum ChannelBindingKind : int - { - Endpoint = 26, - Unique = 25, - Unknown = 0, - } - - } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Quic.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Quic.cs index 50defa4c18d1..c2fa9f5de489 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Quic.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Quic.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Quic, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -8,25 +7,23 @@ namespace Net namespace Quic { [System.Flags] - public enum QuicAbortDirection : int + public enum QuicAbortDirection { - Both = 3, Read = 1, Write = 2, + Both = 3, } - - public class QuicClientConnectionOptions : System.Net.Quic.QuicConnectionOptions + public sealed class QuicClientConnectionOptions : System.Net.Quic.QuicConnectionOptions { - public System.Net.Security.SslClientAuthenticationOptions ClientAuthenticationOptions { get => throw null; set => throw null; } - public System.Net.IPEndPoint LocalEndPoint { get => throw null; set => throw null; } + public System.Net.Security.SslClientAuthenticationOptions ClientAuthenticationOptions { get => throw null; set { } } public QuicClientConnectionOptions() => throw null; - public System.Net.EndPoint RemoteEndPoint { get => throw null; set => throw null; } + public System.Net.IPEndPoint LocalEndPoint { get => throw null; set { } } + public System.Net.EndPoint RemoteEndPoint { get => throw null; set { } } } - - public class QuicConnection : System.IAsyncDisposable + public sealed class QuicConnection : System.IAsyncDisposable { public System.Threading.Tasks.ValueTask AcceptInboundStreamAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask CloseAsync(System.Int64 errorCode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask CloseAsync(long errorCode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask ConnectAsync(System.Net.Quic.QuicClientConnectionOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public static bool IsSupported { get => throw null; } @@ -37,42 +34,37 @@ public class QuicConnection : System.IAsyncDisposable public System.Net.IPEndPoint RemoteEndPoint { get => throw null; } public override string ToString() => throw null; } - public abstract class QuicConnectionOptions { - public System.Int64 DefaultCloseErrorCode { get => throw null; set => throw null; } - public System.Int64 DefaultStreamErrorCode { get => throw null; set => throw null; } - public System.TimeSpan IdleTimeout { get => throw null; set => throw null; } - public int MaxInboundBidirectionalStreams { get => throw null; set => throw null; } - public int MaxInboundUnidirectionalStreams { get => throw null; set => throw null; } - internal QuicConnectionOptions() => throw null; + public long DefaultCloseErrorCode { get => throw null; set { } } + public long DefaultStreamErrorCode { get => throw null; set { } } + public System.TimeSpan IdleTimeout { get => throw null; set { } } + public int MaxInboundBidirectionalStreams { get => throw null; set { } } + public int MaxInboundUnidirectionalStreams { get => throw null; set { } } } - - public enum QuicError : int + public enum QuicError { - AddressInUse = 4, + Success = 0, + InternalError = 1, ConnectionAborted = 2, - ConnectionIdle = 10, - ConnectionRefused = 8, + StreamAborted = 3, + AddressInUse = 4, + InvalidAddress = 5, ConnectionTimeout = 6, HostUnreachable = 7, - InternalError = 1, - InvalidAddress = 5, - OperationAborted = 12, - ProtocolError = 11, - StreamAborted = 3, - Success = 0, + ConnectionRefused = 8, VersionNegotiationError = 9, + ConnectionIdle = 10, + ProtocolError = 11, + OperationAborted = 12, } - - public class QuicException : System.IO.IOException + public sealed class QuicException : System.IO.IOException { - public System.Int64? ApplicationErrorCode { get => throw null; } + public long? ApplicationErrorCode { get => throw null; } + public QuicException(System.Net.Quic.QuicError error, long? applicationErrorCode, string message) => throw null; public System.Net.Quic.QuicError QuicError { get => throw null; } - public QuicException(System.Net.Quic.QuicError error, System.Int64? applicationErrorCode, string message) => throw null; } - - public class QuicListener : System.IAsyncDisposable + public sealed class QuicListener : System.IAsyncDisposable { public System.Threading.Tasks.ValueTask AcceptConnectionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; @@ -81,27 +73,24 @@ public class QuicListener : System.IAsyncDisposable public System.Net.IPEndPoint LocalEndPoint { get => throw null; } public override string ToString() => throw null; } - - public class QuicListenerOptions + public sealed class QuicListenerOptions { - public System.Collections.Generic.List ApplicationProtocols { get => throw null; set => throw null; } - public System.Func> ConnectionOptionsCallback { get => throw null; set => throw null; } - public int ListenBacklog { get => throw null; set => throw null; } - public System.Net.IPEndPoint ListenEndPoint { get => throw null; set => throw null; } + public System.Collections.Generic.List ApplicationProtocols { get => throw null; set { } } + public System.Func> ConnectionOptionsCallback { get => throw null; set { } } public QuicListenerOptions() => throw null; + public int ListenBacklog { get => throw null; set { } } + public System.Net.IPEndPoint ListenEndPoint { get => throw null; set { } } } - - public class QuicServerConnectionOptions : System.Net.Quic.QuicConnectionOptions + public sealed class QuicServerConnectionOptions : System.Net.Quic.QuicConnectionOptions { public QuicServerConnectionOptions() => throw null; - public System.Net.Security.SslServerAuthenticationOptions ServerAuthenticationOptions { get => throw null; set => throw null; } + public System.Net.Security.SslServerAuthenticationOptions ServerAuthenticationOptions { get => throw null; set { } } } - - public class QuicStream : System.IO.Stream + public sealed class QuicStream : System.IO.Stream { - public void Abort(System.Net.Quic.QuicAbortDirection abortDirection, System.Int64 errorCode) => throw null; - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public void Abort(System.Net.Quic.QuicAbortDirection abortDirection, long errorCode) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanTimeout { get => throw null; } @@ -113,35 +102,33 @@ public class QuicStream : System.IO.Stream public override void EndWrite(System.IAsyncResult asyncResult) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Int64 Id { get => throw null; } - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public long Id { get => throw null; } + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override int ReadTimeout { get => throw null; set => throw null; } public System.Threading.Tasks.Task ReadsClosed { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; + public override int ReadTimeout { get => throw null; set { } } + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; public System.Net.Quic.QuicStreamType Type { get => throw null; } - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, bool completeWrites, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - public override int WriteTimeout { get => throw null; set => throw null; } + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, bool completeWrites, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; public System.Threading.Tasks.Task WritesClosed { get => throw null; } + public override int WriteTimeout { get => throw null; set { } } } - - public enum QuicStreamType : int + public enum QuicStreamType { - Bidirectional = 1, Unidirectional = 0, + Bidirectional = 1, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs index 6e9d1c2ecada..9f385a4b8273 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Requests, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -8,7 +7,7 @@ namespace Net public class AuthenticationManager { public static System.Net.Authorization Authenticate(string challenge, System.Net.WebRequest request, System.Net.ICredentials credentials) => throw null; - public static System.Net.ICredentialPolicy CredentialPolicy { get => throw null; set => throw null; } + public static System.Net.ICredentialPolicy CredentialPolicy { get => throw null; set { } } public static System.Collections.Specialized.StringDictionary CustomTargetNameDictionary { get => throw null; } public static System.Net.Authorization PreAuthenticate(System.Net.WebRequest request, System.Net.ICredentials credentials) => throw null; public static void Register(System.Net.IAuthenticationModule authenticationModule) => throw null; @@ -16,31 +15,68 @@ public class AuthenticationManager public static void Unregister(System.Net.IAuthenticationModule authenticationModule) => throw null; public static void Unregister(string authenticationScheme) => throw null; } - public class Authorization { + public bool Complete { get => throw null; } + public string ConnectionGroupId { get => throw null; } public Authorization(string token) => throw null; public Authorization(string token, bool finished) => throw null; public Authorization(string token, bool finished, string connectionGroupId) => throw null; - public bool Complete { get => throw null; } - public string ConnectionGroupId { get => throw null; } public string Message { get => throw null; } - public bool MutuallyAuthenticated { get => throw null; set => throw null; } - public string[] ProtectionRealm { get => throw null; set => throw null; } + public bool MutuallyAuthenticated { get => throw null; set { } } + public string[] ProtectionRealm { get => throw null; set { } } + } + namespace Cache + { + public enum HttpCacheAgeControl + { + None = 0, + MinFresh = 1, + MaxAge = 2, + MaxAgeAndMinFresh = 3, + MaxStale = 4, + MaxAgeAndMaxStale = 6, + } + public enum HttpRequestCacheLevel + { + Default = 0, + BypassCache = 1, + CacheOnly = 2, + CacheIfAvailable = 3, + Revalidate = 4, + Reload = 5, + NoCacheNoStore = 6, + CacheOrNextCacheOnly = 7, + Refresh = 8, + } + public class HttpRequestCachePolicy : System.Net.Cache.RequestCachePolicy + { + public System.DateTime CacheSyncDate { get => throw null; } + public HttpRequestCachePolicy() => throw null; + public HttpRequestCachePolicy(System.DateTime cacheSyncDate) => throw null; + public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan ageOrFreshOrStale) => throw null; + public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan maxAge, System.TimeSpan freshOrStale) => throw null; + public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan maxAge, System.TimeSpan freshOrStale, System.DateTime cacheSyncDate) => throw null; + public HttpRequestCachePolicy(System.Net.Cache.HttpRequestCacheLevel level) => throw null; + public System.Net.Cache.HttpRequestCacheLevel Level { get => throw null; } + public System.TimeSpan MaxAge { get => throw null; } + public System.TimeSpan MaxStale { get => throw null; } + public System.TimeSpan MinFresh { get => throw null; } + public override string ToString() => throw null; + } } - public class FileWebRequest : System.Net.WebRequest, System.Runtime.Serialization.ISerializable { public override void Abort() => throw null; public override System.IAsyncResult BeginGetRequestStream(System.AsyncCallback callback, object state) => throw null; public override System.IAsyncResult BeginGetResponse(System.AsyncCallback callback, object state) => throw null; - public override string ConnectionGroupName { get => throw null; set => throw null; } - public override System.Int64 ContentLength { get => throw null; set => throw null; } - public override string ContentType { get => throw null; set => throw null; } - public override System.Net.ICredentials Credentials { get => throw null; set => throw null; } + public override string ConnectionGroupName { get => throw null; set { } } + public override long ContentLength { get => throw null; set { } } + public override string ContentType { get => throw null; set { } } + public override System.Net.ICredentials Credentials { get => throw null; set { } } + protected FileWebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override System.IO.Stream EndGetRequestStream(System.IAsyncResult asyncResult) => throw null; public override System.Net.WebResponse EndGetResponse(System.IAsyncResult asyncResult) => throw null; - protected FileWebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; protected override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override System.IO.Stream GetRequestStream() => throw null; @@ -48,18 +84,17 @@ public class FileWebRequest : System.Net.WebRequest, System.Runtime.Serializatio public override System.Net.WebResponse GetResponse() => throw null; public override System.Threading.Tasks.Task GetResponseAsync() => throw null; public override System.Net.WebHeaderCollection Headers { get => throw null; } - public override string Method { get => throw null; set => throw null; } - public override bool PreAuthenticate { get => throw null; set => throw null; } - public override System.Net.IWebProxy Proxy { get => throw null; set => throw null; } + public override string Method { get => throw null; set { } } + public override bool PreAuthenticate { get => throw null; set { } } + public override System.Net.IWebProxy Proxy { get => throw null; set { } } public override System.Uri RequestUri { get => throw null; } - public override int Timeout { get => throw null; set => throw null; } - public override bool UseDefaultCredentials { get => throw null; set => throw null; } + public override int Timeout { get => throw null; set { } } + public override bool UseDefaultCredentials { get => throw null; set { } } } - public class FileWebResponse : System.Net.WebResponse, System.Runtime.Serialization.ISerializable { public override void Close() => throw null; - public override System.Int64 ContentLength { get => throw null; } + public override long ContentLength { get => throw null; } public override string ContentType { get => throw null; } protected FileWebResponse(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; protected override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; @@ -69,85 +104,82 @@ public class FileWebResponse : System.Net.WebResponse, System.Runtime.Serializat public override System.Uri ResponseUri { get => throw null; } public override bool SupportsHeaders { get => throw null; } } - - public enum FtpStatusCode : int + public enum FtpStatusCode { - AccountNeeded = 532, - ActionAbortedLocalProcessingError = 451, - ActionAbortedUnknownPageType = 551, - ActionNotTakenFileUnavailable = 550, - ActionNotTakenFileUnavailableOrBusy = 450, - ActionNotTakenFilenameNotAllowed = 553, - ActionNotTakenInsufficientSpace = 452, - ArgumentSyntaxError = 501, - BadCommandSequence = 503, - CantOpenData = 425, - ClosingControl = 221, - ClosingData = 226, - CommandExtraneous = 202, - CommandNotImplemented = 502, - CommandOK = 200, - CommandSyntaxError = 500, - ConnectionClosed = 426, + Undefined = 0, + RestartMarker = 110, + ServiceTemporarilyNotAvailable = 120, DataAlreadyOpen = 125, + OpeningData = 150, + CommandOK = 200, + CommandExtraneous = 202, DirectoryStatus = 212, - EnteringPassive = 227, - FileActionAborted = 552, - FileActionOK = 250, - FileCommandPending = 350, FileStatus = 213, + SystemType = 215, + SendUserCommand = 220, + ClosingControl = 221, + ClosingData = 226, + EnteringPassive = 227, LoggedInProceed = 230, - NeedLoginAccount = 332, - NotLoggedIn = 530, - OpeningData = 150, + ServerWantsSecureSession = 234, + FileActionOK = 250, PathnameCreated = 257, - RestartMarker = 110, SendPasswordCommand = 331, - SendUserCommand = 220, - ServerWantsSecureSession = 234, + NeedLoginAccount = 332, + FileCommandPending = 350, ServiceNotAvailable = 421, - ServiceTemporarilyNotAvailable = 120, - SystemType = 215, - Undefined = 0, + CantOpenData = 425, + ConnectionClosed = 426, + ActionNotTakenFileUnavailableOrBusy = 450, + ActionAbortedLocalProcessingError = 451, + ActionNotTakenInsufficientSpace = 452, + CommandSyntaxError = 500, + ArgumentSyntaxError = 501, + CommandNotImplemented = 502, + BadCommandSequence = 503, + NotLoggedIn = 530, + AccountNeeded = 532, + ActionNotTakenFileUnavailable = 550, + ActionAbortedUnknownPageType = 551, + FileActionAborted = 552, + ActionNotTakenFilenameNotAllowed = 553, } - - public class FtpWebRequest : System.Net.WebRequest + public sealed class FtpWebRequest : System.Net.WebRequest { public override void Abort() => throw null; public override System.IAsyncResult BeginGetRequestStream(System.AsyncCallback callback, object state) => throw null; public override System.IAsyncResult BeginGetResponse(System.AsyncCallback callback, object state) => throw null; - public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set => throw null; } - public override string ConnectionGroupName { get => throw null; set => throw null; } - public override System.Int64 ContentLength { get => throw null; set => throw null; } - public System.Int64 ContentOffset { get => throw null; set => throw null; } - public override string ContentType { get => throw null; set => throw null; } - public override System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set => throw null; } - public bool EnableSsl { get => throw null; set => throw null; } + public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set { } } + public override string ConnectionGroupName { get => throw null; set { } } + public override long ContentLength { get => throw null; set { } } + public long ContentOffset { get => throw null; set { } } + public override string ContentType { get => throw null; set { } } + public override System.Net.ICredentials Credentials { get => throw null; set { } } + public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set { } } + public bool EnableSsl { get => throw null; set { } } public override System.IO.Stream EndGetRequestStream(System.IAsyncResult asyncResult) => throw null; public override System.Net.WebResponse EndGetResponse(System.IAsyncResult asyncResult) => throw null; public override System.IO.Stream GetRequestStream() => throw null; public override System.Net.WebResponse GetResponse() => throw null; - public override System.Net.WebHeaderCollection Headers { get => throw null; set => throw null; } - public bool KeepAlive { get => throw null; set => throw null; } - public override string Method { get => throw null; set => throw null; } - public override bool PreAuthenticate { get => throw null; set => throw null; } - public override System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - public int ReadWriteTimeout { get => throw null; set => throw null; } - public string RenameTo { get => throw null; set => throw null; } + public override System.Net.WebHeaderCollection Headers { get => throw null; set { } } + public bool KeepAlive { get => throw null; set { } } + public override string Method { get => throw null; set { } } + public override bool PreAuthenticate { get => throw null; set { } } + public override System.Net.IWebProxy Proxy { get => throw null; set { } } + public int ReadWriteTimeout { get => throw null; set { } } + public string RenameTo { get => throw null; set { } } public override System.Uri RequestUri { get => throw null; } public System.Net.ServicePoint ServicePoint { get => throw null; } - public override int Timeout { get => throw null; set => throw null; } - public bool UseBinary { get => throw null; set => throw null; } - public override bool UseDefaultCredentials { get => throw null; set => throw null; } - public bool UsePassive { get => throw null; set => throw null; } + public override int Timeout { get => throw null; set { } } + public bool UseBinary { get => throw null; set { } } + public override bool UseDefaultCredentials { get => throw null; set { } } + public bool UsePassive { get => throw null; set { } } } - public class FtpWebResponse : System.Net.WebResponse, System.IDisposable { public string BannerMessage { get => throw null; } public override void Close() => throw null; - public override System.Int64 ContentLength { get => throw null; } + public override long ContentLength { get => throw null; } public string ExitMessage { get => throw null; } public override System.IO.Stream GetResponseStream() => throw null; public override System.Net.WebHeaderCollection Headers { get => throw null; } @@ -158,101 +190,97 @@ public class FtpWebResponse : System.Net.WebResponse, System.IDisposable public override bool SupportsHeaders { get => throw null; } public string WelcomeMessage { get => throw null; } } - public class GlobalProxySelection { - public static System.Net.IWebProxy GetEmptyWebProxy() => throw null; public GlobalProxySelection() => throw null; - public static System.Net.IWebProxy Select { get => throw null; set => throw null; } + public static System.Net.IWebProxy GetEmptyWebProxy() => throw null; + public static System.Net.IWebProxy Select { get => throw null; set { } } } - public delegate void HttpContinueDelegate(int StatusCode, System.Net.WebHeaderCollection httpHeaders); - public class HttpWebRequest : System.Net.WebRequest, System.Runtime.Serialization.ISerializable { public override void Abort() => throw null; - public string Accept { get => throw null; set => throw null; } + public string Accept { get => throw null; set { } } public void AddRange(int range) => throw null; public void AddRange(int from, int to) => throw null; - public void AddRange(System.Int64 range) => throw null; - public void AddRange(System.Int64 from, System.Int64 to) => throw null; + public void AddRange(long range) => throw null; + public void AddRange(long from, long to) => throw null; public void AddRange(string rangeSpecifier, int range) => throw null; public void AddRange(string rangeSpecifier, int from, int to) => throw null; - public void AddRange(string rangeSpecifier, System.Int64 range) => throw null; - public void AddRange(string rangeSpecifier, System.Int64 from, System.Int64 to) => throw null; + public void AddRange(string rangeSpecifier, long range) => throw null; + public void AddRange(string rangeSpecifier, long from, long to) => throw null; public System.Uri Address { get => throw null; } - public virtual bool AllowAutoRedirect { get => throw null; set => throw null; } - public virtual bool AllowReadStreamBuffering { get => throw null; set => throw null; } - public virtual bool AllowWriteStreamBuffering { get => throw null; set => throw null; } - public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set => throw null; } + public virtual bool AllowAutoRedirect { get => throw null; set { } } + public virtual bool AllowReadStreamBuffering { get => throw null; set { } } + public virtual bool AllowWriteStreamBuffering { get => throw null; set { } } + public System.Net.DecompressionMethods AutomaticDecompression { get => throw null; set { } } public override System.IAsyncResult BeginGetRequestStream(System.AsyncCallback callback, object state) => throw null; public override System.IAsyncResult BeginGetResponse(System.AsyncCallback callback, object state) => throw null; - public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set => throw null; } - public string Connection { get => throw null; set => throw null; } - public override string ConnectionGroupName { get => throw null; set => throw null; } - public override System.Int64 ContentLength { get => throw null; set => throw null; } - public override string ContentType { get => throw null; set => throw null; } - public System.Net.HttpContinueDelegate ContinueDelegate { get => throw null; set => throw null; } - public int ContinueTimeout { get => throw null; set => throw null; } - public virtual System.Net.CookieContainer CookieContainer { get => throw null; set => throw null; } - public override System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public System.DateTime Date { get => throw null; set => throw null; } - public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set => throw null; } - public static int DefaultMaximumErrorResponseLength { get => throw null; set => throw null; } - public static int DefaultMaximumResponseHeadersLength { get => throw null; set => throw null; } + public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set { } } + public string Connection { get => throw null; set { } } + public override string ConnectionGroupName { get => throw null; set { } } + public override long ContentLength { get => throw null; set { } } + public override string ContentType { get => throw null; set { } } + public System.Net.HttpContinueDelegate ContinueDelegate { get => throw null; set { } } + public int ContinueTimeout { get => throw null; set { } } + public virtual System.Net.CookieContainer CookieContainer { get => throw null; set { } } + public override System.Net.ICredentials Credentials { get => throw null; set { } } + protected HttpWebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public System.DateTime Date { get => throw null; set { } } + public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set { } } + public static int DefaultMaximumErrorResponseLength { get => throw null; set { } } + public static int DefaultMaximumResponseHeadersLength { get => throw null; set { } } public override System.IO.Stream EndGetRequestStream(System.IAsyncResult asyncResult) => throw null; public System.IO.Stream EndGetRequestStream(System.IAsyncResult asyncResult, out System.Net.TransportContext context) => throw null; public override System.Net.WebResponse EndGetResponse(System.IAsyncResult asyncResult) => throw null; - public string Expect { get => throw null; set => throw null; } + public string Expect { get => throw null; set { } } protected override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override System.IO.Stream GetRequestStream() => throw null; public System.IO.Stream GetRequestStream(out System.Net.TransportContext context) => throw null; public override System.Net.WebResponse GetResponse() => throw null; public virtual bool HaveResponse { get => throw null; } - public override System.Net.WebHeaderCollection Headers { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } - protected HttpWebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public System.DateTime IfModifiedSince { get => throw null; set => throw null; } - public bool KeepAlive { get => throw null; set => throw null; } - public int MaximumAutomaticRedirections { get => throw null; set => throw null; } - public int MaximumResponseHeadersLength { get => throw null; set => throw null; } - public string MediaType { get => throw null; set => throw null; } - public override string Method { get => throw null; set => throw null; } - public bool Pipelined { get => throw null; set => throw null; } - public override bool PreAuthenticate { get => throw null; set => throw null; } - public System.Version ProtocolVersion { get => throw null; set => throw null; } - public override System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - public int ReadWriteTimeout { get => throw null; set => throw null; } - public string Referer { get => throw null; set => throw null; } + public override System.Net.WebHeaderCollection Headers { get => throw null; set { } } + public string Host { get => throw null; set { } } + public System.DateTime IfModifiedSince { get => throw null; set { } } + public bool KeepAlive { get => throw null; set { } } + public int MaximumAutomaticRedirections { get => throw null; set { } } + public int MaximumResponseHeadersLength { get => throw null; set { } } + public string MediaType { get => throw null; set { } } + public override string Method { get => throw null; set { } } + public bool Pipelined { get => throw null; set { } } + public override bool PreAuthenticate { get => throw null; set { } } + public System.Version ProtocolVersion { get => throw null; set { } } + public override System.Net.IWebProxy Proxy { get => throw null; set { } } + public int ReadWriteTimeout { get => throw null; set { } } + public string Referer { get => throw null; set { } } public override System.Uri RequestUri { get => throw null; } - public bool SendChunked { get => throw null; set => throw null; } - public System.Net.Security.RemoteCertificateValidationCallback ServerCertificateValidationCallback { get => throw null; set => throw null; } + public bool SendChunked { get => throw null; set { } } + public System.Net.Security.RemoteCertificateValidationCallback ServerCertificateValidationCallback { get => throw null; set { } } public System.Net.ServicePoint ServicePoint { get => throw null; } public virtual bool SupportsCookieContainer { get => throw null; } - public override int Timeout { get => throw null; set => throw null; } - public string TransferEncoding { get => throw null; set => throw null; } - public bool UnsafeAuthenticatedConnectionSharing { get => throw null; set => throw null; } - public override bool UseDefaultCredentials { get => throw null; set => throw null; } - public string UserAgent { get => throw null; set => throw null; } + public override int Timeout { get => throw null; set { } } + public string TransferEncoding { get => throw null; set { } } + public bool UnsafeAuthenticatedConnectionSharing { get => throw null; set { } } + public override bool UseDefaultCredentials { get => throw null; set { } } + public string UserAgent { get => throw null; set { } } } - public class HttpWebResponse : System.Net.WebResponse, System.Runtime.Serialization.ISerializable { public string CharacterSet { get => throw null; } public override void Close() => throw null; public string ContentEncoding { get => throw null; } - public override System.Int64 ContentLength { get => throw null; } + public override long ContentLength { get => throw null; } public override string ContentType { get => throw null; } - public virtual System.Net.CookieCollection Cookies { get => throw null; set => throw null; } + public virtual System.Net.CookieCollection Cookies { get => throw null; set { } } + public HttpWebResponse() => throw null; + protected HttpWebResponse(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; protected override void Dispose(bool disposing) => throw null; protected override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public string GetResponseHeader(string headerName) => throw null; public override System.IO.Stream GetResponseStream() => throw null; public override System.Net.WebHeaderCollection Headers { get => throw null; } - public HttpWebResponse() => throw null; - protected HttpWebResponse(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override bool IsMutuallyAuthenticated { get => throw null; } public System.DateTime LastModified { get => throw null; } public virtual string Method { get => throw null; } @@ -263,7 +291,6 @@ public class HttpWebResponse : System.Net.WebResponse, System.Runtime.Serializat public virtual string StatusDescription { get => throw null; } public override bool SupportsHeaders { get => throw null; } } - public interface IAuthenticationModule { System.Net.Authorization Authenticate(string challenge, System.Net.WebRequest request, System.Net.ICredentials credentials); @@ -271,83 +298,79 @@ public interface IAuthenticationModule bool CanPreAuthenticate { get; } System.Net.Authorization PreAuthenticate(System.Net.WebRequest request, System.Net.ICredentials credentials); } - public interface ICredentialPolicy { bool ShouldSendCredential(System.Uri challengeUri, System.Net.WebRequest request, System.Net.NetworkCredential credential, System.Net.IAuthenticationModule authenticationModule); } - public interface IWebRequestCreate { System.Net.WebRequest Create(System.Uri uri); } - public class ProtocolViolationException : System.InvalidOperationException, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public ProtocolViolationException() => throw null; protected ProtocolViolationException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public ProtocolViolationException(string message) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - public class WebException : System.InvalidOperationException, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public System.Net.WebResponse Response { get => throw null; } - public System.Net.WebExceptionStatus Status { get => throw null; } public WebException() => throw null; protected WebException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public WebException(string message) => throw null; public WebException(string message, System.Exception innerException) => throw null; public WebException(string message, System.Exception innerException, System.Net.WebExceptionStatus status, System.Net.WebResponse response) => throw null; public WebException(string message, System.Net.WebExceptionStatus status) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public System.Net.WebResponse Response { get => throw null; } + public System.Net.WebExceptionStatus Status { get => throw null; } } - - public enum WebExceptionStatus : int + public enum WebExceptionStatus { - CacheEntryNotFound = 18, - ConnectFailure = 2, - ConnectionClosed = 8, - KeepAliveFailure = 12, - MessageLengthLimitExceeded = 17, + Success = 0, NameResolutionFailure = 1, - Pending = 13, - PipelineFailure = 5, - ProtocolError = 7, - ProxyNameResolutionFailure = 15, + ConnectFailure = 2, ReceiveFailure = 3, + SendFailure = 4, + PipelineFailure = 5, RequestCanceled = 6, - RequestProhibitedByCachePolicy = 19, - RequestProhibitedByProxy = 20, + ProtocolError = 7, + ConnectionClosed = 8, + TrustFailure = 9, SecureChannelFailure = 10, - SendFailure = 4, ServerProtocolViolation = 11, - Success = 0, + KeepAliveFailure = 12, + Pending = 13, Timeout = 14, - TrustFailure = 9, + ProxyNameResolutionFailure = 15, UnknownError = 16, + MessageLengthLimitExceeded = 17, + CacheEntryNotFound = 18, + RequestProhibitedByCachePolicy = 19, + RequestProhibitedByProxy = 20, } - public abstract class WebRequest : System.MarshalByRefObject, System.Runtime.Serialization.ISerializable { public virtual void Abort() => throw null; - public System.Net.Security.AuthenticationLevel AuthenticationLevel { get => throw null; set => throw null; } + public System.Net.Security.AuthenticationLevel AuthenticationLevel { get => throw null; set { } } public virtual System.IAsyncResult BeginGetRequestStream(System.AsyncCallback callback, object state) => throw null; public virtual System.IAsyncResult BeginGetResponse(System.AsyncCallback callback, object state) => throw null; - public virtual System.Net.Cache.RequestCachePolicy CachePolicy { get => throw null; set => throw null; } - public virtual string ConnectionGroupName { get => throw null; set => throw null; } - public virtual System.Int64 ContentLength { get => throw null; set => throw null; } - public virtual string ContentType { get => throw null; set => throw null; } - public static System.Net.WebRequest Create(System.Uri requestUri) => throw null; + public virtual System.Net.Cache.RequestCachePolicy CachePolicy { get => throw null; set { } } + public virtual string ConnectionGroupName { get => throw null; set { } } + public virtual long ContentLength { get => throw null; set { } } + public virtual string ContentType { get => throw null; set { } } public static System.Net.WebRequest Create(string requestUriString) => throw null; + public static System.Net.WebRequest Create(System.Uri requestUri) => throw null; public static System.Net.WebRequest CreateDefault(System.Uri requestUri) => throw null; - public static System.Net.HttpWebRequest CreateHttp(System.Uri requestUri) => throw null; public static System.Net.HttpWebRequest CreateHttp(string requestUriString) => throw null; - public virtual System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set => throw null; } - public static System.Net.IWebProxy DefaultWebProxy { get => throw null; set => throw null; } + public static System.Net.HttpWebRequest CreateHttp(System.Uri requestUri) => throw null; + public virtual System.Net.ICredentials Credentials { get => throw null; set { } } + protected WebRequest() => throw null; + protected WebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public static System.Net.Cache.RequestCachePolicy DefaultCachePolicy { get => throw null; set { } } + public static System.Net.IWebProxy DefaultWebProxy { get => throw null; set { } } public virtual System.IO.Stream EndGetRequestStream(System.IAsyncResult asyncResult) => throw null; public virtual System.Net.WebResponse EndGetResponse(System.IAsyncResult asyncResult) => throw null; protected virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; @@ -357,64 +380,56 @@ public abstract class WebRequest : System.MarshalByRefObject, System.Runtime.Ser public virtual System.Net.WebResponse GetResponse() => throw null; public virtual System.Threading.Tasks.Task GetResponseAsync() => throw null; public static System.Net.IWebProxy GetSystemWebProxy() => throw null; - public virtual System.Net.WebHeaderCollection Headers { get => throw null; set => throw null; } - public System.Security.Principal.TokenImpersonationLevel ImpersonationLevel { get => throw null; set => throw null; } - public virtual string Method { get => throw null; set => throw null; } - public virtual bool PreAuthenticate { get => throw null; set => throw null; } - public virtual System.Net.IWebProxy Proxy { get => throw null; set => throw null; } + public virtual System.Net.WebHeaderCollection Headers { get => throw null; set { } } + public System.Security.Principal.TokenImpersonationLevel ImpersonationLevel { get => throw null; set { } } + public virtual string Method { get => throw null; set { } } + public virtual bool PreAuthenticate { get => throw null; set { } } + public virtual System.Net.IWebProxy Proxy { get => throw null; set { } } public static bool RegisterPrefix(string prefix, System.Net.IWebRequestCreate creator) => throw null; public virtual System.Uri RequestUri { get => throw null; } - public virtual int Timeout { get => throw null; set => throw null; } - public virtual bool UseDefaultCredentials { get => throw null; set => throw null; } - protected WebRequest() => throw null; - protected WebRequest(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public virtual int Timeout { get => throw null; set { } } + public virtual bool UseDefaultCredentials { get => throw null; set { } } } - public static class WebRequestMethods { public static class File { - public const string DownloadFile = default; - public const string UploadFile = default; + public static string DownloadFile; + public static string UploadFile; } - - public static class Ftp { - public const string AppendFile = default; - public const string DeleteFile = default; - public const string DownloadFile = default; - public const string GetDateTimestamp = default; - public const string GetFileSize = default; - public const string ListDirectory = default; - public const string ListDirectoryDetails = default; - public const string MakeDirectory = default; - public const string PrintWorkingDirectory = default; - public const string RemoveDirectory = default; - public const string Rename = default; - public const string UploadFile = default; - public const string UploadFileWithUniqueName = default; + public static string AppendFile; + public static string DeleteFile; + public static string DownloadFile; + public static string GetDateTimestamp; + public static string GetFileSize; + public static string ListDirectory; + public static string ListDirectoryDetails; + public static string MakeDirectory; + public static string PrintWorkingDirectory; + public static string RemoveDirectory; + public static string Rename; + public static string UploadFile; + public static string UploadFileWithUniqueName; } - - public static class Http { - public const string Connect = default; - public const string Get = default; - public const string Head = default; - public const string MkCol = default; - public const string Post = default; - public const string Put = default; + public static string Connect; + public static string Get; + public static string Head; + public static string MkCol; + public static string Post; + public static string Put; } - - } - public abstract class WebResponse : System.MarshalByRefObject, System.IDisposable, System.Runtime.Serialization.ISerializable { public virtual void Close() => throw null; - public virtual System.Int64 ContentLength { get => throw null; set => throw null; } - public virtual string ContentType { get => throw null; set => throw null; } + public virtual long ContentLength { get => throw null; set { } } + public virtual string ContentType { get => throw null; set { } } + protected WebResponse() => throw null; + protected WebResponse(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; protected virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; @@ -425,51 +440,6 @@ public abstract class WebResponse : System.MarshalByRefObject, System.IDisposabl public virtual bool IsMutuallyAuthenticated { get => throw null; } public virtual System.Uri ResponseUri { get => throw null; } public virtual bool SupportsHeaders { get => throw null; } - protected WebResponse() => throw null; - protected WebResponse(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - } - - namespace Cache - { - public enum HttpCacheAgeControl : int - { - MaxAge = 2, - MaxAgeAndMaxStale = 6, - MaxAgeAndMinFresh = 3, - MaxStale = 4, - MinFresh = 1, - None = 0, - } - - public enum HttpRequestCacheLevel : int - { - BypassCache = 1, - CacheIfAvailable = 3, - CacheOnly = 2, - CacheOrNextCacheOnly = 7, - Default = 0, - NoCacheNoStore = 6, - Refresh = 8, - Reload = 5, - Revalidate = 4, - } - - public class HttpRequestCachePolicy : System.Net.Cache.RequestCachePolicy - { - public System.DateTime CacheSyncDate { get => throw null; } - public HttpRequestCachePolicy() => throw null; - public HttpRequestCachePolicy(System.DateTime cacheSyncDate) => throw null; - public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan ageOrFreshOrStale) => throw null; - public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan maxAge, System.TimeSpan freshOrStale) => throw null; - public HttpRequestCachePolicy(System.Net.Cache.HttpCacheAgeControl cacheAgeControl, System.TimeSpan maxAge, System.TimeSpan freshOrStale, System.DateTime cacheSyncDate) => throw null; - public HttpRequestCachePolicy(System.Net.Cache.HttpRequestCacheLevel level) => throw null; - public System.Net.Cache.HttpRequestCacheLevel Level { get => throw null; } - public System.TimeSpan MaxAge { get => throw null; } - public System.TimeSpan MaxStale { get => throw null; } - public System.TimeSpan MinFresh { get => throw null; } - public override string ToString() => throw null; - } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Security.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Security.cs index 120e83ce903d..aac87009ee0b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Security.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Security.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Security, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -20,26 +19,24 @@ public abstract class AuthenticatedStream : System.IO.Stream public abstract bool IsSigned { get; } public bool LeaveInnerStreamOpen { get => throw null; } } - - public class CipherSuitesPolicy + public sealed class CipherSuitesPolicy { public System.Collections.Generic.IEnumerable AllowedCipherSuites { get => throw null; } public CipherSuitesPolicy(System.Collections.Generic.IEnumerable allowedCipherSuites) => throw null; } - - public enum EncryptionPolicy : int + public enum EncryptionPolicy { + RequireEncryption = 0, AllowNoEncryption = 1, NoEncryption = 2, - RequireEncryption = 0, } - public delegate System.Security.Cryptography.X509Certificates.X509Certificate LocalCertificateSelectionCallback(object sender, string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection localCertificates, System.Security.Cryptography.X509Certificates.X509Certificate remoteCertificate, string[] acceptableIssuers); - - public class NegotiateAuthentication : System.IDisposable + public sealed class NegotiateAuthentication : System.IDisposable { + public NegotiateAuthentication(System.Net.Security.NegotiateAuthenticationClientOptions clientOptions) => throw null; + public NegotiateAuthentication(System.Net.Security.NegotiateAuthenticationServerOptions serverOptions) => throw null; public void Dispose() => throw null; - public System.Byte[] GetOutgoingBlob(System.ReadOnlySpan incomingBlob, out System.Net.Security.NegotiateAuthenticationStatusCode statusCode) => throw null; + public byte[] GetOutgoingBlob(System.ReadOnlySpan incomingBlob, out System.Net.Security.NegotiateAuthenticationStatusCode statusCode) => throw null; public string GetOutgoingBlob(string incomingBlob, out System.Net.Security.NegotiateAuthenticationStatusCode statusCode) => throw null; public System.Security.Principal.TokenImpersonationLevel ImpersonationLevel { get => throw null; } public bool IsAuthenticated { get => throw null; } @@ -47,60 +44,54 @@ public class NegotiateAuthentication : System.IDisposable public bool IsMutuallyAuthenticated { get => throw null; } public bool IsServer { get => throw null; } public bool IsSigned { get => throw null; } - public NegotiateAuthentication(System.Net.Security.NegotiateAuthenticationClientOptions clientOptions) => throw null; - public NegotiateAuthentication(System.Net.Security.NegotiateAuthenticationServerOptions serverOptions) => throw null; public string Package { get => throw null; } public System.Net.Security.ProtectionLevel ProtectionLevel { get => throw null; } public System.Security.Principal.IIdentity RemoteIdentity { get => throw null; } public string TargetName { get => throw null; } - public System.Net.Security.NegotiateAuthenticationStatusCode Unwrap(System.ReadOnlySpan input, System.Buffers.IBufferWriter outputWriter, out bool wasEncrypted) => throw null; - public System.Net.Security.NegotiateAuthenticationStatusCode UnwrapInPlace(System.Span input, out int unwrappedOffset, out int unwrappedLength, out bool wasEncrypted) => throw null; - public System.Net.Security.NegotiateAuthenticationStatusCode Wrap(System.ReadOnlySpan input, System.Buffers.IBufferWriter outputWriter, bool requestEncryption, out bool isEncrypted) => throw null; + public System.Net.Security.NegotiateAuthenticationStatusCode Unwrap(System.ReadOnlySpan input, System.Buffers.IBufferWriter outputWriter, out bool wasEncrypted) => throw null; + public System.Net.Security.NegotiateAuthenticationStatusCode UnwrapInPlace(System.Span input, out int unwrappedOffset, out int unwrappedLength, out bool wasEncrypted) => throw null; + public System.Net.Security.NegotiateAuthenticationStatusCode Wrap(System.ReadOnlySpan input, System.Buffers.IBufferWriter outputWriter, bool requestEncryption, out bool isEncrypted) => throw null; } - public class NegotiateAuthenticationClientOptions { - public System.Security.Principal.TokenImpersonationLevel AllowedImpersonationLevel { get => throw null; set => throw null; } - public System.Security.Authentication.ExtendedProtection.ChannelBinding Binding { get => throw null; set => throw null; } - public System.Net.NetworkCredential Credential { get => throw null; set => throw null; } + public System.Security.Principal.TokenImpersonationLevel AllowedImpersonationLevel { get => throw null; set { } } + public System.Security.Authentication.ExtendedProtection.ChannelBinding Binding { get => throw null; set { } } + public System.Net.NetworkCredential Credential { get => throw null; set { } } public NegotiateAuthenticationClientOptions() => throw null; - public string Package { get => throw null; set => throw null; } - public bool RequireMutualAuthentication { get => throw null; set => throw null; } - public System.Net.Security.ProtectionLevel RequiredProtectionLevel { get => throw null; set => throw null; } - public string TargetName { get => throw null; set => throw null; } + public string Package { get => throw null; set { } } + public System.Net.Security.ProtectionLevel RequiredProtectionLevel { get => throw null; set { } } + public bool RequireMutualAuthentication { get => throw null; set { } } + public string TargetName { get => throw null; set { } } } - public class NegotiateAuthenticationServerOptions { - public System.Security.Authentication.ExtendedProtection.ChannelBinding Binding { get => throw null; set => throw null; } - public System.Net.NetworkCredential Credential { get => throw null; set => throw null; } + public System.Security.Authentication.ExtendedProtection.ChannelBinding Binding { get => throw null; set { } } + public System.Net.NetworkCredential Credential { get => throw null; set { } } public NegotiateAuthenticationServerOptions() => throw null; - public string Package { get => throw null; set => throw null; } - public System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy Policy { get => throw null; set => throw null; } - public System.Security.Principal.TokenImpersonationLevel RequiredImpersonationLevel { get => throw null; set => throw null; } - public System.Net.Security.ProtectionLevel RequiredProtectionLevel { get => throw null; set => throw null; } + public string Package { get => throw null; set { } } + public System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy Policy { get => throw null; set { } } + public System.Security.Principal.TokenImpersonationLevel RequiredImpersonationLevel { get => throw null; set { } } + public System.Net.Security.ProtectionLevel RequiredProtectionLevel { get => throw null; set { } } } - - public enum NegotiateAuthenticationStatusCode : int + public enum NegotiateAuthenticationStatusCode { - BadBinding = 3, Completed = 0, - ContextExpired = 6, ContinueNeeded = 1, - CredentialsExpired = 7, GenericFailure = 2, - ImpersonationValidationFailed = 15, + BadBinding = 3, + Unsupported = 4, + MessageAltered = 5, + ContextExpired = 6, + CredentialsExpired = 7, InvalidCredentials = 8, InvalidToken = 9, - MessageAltered = 5, - OutOfSequence = 12, + UnknownCredentials = 10, QopNotSupported = 11, + OutOfSequence = 12, SecurityQosFailed = 13, TargetUnknown = 14, - UnknownCredentials = 10, - Unsupported = 4, + ImpersonationValidationFailed = 15, } - public class NegotiateStream : System.Net.Security.AuthenticatedStream { public virtual void AuthenticateAsClient() => throw null; @@ -114,28 +105,30 @@ public class NegotiateStream : System.Net.Security.AuthenticatedStream public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(System.Net.NetworkCredential credential, string targetName) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(System.Net.NetworkCredential credential, string targetName, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel allowedImpersonationLevel) => throw null; public virtual void AuthenticateAsServer() => throw null; - public virtual void AuthenticateAsServer(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy) => throw null; - public virtual void AuthenticateAsServer(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; public virtual void AuthenticateAsServer(System.Net.NetworkCredential credential, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; + public virtual void AuthenticateAsServer(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; + public virtual void AuthenticateAsServer(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync() => throw null; - public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy) => throw null; - public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Net.NetworkCredential credential, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; + public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel) => throw null; + public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ChannelBinding binding, string targetName, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ChannelBinding binding, string targetName, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel allowedImpersonationLevel, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(System.Net.NetworkCredential credential, string targetName, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(System.Net.NetworkCredential credential, string targetName, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel allowedImpersonationLevel, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsServer(System.AsyncCallback asyncCallback, object asyncState) => throw null; - public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Net.NetworkCredential credential, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Net.NetworkCredential credential, System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.Net.Security.ProtectionLevel requiredProtectionLevel, System.Security.Principal.TokenImpersonationLevel requiredImpersonationLevel, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Authentication.ExtendedProtection.ExtendedProtectionPolicy policy, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanTimeout { get => throw null; } public override bool CanWrite { get => throw null; } + public NegotiateStream(System.IO.Stream innerStream) : base(default(System.IO.Stream), default(bool)) => throw null; + public NegotiateStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen) : base(default(System.IO.Stream), default(bool)) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public virtual void EndAuthenticateAsClient(System.IAsyncResult asyncResult) => throw null; @@ -150,126 +143,112 @@ public class NegotiateStream : System.Net.Security.AuthenticatedStream public override bool IsMutuallyAuthenticated { get => throw null; } public override bool IsServer { get => throw null; } public override bool IsSigned { get => throw null; } - public override System.Int64 Length { get => throw null; } - public NegotiateStream(System.IO.Stream innerStream) : base(default(System.IO.Stream), default(bool)) => throw null; - public NegotiateStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen) : base(default(System.IO.Stream), default(bool)) => throw null; - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadTimeout { get => throw null; set => throw null; } + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadTimeout { get => throw null; set { } } public virtual System.Security.Principal.IIdentity RemoteIdentity { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int WriteTimeout { get => throw null; set => throw null; } + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int WriteTimeout { get => throw null; set { } } } - - public enum ProtectionLevel : int + public enum ProtectionLevel { - EncryptAndSign = 2, None = 0, Sign = 1, + EncryptAndSign = 2, } - public delegate bool RemoteCertificateValidationCallback(object sender, System.Security.Cryptography.X509Certificates.X509Certificate certificate, System.Security.Cryptography.X509Certificates.X509Chain chain, System.Net.Security.SslPolicyErrors sslPolicyErrors); - public delegate System.Security.Cryptography.X509Certificates.X509Certificate ServerCertificateSelectionCallback(object sender, string hostName); - public delegate System.Threading.Tasks.ValueTask ServerOptionsSelectionCallback(System.Net.Security.SslStream stream, System.Net.Security.SslClientHelloInfo clientHelloInfo, object state, System.Threading.CancellationToken cancellationToken); - public struct SslApplicationProtocol : System.IEquatable { - public static bool operator !=(System.Net.Security.SslApplicationProtocol left, System.Net.Security.SslApplicationProtocol right) => throw null; - public static bool operator ==(System.Net.Security.SslApplicationProtocol left, System.Net.Security.SslApplicationProtocol right) => throw null; + public SslApplicationProtocol(byte[] protocol) => throw null; + public SslApplicationProtocol(string protocol) => throw null; public bool Equals(System.Net.Security.SslApplicationProtocol other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static System.Net.Security.SslApplicationProtocol Http11; public static System.Net.Security.SslApplicationProtocol Http2; public static System.Net.Security.SslApplicationProtocol Http3; - public System.ReadOnlyMemory Protocol { get => throw null; } - // Stub generator skipped constructor - public SslApplicationProtocol(System.Byte[] protocol) => throw null; - public SslApplicationProtocol(string protocol) => throw null; + public static bool operator ==(System.Net.Security.SslApplicationProtocol left, System.Net.Security.SslApplicationProtocol right) => throw null; + public static bool operator !=(System.Net.Security.SslApplicationProtocol left, System.Net.Security.SslApplicationProtocol right) => throw null; + public System.ReadOnlyMemory Protocol { get => throw null; } public override string ToString() => throw null; } - - public class SslCertificateTrust + public sealed class SslCertificateTrust { public static System.Net.Security.SslCertificateTrust CreateForX509Collection(System.Security.Cryptography.X509Certificates.X509Certificate2Collection trustList, bool sendTrustInHandshake = default(bool)) => throw null; public static System.Net.Security.SslCertificateTrust CreateForX509Store(System.Security.Cryptography.X509Certificates.X509Store store, bool sendTrustInHandshake = default(bool)) => throw null; } - public class SslClientAuthenticationOptions { - public bool AllowRenegotiation { get => throw null; set => throw null; } - public System.Collections.Generic.List ApplicationProtocols { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509ChainPolicy CertificateChainPolicy { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509RevocationMode CertificateRevocationCheckMode { get => throw null; set => throw null; } - public System.Net.Security.CipherSuitesPolicy CipherSuitesPolicy { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set => throw null; } - public System.Security.Authentication.SslProtocols EnabledSslProtocols { get => throw null; set => throw null; } - public System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; set => throw null; } - public System.Net.Security.LocalCertificateSelectionCallback LocalCertificateSelectionCallback { get => throw null; set => throw null; } - public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set => throw null; } + public bool AllowRenegotiation { get => throw null; set { } } + public System.Collections.Generic.List ApplicationProtocols { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509ChainPolicy CertificateChainPolicy { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509RevocationMode CertificateRevocationCheckMode { get => throw null; set { } } + public System.Net.Security.CipherSuitesPolicy CipherSuitesPolicy { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set { } } public SslClientAuthenticationOptions() => throw null; - public string TargetHost { get => throw null; set => throw null; } + public System.Security.Authentication.SslProtocols EnabledSslProtocols { get => throw null; set { } } + public System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; set { } } + public System.Net.Security.LocalCertificateSelectionCallback LocalCertificateSelectionCallback { get => throw null; set { } } + public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set { } } + public string TargetHost { get => throw null; set { } } } - public struct SslClientHelloInfo { public string ServerName { get => throw null; } - // Stub generator skipped constructor public System.Security.Authentication.SslProtocols SslProtocols { get => throw null; } } - public class SslServerAuthenticationOptions { - public bool AllowRenegotiation { get => throw null; set => throw null; } - public System.Collections.Generic.List ApplicationProtocols { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509ChainPolicy CertificateChainPolicy { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509RevocationMode CertificateRevocationCheckMode { get => throw null; set => throw null; } - public System.Net.Security.CipherSuitesPolicy CipherSuitesPolicy { get => throw null; set => throw null; } - public bool ClientCertificateRequired { get => throw null; set => throw null; } - public System.Security.Authentication.SslProtocols EnabledSslProtocols { get => throw null; set => throw null; } - public System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; set => throw null; } - public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509Certificate ServerCertificate { get => throw null; set => throw null; } - public System.Net.Security.SslStreamCertificateContext ServerCertificateContext { get => throw null; set => throw null; } - public System.Net.Security.ServerCertificateSelectionCallback ServerCertificateSelectionCallback { get => throw null; set => throw null; } + public bool AllowRenegotiation { get => throw null; set { } } + public System.Collections.Generic.List ApplicationProtocols { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509ChainPolicy CertificateChainPolicy { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509RevocationMode CertificateRevocationCheckMode { get => throw null; set { } } + public System.Net.Security.CipherSuitesPolicy CipherSuitesPolicy { get => throw null; set { } } + public bool ClientCertificateRequired { get => throw null; set { } } public SslServerAuthenticationOptions() => throw null; + public System.Security.Authentication.SslProtocols EnabledSslProtocols { get => throw null; set { } } + public System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; set { } } + public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509Certificate ServerCertificate { get => throw null; set { } } + public System.Net.Security.SslStreamCertificateContext ServerCertificateContext { get => throw null; set { } } + public System.Net.Security.ServerCertificateSelectionCallback ServerCertificateSelectionCallback { get => throw null; set { } } } - public class SslStream : System.Net.Security.AuthenticatedStream { public void AuthenticateAsClient(System.Net.Security.SslClientAuthenticationOptions sslClientAuthenticationOptions) => throw null; public virtual void AuthenticateAsClient(string targetHost) => throw null; - public virtual void AuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public virtual void AuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, bool checkCertificateRevocation) => throw null; + public virtual void AuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public System.Threading.Tasks.Task AuthenticateAsClientAsync(System.Net.Security.SslClientAuthenticationOptions sslClientAuthenticationOptions, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(string targetHost) => throw null; - public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, bool checkCertificateRevocation) => throw null; + public virtual System.Threading.Tasks.Task AuthenticateAsClientAsync(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public void AuthenticateAsServer(System.Net.Security.SslServerAuthenticationOptions sslServerAuthenticationOptions) => throw null; public virtual void AuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate) => throw null; - public virtual void AuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public virtual void AuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, bool checkCertificateRevocation) => throw null; + public virtual void AuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Net.Security.ServerOptionsSelectionCallback optionsCallback, object state, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Net.Security.SslServerAuthenticationOptions sslServerAuthenticationOptions, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate) => throw null; - public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, bool checkCertificateRevocation) => throw null; + public virtual System.Threading.Tasks.Task AuthenticateAsServerAsync(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(string targetHost, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public virtual System.IAsyncResult BeginAuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public virtual System.IAsyncResult BeginAuthenticateAsClient(string targetHost, System.Security.Cryptography.X509Certificates.X509CertificateCollection clientCertificates, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public virtual System.IAsyncResult BeginAuthenticateAsServer(System.Security.Cryptography.X509Certificates.X509Certificate serverCertificate, bool clientCertificateRequired, System.Security.Authentication.SslProtocols enabledSslProtocols, bool checkCertificateRevocation, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback asyncCallback, object asyncState) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanTimeout { get => throw null; } @@ -277,6 +256,11 @@ public class SslStream : System.Net.Security.AuthenticatedStream public virtual bool CheckCertRevocationStatus { get => throw null; } public virtual System.Security.Authentication.CipherAlgorithmType CipherAlgorithm { get => throw null; } public virtual int CipherStrength { get => throw null; } + public SslStream(System.IO.Stream innerStream) : base(default(System.IO.Stream), default(bool)) => throw null; + public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen) : base(default(System.IO.Stream), default(bool)) => throw null; + public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback) : base(default(System.IO.Stream), default(bool)) => throw null; + public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback, System.Net.Security.LocalCertificateSelectionCallback userCertificateSelectionCallback) : base(default(System.IO.Stream), default(bool)) => throw null; + public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback, System.Net.Security.LocalCertificateSelectionCallback userCertificateSelectionCallback, System.Net.Security.EncryptionPolicy encryptionPolicy) : base(default(System.IO.Stream), default(bool)) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public virtual void EndAuthenticateAsClient(System.IAsyncResult asyncResult) => throw null; @@ -294,384 +278,375 @@ public class SslStream : System.Net.Security.AuthenticatedStream public override bool IsSigned { get => throw null; } public virtual System.Security.Authentication.ExchangeAlgorithmType KeyExchangeAlgorithm { get => throw null; } public virtual int KeyExchangeStrength { get => throw null; } - public override System.Int64 Length { get => throw null; } + public override long Length { get => throw null; } public virtual System.Security.Cryptography.X509Certificates.X509Certificate LocalCertificate { get => throw null; } public virtual System.Threading.Tasks.Task NegotiateClientCertificateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Net.Security.SslApplicationProtocol NegotiatedApplicationProtocol { get => throw null; } public virtual System.Net.Security.TlsCipherSuite NegotiatedCipherSuite { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override int ReadTimeout { get => throw null; set => throw null; } + public override int ReadTimeout { get => throw null; set { } } public virtual System.Security.Cryptography.X509Certificates.X509Certificate RemoteCertificate { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; public virtual System.Threading.Tasks.Task ShutdownAsync() => throw null; public virtual System.Security.Authentication.SslProtocols SslProtocol { get => throw null; } - public SslStream(System.IO.Stream innerStream) : base(default(System.IO.Stream), default(bool)) => throw null; - public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen) : base(default(System.IO.Stream), default(bool)) => throw null; - public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback) : base(default(System.IO.Stream), default(bool)) => throw null; - public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback, System.Net.Security.LocalCertificateSelectionCallback userCertificateSelectionCallback) : base(default(System.IO.Stream), default(bool)) => throw null; - public SslStream(System.IO.Stream innerStream, bool leaveInnerStreamOpen, System.Net.Security.RemoteCertificateValidationCallback userCertificateValidationCallback, System.Net.Security.LocalCertificateSelectionCallback userCertificateSelectionCallback, System.Net.Security.EncryptionPolicy encryptionPolicy) : base(default(System.IO.Stream), default(bool)) => throw null; public string TargetHostName { get => throw null; } public System.Net.TransportContext TransportContext { get => throw null; } - public void Write(System.Byte[] buffer) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int WriteTimeout { get => throw null; set => throw null; } - // ERR: Stub generator didn't handle member: ~SslStream + public void Write(byte[] buffer) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int WriteTimeout { get => throw null; set { } } } - public class SslStreamCertificateContext { public static System.Net.Security.SslStreamCertificateContext Create(System.Security.Cryptography.X509Certificates.X509Certificate2 target, System.Security.Cryptography.X509Certificates.X509Certificate2Collection additionalCertificates, bool offline) => throw null; public static System.Net.Security.SslStreamCertificateContext Create(System.Security.Cryptography.X509Certificates.X509Certificate2 target, System.Security.Cryptography.X509Certificates.X509Certificate2Collection additionalCertificates, bool offline = default(bool), System.Net.Security.SslCertificateTrust trust = default(System.Net.Security.SslCertificateTrust)) => throw null; } - public enum TlsCipherSuite : ushort { - TLS_AES_128_CCM_8_SHA256 = 4869, - TLS_AES_128_CCM_SHA256 = 4868, - TLS_AES_128_GCM_SHA256 = 4865, - TLS_AES_256_GCM_SHA384 = 4866, - TLS_CHACHA20_POLY1305_SHA256 = 4867, + TLS_NULL_WITH_NULL_NULL = 0, + TLS_RSA_WITH_NULL_MD5 = 1, + TLS_RSA_WITH_NULL_SHA = 2, + TLS_RSA_EXPORT_WITH_RC4_40_MD5 = 3, + TLS_RSA_WITH_RC4_128_MD5 = 4, + TLS_RSA_WITH_RC4_128_SHA = 5, + TLS_RSA_EXPORT_WITH_RC2_CBC_40_MD5 = 6, + TLS_RSA_WITH_IDEA_CBC_SHA = 7, + TLS_RSA_EXPORT_WITH_DES40_CBC_SHA = 8, + TLS_RSA_WITH_DES_CBC_SHA = 9, + TLS_RSA_WITH_3DES_EDE_CBC_SHA = 10, + TLS_DH_DSS_EXPORT_WITH_DES40_CBC_SHA = 11, + TLS_DH_DSS_WITH_DES_CBC_SHA = 12, + TLS_DH_DSS_WITH_3DES_EDE_CBC_SHA = 13, + TLS_DH_RSA_EXPORT_WITH_DES40_CBC_SHA = 14, + TLS_DH_RSA_WITH_DES_CBC_SHA = 15, + TLS_DH_RSA_WITH_3DES_EDE_CBC_SHA = 16, TLS_DHE_DSS_EXPORT_WITH_DES40_CBC_SHA = 17, + TLS_DHE_DSS_WITH_DES_CBC_SHA = 18, TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA = 19, + TLS_DHE_RSA_EXPORT_WITH_DES40_CBC_SHA = 20, + TLS_DHE_RSA_WITH_DES_CBC_SHA = 21, + TLS_DHE_RSA_WITH_3DES_EDE_CBC_SHA = 22, + TLS_DH_anon_EXPORT_WITH_RC4_40_MD5 = 23, + TLS_DH_anon_WITH_RC4_128_MD5 = 24, + TLS_DH_anon_EXPORT_WITH_DES40_CBC_SHA = 25, + TLS_DH_anon_WITH_DES_CBC_SHA = 26, + TLS_DH_anon_WITH_3DES_EDE_CBC_SHA = 27, + TLS_KRB5_WITH_DES_CBC_SHA = 30, + TLS_KRB5_WITH_3DES_EDE_CBC_SHA = 31, + TLS_KRB5_WITH_RC4_128_SHA = 32, + TLS_KRB5_WITH_IDEA_CBC_SHA = 33, + TLS_KRB5_WITH_DES_CBC_MD5 = 34, + TLS_KRB5_WITH_3DES_EDE_CBC_MD5 = 35, + TLS_KRB5_WITH_RC4_128_MD5 = 36, + TLS_KRB5_WITH_IDEA_CBC_MD5 = 37, + TLS_KRB5_EXPORT_WITH_DES_CBC_40_SHA = 38, + TLS_KRB5_EXPORT_WITH_RC2_CBC_40_SHA = 39, + TLS_KRB5_EXPORT_WITH_RC4_40_SHA = 40, + TLS_KRB5_EXPORT_WITH_DES_CBC_40_MD5 = 41, + TLS_KRB5_EXPORT_WITH_RC2_CBC_40_MD5 = 42, + TLS_KRB5_EXPORT_WITH_RC4_40_MD5 = 43, + TLS_PSK_WITH_NULL_SHA = 44, + TLS_DHE_PSK_WITH_NULL_SHA = 45, + TLS_RSA_PSK_WITH_NULL_SHA = 46, + TLS_RSA_WITH_AES_128_CBC_SHA = 47, + TLS_DH_DSS_WITH_AES_128_CBC_SHA = 48, + TLS_DH_RSA_WITH_AES_128_CBC_SHA = 49, TLS_DHE_DSS_WITH_AES_128_CBC_SHA = 50, - TLS_DHE_DSS_WITH_AES_128_CBC_SHA256 = 64, - TLS_DHE_DSS_WITH_AES_128_GCM_SHA256 = 162, + TLS_DHE_RSA_WITH_AES_128_CBC_SHA = 51, + TLS_DH_anon_WITH_AES_128_CBC_SHA = 52, + TLS_RSA_WITH_AES_256_CBC_SHA = 53, + TLS_DH_DSS_WITH_AES_256_CBC_SHA = 54, + TLS_DH_RSA_WITH_AES_256_CBC_SHA = 55, TLS_DHE_DSS_WITH_AES_256_CBC_SHA = 56, - TLS_DHE_DSS_WITH_AES_256_CBC_SHA256 = 106, - TLS_DHE_DSS_WITH_AES_256_GCM_SHA384 = 163, - TLS_DHE_DSS_WITH_ARIA_128_CBC_SHA256 = 49218, - TLS_DHE_DSS_WITH_ARIA_128_GCM_SHA256 = 49238, - TLS_DHE_DSS_WITH_ARIA_256_CBC_SHA384 = 49219, - TLS_DHE_DSS_WITH_ARIA_256_GCM_SHA384 = 49239, + TLS_DHE_RSA_WITH_AES_256_CBC_SHA = 57, + TLS_DH_anon_WITH_AES_256_CBC_SHA = 58, + TLS_RSA_WITH_NULL_SHA256 = 59, + TLS_RSA_WITH_AES_128_CBC_SHA256 = 60, + TLS_RSA_WITH_AES_256_CBC_SHA256 = 61, + TLS_DH_DSS_WITH_AES_128_CBC_SHA256 = 62, + TLS_DH_RSA_WITH_AES_128_CBC_SHA256 = 63, + TLS_DHE_DSS_WITH_AES_128_CBC_SHA256 = 64, + TLS_RSA_WITH_CAMELLIA_128_CBC_SHA = 65, + TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA = 66, + TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA = 67, TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA = 68, - TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA256 = 189, - TLS_DHE_DSS_WITH_CAMELLIA_128_GCM_SHA256 = 49280, + TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA = 69, + TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA = 70, + TLS_DHE_RSA_WITH_AES_128_CBC_SHA256 = 103, + TLS_DH_DSS_WITH_AES_256_CBC_SHA256 = 104, + TLS_DH_RSA_WITH_AES_256_CBC_SHA256 = 105, + TLS_DHE_DSS_WITH_AES_256_CBC_SHA256 = 106, + TLS_DHE_RSA_WITH_AES_256_CBC_SHA256 = 107, + TLS_DH_anon_WITH_AES_128_CBC_SHA256 = 108, + TLS_DH_anon_WITH_AES_256_CBC_SHA256 = 109, + TLS_RSA_WITH_CAMELLIA_256_CBC_SHA = 132, + TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA = 133, + TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA = 134, TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA = 135, - TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA256 = 195, - TLS_DHE_DSS_WITH_CAMELLIA_256_GCM_SHA384 = 49281, - TLS_DHE_DSS_WITH_DES_CBC_SHA = 18, - TLS_DHE_DSS_WITH_SEED_CBC_SHA = 153, + TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA = 136, + TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA = 137, + TLS_PSK_WITH_RC4_128_SHA = 138, + TLS_PSK_WITH_3DES_EDE_CBC_SHA = 139, + TLS_PSK_WITH_AES_128_CBC_SHA = 140, + TLS_PSK_WITH_AES_256_CBC_SHA = 141, + TLS_DHE_PSK_WITH_RC4_128_SHA = 142, TLS_DHE_PSK_WITH_3DES_EDE_CBC_SHA = 143, TLS_DHE_PSK_WITH_AES_128_CBC_SHA = 144, - TLS_DHE_PSK_WITH_AES_128_CBC_SHA256 = 178, - TLS_DHE_PSK_WITH_AES_128_CCM = 49318, - TLS_DHE_PSK_WITH_AES_128_GCM_SHA256 = 170, TLS_DHE_PSK_WITH_AES_256_CBC_SHA = 145, - TLS_DHE_PSK_WITH_AES_256_CBC_SHA384 = 179, - TLS_DHE_PSK_WITH_AES_256_CCM = 49319, + TLS_RSA_PSK_WITH_RC4_128_SHA = 146, + TLS_RSA_PSK_WITH_3DES_EDE_CBC_SHA = 147, + TLS_RSA_PSK_WITH_AES_128_CBC_SHA = 148, + TLS_RSA_PSK_WITH_AES_256_CBC_SHA = 149, + TLS_RSA_WITH_SEED_CBC_SHA = 150, + TLS_DH_DSS_WITH_SEED_CBC_SHA = 151, + TLS_DH_RSA_WITH_SEED_CBC_SHA = 152, + TLS_DHE_DSS_WITH_SEED_CBC_SHA = 153, + TLS_DHE_RSA_WITH_SEED_CBC_SHA = 154, + TLS_DH_anon_WITH_SEED_CBC_SHA = 155, + TLS_RSA_WITH_AES_128_GCM_SHA256 = 156, + TLS_RSA_WITH_AES_256_GCM_SHA384 = 157, + TLS_DHE_RSA_WITH_AES_128_GCM_SHA256 = 158, + TLS_DHE_RSA_WITH_AES_256_GCM_SHA384 = 159, + TLS_DH_RSA_WITH_AES_128_GCM_SHA256 = 160, + TLS_DH_RSA_WITH_AES_256_GCM_SHA384 = 161, + TLS_DHE_DSS_WITH_AES_128_GCM_SHA256 = 162, + TLS_DHE_DSS_WITH_AES_256_GCM_SHA384 = 163, + TLS_DH_DSS_WITH_AES_128_GCM_SHA256 = 164, + TLS_DH_DSS_WITH_AES_256_GCM_SHA384 = 165, + TLS_DH_anon_WITH_AES_128_GCM_SHA256 = 166, + TLS_DH_anon_WITH_AES_256_GCM_SHA384 = 167, + TLS_PSK_WITH_AES_128_GCM_SHA256 = 168, + TLS_PSK_WITH_AES_256_GCM_SHA384 = 169, + TLS_DHE_PSK_WITH_AES_128_GCM_SHA256 = 170, TLS_DHE_PSK_WITH_AES_256_GCM_SHA384 = 171, - TLS_DHE_PSK_WITH_ARIA_128_CBC_SHA256 = 49254, - TLS_DHE_PSK_WITH_ARIA_128_GCM_SHA256 = 49260, - TLS_DHE_PSK_WITH_ARIA_256_CBC_SHA384 = 49255, - TLS_DHE_PSK_WITH_ARIA_256_GCM_SHA384 = 49261, - TLS_DHE_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49302, - TLS_DHE_PSK_WITH_CAMELLIA_128_GCM_SHA256 = 49296, - TLS_DHE_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49303, - TLS_DHE_PSK_WITH_CAMELLIA_256_GCM_SHA384 = 49297, - TLS_DHE_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52397, - TLS_DHE_PSK_WITH_NULL_SHA = 45, + TLS_RSA_PSK_WITH_AES_128_GCM_SHA256 = 172, + TLS_RSA_PSK_WITH_AES_256_GCM_SHA384 = 173, + TLS_PSK_WITH_AES_128_CBC_SHA256 = 174, + TLS_PSK_WITH_AES_256_CBC_SHA384 = 175, + TLS_PSK_WITH_NULL_SHA256 = 176, + TLS_PSK_WITH_NULL_SHA384 = 177, + TLS_DHE_PSK_WITH_AES_128_CBC_SHA256 = 178, + TLS_DHE_PSK_WITH_AES_256_CBC_SHA384 = 179, TLS_DHE_PSK_WITH_NULL_SHA256 = 180, TLS_DHE_PSK_WITH_NULL_SHA384 = 181, - TLS_DHE_PSK_WITH_RC4_128_SHA = 142, - TLS_DHE_RSA_EXPORT_WITH_DES40_CBC_SHA = 20, - TLS_DHE_RSA_WITH_3DES_EDE_CBC_SHA = 22, - TLS_DHE_RSA_WITH_AES_128_CBC_SHA = 51, - TLS_DHE_RSA_WITH_AES_128_CBC_SHA256 = 103, - TLS_DHE_RSA_WITH_AES_128_CCM = 49310, - TLS_DHE_RSA_WITH_AES_128_CCM_8 = 49314, - TLS_DHE_RSA_WITH_AES_128_GCM_SHA256 = 158, - TLS_DHE_RSA_WITH_AES_256_CBC_SHA = 57, - TLS_DHE_RSA_WITH_AES_256_CBC_SHA256 = 107, - TLS_DHE_RSA_WITH_AES_256_CCM = 49311, - TLS_DHE_RSA_WITH_AES_256_CCM_8 = 49315, - TLS_DHE_RSA_WITH_AES_256_GCM_SHA384 = 159, - TLS_DHE_RSA_WITH_ARIA_128_CBC_SHA256 = 49220, - TLS_DHE_RSA_WITH_ARIA_128_GCM_SHA256 = 49234, - TLS_DHE_RSA_WITH_ARIA_256_CBC_SHA384 = 49221, - TLS_DHE_RSA_WITH_ARIA_256_GCM_SHA384 = 49235, - TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA = 69, + TLS_RSA_PSK_WITH_AES_128_CBC_SHA256 = 182, + TLS_RSA_PSK_WITH_AES_256_CBC_SHA384 = 183, + TLS_RSA_PSK_WITH_NULL_SHA256 = 184, + TLS_RSA_PSK_WITH_NULL_SHA384 = 185, + TLS_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 186, + TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA256 = 187, + TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 188, + TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA256 = 189, TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 190, - TLS_DHE_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49276, - TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA = 136, + TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA256 = 191, + TLS_RSA_WITH_CAMELLIA_256_CBC_SHA256 = 192, + TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA256 = 193, + TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA256 = 194, + TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA256 = 195, TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA256 = 196, - TLS_DHE_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49277, - TLS_DHE_RSA_WITH_CHACHA20_POLY1305_SHA256 = 52394, - TLS_DHE_RSA_WITH_DES_CBC_SHA = 21, - TLS_DHE_RSA_WITH_SEED_CBC_SHA = 154, - TLS_DH_DSS_EXPORT_WITH_DES40_CBC_SHA = 11, - TLS_DH_DSS_WITH_3DES_EDE_CBC_SHA = 13, - TLS_DH_DSS_WITH_AES_128_CBC_SHA = 48, - TLS_DH_DSS_WITH_AES_128_CBC_SHA256 = 62, - TLS_DH_DSS_WITH_AES_128_GCM_SHA256 = 164, - TLS_DH_DSS_WITH_AES_256_CBC_SHA = 54, - TLS_DH_DSS_WITH_AES_256_CBC_SHA256 = 104, - TLS_DH_DSS_WITH_AES_256_GCM_SHA384 = 165, - TLS_DH_DSS_WITH_ARIA_128_CBC_SHA256 = 49214, - TLS_DH_DSS_WITH_ARIA_128_GCM_SHA256 = 49240, - TLS_DH_DSS_WITH_ARIA_256_CBC_SHA384 = 49215, - TLS_DH_DSS_WITH_ARIA_256_GCM_SHA384 = 49241, - TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA = 66, - TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA256 = 187, - TLS_DH_DSS_WITH_CAMELLIA_128_GCM_SHA256 = 49282, - TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA = 133, - TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA256 = 193, - TLS_DH_DSS_WITH_CAMELLIA_256_GCM_SHA384 = 49283, - TLS_DH_DSS_WITH_DES_CBC_SHA = 12, - TLS_DH_DSS_WITH_SEED_CBC_SHA = 151, - TLS_DH_RSA_EXPORT_WITH_DES40_CBC_SHA = 14, - TLS_DH_RSA_WITH_3DES_EDE_CBC_SHA = 16, - TLS_DH_RSA_WITH_AES_128_CBC_SHA = 49, - TLS_DH_RSA_WITH_AES_128_CBC_SHA256 = 63, - TLS_DH_RSA_WITH_AES_128_GCM_SHA256 = 160, - TLS_DH_RSA_WITH_AES_256_CBC_SHA = 55, - TLS_DH_RSA_WITH_AES_256_CBC_SHA256 = 105, - TLS_DH_RSA_WITH_AES_256_GCM_SHA384 = 161, - TLS_DH_RSA_WITH_ARIA_128_CBC_SHA256 = 49216, - TLS_DH_RSA_WITH_ARIA_128_GCM_SHA256 = 49236, - TLS_DH_RSA_WITH_ARIA_256_CBC_SHA384 = 49217, - TLS_DH_RSA_WITH_ARIA_256_GCM_SHA384 = 49237, - TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA = 67, - TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 188, - TLS_DH_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49278, - TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA = 134, - TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA256 = 194, - TLS_DH_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49279, - TLS_DH_RSA_WITH_DES_CBC_SHA = 15, - TLS_DH_RSA_WITH_SEED_CBC_SHA = 152, - TLS_DH_anon_EXPORT_WITH_DES40_CBC_SHA = 25, - TLS_DH_anon_EXPORT_WITH_RC4_40_MD5 = 23, - TLS_DH_anon_WITH_3DES_EDE_CBC_SHA = 27, - TLS_DH_anon_WITH_AES_128_CBC_SHA = 52, - TLS_DH_anon_WITH_AES_128_CBC_SHA256 = 108, - TLS_DH_anon_WITH_AES_128_GCM_SHA256 = 166, - TLS_DH_anon_WITH_AES_256_CBC_SHA = 58, - TLS_DH_anon_WITH_AES_256_CBC_SHA256 = 109, - TLS_DH_anon_WITH_AES_256_GCM_SHA384 = 167, - TLS_DH_anon_WITH_ARIA_128_CBC_SHA256 = 49222, - TLS_DH_anon_WITH_ARIA_128_GCM_SHA256 = 49242, - TLS_DH_anon_WITH_ARIA_256_CBC_SHA384 = 49223, - TLS_DH_anon_WITH_ARIA_256_GCM_SHA384 = 49243, - TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA = 70, - TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA256 = 191, - TLS_DH_anon_WITH_CAMELLIA_128_GCM_SHA256 = 49284, - TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA = 137, TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA256 = 197, - TLS_DH_anon_WITH_CAMELLIA_256_GCM_SHA384 = 49285, - TLS_DH_anon_WITH_DES_CBC_SHA = 26, - TLS_DH_anon_WITH_RC4_128_MD5 = 24, - TLS_DH_anon_WITH_SEED_CBC_SHA = 155, - TLS_ECCPWD_WITH_AES_128_CCM_SHA256 = 49330, - TLS_ECCPWD_WITH_AES_128_GCM_SHA256 = 49328, - TLS_ECCPWD_WITH_AES_256_CCM_SHA384 = 49331, - TLS_ECCPWD_WITH_AES_256_GCM_SHA384 = 49329, + TLS_AES_128_GCM_SHA256 = 4865, + TLS_AES_256_GCM_SHA384 = 4866, + TLS_CHACHA20_POLY1305_SHA256 = 4867, + TLS_AES_128_CCM_SHA256 = 4868, + TLS_AES_128_CCM_8_SHA256 = 4869, + TLS_ECDH_ECDSA_WITH_NULL_SHA = 49153, + TLS_ECDH_ECDSA_WITH_RC4_128_SHA = 49154, + TLS_ECDH_ECDSA_WITH_3DES_EDE_CBC_SHA = 49155, + TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA = 49156, + TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA = 49157, + TLS_ECDHE_ECDSA_WITH_NULL_SHA = 49158, + TLS_ECDHE_ECDSA_WITH_RC4_128_SHA = 49159, TLS_ECDHE_ECDSA_WITH_3DES_EDE_CBC_SHA = 49160, TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA = 49161, - TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256 = 49187, - TLS_ECDHE_ECDSA_WITH_AES_128_CCM = 49324, - TLS_ECDHE_ECDSA_WITH_AES_128_CCM_8 = 49326, - TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256 = 49195, TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA = 49162, + TLS_ECDH_RSA_WITH_NULL_SHA = 49163, + TLS_ECDH_RSA_WITH_RC4_128_SHA = 49164, + TLS_ECDH_RSA_WITH_3DES_EDE_CBC_SHA = 49165, + TLS_ECDH_RSA_WITH_AES_128_CBC_SHA = 49166, + TLS_ECDH_RSA_WITH_AES_256_CBC_SHA = 49167, + TLS_ECDHE_RSA_WITH_NULL_SHA = 49168, + TLS_ECDHE_RSA_WITH_RC4_128_SHA = 49169, + TLS_ECDHE_RSA_WITH_3DES_EDE_CBC_SHA = 49170, + TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA = 49171, + TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA = 49172, + TLS_ECDH_anon_WITH_NULL_SHA = 49173, + TLS_ECDH_anon_WITH_RC4_128_SHA = 49174, + TLS_ECDH_anon_WITH_3DES_EDE_CBC_SHA = 49175, + TLS_ECDH_anon_WITH_AES_128_CBC_SHA = 49176, + TLS_ECDH_anon_WITH_AES_256_CBC_SHA = 49177, + TLS_SRP_SHA_WITH_3DES_EDE_CBC_SHA = 49178, + TLS_SRP_SHA_RSA_WITH_3DES_EDE_CBC_SHA = 49179, + TLS_SRP_SHA_DSS_WITH_3DES_EDE_CBC_SHA = 49180, + TLS_SRP_SHA_WITH_AES_128_CBC_SHA = 49181, + TLS_SRP_SHA_RSA_WITH_AES_128_CBC_SHA = 49182, + TLS_SRP_SHA_DSS_WITH_AES_128_CBC_SHA = 49183, + TLS_SRP_SHA_WITH_AES_256_CBC_SHA = 49184, + TLS_SRP_SHA_RSA_WITH_AES_256_CBC_SHA = 49185, + TLS_SRP_SHA_DSS_WITH_AES_256_CBC_SHA = 49186, + TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256 = 49187, TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384 = 49188, - TLS_ECDHE_ECDSA_WITH_AES_256_CCM = 49325, - TLS_ECDHE_ECDSA_WITH_AES_256_CCM_8 = 49327, + TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA256 = 49189, + TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA384 = 49190, + TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256 = 49191, + TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384 = 49192, + TLS_ECDH_RSA_WITH_AES_128_CBC_SHA256 = 49193, + TLS_ECDH_RSA_WITH_AES_256_CBC_SHA384 = 49194, + TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256 = 49195, TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384 = 49196, - TLS_ECDHE_ECDSA_WITH_ARIA_128_CBC_SHA256 = 49224, - TLS_ECDHE_ECDSA_WITH_ARIA_128_GCM_SHA256 = 49244, - TLS_ECDHE_ECDSA_WITH_ARIA_256_CBC_SHA384 = 49225, - TLS_ECDHE_ECDSA_WITH_ARIA_256_GCM_SHA384 = 49245, - TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_CBC_SHA256 = 49266, - TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_GCM_SHA256 = 49286, - TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_CBC_SHA384 = 49267, - TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_GCM_SHA384 = 49287, - TLS_ECDHE_ECDSA_WITH_CHACHA20_POLY1305_SHA256 = 52393, - TLS_ECDHE_ECDSA_WITH_NULL_SHA = 49158, - TLS_ECDHE_ECDSA_WITH_RC4_128_SHA = 49159, + TLS_ECDH_ECDSA_WITH_AES_128_GCM_SHA256 = 49197, + TLS_ECDH_ECDSA_WITH_AES_256_GCM_SHA384 = 49198, + TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256 = 49199, + TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384 = 49200, + TLS_ECDH_RSA_WITH_AES_128_GCM_SHA256 = 49201, + TLS_ECDH_RSA_WITH_AES_256_GCM_SHA384 = 49202, + TLS_ECDHE_PSK_WITH_RC4_128_SHA = 49203, TLS_ECDHE_PSK_WITH_3DES_EDE_CBC_SHA = 49204, TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA = 49205, - TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA256 = 49207, - TLS_ECDHE_PSK_WITH_AES_128_CCM_8_SHA256 = 53251, - TLS_ECDHE_PSK_WITH_AES_128_CCM_SHA256 = 53253, - TLS_ECDHE_PSK_WITH_AES_128_GCM_SHA256 = 53249, TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA = 49206, + TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA256 = 49207, TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA384 = 49208, - TLS_ECDHE_PSK_WITH_AES_256_GCM_SHA384 = 53250, - TLS_ECDHE_PSK_WITH_ARIA_128_CBC_SHA256 = 49264, - TLS_ECDHE_PSK_WITH_ARIA_256_CBC_SHA384 = 49265, - TLS_ECDHE_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49306, - TLS_ECDHE_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49307, - TLS_ECDHE_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52396, TLS_ECDHE_PSK_WITH_NULL_SHA = 49209, TLS_ECDHE_PSK_WITH_NULL_SHA256 = 49210, TLS_ECDHE_PSK_WITH_NULL_SHA384 = 49211, - TLS_ECDHE_PSK_WITH_RC4_128_SHA = 49203, - TLS_ECDHE_RSA_WITH_3DES_EDE_CBC_SHA = 49170, - TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA = 49171, - TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256 = 49191, - TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256 = 49199, - TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA = 49172, - TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384 = 49192, - TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384 = 49200, + TLS_RSA_WITH_ARIA_128_CBC_SHA256 = 49212, + TLS_RSA_WITH_ARIA_256_CBC_SHA384 = 49213, + TLS_DH_DSS_WITH_ARIA_128_CBC_SHA256 = 49214, + TLS_DH_DSS_WITH_ARIA_256_CBC_SHA384 = 49215, + TLS_DH_RSA_WITH_ARIA_128_CBC_SHA256 = 49216, + TLS_DH_RSA_WITH_ARIA_256_CBC_SHA384 = 49217, + TLS_DHE_DSS_WITH_ARIA_128_CBC_SHA256 = 49218, + TLS_DHE_DSS_WITH_ARIA_256_CBC_SHA384 = 49219, + TLS_DHE_RSA_WITH_ARIA_128_CBC_SHA256 = 49220, + TLS_DHE_RSA_WITH_ARIA_256_CBC_SHA384 = 49221, + TLS_DH_anon_WITH_ARIA_128_CBC_SHA256 = 49222, + TLS_DH_anon_WITH_ARIA_256_CBC_SHA384 = 49223, + TLS_ECDHE_ECDSA_WITH_ARIA_128_CBC_SHA256 = 49224, + TLS_ECDHE_ECDSA_WITH_ARIA_256_CBC_SHA384 = 49225, + TLS_ECDH_ECDSA_WITH_ARIA_128_CBC_SHA256 = 49226, + TLS_ECDH_ECDSA_WITH_ARIA_256_CBC_SHA384 = 49227, TLS_ECDHE_RSA_WITH_ARIA_128_CBC_SHA256 = 49228, - TLS_ECDHE_RSA_WITH_ARIA_128_GCM_SHA256 = 49248, TLS_ECDHE_RSA_WITH_ARIA_256_CBC_SHA384 = 49229, - TLS_ECDHE_RSA_WITH_ARIA_256_GCM_SHA384 = 49249, - TLS_ECDHE_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 49270, - TLS_ECDHE_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49290, - TLS_ECDHE_RSA_WITH_CAMELLIA_256_CBC_SHA384 = 49271, - TLS_ECDHE_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49291, - TLS_ECDHE_RSA_WITH_CHACHA20_POLY1305_SHA256 = 52392, - TLS_ECDHE_RSA_WITH_NULL_SHA = 49168, - TLS_ECDHE_RSA_WITH_RC4_128_SHA = 49169, - TLS_ECDH_ECDSA_WITH_3DES_EDE_CBC_SHA = 49155, - TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA = 49156, - TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA256 = 49189, - TLS_ECDH_ECDSA_WITH_AES_128_GCM_SHA256 = 49197, - TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA = 49157, - TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA384 = 49190, - TLS_ECDH_ECDSA_WITH_AES_256_GCM_SHA384 = 49198, - TLS_ECDH_ECDSA_WITH_ARIA_128_CBC_SHA256 = 49226, + TLS_ECDH_RSA_WITH_ARIA_128_CBC_SHA256 = 49230, + TLS_ECDH_RSA_WITH_ARIA_256_CBC_SHA384 = 49231, + TLS_RSA_WITH_ARIA_128_GCM_SHA256 = 49232, + TLS_RSA_WITH_ARIA_256_GCM_SHA384 = 49233, + TLS_DHE_RSA_WITH_ARIA_128_GCM_SHA256 = 49234, + TLS_DHE_RSA_WITH_ARIA_256_GCM_SHA384 = 49235, + TLS_DH_RSA_WITH_ARIA_128_GCM_SHA256 = 49236, + TLS_DH_RSA_WITH_ARIA_256_GCM_SHA384 = 49237, + TLS_DHE_DSS_WITH_ARIA_128_GCM_SHA256 = 49238, + TLS_DHE_DSS_WITH_ARIA_256_GCM_SHA384 = 49239, + TLS_DH_DSS_WITH_ARIA_128_GCM_SHA256 = 49240, + TLS_DH_DSS_WITH_ARIA_256_GCM_SHA384 = 49241, + TLS_DH_anon_WITH_ARIA_128_GCM_SHA256 = 49242, + TLS_DH_anon_WITH_ARIA_256_GCM_SHA384 = 49243, + TLS_ECDHE_ECDSA_WITH_ARIA_128_GCM_SHA256 = 49244, + TLS_ECDHE_ECDSA_WITH_ARIA_256_GCM_SHA384 = 49245, TLS_ECDH_ECDSA_WITH_ARIA_128_GCM_SHA256 = 49246, - TLS_ECDH_ECDSA_WITH_ARIA_256_CBC_SHA384 = 49227, TLS_ECDH_ECDSA_WITH_ARIA_256_GCM_SHA384 = 49247, - TLS_ECDH_ECDSA_WITH_CAMELLIA_128_CBC_SHA256 = 49268, - TLS_ECDH_ECDSA_WITH_CAMELLIA_128_GCM_SHA256 = 49288, - TLS_ECDH_ECDSA_WITH_CAMELLIA_256_CBC_SHA384 = 49269, - TLS_ECDH_ECDSA_WITH_CAMELLIA_256_GCM_SHA384 = 49289, - TLS_ECDH_ECDSA_WITH_NULL_SHA = 49153, - TLS_ECDH_ECDSA_WITH_RC4_128_SHA = 49154, - TLS_ECDH_RSA_WITH_3DES_EDE_CBC_SHA = 49165, - TLS_ECDH_RSA_WITH_AES_128_CBC_SHA = 49166, - TLS_ECDH_RSA_WITH_AES_128_CBC_SHA256 = 49193, - TLS_ECDH_RSA_WITH_AES_128_GCM_SHA256 = 49201, - TLS_ECDH_RSA_WITH_AES_256_CBC_SHA = 49167, - TLS_ECDH_RSA_WITH_AES_256_CBC_SHA384 = 49194, - TLS_ECDH_RSA_WITH_AES_256_GCM_SHA384 = 49202, - TLS_ECDH_RSA_WITH_ARIA_128_CBC_SHA256 = 49230, + TLS_ECDHE_RSA_WITH_ARIA_128_GCM_SHA256 = 49248, + TLS_ECDHE_RSA_WITH_ARIA_256_GCM_SHA384 = 49249, TLS_ECDH_RSA_WITH_ARIA_128_GCM_SHA256 = 49250, - TLS_ECDH_RSA_WITH_ARIA_256_CBC_SHA384 = 49231, TLS_ECDH_RSA_WITH_ARIA_256_GCM_SHA384 = 49251, - TLS_ECDH_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 49272, - TLS_ECDH_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49292, - TLS_ECDH_RSA_WITH_CAMELLIA_256_CBC_SHA384 = 49273, - TLS_ECDH_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49293, - TLS_ECDH_RSA_WITH_NULL_SHA = 49163, - TLS_ECDH_RSA_WITH_RC4_128_SHA = 49164, - TLS_ECDH_anon_WITH_3DES_EDE_CBC_SHA = 49175, - TLS_ECDH_anon_WITH_AES_128_CBC_SHA = 49176, - TLS_ECDH_anon_WITH_AES_256_CBC_SHA = 49177, - TLS_ECDH_anon_WITH_NULL_SHA = 49173, - TLS_ECDH_anon_WITH_RC4_128_SHA = 49174, - TLS_KRB5_EXPORT_WITH_DES_CBC_40_MD5 = 41, - TLS_KRB5_EXPORT_WITH_DES_CBC_40_SHA = 38, - TLS_KRB5_EXPORT_WITH_RC2_CBC_40_MD5 = 42, - TLS_KRB5_EXPORT_WITH_RC2_CBC_40_SHA = 39, - TLS_KRB5_EXPORT_WITH_RC4_40_MD5 = 43, - TLS_KRB5_EXPORT_WITH_RC4_40_SHA = 40, - TLS_KRB5_WITH_3DES_EDE_CBC_MD5 = 35, - TLS_KRB5_WITH_3DES_EDE_CBC_SHA = 31, - TLS_KRB5_WITH_DES_CBC_MD5 = 34, - TLS_KRB5_WITH_DES_CBC_SHA = 30, - TLS_KRB5_WITH_IDEA_CBC_MD5 = 37, - TLS_KRB5_WITH_IDEA_CBC_SHA = 33, - TLS_KRB5_WITH_RC4_128_MD5 = 36, - TLS_KRB5_WITH_RC4_128_SHA = 32, - TLS_NULL_WITH_NULL_NULL = 0, - TLS_PSK_DHE_WITH_AES_128_CCM_8 = 49322, - TLS_PSK_DHE_WITH_AES_256_CCM_8 = 49323, - TLS_PSK_WITH_3DES_EDE_CBC_SHA = 139, - TLS_PSK_WITH_AES_128_CBC_SHA = 140, - TLS_PSK_WITH_AES_128_CBC_SHA256 = 174, - TLS_PSK_WITH_AES_128_CCM = 49316, - TLS_PSK_WITH_AES_128_CCM_8 = 49320, - TLS_PSK_WITH_AES_128_GCM_SHA256 = 168, - TLS_PSK_WITH_AES_256_CBC_SHA = 141, - TLS_PSK_WITH_AES_256_CBC_SHA384 = 175, - TLS_PSK_WITH_AES_256_CCM = 49317, - TLS_PSK_WITH_AES_256_CCM_8 = 49321, - TLS_PSK_WITH_AES_256_GCM_SHA384 = 169, TLS_PSK_WITH_ARIA_128_CBC_SHA256 = 49252, - TLS_PSK_WITH_ARIA_128_GCM_SHA256 = 49258, TLS_PSK_WITH_ARIA_256_CBC_SHA384 = 49253, - TLS_PSK_WITH_ARIA_256_GCM_SHA384 = 49259, - TLS_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49300, - TLS_PSK_WITH_CAMELLIA_128_GCM_SHA256 = 49294, - TLS_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49301, - TLS_PSK_WITH_CAMELLIA_256_GCM_SHA384 = 49295, - TLS_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52395, - TLS_PSK_WITH_NULL_SHA = 44, - TLS_PSK_WITH_NULL_SHA256 = 176, - TLS_PSK_WITH_NULL_SHA384 = 177, - TLS_PSK_WITH_RC4_128_SHA = 138, - TLS_RSA_EXPORT_WITH_DES40_CBC_SHA = 8, - TLS_RSA_EXPORT_WITH_RC2_CBC_40_MD5 = 6, - TLS_RSA_EXPORT_WITH_RC4_40_MD5 = 3, - TLS_RSA_PSK_WITH_3DES_EDE_CBC_SHA = 147, - TLS_RSA_PSK_WITH_AES_128_CBC_SHA = 148, - TLS_RSA_PSK_WITH_AES_128_CBC_SHA256 = 182, - TLS_RSA_PSK_WITH_AES_128_GCM_SHA256 = 172, - TLS_RSA_PSK_WITH_AES_256_CBC_SHA = 149, - TLS_RSA_PSK_WITH_AES_256_CBC_SHA384 = 183, - TLS_RSA_PSK_WITH_AES_256_GCM_SHA384 = 173, + TLS_DHE_PSK_WITH_ARIA_128_CBC_SHA256 = 49254, + TLS_DHE_PSK_WITH_ARIA_256_CBC_SHA384 = 49255, TLS_RSA_PSK_WITH_ARIA_128_CBC_SHA256 = 49256, - TLS_RSA_PSK_WITH_ARIA_128_GCM_SHA256 = 49262, TLS_RSA_PSK_WITH_ARIA_256_CBC_SHA384 = 49257, + TLS_PSK_WITH_ARIA_128_GCM_SHA256 = 49258, + TLS_PSK_WITH_ARIA_256_GCM_SHA384 = 49259, + TLS_DHE_PSK_WITH_ARIA_128_GCM_SHA256 = 49260, + TLS_DHE_PSK_WITH_ARIA_256_GCM_SHA384 = 49261, + TLS_RSA_PSK_WITH_ARIA_128_GCM_SHA256 = 49262, TLS_RSA_PSK_WITH_ARIA_256_GCM_SHA384 = 49263, - TLS_RSA_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49304, + TLS_ECDHE_PSK_WITH_ARIA_128_CBC_SHA256 = 49264, + TLS_ECDHE_PSK_WITH_ARIA_256_CBC_SHA384 = 49265, + TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_CBC_SHA256 = 49266, + TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_CBC_SHA384 = 49267, + TLS_ECDH_ECDSA_WITH_CAMELLIA_128_CBC_SHA256 = 49268, + TLS_ECDH_ECDSA_WITH_CAMELLIA_256_CBC_SHA384 = 49269, + TLS_ECDHE_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 49270, + TLS_ECDHE_RSA_WITH_CAMELLIA_256_CBC_SHA384 = 49271, + TLS_ECDH_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 49272, + TLS_ECDH_RSA_WITH_CAMELLIA_256_CBC_SHA384 = 49273, + TLS_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49274, + TLS_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49275, + TLS_DHE_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49276, + TLS_DHE_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49277, + TLS_DH_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49278, + TLS_DH_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49279, + TLS_DHE_DSS_WITH_CAMELLIA_128_GCM_SHA256 = 49280, + TLS_DHE_DSS_WITH_CAMELLIA_256_GCM_SHA384 = 49281, + TLS_DH_DSS_WITH_CAMELLIA_128_GCM_SHA256 = 49282, + TLS_DH_DSS_WITH_CAMELLIA_256_GCM_SHA384 = 49283, + TLS_DH_anon_WITH_CAMELLIA_128_GCM_SHA256 = 49284, + TLS_DH_anon_WITH_CAMELLIA_256_GCM_SHA384 = 49285, + TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_GCM_SHA256 = 49286, + TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_GCM_SHA384 = 49287, + TLS_ECDH_ECDSA_WITH_CAMELLIA_128_GCM_SHA256 = 49288, + TLS_ECDH_ECDSA_WITH_CAMELLIA_256_GCM_SHA384 = 49289, + TLS_ECDHE_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49290, + TLS_ECDHE_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49291, + TLS_ECDH_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49292, + TLS_ECDH_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49293, + TLS_PSK_WITH_CAMELLIA_128_GCM_SHA256 = 49294, + TLS_PSK_WITH_CAMELLIA_256_GCM_SHA384 = 49295, + TLS_DHE_PSK_WITH_CAMELLIA_128_GCM_SHA256 = 49296, + TLS_DHE_PSK_WITH_CAMELLIA_256_GCM_SHA384 = 49297, TLS_RSA_PSK_WITH_CAMELLIA_128_GCM_SHA256 = 49298, - TLS_RSA_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49305, TLS_RSA_PSK_WITH_CAMELLIA_256_GCM_SHA384 = 49299, - TLS_RSA_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52398, - TLS_RSA_PSK_WITH_NULL_SHA = 46, - TLS_RSA_PSK_WITH_NULL_SHA256 = 184, - TLS_RSA_PSK_WITH_NULL_SHA384 = 185, - TLS_RSA_PSK_WITH_RC4_128_SHA = 146, - TLS_RSA_WITH_3DES_EDE_CBC_SHA = 10, - TLS_RSA_WITH_AES_128_CBC_SHA = 47, - TLS_RSA_WITH_AES_128_CBC_SHA256 = 60, + TLS_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49300, + TLS_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49301, + TLS_DHE_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49302, + TLS_DHE_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49303, + TLS_RSA_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49304, + TLS_RSA_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49305, + TLS_ECDHE_PSK_WITH_CAMELLIA_128_CBC_SHA256 = 49306, + TLS_ECDHE_PSK_WITH_CAMELLIA_256_CBC_SHA384 = 49307, TLS_RSA_WITH_AES_128_CCM = 49308, - TLS_RSA_WITH_AES_128_CCM_8 = 49312, - TLS_RSA_WITH_AES_128_GCM_SHA256 = 156, - TLS_RSA_WITH_AES_256_CBC_SHA = 53, - TLS_RSA_WITH_AES_256_CBC_SHA256 = 61, TLS_RSA_WITH_AES_256_CCM = 49309, + TLS_DHE_RSA_WITH_AES_128_CCM = 49310, + TLS_DHE_RSA_WITH_AES_256_CCM = 49311, + TLS_RSA_WITH_AES_128_CCM_8 = 49312, TLS_RSA_WITH_AES_256_CCM_8 = 49313, - TLS_RSA_WITH_AES_256_GCM_SHA384 = 157, - TLS_RSA_WITH_ARIA_128_CBC_SHA256 = 49212, - TLS_RSA_WITH_ARIA_128_GCM_SHA256 = 49232, - TLS_RSA_WITH_ARIA_256_CBC_SHA384 = 49213, - TLS_RSA_WITH_ARIA_256_GCM_SHA384 = 49233, - TLS_RSA_WITH_CAMELLIA_128_CBC_SHA = 65, - TLS_RSA_WITH_CAMELLIA_128_CBC_SHA256 = 186, - TLS_RSA_WITH_CAMELLIA_128_GCM_SHA256 = 49274, - TLS_RSA_WITH_CAMELLIA_256_CBC_SHA = 132, - TLS_RSA_WITH_CAMELLIA_256_CBC_SHA256 = 192, - TLS_RSA_WITH_CAMELLIA_256_GCM_SHA384 = 49275, - TLS_RSA_WITH_DES_CBC_SHA = 9, - TLS_RSA_WITH_IDEA_CBC_SHA = 7, - TLS_RSA_WITH_NULL_MD5 = 1, - TLS_RSA_WITH_NULL_SHA = 2, - TLS_RSA_WITH_NULL_SHA256 = 59, - TLS_RSA_WITH_RC4_128_MD5 = 4, - TLS_RSA_WITH_RC4_128_SHA = 5, - TLS_RSA_WITH_SEED_CBC_SHA = 150, - TLS_SRP_SHA_DSS_WITH_3DES_EDE_CBC_SHA = 49180, - TLS_SRP_SHA_DSS_WITH_AES_128_CBC_SHA = 49183, - TLS_SRP_SHA_DSS_WITH_AES_256_CBC_SHA = 49186, - TLS_SRP_SHA_RSA_WITH_3DES_EDE_CBC_SHA = 49179, - TLS_SRP_SHA_RSA_WITH_AES_128_CBC_SHA = 49182, - TLS_SRP_SHA_RSA_WITH_AES_256_CBC_SHA = 49185, - TLS_SRP_SHA_WITH_3DES_EDE_CBC_SHA = 49178, - TLS_SRP_SHA_WITH_AES_128_CBC_SHA = 49181, - TLS_SRP_SHA_WITH_AES_256_CBC_SHA = 49184, + TLS_DHE_RSA_WITH_AES_128_CCM_8 = 49314, + TLS_DHE_RSA_WITH_AES_256_CCM_8 = 49315, + TLS_PSK_WITH_AES_128_CCM = 49316, + TLS_PSK_WITH_AES_256_CCM = 49317, + TLS_DHE_PSK_WITH_AES_128_CCM = 49318, + TLS_DHE_PSK_WITH_AES_256_CCM = 49319, + TLS_PSK_WITH_AES_128_CCM_8 = 49320, + TLS_PSK_WITH_AES_256_CCM_8 = 49321, + TLS_PSK_DHE_WITH_AES_128_CCM_8 = 49322, + TLS_PSK_DHE_WITH_AES_256_CCM_8 = 49323, + TLS_ECDHE_ECDSA_WITH_AES_128_CCM = 49324, + TLS_ECDHE_ECDSA_WITH_AES_256_CCM = 49325, + TLS_ECDHE_ECDSA_WITH_AES_128_CCM_8 = 49326, + TLS_ECDHE_ECDSA_WITH_AES_256_CCM_8 = 49327, + TLS_ECCPWD_WITH_AES_128_GCM_SHA256 = 49328, + TLS_ECCPWD_WITH_AES_256_GCM_SHA384 = 49329, + TLS_ECCPWD_WITH_AES_128_CCM_SHA256 = 49330, + TLS_ECCPWD_WITH_AES_256_CCM_SHA384 = 49331, + TLS_ECDHE_RSA_WITH_CHACHA20_POLY1305_SHA256 = 52392, + TLS_ECDHE_ECDSA_WITH_CHACHA20_POLY1305_SHA256 = 52393, + TLS_DHE_RSA_WITH_CHACHA20_POLY1305_SHA256 = 52394, + TLS_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52395, + TLS_ECDHE_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52396, + TLS_DHE_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52397, + TLS_RSA_PSK_WITH_CHACHA20_POLY1305_SHA256 = 52398, + TLS_ECDHE_PSK_WITH_AES_128_GCM_SHA256 = 53249, + TLS_ECDHE_PSK_WITH_AES_256_GCM_SHA384 = 53250, + TLS_ECDHE_PSK_WITH_AES_128_CCM_8_SHA256 = 53251, + TLS_ECDHE_PSK_WITH_AES_128_CCM_SHA256 = 53253, } - } } namespace Security @@ -685,54 +660,48 @@ public class AuthenticationException : System.SystemException public AuthenticationException(string message) => throw null; public AuthenticationException(string message, System.Exception innerException) => throw null; } - - public class InvalidCredentialException : System.Security.Authentication.AuthenticationException - { - public InvalidCredentialException() => throw null; - protected InvalidCredentialException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public InvalidCredentialException(string message) => throw null; - public InvalidCredentialException(string message, System.Exception innerException) => throw null; - } - namespace ExtendedProtection { public class ExtendedProtectionPolicy : System.Runtime.Serialization.ISerializable { - public System.Security.Authentication.ExtendedProtection.ChannelBinding CustomChannelBinding { get => throw null; } - public System.Security.Authentication.ExtendedProtection.ServiceNameCollection CustomServiceNames { get => throw null; } + protected ExtendedProtectionPolicy(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ExtendedProtectionPolicy(System.Security.Authentication.ExtendedProtection.PolicyEnforcement policyEnforcement) => throw null; public ExtendedProtectionPolicy(System.Security.Authentication.ExtendedProtection.PolicyEnforcement policyEnforcement, System.Security.Authentication.ExtendedProtection.ChannelBinding customChannelBinding) => throw null; public ExtendedProtectionPolicy(System.Security.Authentication.ExtendedProtection.PolicyEnforcement policyEnforcement, System.Security.Authentication.ExtendedProtection.ProtectionScenario protectionScenario, System.Collections.ICollection customServiceNames) => throw null; public ExtendedProtectionPolicy(System.Security.Authentication.ExtendedProtection.PolicyEnforcement policyEnforcement, System.Security.Authentication.ExtendedProtection.ProtectionScenario protectionScenario, System.Security.Authentication.ExtendedProtection.ServiceNameCollection customServiceNames) => throw null; - protected ExtendedProtectionPolicy(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Security.Authentication.ExtendedProtection.ChannelBinding CustomChannelBinding { get => throw null; } + public System.Security.Authentication.ExtendedProtection.ServiceNameCollection CustomServiceNames { get => throw null; } void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public static bool OSSupportsExtendedProtection { get => throw null; } public System.Security.Authentication.ExtendedProtection.PolicyEnforcement PolicyEnforcement { get => throw null; } public System.Security.Authentication.ExtendedProtection.ProtectionScenario ProtectionScenario { get => throw null; } public override string ToString() => throw null; } - - public enum PolicyEnforcement : int + public enum PolicyEnforcement { - Always = 2, Never = 0, WhenSupported = 1, + Always = 2, } - - public enum ProtectionScenario : int + public enum ProtectionScenario { TransportSelected = 0, TrustedProxy = 1, } - public class ServiceNameCollection : System.Collections.ReadOnlyCollectionBase { public bool Contains(string searchServiceName) => throw null; + public ServiceNameCollection(System.Collections.ICollection items) => throw null; public System.Security.Authentication.ExtendedProtection.ServiceNameCollection Merge(System.Collections.IEnumerable serviceNames) => throw null; public System.Security.Authentication.ExtendedProtection.ServiceNameCollection Merge(string serviceName) => throw null; - public ServiceNameCollection(System.Collections.ICollection items) => throw null; } - + } + public class InvalidCredentialException : System.Security.Authentication.AuthenticationException + { + public InvalidCredentialException() => throw null; + protected InvalidCredentialException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public InvalidCredentialException(string message) => throw null; + public InvalidCredentialException(string message, System.Exception innerException) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs index 650ae555c905..c29ef74005e5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs @@ -1,65 +1,60 @@ // This file contains auto-generated code. // Generated from `System.Net.ServicePoint, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net { public delegate System.Net.IPEndPoint BindIPEndPoint(System.Net.ServicePoint servicePoint, System.Net.IPEndPoint remoteEndPoint, int retryCount); - [System.Flags] - public enum SecurityProtocolType : int + public enum SecurityProtocolType { - Ssl3 = 48, SystemDefault = 0, + Ssl3 = 48, Tls = 192, Tls11 = 768, Tls12 = 3072, Tls13 = 12288, } - public class ServicePoint { public System.Uri Address { get => throw null; } - public System.Net.BindIPEndPoint BindIPEndPointDelegate { get => throw null; set => throw null; } + public System.Net.BindIPEndPoint BindIPEndPointDelegate { get => throw null; set { } } public System.Security.Cryptography.X509Certificates.X509Certificate Certificate { get => throw null; } public System.Security.Cryptography.X509Certificates.X509Certificate ClientCertificate { get => throw null; } public bool CloseConnectionGroup(string connectionGroupName) => throw null; - public int ConnectionLeaseTimeout { get => throw null; set => throw null; } - public int ConnectionLimit { get => throw null; set => throw null; } + public int ConnectionLeaseTimeout { get => throw null; set { } } + public int ConnectionLimit { get => throw null; set { } } public string ConnectionName { get => throw null; } public int CurrentConnections { get => throw null; } - public bool Expect100Continue { get => throw null; set => throw null; } + public bool Expect100Continue { get => throw null; set { } } public System.DateTime IdleSince { get => throw null; } - public int MaxIdleTime { get => throw null; set => throw null; } + public int MaxIdleTime { get => throw null; set { } } public virtual System.Version ProtocolVersion { get => throw null; } - public int ReceiveBufferSize { get => throw null; set => throw null; } + public int ReceiveBufferSize { get => throw null; set { } } public void SetTcpKeepAlive(bool enabled, int keepAliveTime, int keepAliveInterval) => throw null; public bool SupportsPipelining { get => throw null; } - public bool UseNagleAlgorithm { get => throw null; set => throw null; } + public bool UseNagleAlgorithm { get => throw null; set { } } } - public class ServicePointManager { - public static bool CheckCertificateRevocationList { get => throw null; set => throw null; } - public static int DefaultConnectionLimit { get => throw null; set => throw null; } - public const int DefaultNonPersistentConnectionLimit = default; - public const int DefaultPersistentConnectionLimit = default; - public static int DnsRefreshTimeout { get => throw null; set => throw null; } - public static bool EnableDnsRoundRobin { get => throw null; set => throw null; } + public static bool CheckCertificateRevocationList { get => throw null; set { } } + public static int DefaultConnectionLimit { get => throw null; set { } } + public static int DefaultNonPersistentConnectionLimit; + public static int DefaultPersistentConnectionLimit; + public static int DnsRefreshTimeout { get => throw null; set { } } + public static bool EnableDnsRoundRobin { get => throw null; set { } } public static System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; } - public static bool Expect100Continue { get => throw null; set => throw null; } + public static bool Expect100Continue { get => throw null; set { } } + public static System.Net.ServicePoint FindServicePoint(string uriString, System.Net.IWebProxy proxy) => throw null; public static System.Net.ServicePoint FindServicePoint(System.Uri address) => throw null; public static System.Net.ServicePoint FindServicePoint(System.Uri address, System.Net.IWebProxy proxy) => throw null; - public static System.Net.ServicePoint FindServicePoint(string uriString, System.Net.IWebProxy proxy) => throw null; - public static int MaxServicePointIdleTime { get => throw null; set => throw null; } - public static int MaxServicePoints { get => throw null; set => throw null; } - public static bool ReusePort { get => throw null; set => throw null; } - public static System.Net.SecurityProtocolType SecurityProtocol { get => throw null; set => throw null; } - public static System.Net.Security.RemoteCertificateValidationCallback ServerCertificateValidationCallback { get => throw null; set => throw null; } + public static int MaxServicePointIdleTime { get => throw null; set { } } + public static int MaxServicePoints { get => throw null; set { } } + public static bool ReusePort { get => throw null; set { } } + public static System.Net.SecurityProtocolType SecurityProtocol { get => throw null; set { } } + public static System.Net.Security.RemoteCertificateValidationCallback ServerCertificateValidationCallback { get => throw null; set { } } public static void SetTcpKeepAlive(bool enabled, int keepAliveTime, int keepAliveInterval) => throw null; - public static bool UseNagleAlgorithm { get => throw null; set => throw null; } + public static bool UseNagleAlgorithm { get => throw null; set { } } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs index 9efd737ad716..19160f53223a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.Sockets, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -9,268 +8,254 @@ namespace Sockets { public enum IOControlCode : long { - AbsorbRouterAlert = 2550136837, - AddMulticastGroupOnInterface = 2550136842, - AddressListChange = 671088663, - AddressListQuery = 1207959574, - AddressListSort = 3355443225, - AssociateHandle = 2281701377, - AsyncIO = 2147772029, - BindToInterface = 2550136840, - DataToRead = 1074030207, - DeleteMulticastGroupFromInterface = 2550136843, EnableCircularQueuing = 671088642, Flush = 671088644, + AddressListChange = 671088663, + DataToRead = 1074030207, + OobDataRead = 1074033415, GetBroadcastAddress = 1207959557, - GetExtensionFunctionPointer = 3355443206, - GetGroupQos = 3355443208, - GetQos = 3355443207, - KeepAliveValues = 2550136836, - LimitBroadcasts = 2550136839, - MulticastInterface = 2550136841, - MulticastScope = 2281701386, + AddressListQuery = 1207959574, + QueryTargetPnpHandle = 1207959576, + AsyncIO = 2147772029, + NonBlockingIO = 2147772030, + AssociateHandle = 2281701377, MultipointLoopback = 2281701385, + MulticastScope = 2281701386, + SetQos = 2281701387, + SetGroupQos = 2281701388, + RoutingInterfaceChange = 2281701397, NamespaceChange = 2281701401, - NonBlockingIO = 2147772030, - OobDataRead = 1074033415, - QueryTargetPnpHandle = 1207959576, ReceiveAll = 2550136833, - ReceiveAllIgmpMulticast = 2550136835, ReceiveAllMulticast = 2550136834, - RoutingInterfaceChange = 2281701397, - RoutingInterfaceQuery = 3355443220, - SetGroupQos = 2281701388, - SetQos = 2281701387, - TranslateHandle = 3355443213, + ReceiveAllIgmpMulticast = 2550136835, + KeepAliveValues = 2550136836, + AbsorbRouterAlert = 2550136837, UnicastInterface = 2550136838, + LimitBroadcasts = 2550136839, + BindToInterface = 2550136840, + MulticastInterface = 2550136841, + AddMulticastGroupOnInterface = 2550136842, + DeleteMulticastGroupFromInterface = 2550136843, + GetExtensionFunctionPointer = 3355443206, + GetQos = 3355443207, + GetGroupQos = 3355443208, + TranslateHandle = 3355443213, + RoutingInterfaceQuery = 3355443220, + AddressListSort = 3355443225, } - public struct IPPacketInformation : System.IEquatable { - public static bool operator !=(System.Net.Sockets.IPPacketInformation packetInformation1, System.Net.Sockets.IPPacketInformation packetInformation2) => throw null; - public static bool operator ==(System.Net.Sockets.IPPacketInformation packetInformation1, System.Net.Sockets.IPPacketInformation packetInformation2) => throw null; public System.Net.IPAddress Address { get => throw null; } public bool Equals(System.Net.Sockets.IPPacketInformation other) => throw null; public override bool Equals(object comparand) => throw null; public override int GetHashCode() => throw null; - // Stub generator skipped constructor public int Interface { get => throw null; } + public static bool operator ==(System.Net.Sockets.IPPacketInformation packetInformation1, System.Net.Sockets.IPPacketInformation packetInformation2) => throw null; + public static bool operator !=(System.Net.Sockets.IPPacketInformation packetInformation1, System.Net.Sockets.IPPacketInformation packetInformation2) => throw null; } - - public enum IPProtectionLevel : int + public enum IPProtectionLevel { + Unspecified = -1, + Unrestricted = 10, EdgeRestricted = 20, Restricted = 30, - Unrestricted = 10, - Unspecified = -1, } - public class IPv6MulticastOption { - public System.Net.IPAddress Group { get => throw null; set => throw null; } public IPv6MulticastOption(System.Net.IPAddress group) => throw null; - public IPv6MulticastOption(System.Net.IPAddress group, System.Int64 ifindex) => throw null; - public System.Int64 InterfaceIndex { get => throw null; set => throw null; } + public IPv6MulticastOption(System.Net.IPAddress group, long ifindex) => throw null; + public System.Net.IPAddress Group { get => throw null; set { } } + public long InterfaceIndex { get => throw null; set { } } } - public class LingerOption { - public bool Enabled { get => throw null; set => throw null; } public LingerOption(bool enable, int seconds) => throw null; - public int LingerTime { get => throw null; set => throw null; } + public bool Enabled { get => throw null; set { } } + public int LingerTime { get => throw null; set { } } } - public class MulticastOption { - public System.Net.IPAddress Group { get => throw null; set => throw null; } - public int InterfaceIndex { get => throw null; set => throw null; } - public System.Net.IPAddress LocalAddress { get => throw null; set => throw null; } public MulticastOption(System.Net.IPAddress group) => throw null; - public MulticastOption(System.Net.IPAddress group, System.Net.IPAddress mcint) => throw null; public MulticastOption(System.Net.IPAddress group, int interfaceIndex) => throw null; + public MulticastOption(System.Net.IPAddress group, System.Net.IPAddress mcint) => throw null; + public System.Net.IPAddress Group { get => throw null; set { } } + public int InterfaceIndex { get => throw null; set { } } + public System.Net.IPAddress LocalAddress { get => throw null; set { } } } - public class NetworkStream : System.IO.Stream { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanTimeout { get => throw null; } public override bool CanWrite { get => throw null; } - public void Close(System.TimeSpan timeout) => throw null; public void Close(int timeout) => throw null; + public void Close(System.TimeSpan timeout) => throw null; + public NetworkStream(System.Net.Sockets.Socket socket) => throw null; + public NetworkStream(System.Net.Sockets.Socket socket, bool ownsSocket) => throw null; + public NetworkStream(System.Net.Sockets.Socket socket, System.IO.FileAccess access) => throw null; + public NetworkStream(System.Net.Sockets.Socket socket, System.IO.FileAccess access, bool ownsSocket) => throw null; public virtual bool DataAvailable { get => throw null; } protected override void Dispose(bool disposing) => throw null; public override int EndRead(System.IAsyncResult asyncResult) => throw null; public override void EndWrite(System.IAsyncResult asyncResult) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public NetworkStream(System.Net.Sockets.Socket socket) => throw null; - public NetworkStream(System.Net.Sockets.Socket socket, System.IO.FileAccess access) => throw null; - public NetworkStream(System.Net.Sockets.Socket socket, System.IO.FileAccess access, bool ownsSocket) => throw null; - public NetworkStream(System.Net.Sockets.Socket socket, bool ownsSocket) => throw null; - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + protected bool Readable { get => throw null; set { } } + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override int ReadTimeout { get => throw null; set => throw null; } - protected bool Readable { get => throw null; set => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; + public override int ReadTimeout { get => throw null; set { } } + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; public System.Net.Sockets.Socket Socket { get => throw null; } - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - public override int WriteTimeout { get => throw null; set => throw null; } - protected bool Writeable { get => throw null; set => throw null; } - // ERR: Stub generator didn't handle member: ~NetworkStream + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + protected bool Writeable { get => throw null; set { } } + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; + public override int WriteTimeout { get => throw null; set { } } } - - public enum ProtocolFamily : int + public enum ProtocolFamily { - AppleTalk = 16, - Atm = 22, - Banyan = 21, - Ccitt = 10, + Unknown = -1, + Unspecified = 0, + Unix = 1, + InterNetwork = 2, + ImpLink = 3, + Pup = 4, Chaos = 5, - Cluster = 24, - ControllerAreaNetwork = 65537, + Ipx = 6, + NS = 6, + Iso = 7, + Osi = 7, + Ecma = 8, DataKit = 9, - DataLink = 13, + Ccitt = 10, + Sna = 11, DecNet = 12, - Ecma = 8, - FireFox = 19, + DataLink = 13, + Lat = 14, HyperChannel = 15, - Ieee12844 = 25, - ImpLink = 3, - InterNetwork = 2, + AppleTalk = 16, + NetBios = 17, + VoiceView = 18, + FireFox = 19, + Banyan = 21, + Atm = 22, InterNetworkV6 = 23, - Ipx = 6, + Cluster = 24, + Ieee12844 = 25, Irda = 26, - Iso = 7, - Lat = 14, - Max = 29, - NS = 6, - NetBios = 17, NetworkDesigners = 28, - Osi = 7, + Max = 29, Packet = 65536, - Pup = 4, - Sna = 11, - Unix = 1, - Unknown = -1, - Unspecified = 0, - VoiceView = 18, + ControllerAreaNetwork = 65537, } - - public enum ProtocolType : int + public enum ProtocolType { - Ggp = 3, + Unknown = -1, IP = 0, - IPSecAuthenticationHeader = 51, - IPSecEncapsulatingSecurityPayload = 50, + IPv6HopByHopOptions = 0, + Unspecified = 0, + Icmp = 1, + Igmp = 2, + Ggp = 3, IPv4 = 4, + Tcp = 6, + Pup = 12, + Udp = 17, + Idp = 22, IPv6 = 41, - IPv6DestinationOptions = 60, - IPv6FragmentHeader = 44, - IPv6HopByHopOptions = 0, - IPv6NoNextHeader = 59, IPv6RoutingHeader = 43, - Icmp = 1, + IPv6FragmentHeader = 44, + IPSecEncapsulatingSecurityPayload = 50, + IPSecAuthenticationHeader = 51, IcmpV6 = 58, - Idp = 22, - Igmp = 2, - Ipx = 1000, + IPv6NoNextHeader = 59, + IPv6DestinationOptions = 60, ND = 77, - Pup = 12, Raw = 255, + Ipx = 1000, Spx = 1256, SpxII = 1257, - Tcp = 6, - Udp = 17, - Unknown = -1, - Unspecified = 0, } - - public class SafeSocketHandle : Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid + public sealed class SafeSocketHandle : Microsoft.Win32.SafeHandles.SafeHandleMinusOneIsInvalid { + public SafeSocketHandle() : base(default(bool)) => throw null; + public SafeSocketHandle(nint preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; public override bool IsInvalid { get => throw null; } protected override bool ReleaseHandle() => throw null; - public SafeSocketHandle() : base(default(bool)) => throw null; - public SafeSocketHandle(System.IntPtr preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; } - - public enum SelectMode : int + public enum SelectMode { - SelectError = 2, SelectRead = 0, SelectWrite = 1, + SelectError = 2, } - public class SendPacketsElement { - public System.Byte[] Buffer { get => throw null; } + public byte[] Buffer { get => throw null; } public int Count { get => throw null; } - public bool EndOfPacket { get => throw null; } - public string FilePath { get => throw null; } - public System.IO.FileStream FileStream { get => throw null; } - public System.ReadOnlyMemory? MemoryBuffer { get => throw null; } - public int Offset { get => throw null; } - public System.Int64 OffsetLong { get => throw null; } - public SendPacketsElement(System.Byte[] buffer) => throw null; - public SendPacketsElement(System.Byte[] buffer, int offset, int count) => throw null; - public SendPacketsElement(System.Byte[] buffer, int offset, int count, bool endOfPacket) => throw null; + public SendPacketsElement(byte[] buffer) => throw null; + public SendPacketsElement(byte[] buffer, int offset, int count) => throw null; + public SendPacketsElement(byte[] buffer, int offset, int count, bool endOfPacket) => throw null; public SendPacketsElement(System.IO.FileStream fileStream) => throw null; - public SendPacketsElement(System.IO.FileStream fileStream, System.Int64 offset, int count) => throw null; - public SendPacketsElement(System.IO.FileStream fileStream, System.Int64 offset, int count, bool endOfPacket) => throw null; - public SendPacketsElement(System.ReadOnlyMemory buffer) => throw null; - public SendPacketsElement(System.ReadOnlyMemory buffer, bool endOfPacket) => throw null; + public SendPacketsElement(System.IO.FileStream fileStream, long offset, int count) => throw null; + public SendPacketsElement(System.IO.FileStream fileStream, long offset, int count, bool endOfPacket) => throw null; + public SendPacketsElement(System.ReadOnlyMemory buffer) => throw null; + public SendPacketsElement(System.ReadOnlyMemory buffer, bool endOfPacket) => throw null; public SendPacketsElement(string filepath) => throw null; public SendPacketsElement(string filepath, int offset, int count) => throw null; public SendPacketsElement(string filepath, int offset, int count, bool endOfPacket) => throw null; - public SendPacketsElement(string filepath, System.Int64 offset, int count) => throw null; - public SendPacketsElement(string filepath, System.Int64 offset, int count, bool endOfPacket) => throw null; + public SendPacketsElement(string filepath, long offset, int count) => throw null; + public SendPacketsElement(string filepath, long offset, int count, bool endOfPacket) => throw null; + public bool EndOfPacket { get => throw null; } + public string FilePath { get => throw null; } + public System.IO.FileStream FileStream { get => throw null; } + public System.ReadOnlyMemory? MemoryBuffer { get => throw null; } + public int Offset { get => throw null; } + public long OffsetLong { get => throw null; } } - public class Socket : System.IDisposable { public System.Net.Sockets.Socket Accept() => throw null; public System.Threading.Tasks.Task AcceptAsync() => throw null; - public System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task AcceptAsync(System.Net.Sockets.Socket acceptSocket) => throw null; public System.Threading.Tasks.ValueTask AcceptAsync(System.Net.Sockets.Socket acceptSocket, System.Threading.CancellationToken cancellationToken) => throw null; public bool AcceptAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; + public System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } public int Available { get => throw null; } public System.IAsyncResult BeginAccept(System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginAccept(System.Net.Sockets.Socket acceptSocket, int receiveSize, System.AsyncCallback callback, object state) => throw null; public System.IAsyncResult BeginAccept(int receiveSize, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginAccept(System.Net.Sockets.Socket acceptSocket, int receiveSize, System.AsyncCallback callback, object state) => throw null; public System.IAsyncResult BeginConnect(System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; public System.IAsyncResult BeginConnect(System.Net.IPAddress address, int port, System.AsyncCallback requestCallback, object state) => throw null; public System.IAsyncResult BeginConnect(System.Net.IPAddress[] addresses, int port, System.AsyncCallback requestCallback, object state) => throw null; public System.IAsyncResult BeginConnect(string host, int port, System.AsyncCallback requestCallback, object state) => throw null; public System.IAsyncResult BeginDisconnect(bool reuseSocket, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceive(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceive(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceiveFrom(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginReceiveMessageFrom(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceive(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceive(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceiveFrom(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginReceiveMessageFrom(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSend(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSend(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSend(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSend(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode, System.AsyncCallback callback, object state) => throw null; public System.IAsyncResult BeginSendFile(string fileName, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSendFile(string fileName, System.Byte[] preBuffer, System.Byte[] postBuffer, System.Net.Sockets.TransmitFileOptions flags, System.AsyncCallback callback, object state) => throw null; - public System.IAsyncResult BeginSendTo(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSendFile(string fileName, byte[] preBuffer, byte[] postBuffer, System.Net.Sockets.TransmitFileOptions flags, System.AsyncCallback callback, object state) => throw null; + public System.IAsyncResult BeginSendTo(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP, System.AsyncCallback callback, object state) => throw null; public void Bind(System.Net.EndPoint localEP) => throw null; - public bool Blocking { get => throw null; set => throw null; } + public bool Blocking { get => throw null; set { } } public static void CancelConnectAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; public void Close() => throw null; public void Close(int timeout) => throw null; @@ -289,18 +274,22 @@ public class Socket : System.IDisposable public System.Threading.Tasks.Task ConnectAsync(string host, int port) => throw null; public System.Threading.Tasks.ValueTask ConnectAsync(string host, int port, System.Threading.CancellationToken cancellationToken) => throw null; public bool Connected { get => throw null; } + public Socket(System.Net.Sockets.AddressFamily addressFamily, System.Net.Sockets.SocketType socketType, System.Net.Sockets.ProtocolType protocolType) => throw null; + public Socket(System.Net.Sockets.SafeSocketHandle handle) => throw null; + public Socket(System.Net.Sockets.SocketInformation socketInformation) => throw null; + public Socket(System.Net.Sockets.SocketType socketType, System.Net.Sockets.ProtocolType protocolType) => throw null; public void Disconnect(bool reuseSocket) => throw null; - public bool DisconnectAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; public System.Threading.Tasks.ValueTask DisconnectAsync(bool reuseSocket, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public bool DisconnectAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public bool DontFragment { get => throw null; set => throw null; } - public bool DualMode { get => throw null; set => throw null; } + public bool DontFragment { get => throw null; set { } } + public bool DualMode { get => throw null; set { } } public System.Net.Sockets.SocketInformation DuplicateAndClose(int targetProcessId) => throw null; - public bool EnableBroadcast { get => throw null; set => throw null; } + public bool EnableBroadcast { get => throw null; set { } } + public System.Net.Sockets.Socket EndAccept(out byte[] buffer, System.IAsyncResult asyncResult) => throw null; + public System.Net.Sockets.Socket EndAccept(out byte[] buffer, out int bytesTransferred, System.IAsyncResult asyncResult) => throw null; public System.Net.Sockets.Socket EndAccept(System.IAsyncResult asyncResult) => throw null; - public System.Net.Sockets.Socket EndAccept(out System.Byte[] buffer, System.IAsyncResult asyncResult) => throw null; - public System.Net.Sockets.Socket EndAccept(out System.Byte[] buffer, out int bytesTransferred, System.IAsyncResult asyncResult) => throw null; public void EndConnect(System.IAsyncResult asyncResult) => throw null; public void EndDisconnect(System.IAsyncResult asyncResult) => throw null; public int EndReceive(System.IAsyncResult asyncResult) => throw null; @@ -311,163 +300,155 @@ public class Socket : System.IDisposable public int EndSend(System.IAsyncResult asyncResult, out System.Net.Sockets.SocketError errorCode) => throw null; public void EndSendFile(System.IAsyncResult asyncResult) => throw null; public int EndSendTo(System.IAsyncResult asyncResult) => throw null; - public bool ExclusiveAddressUse { get => throw null; set => throw null; } - public int GetRawSocketOption(int optionLevel, int optionName, System.Span optionValue) => throw null; + public bool ExclusiveAddressUse { get => throw null; set { } } + public int GetRawSocketOption(int optionLevel, int optionName, System.Span optionValue) => throw null; public object GetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName) => throw null; - public void GetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, System.Byte[] optionValue) => throw null; - public System.Byte[] GetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, int optionLength) => throw null; - public System.IntPtr Handle { get => throw null; } - public int IOControl(System.Net.Sockets.IOControlCode ioControlCode, System.Byte[] optionInValue, System.Byte[] optionOutValue) => throw null; - public int IOControl(int ioControlCode, System.Byte[] optionInValue, System.Byte[] optionOutValue) => throw null; + public void GetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, byte[] optionValue) => throw null; + public byte[] GetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, int optionLength) => throw null; + public nint Handle { get => throw null; } + public int IOControl(int ioControlCode, byte[] optionInValue, byte[] optionOutValue) => throw null; + public int IOControl(System.Net.Sockets.IOControlCode ioControlCode, byte[] optionInValue, byte[] optionOutValue) => throw null; public bool IsBound { get => throw null; } - public System.Net.Sockets.LingerOption LingerState { get => throw null; set => throw null; } + public System.Net.Sockets.LingerOption LingerState { get => throw null; set { } } public void Listen() => throw null; public void Listen(int backlog) => throw null; public System.Net.EndPoint LocalEndPoint { get => throw null; } - public bool MulticastLoopback { get => throw null; set => throw null; } - public bool NoDelay { get => throw null; set => throw null; } + public bool MulticastLoopback { get => throw null; set { } } + public bool NoDelay { get => throw null; set { } } public static bool OSSupportsIPv4 { get => throw null; } public static bool OSSupportsIPv6 { get => throw null; } public static bool OSSupportsUnixDomainSockets { get => throw null; } - public bool Poll(System.TimeSpan timeout, System.Net.Sockets.SelectMode mode) => throw null; public bool Poll(int microSeconds, System.Net.Sockets.SelectMode mode) => throw null; + public bool Poll(System.TimeSpan timeout, System.Net.Sockets.SelectMode mode) => throw null; public System.Net.Sockets.ProtocolType ProtocolType { get => throw null; } - public int Receive(System.Byte[] buffer) => throw null; - public int Receive(System.Byte[] buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Receive(System.Byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Receive(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Receive(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public int Receive(System.Collections.Generic.IList> buffers) => throw null; - public int Receive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Receive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public int Receive(System.Span buffer) => throw null; - public int Receive(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Receive(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer) => throw null; - public System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public System.Threading.Tasks.Task ReceiveAsync(System.Collections.Generic.IList> buffers) => throw null; - public System.Threading.Tasks.Task ReceiveAsync(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int Receive(byte[] buffer) => throw null; + public int Receive(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Receive(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public int Receive(byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Receive(byte[] buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Receive(System.Collections.Generic.IList> buffers) => throw null; + public int Receive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Receive(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public int Receive(System.Span buffer) => throw null; + public int Receive(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Receive(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer) => throw null; + public System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public System.Threading.Tasks.Task ReceiveAsync(System.Collections.Generic.IList> buffers) => throw null; + public System.Threading.Tasks.Task ReceiveAsync(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool ReceiveAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; - public int ReceiveBufferSize { get => throw null; set => throw null; } - public int ReceiveFrom(System.Byte[] buffer, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; - public int ReceiveFrom(System.Byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; - public int ReceiveFrom(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; - public int ReceiveFrom(System.Byte[] buffer, ref System.Net.EndPoint remoteEP) => throw null; - public int ReceiveFrom(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; - public int ReceiveFrom(System.Span buffer, ref System.Net.EndPoint remoteEP) => throw null; - public System.Threading.Tasks.Task ReceiveFromAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEndPoint) => throw null; - public System.Threading.Tasks.Task ReceiveFromAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; - public System.Threading.Tasks.ValueTask ReceiveFromAsync(System.Memory buffer, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask ReceiveFromAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int ReceiveBufferSize { get => throw null; set { } } + public int ReceiveFrom(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; + public int ReceiveFrom(byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; + public int ReceiveFrom(byte[] buffer, ref System.Net.EndPoint remoteEP) => throw null; + public int ReceiveFrom(byte[] buffer, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; + public int ReceiveFrom(System.Span buffer, ref System.Net.EndPoint remoteEP) => throw null; + public int ReceiveFrom(System.Span buffer, System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP) => throw null; + public System.Threading.Tasks.Task ReceiveFromAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEndPoint) => throw null; + public System.Threading.Tasks.Task ReceiveFromAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; + public System.Threading.Tasks.ValueTask ReceiveFromAsync(System.Memory buffer, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask ReceiveFromAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool ReceiveFromAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; - public int ReceiveMessageFrom(System.Byte[] buffer, int offset, int size, ref System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, out System.Net.Sockets.IPPacketInformation ipPacketInformation) => throw null; - public int ReceiveMessageFrom(System.Span buffer, ref System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, out System.Net.Sockets.IPPacketInformation ipPacketInformation) => throw null; - public System.Threading.Tasks.Task ReceiveMessageFromAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEndPoint) => throw null; - public System.Threading.Tasks.Task ReceiveMessageFromAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; - public System.Threading.Tasks.ValueTask ReceiveMessageFromAsync(System.Memory buffer, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask ReceiveMessageFromAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int ReceiveMessageFrom(byte[] buffer, int offset, int size, ref System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, out System.Net.Sockets.IPPacketInformation ipPacketInformation) => throw null; + public int ReceiveMessageFrom(System.Span buffer, ref System.Net.Sockets.SocketFlags socketFlags, ref System.Net.EndPoint remoteEP, out System.Net.Sockets.IPPacketInformation ipPacketInformation) => throw null; + public System.Threading.Tasks.Task ReceiveMessageFromAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEndPoint) => throw null; + public System.Threading.Tasks.Task ReceiveMessageFromAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; + public System.Threading.Tasks.ValueTask ReceiveMessageFromAsync(System.Memory buffer, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask ReceiveMessageFromAsync(System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool ReceiveMessageFromAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; - public int ReceiveTimeout { get => throw null; set => throw null; } + public int ReceiveTimeout { get => throw null; set { } } public System.Net.EndPoint RemoteEndPoint { get => throw null; } public System.Net.Sockets.SafeSocketHandle SafeHandle { get => throw null; } - public static void Select(System.Collections.IList checkRead, System.Collections.IList checkWrite, System.Collections.IList checkError, System.TimeSpan timeout) => throw null; public static void Select(System.Collections.IList checkRead, System.Collections.IList checkWrite, System.Collections.IList checkError, int microSeconds) => throw null; - public int Send(System.Byte[] buffer) => throw null; - public int Send(System.Byte[] buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Send(System.Byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Send(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Send(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public int Send(System.Collections.Generic.IList> buffers) => throw null; - public int Send(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Send(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public int Send(System.ReadOnlySpan buffer) => throw null; - public int Send(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public int Send(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; - public System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer) => throw null; - public System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Collections.Generic.IList> buffers) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void Select(System.Collections.IList checkRead, System.Collections.IList checkWrite, System.Collections.IList checkError, System.TimeSpan timeout) => throw null; + public int Send(byte[] buffer) => throw null; + public int Send(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Send(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public int Send(byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Send(byte[] buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Send(System.Collections.Generic.IList> buffers) => throw null; + public int Send(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Send(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public int Send(System.ReadOnlySpan buffer) => throw null; + public int Send(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public int Send(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags, out System.Net.Sockets.SocketError errorCode) => throw null; + public System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer) => throw null; + public System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public System.Threading.Tasks.Task SendAsync(System.Collections.Generic.IList> buffers) => throw null; + public System.Threading.Tasks.Task SendAsync(System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; public bool SendAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; - public int SendBufferSize { get => throw null; set => throw null; } + public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int SendBufferSize { get => throw null; set { } } public void SendFile(string fileName) => throw null; - public void SendFile(string fileName, System.Byte[] preBuffer, System.Byte[] postBuffer, System.Net.Sockets.TransmitFileOptions flags) => throw null; - public void SendFile(string fileName, System.ReadOnlySpan preBuffer, System.ReadOnlySpan postBuffer, System.Net.Sockets.TransmitFileOptions flags) => throw null; + public void SendFile(string fileName, byte[] preBuffer, byte[] postBuffer, System.Net.Sockets.TransmitFileOptions flags) => throw null; + public void SendFile(string fileName, System.ReadOnlySpan preBuffer, System.ReadOnlySpan postBuffer, System.Net.Sockets.TransmitFileOptions flags) => throw null; + public System.Threading.Tasks.ValueTask SendFileAsync(string fileName, System.ReadOnlyMemory preBuffer, System.ReadOnlyMemory postBuffer, System.Net.Sockets.TransmitFileOptions flags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.ValueTask SendFileAsync(string fileName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask SendFileAsync(string fileName, System.ReadOnlyMemory preBuffer, System.ReadOnlyMemory postBuffer, System.Net.Sockets.TransmitFileOptions flags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool SendPacketsAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; - public int SendTimeout { get => throw null; set => throw null; } - public int SendTo(System.Byte[] buffer, System.Net.EndPoint remoteEP) => throw null; - public int SendTo(System.Byte[] buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; - public int SendTo(System.Byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; - public int SendTo(System.Byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; - public int SendTo(System.ReadOnlySpan buffer, System.Net.EndPoint remoteEP) => throw null; - public int SendTo(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; - public System.Threading.Tasks.Task SendToAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEP) => throw null; - public System.Threading.Tasks.Task SendToAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; - public System.Threading.Tasks.ValueTask SendToAsync(System.ReadOnlyMemory buffer, System.Net.EndPoint remoteEP, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask SendToAsync(System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int SendTimeout { get => throw null; set { } } + public int SendTo(byte[] buffer, int offset, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; + public int SendTo(byte[] buffer, int size, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; + public int SendTo(byte[] buffer, System.Net.EndPoint remoteEP) => throw null; + public int SendTo(byte[] buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; + public int SendTo(System.ReadOnlySpan buffer, System.Net.EndPoint remoteEP) => throw null; + public int SendTo(System.ReadOnlySpan buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; + public System.Threading.Tasks.Task SendToAsync(System.ArraySegment buffer, System.Net.EndPoint remoteEP) => throw null; + public System.Threading.Tasks.Task SendToAsync(System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; public bool SendToAsync(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; + public System.Threading.Tasks.ValueTask SendToAsync(System.ReadOnlyMemory buffer, System.Net.EndPoint remoteEP, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask SendToAsync(System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public void SetIPProtectionLevel(System.Net.Sockets.IPProtectionLevel level) => throw null; - public void SetRawSocketOption(int optionLevel, int optionName, System.ReadOnlySpan optionValue) => throw null; - public void SetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, System.Byte[] optionValue) => throw null; + public void SetRawSocketOption(int optionLevel, int optionName, System.ReadOnlySpan optionValue) => throw null; public void SetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, bool optionValue) => throw null; + public void SetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, byte[] optionValue) => throw null; public void SetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, int optionValue) => throw null; public void SetSocketOption(System.Net.Sockets.SocketOptionLevel optionLevel, System.Net.Sockets.SocketOptionName optionName, object optionValue) => throw null; public void Shutdown(System.Net.Sockets.SocketShutdown how) => throw null; - public Socket(System.Net.Sockets.AddressFamily addressFamily, System.Net.Sockets.SocketType socketType, System.Net.Sockets.ProtocolType protocolType) => throw null; - public Socket(System.Net.Sockets.SafeSocketHandle handle) => throw null; - public Socket(System.Net.Sockets.SocketInformation socketInformation) => throw null; - public Socket(System.Net.Sockets.SocketType socketType, System.Net.Sockets.ProtocolType protocolType) => throw null; public System.Net.Sockets.SocketType SocketType { get => throw null; } public static bool SupportsIPv4 { get => throw null; } public static bool SupportsIPv6 { get => throw null; } - public System.Int16 Ttl { get => throw null; set => throw null; } - public bool UseOnlyOverlappedIO { get => throw null; set => throw null; } - // ERR: Stub generator didn't handle member: ~Socket + public short Ttl { get => throw null; set { } } + public bool UseOnlyOverlappedIO { get => throw null; set { } } } - public class SocketAsyncEventArgs : System.EventArgs, System.IDisposable { - public System.Net.Sockets.Socket AcceptSocket { get => throw null; set => throw null; } - public System.Byte[] Buffer { get => throw null; } - public System.Collections.Generic.IList> BufferList { get => throw null; set => throw null; } + public System.Net.Sockets.Socket AcceptSocket { get => throw null; set { } } + public byte[] Buffer { get => throw null; } + public System.Collections.Generic.IList> BufferList { get => throw null; set { } } public int BytesTransferred { get => throw null; } - public event System.EventHandler Completed; + public event System.EventHandler Completed { add { } remove { } } public System.Exception ConnectByNameError { get => throw null; } public System.Net.Sockets.Socket ConnectSocket { get => throw null; } public int Count { get => throw null; } - public bool DisconnectReuseSocket { get => throw null; set => throw null; } + public SocketAsyncEventArgs() => throw null; + public SocketAsyncEventArgs(bool unsafeSuppressExecutionContextFlow) => throw null; + public bool DisconnectReuseSocket { get => throw null; set { } } public void Dispose() => throw null; public System.Net.Sockets.SocketAsyncOperation LastOperation { get => throw null; } - public System.Memory MemoryBuffer { get => throw null; } + public System.Memory MemoryBuffer { get => throw null; } public int Offset { get => throw null; } protected virtual void OnCompleted(System.Net.Sockets.SocketAsyncEventArgs e) => throw null; public System.Net.Sockets.IPPacketInformation ReceiveMessageFromPacketInfo { get => throw null; } - public System.Net.EndPoint RemoteEndPoint { get => throw null; set => throw null; } - public System.Net.Sockets.SendPacketsElement[] SendPacketsElements { get => throw null; set => throw null; } - public System.Net.Sockets.TransmitFileOptions SendPacketsFlags { get => throw null; set => throw null; } - public int SendPacketsSendSize { get => throw null; set => throw null; } - public void SetBuffer(System.Byte[] buffer, int offset, int count) => throw null; - public void SetBuffer(System.Memory buffer) => throw null; + public System.Net.EndPoint RemoteEndPoint { get => throw null; set { } } + public System.Net.Sockets.SendPacketsElement[] SendPacketsElements { get => throw null; set { } } + public System.Net.Sockets.TransmitFileOptions SendPacketsFlags { get => throw null; set { } } + public int SendPacketsSendSize { get => throw null; set { } } + public void SetBuffer(byte[] buffer, int offset, int count) => throw null; public void SetBuffer(int offset, int count) => throw null; - public SocketAsyncEventArgs() => throw null; - public SocketAsyncEventArgs(bool unsafeSuppressExecutionContextFlow) => throw null; - public System.Net.Sockets.SocketError SocketError { get => throw null; set => throw null; } - public System.Net.Sockets.SocketFlags SocketFlags { get => throw null; set => throw null; } - public object UserToken { get => throw null; set => throw null; } - // ERR: Stub generator didn't handle member: ~SocketAsyncEventArgs + public void SetBuffer(System.Memory buffer) => throw null; + public System.Net.Sockets.SocketError SocketError { get => throw null; set { } } + public System.Net.Sockets.SocketFlags SocketFlags { get => throw null; set { } } + public object UserToken { get => throw null; set { } } } - - public enum SocketAsyncOperation : int + public enum SocketAsyncOperation { + None = 0, Accept = 1, Connect = 2, Disconnect = 3, - None = 0, Receive = 4, ReceiveFrom = 5, ReceiveMessageFrom = 6, @@ -475,123 +456,111 @@ public enum SocketAsyncOperation : int SendPackets = 8, SendTo = 9, } - [System.Flags] - public enum SocketFlags : int + public enum SocketFlags { - Broadcast = 1024, - ControlDataTruncated = 512, - DontRoute = 4, - Multicast = 2048, None = 0, OutOfBand = 1, - Partial = 32768, Peek = 2, + DontRoute = 4, Truncated = 256, + ControlDataTruncated = 512, + Broadcast = 1024, + Multicast = 2048, + Partial = 32768, } - public struct SocketInformation { - public System.Net.Sockets.SocketInformationOptions Options { get => throw null; set => throw null; } - public System.Byte[] ProtocolInformation { get => throw null; set => throw null; } - // Stub generator skipped constructor + public System.Net.Sockets.SocketInformationOptions Options { get => throw null; set { } } + public byte[] ProtocolInformation { get => throw null; set { } } } - [System.Flags] - public enum SocketInformationOptions : int + public enum SocketInformationOptions { + NonBlocking = 1, Connected = 2, Listening = 4, - NonBlocking = 1, UseOnlyOverlappedIO = 8, } - - public enum SocketOptionLevel : int + public enum SocketOptionLevel { IP = 0, - IPv6 = 41, - Socket = 65535, Tcp = 6, Udp = 17, + IPv6 = 41, + Socket = 65535, } - - public enum SocketOptionName : int + public enum SocketOptionName { + DontLinger = -129, + ExclusiveAddressUse = -5, + Debug = 1, + IPOptions = 1, + NoChecksum = 1, + NoDelay = 1, AcceptConnection = 2, - AddMembership = 12, - AddSourceMembership = 15, - BlockSource = 17, - Broadcast = 32, BsdUrgent = 2, - ChecksumCoverage = 20, - Debug = 1, + Expedited = 2, + HeaderIncluded = 2, + TcpKeepAliveTime = 3, + TypeOfService = 3, + IpTimeToLive = 4, + ReuseAddress = 4, + KeepAlive = 8, + MulticastInterface = 9, + MulticastTimeToLive = 10, + MulticastLoopback = 11, + AddMembership = 12, + DropMembership = 13, DontFragment = 14, - DontLinger = -129, + AddSourceMembership = 15, DontRoute = 16, - DropMembership = 13, DropSourceMembership = 16, - Error = 4103, - ExclusiveAddressUse = -5, - Expedited = 2, - HeaderIncluded = 2, + TcpKeepAliveRetryCount = 16, + BlockSource = 17, + TcpKeepAliveInterval = 17, + UnblockSource = 18, + PacketInformation = 19, + ChecksumCoverage = 20, HopLimit = 21, - IPOptions = 1, IPProtectionLevel = 23, IPv6Only = 27, - IpTimeToLive = 4, - KeepAlive = 8, + Broadcast = 32, + UseLoopback = 64, Linger = 128, - MaxConnections = 2147483647, - MulticastInterface = 9, - MulticastLoopback = 11, - MulticastTimeToLive = 10, - NoChecksum = 1, - NoDelay = 1, OutOfBandInline = 256, - PacketInformation = 19, - ReceiveBuffer = 4098, - ReceiveLowWater = 4100, - ReceiveTimeout = 4102, - ReuseAddress = 4, - ReuseUnicastPort = 12295, SendBuffer = 4097, + ReceiveBuffer = 4098, SendLowWater = 4099, + ReceiveLowWater = 4100, SendTimeout = 4101, - TcpKeepAliveInterval = 17, - TcpKeepAliveRetryCount = 16, - TcpKeepAliveTime = 3, + ReceiveTimeout = 4102, + Error = 4103, Type = 4104, - TypeOfService = 3, - UnblockSource = 18, + ReuseUnicastPort = 12295, UpdateAcceptContext = 28683, UpdateConnectContext = 28688, - UseLoopback = 64, + MaxConnections = 2147483647, } - public struct SocketReceiveFromResult { public int ReceivedBytes; public System.Net.EndPoint RemoteEndPoint; - // Stub generator skipped constructor } - public struct SocketReceiveMessageFromResult { public System.Net.Sockets.IPPacketInformation PacketInformation; public int ReceivedBytes; public System.Net.EndPoint RemoteEndPoint; public System.Net.Sockets.SocketFlags SocketFlags; - // Stub generator skipped constructor } - - public enum SocketShutdown : int + public enum SocketShutdown { - Both = 2, Receive = 0, Send = 1, + Both = 2, } - - public static class SocketTaskExtensions + public static partial class SocketTaskExtensions { public static System.Threading.Tasks.Task AcceptAsync(this System.Net.Sockets.Socket socket) => throw null; public static System.Threading.Tasks.Task AcceptAsync(this System.Net.Sockets.Socket socket, System.Net.Sockets.Socket acceptSocket) => throw null; @@ -603,35 +572,33 @@ public static class SocketTaskExtensions public static System.Threading.Tasks.ValueTask ConnectAsync(this System.Net.Sockets.Socket socket, System.Net.IPAddress[] addresses, int port, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task ConnectAsync(this System.Net.Sockets.Socket socket, string host, int port) => throw null; public static System.Threading.Tasks.ValueTask ConnectAsync(this System.Net.Sockets.Socket socket, string host, int port, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task ReceiveAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public static System.Threading.Tasks.Task ReceiveAsync(this System.Net.Sockets.Socket socket, System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public static System.Threading.Tasks.ValueTask ReceiveAsync(this System.Net.Sockets.Socket socket, System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task ReceiveFromAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; - public static System.Threading.Tasks.Task ReceiveMessageFromAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; - public static System.Threading.Tasks.Task SendAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public static System.Threading.Tasks.Task SendAsync(this System.Net.Sockets.Socket socket, System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; - public static System.Threading.Tasks.ValueTask SendAsync(this System.Net.Sockets.Socket socket, System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SendToAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; + public static System.Threading.Tasks.Task ReceiveAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public static System.Threading.Tasks.Task ReceiveAsync(this System.Net.Sockets.Socket socket, System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public static System.Threading.Tasks.ValueTask ReceiveAsync(this System.Net.Sockets.Socket socket, System.Memory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task ReceiveFromAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; + public static System.Threading.Tasks.Task ReceiveMessageFromAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEndPoint) => throw null; + public static System.Threading.Tasks.Task SendAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public static System.Threading.Tasks.Task SendAsync(this System.Net.Sockets.Socket socket, System.Collections.Generic.IList> buffers, System.Net.Sockets.SocketFlags socketFlags) => throw null; + public static System.Threading.Tasks.ValueTask SendAsync(this System.Net.Sockets.Socket socket, System.ReadOnlyMemory buffer, System.Net.Sockets.SocketFlags socketFlags, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SendToAsync(this System.Net.Sockets.Socket socket, System.ArraySegment buffer, System.Net.Sockets.SocketFlags socketFlags, System.Net.EndPoint remoteEP) => throw null; } - - public enum SocketType : int + public enum SocketType { + Unknown = -1, + Stream = 1, Dgram = 2, Raw = 3, Rdm = 4, Seqpacket = 5, - Stream = 1, - Unknown = -1, } - public class TcpClient : System.IDisposable { - protected bool Active { get => throw null; set => throw null; } + protected bool Active { get => throw null; set { } } public int Available { get => throw null; } public System.IAsyncResult BeginConnect(System.Net.IPAddress address, int port, System.AsyncCallback requestCallback, object state) => throw null; public System.IAsyncResult BeginConnect(System.Net.IPAddress[] addresses, int port, System.AsyncCallback requestCallback, object state) => throw null; public System.IAsyncResult BeginConnect(string host, int port, System.AsyncCallback requestCallback, object state) => throw null; - public System.Net.Sockets.Socket Client { get => throw null; set => throw null; } + public System.Net.Sockets.Socket Client { get => throw null; set { } } public void Close() => throw null; public void Connect(System.Net.IPAddress address, int port) => throw null; public void Connect(System.Net.IPAddress[] ipAddresses, int port) => throw null; @@ -646,24 +613,22 @@ public class TcpClient : System.IDisposable public System.Threading.Tasks.Task ConnectAsync(string host, int port) => throw null; public System.Threading.Tasks.ValueTask ConnectAsync(string host, int port, System.Threading.CancellationToken cancellationToken) => throw null; public bool Connected { get => throw null; } + public TcpClient() => throw null; + public TcpClient(System.Net.IPEndPoint localEP) => throw null; + public TcpClient(System.Net.Sockets.AddressFamily family) => throw null; + public TcpClient(string hostname, int port) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public void EndConnect(System.IAsyncResult asyncResult) => throw null; - public bool ExclusiveAddressUse { get => throw null; set => throw null; } + public bool ExclusiveAddressUse { get => throw null; set { } } public System.Net.Sockets.NetworkStream GetStream() => throw null; - public System.Net.Sockets.LingerOption LingerState { get => throw null; set => throw null; } - public bool NoDelay { get => throw null; set => throw null; } - public int ReceiveBufferSize { get => throw null; set => throw null; } - public int ReceiveTimeout { get => throw null; set => throw null; } - public int SendBufferSize { get => throw null; set => throw null; } - public int SendTimeout { get => throw null; set => throw null; } - public TcpClient() => throw null; - public TcpClient(System.Net.Sockets.AddressFamily family) => throw null; - public TcpClient(System.Net.IPEndPoint localEP) => throw null; - public TcpClient(string hostname, int port) => throw null; - // ERR: Stub generator didn't handle member: ~TcpClient + public System.Net.Sockets.LingerOption LingerState { get => throw null; set { } } + public bool NoDelay { get => throw null; set { } } + public int ReceiveBufferSize { get => throw null; set { } } + public int ReceiveTimeout { get => throw null; set { } } + public int SendBufferSize { get => throw null; set { } } + public int SendTimeout { get => throw null; set { } } } - public class TcpListener { public System.Net.Sockets.Socket AcceptSocket() => throw null; @@ -677,105 +642,99 @@ public class TcpListener public System.IAsyncResult BeginAcceptSocket(System.AsyncCallback callback, object state) => throw null; public System.IAsyncResult BeginAcceptTcpClient(System.AsyncCallback callback, object state) => throw null; public static System.Net.Sockets.TcpListener Create(int port) => throw null; + public TcpListener(int port) => throw null; + public TcpListener(System.Net.IPAddress localaddr, int port) => throw null; + public TcpListener(System.Net.IPEndPoint localEP) => throw null; public System.Net.Sockets.Socket EndAcceptSocket(System.IAsyncResult asyncResult) => throw null; public System.Net.Sockets.TcpClient EndAcceptTcpClient(System.IAsyncResult asyncResult) => throw null; - public bool ExclusiveAddressUse { get => throw null; set => throw null; } + public bool ExclusiveAddressUse { get => throw null; set { } } public System.Net.EndPoint LocalEndpoint { get => throw null; } public bool Pending() => throw null; public System.Net.Sockets.Socket Server { get => throw null; } public void Start() => throw null; public void Start(int backlog) => throw null; public void Stop() => throw null; - public TcpListener(System.Net.IPAddress localaddr, int port) => throw null; - public TcpListener(System.Net.IPEndPoint localEP) => throw null; - public TcpListener(int port) => throw null; } - [System.Flags] - public enum TransmitFileOptions : int + public enum TransmitFileOptions { + UseDefaultWorkerThread = 0, Disconnect = 1, ReuseSocket = 2, - UseDefaultWorkerThread = 0, - UseKernelApc = 32, - UseSystemThread = 16, WriteBehind = 4, + UseSystemThread = 16, + UseKernelApc = 32, } - public class UdpClient : System.IDisposable { - protected bool Active { get => throw null; set => throw null; } + protected bool Active { get => throw null; set { } } public void AllowNatTraversal(bool allowed) => throw null; public int Available { get => throw null; } public System.IAsyncResult BeginReceive(System.AsyncCallback requestCallback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Byte[] datagram, int bytes, System.AsyncCallback requestCallback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Byte[] datagram, int bytes, System.Net.IPEndPoint endPoint, System.AsyncCallback requestCallback, object state) => throw null; - public System.IAsyncResult BeginSend(System.Byte[] datagram, int bytes, string hostname, int port, System.AsyncCallback requestCallback, object state) => throw null; - public System.Net.Sockets.Socket Client { get => throw null; set => throw null; } + public System.IAsyncResult BeginSend(byte[] datagram, int bytes, System.AsyncCallback requestCallback, object state) => throw null; + public System.IAsyncResult BeginSend(byte[] datagram, int bytes, System.Net.IPEndPoint endPoint, System.AsyncCallback requestCallback, object state) => throw null; + public System.IAsyncResult BeginSend(byte[] datagram, int bytes, string hostname, int port, System.AsyncCallback requestCallback, object state) => throw null; + public System.Net.Sockets.Socket Client { get => throw null; set { } } public void Close() => throw null; public void Connect(System.Net.IPAddress addr, int port) => throw null; public void Connect(System.Net.IPEndPoint endPoint) => throw null; public void Connect(string hostname, int port) => throw null; + public UdpClient() => throw null; + public UdpClient(int port) => throw null; + public UdpClient(int port, System.Net.Sockets.AddressFamily family) => throw null; + public UdpClient(System.Net.IPEndPoint localEP) => throw null; + public UdpClient(System.Net.Sockets.AddressFamily family) => throw null; + public UdpClient(string hostname, int port) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public bool DontFragment { get => throw null; set => throw null; } + public bool DontFragment { get => throw null; set { } } public void DropMulticastGroup(System.Net.IPAddress multicastAddr) => throw null; public void DropMulticastGroup(System.Net.IPAddress multicastAddr, int ifindex) => throw null; - public bool EnableBroadcast { get => throw null; set => throw null; } - public System.Byte[] EndReceive(System.IAsyncResult asyncResult, ref System.Net.IPEndPoint remoteEP) => throw null; + public bool EnableBroadcast { get => throw null; set { } } + public byte[] EndReceive(System.IAsyncResult asyncResult, ref System.Net.IPEndPoint remoteEP) => throw null; public int EndSend(System.IAsyncResult asyncResult) => throw null; - public bool ExclusiveAddressUse { get => throw null; set => throw null; } + public bool ExclusiveAddressUse { get => throw null; set { } } + public void JoinMulticastGroup(int ifindex, System.Net.IPAddress multicastAddr) => throw null; public void JoinMulticastGroup(System.Net.IPAddress multicastAddr) => throw null; - public void JoinMulticastGroup(System.Net.IPAddress multicastAddr, System.Net.IPAddress localAddress) => throw null; public void JoinMulticastGroup(System.Net.IPAddress multicastAddr, int timeToLive) => throw null; - public void JoinMulticastGroup(int ifindex, System.Net.IPAddress multicastAddr) => throw null; - public bool MulticastLoopback { get => throw null; set => throw null; } - public System.Byte[] Receive(ref System.Net.IPEndPoint remoteEP) => throw null; + public void JoinMulticastGroup(System.Net.IPAddress multicastAddr, System.Net.IPAddress localAddress) => throw null; + public bool MulticastLoopback { get => throw null; set { } } + public byte[] Receive(ref System.Net.IPEndPoint remoteEP) => throw null; public System.Threading.Tasks.Task ReceiveAsync() => throw null; public System.Threading.Tasks.ValueTask ReceiveAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public int Send(System.Byte[] dgram, int bytes) => throw null; - public int Send(System.Byte[] dgram, int bytes, System.Net.IPEndPoint endPoint) => throw null; - public int Send(System.Byte[] dgram, int bytes, string hostname, int port) => throw null; - public int Send(System.ReadOnlySpan datagram) => throw null; - public int Send(System.ReadOnlySpan datagram, System.Net.IPEndPoint endPoint) => throw null; - public int Send(System.ReadOnlySpan datagram, string hostname, int port) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Byte[] datagram, int bytes) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Byte[] datagram, int bytes, System.Net.IPEndPoint endPoint) => throw null; - public System.Threading.Tasks.Task SendAsync(System.Byte[] datagram, int bytes, string hostname, int port) => throw null; - public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, System.Net.IPEndPoint endPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, string hostname, int port, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Int16 Ttl { get => throw null; set => throw null; } - public UdpClient() => throw null; - public UdpClient(System.Net.Sockets.AddressFamily family) => throw null; - public UdpClient(System.Net.IPEndPoint localEP) => throw null; - public UdpClient(int port) => throw null; - public UdpClient(int port, System.Net.Sockets.AddressFamily family) => throw null; - public UdpClient(string hostname, int port) => throw null; + public int Send(byte[] dgram, int bytes) => throw null; + public int Send(byte[] dgram, int bytes, System.Net.IPEndPoint endPoint) => throw null; + public int Send(byte[] dgram, int bytes, string hostname, int port) => throw null; + public int Send(System.ReadOnlySpan datagram) => throw null; + public int Send(System.ReadOnlySpan datagram, System.Net.IPEndPoint endPoint) => throw null; + public int Send(System.ReadOnlySpan datagram, string hostname, int port) => throw null; + public System.Threading.Tasks.Task SendAsync(byte[] datagram, int bytes) => throw null; + public System.Threading.Tasks.Task SendAsync(byte[] datagram, int bytes, System.Net.IPEndPoint endPoint) => throw null; + public System.Threading.Tasks.Task SendAsync(byte[] datagram, int bytes, string hostname, int port) => throw null; + public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, System.Net.IPEndPoint endPoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, string hostname, int port, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory datagram, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public short Ttl { get => throw null; set { } } } - public struct UdpReceiveResult : System.IEquatable { - public static bool operator !=(System.Net.Sockets.UdpReceiveResult left, System.Net.Sockets.UdpReceiveResult right) => throw null; - public static bool operator ==(System.Net.Sockets.UdpReceiveResult left, System.Net.Sockets.UdpReceiveResult right) => throw null; - public System.Byte[] Buffer { get => throw null; } + public byte[] Buffer { get => throw null; } + public UdpReceiveResult(byte[] buffer, System.Net.IPEndPoint remoteEndPoint) => throw null; public bool Equals(System.Net.Sockets.UdpReceiveResult other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Net.Sockets.UdpReceiveResult left, System.Net.Sockets.UdpReceiveResult right) => throw null; + public static bool operator !=(System.Net.Sockets.UdpReceiveResult left, System.Net.Sockets.UdpReceiveResult right) => throw null; public System.Net.IPEndPoint RemoteEndPoint { get => throw null; } - // Stub generator skipped constructor - public UdpReceiveResult(System.Byte[] buffer, System.Net.IPEndPoint remoteEndPoint) => throw null; } - - public class UnixDomainSocketEndPoint : System.Net.EndPoint + public sealed class UnixDomainSocketEndPoint : System.Net.EndPoint { public override System.Net.Sockets.AddressFamily AddressFamily { get => throw null; } public override System.Net.EndPoint Create(System.Net.SocketAddress socketAddress) => throw null; + public UnixDomainSocketEndPoint(string path) => throw null; public override System.Net.SocketAddress Serialize() => throw null; public override string ToString() => throw null; - public UnixDomainSocketEndPoint(string path) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs index 729b6fe03557..f77da2184492 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs @@ -1,129 +1,109 @@ // This file contains auto-generated code. // Generated from `System.Net.WebClient, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net { public class DownloadDataCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - internal DownloadDataCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; - public System.Byte[] Result { get => throw null; } + public byte[] Result { get => throw null; } + internal DownloadDataCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void DownloadDataCompletedEventHandler(object sender, System.Net.DownloadDataCompletedEventArgs e); - public class DownloadProgressChangedEventArgs : System.ComponentModel.ProgressChangedEventArgs { - public System.Int64 BytesReceived { get => throw null; } - internal DownloadProgressChangedEventArgs() : base(default(int), default(object)) => throw null; - public System.Int64 TotalBytesToReceive { get => throw null; } + public long BytesReceived { get => throw null; } + public long TotalBytesToReceive { get => throw null; } + internal DownloadProgressChangedEventArgs() : base(default(int), default(object)) { } } - public delegate void DownloadProgressChangedEventHandler(object sender, System.Net.DownloadProgressChangedEventArgs e); - public class DownloadStringCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - internal DownloadStringCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; public string Result { get => throw null; } + internal DownloadStringCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void DownloadStringCompletedEventHandler(object sender, System.Net.DownloadStringCompletedEventArgs e); - public class OpenReadCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - internal OpenReadCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; public System.IO.Stream Result { get => throw null; } + internal OpenReadCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void OpenReadCompletedEventHandler(object sender, System.Net.OpenReadCompletedEventArgs e); - public class OpenWriteCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - internal OpenWriteCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; public System.IO.Stream Result { get => throw null; } + internal OpenWriteCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void OpenWriteCompletedEventHandler(object sender, System.Net.OpenWriteCompletedEventArgs e); - public class UploadDataCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - public System.Byte[] Result { get => throw null; } - internal UploadDataCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; + public byte[] Result { get => throw null; } + internal UploadDataCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void UploadDataCompletedEventHandler(object sender, System.Net.UploadDataCompletedEventArgs e); - public class UploadFileCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - public System.Byte[] Result { get => throw null; } - internal UploadFileCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; + public byte[] Result { get => throw null; } + internal UploadFileCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void UploadFileCompletedEventHandler(object sender, System.Net.UploadFileCompletedEventArgs e); - public class UploadProgressChangedEventArgs : System.ComponentModel.ProgressChangedEventArgs { - public System.Int64 BytesReceived { get => throw null; } - public System.Int64 BytesSent { get => throw null; } - public System.Int64 TotalBytesToReceive { get => throw null; } - public System.Int64 TotalBytesToSend { get => throw null; } - internal UploadProgressChangedEventArgs() : base(default(int), default(object)) => throw null; + public long BytesReceived { get => throw null; } + public long BytesSent { get => throw null; } + public long TotalBytesToReceive { get => throw null; } + public long TotalBytesToSend { get => throw null; } + internal UploadProgressChangedEventArgs() : base(default(int), default(object)) { } } - public delegate void UploadProgressChangedEventHandler(object sender, System.Net.UploadProgressChangedEventArgs e); - public class UploadStringCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { public string Result { get => throw null; } - internal UploadStringCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; + internal UploadStringCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void UploadStringCompletedEventHandler(object sender, System.Net.UploadStringCompletedEventArgs e); - public class UploadValuesCompletedEventArgs : System.ComponentModel.AsyncCompletedEventArgs { - public System.Byte[] Result { get => throw null; } - internal UploadValuesCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) => throw null; + public byte[] Result { get => throw null; } + internal UploadValuesCompletedEventArgs() : base(default(System.Exception), default(bool), default(object)) { } } - public delegate void UploadValuesCompletedEventHandler(object sender, System.Net.UploadValuesCompletedEventArgs e); - public class WebClient : System.ComponentModel.Component { - public bool AllowReadStreamBuffering { get => throw null; set => throw null; } - public bool AllowWriteStreamBuffering { get => throw null; set => throw null; } - public string BaseAddress { get => throw null; set => throw null; } - public System.Net.Cache.RequestCachePolicy CachePolicy { get => throw null; set => throw null; } + public bool AllowReadStreamBuffering { get => throw null; set { } } + public bool AllowWriteStreamBuffering { get => throw null; set { } } + public string BaseAddress { get => throw null; set { } } + public System.Net.Cache.RequestCachePolicy CachePolicy { get => throw null; set { } } public void CancelAsync() => throw null; - public System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public System.Byte[] DownloadData(System.Uri address) => throw null; - public System.Byte[] DownloadData(string address) => throw null; + public System.Net.ICredentials Credentials { get => throw null; set { } } + public WebClient() => throw null; + public byte[] DownloadData(string address) => throw null; + public byte[] DownloadData(System.Uri address) => throw null; public void DownloadDataAsync(System.Uri address) => throw null; public void DownloadDataAsync(System.Uri address, object userToken) => throw null; - public event System.Net.DownloadDataCompletedEventHandler DownloadDataCompleted; - public System.Threading.Tasks.Task DownloadDataTaskAsync(System.Uri address) => throw null; - public System.Threading.Tasks.Task DownloadDataTaskAsync(string address) => throw null; - public void DownloadFile(System.Uri address, string fileName) => throw null; + public event System.Net.DownloadDataCompletedEventHandler DownloadDataCompleted { add { } remove { } } + public System.Threading.Tasks.Task DownloadDataTaskAsync(string address) => throw null; + public System.Threading.Tasks.Task DownloadDataTaskAsync(System.Uri address) => throw null; public void DownloadFile(string address, string fileName) => throw null; + public void DownloadFile(System.Uri address, string fileName) => throw null; public void DownloadFileAsync(System.Uri address, string fileName) => throw null; public void DownloadFileAsync(System.Uri address, string fileName, object userToken) => throw null; - public event System.ComponentModel.AsyncCompletedEventHandler DownloadFileCompleted; - public System.Threading.Tasks.Task DownloadFileTaskAsync(System.Uri address, string fileName) => throw null; + public event System.ComponentModel.AsyncCompletedEventHandler DownloadFileCompleted { add { } remove { } } public System.Threading.Tasks.Task DownloadFileTaskAsync(string address, string fileName) => throw null; - public event System.Net.DownloadProgressChangedEventHandler DownloadProgressChanged; - public string DownloadString(System.Uri address) => throw null; + public System.Threading.Tasks.Task DownloadFileTaskAsync(System.Uri address, string fileName) => throw null; + public event System.Net.DownloadProgressChangedEventHandler DownloadProgressChanged { add { } remove { } } public string DownloadString(string address) => throw null; + public string DownloadString(System.Uri address) => throw null; public void DownloadStringAsync(System.Uri address) => throw null; public void DownloadStringAsync(System.Uri address, object userToken) => throw null; - public event System.Net.DownloadStringCompletedEventHandler DownloadStringCompleted; - public System.Threading.Tasks.Task DownloadStringTaskAsync(System.Uri address) => throw null; + public event System.Net.DownloadStringCompletedEventHandler DownloadStringCompleted { add { } remove { } } public System.Threading.Tasks.Task DownloadStringTaskAsync(string address) => throw null; - public System.Text.Encoding Encoding { get => throw null; set => throw null; } + public System.Threading.Tasks.Task DownloadStringTaskAsync(System.Uri address) => throw null; + public System.Text.Encoding Encoding { get => throw null; set { } } protected virtual System.Net.WebRequest GetWebRequest(System.Uri address) => throw null; protected virtual System.Net.WebResponse GetWebResponse(System.Net.WebRequest request) => throw null; protected virtual System.Net.WebResponse GetWebResponse(System.Net.WebRequest request, System.IAsyncResult result) => throw null; - public System.Net.WebHeaderCollection Headers { get => throw null; set => throw null; } + public System.Net.WebHeaderCollection Headers { get => throw null; set { } } public bool IsBusy { get => throw null; } protected virtual void OnDownloadDataCompleted(System.Net.DownloadDataCompletedEventArgs e) => throw null; protected virtual void OnDownloadFileCompleted(System.ComponentModel.AsyncCompletedEventArgs e) => throw null; @@ -137,89 +117,85 @@ public class WebClient : System.ComponentModel.Component protected virtual void OnUploadStringCompleted(System.Net.UploadStringCompletedEventArgs e) => throw null; protected virtual void OnUploadValuesCompleted(System.Net.UploadValuesCompletedEventArgs e) => throw null; protected virtual void OnWriteStreamClosed(System.Net.WriteStreamClosedEventArgs e) => throw null; - public System.IO.Stream OpenRead(System.Uri address) => throw null; public System.IO.Stream OpenRead(string address) => throw null; + public System.IO.Stream OpenRead(System.Uri address) => throw null; public void OpenReadAsync(System.Uri address) => throw null; public void OpenReadAsync(System.Uri address, object userToken) => throw null; - public event System.Net.OpenReadCompletedEventHandler OpenReadCompleted; - public System.Threading.Tasks.Task OpenReadTaskAsync(System.Uri address) => throw null; + public event System.Net.OpenReadCompletedEventHandler OpenReadCompleted { add { } remove { } } public System.Threading.Tasks.Task OpenReadTaskAsync(string address) => throw null; - public System.IO.Stream OpenWrite(System.Uri address) => throw null; - public System.IO.Stream OpenWrite(System.Uri address, string method) => throw null; + public System.Threading.Tasks.Task OpenReadTaskAsync(System.Uri address) => throw null; public System.IO.Stream OpenWrite(string address) => throw null; public System.IO.Stream OpenWrite(string address, string method) => throw null; + public System.IO.Stream OpenWrite(System.Uri address) => throw null; + public System.IO.Stream OpenWrite(System.Uri address, string method) => throw null; public void OpenWriteAsync(System.Uri address) => throw null; public void OpenWriteAsync(System.Uri address, string method) => throw null; public void OpenWriteAsync(System.Uri address, string method, object userToken) => throw null; - public event System.Net.OpenWriteCompletedEventHandler OpenWriteCompleted; - public System.Threading.Tasks.Task OpenWriteTaskAsync(System.Uri address) => throw null; - public System.Threading.Tasks.Task OpenWriteTaskAsync(System.Uri address, string method) => throw null; + public event System.Net.OpenWriteCompletedEventHandler OpenWriteCompleted { add { } remove { } } public System.Threading.Tasks.Task OpenWriteTaskAsync(string address) => throw null; public System.Threading.Tasks.Task OpenWriteTaskAsync(string address, string method) => throw null; - public System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - public System.Collections.Specialized.NameValueCollection QueryString { get => throw null; set => throw null; } + public System.Threading.Tasks.Task OpenWriteTaskAsync(System.Uri address) => throw null; + public System.Threading.Tasks.Task OpenWriteTaskAsync(System.Uri address, string method) => throw null; + public System.Net.IWebProxy Proxy { get => throw null; set { } } + public System.Collections.Specialized.NameValueCollection QueryString { get => throw null; set { } } public System.Net.WebHeaderCollection ResponseHeaders { get => throw null; } - public System.Byte[] UploadData(System.Uri address, System.Byte[] data) => throw null; - public System.Byte[] UploadData(System.Uri address, string method, System.Byte[] data) => throw null; - public System.Byte[] UploadData(string address, System.Byte[] data) => throw null; - public System.Byte[] UploadData(string address, string method, System.Byte[] data) => throw null; - public void UploadDataAsync(System.Uri address, System.Byte[] data) => throw null; - public void UploadDataAsync(System.Uri address, string method, System.Byte[] data) => throw null; - public void UploadDataAsync(System.Uri address, string method, System.Byte[] data, object userToken) => throw null; - public event System.Net.UploadDataCompletedEventHandler UploadDataCompleted; - public System.Threading.Tasks.Task UploadDataTaskAsync(System.Uri address, System.Byte[] data) => throw null; - public System.Threading.Tasks.Task UploadDataTaskAsync(System.Uri address, string method, System.Byte[] data) => throw null; - public System.Threading.Tasks.Task UploadDataTaskAsync(string address, System.Byte[] data) => throw null; - public System.Threading.Tasks.Task UploadDataTaskAsync(string address, string method, System.Byte[] data) => throw null; - public System.Byte[] UploadFile(System.Uri address, string fileName) => throw null; - public System.Byte[] UploadFile(System.Uri address, string method, string fileName) => throw null; - public System.Byte[] UploadFile(string address, string fileName) => throw null; - public System.Byte[] UploadFile(string address, string method, string fileName) => throw null; + public byte[] UploadData(string address, byte[] data) => throw null; + public byte[] UploadData(string address, string method, byte[] data) => throw null; + public byte[] UploadData(System.Uri address, byte[] data) => throw null; + public byte[] UploadData(System.Uri address, string method, byte[] data) => throw null; + public void UploadDataAsync(System.Uri address, byte[] data) => throw null; + public void UploadDataAsync(System.Uri address, string method, byte[] data) => throw null; + public void UploadDataAsync(System.Uri address, string method, byte[] data, object userToken) => throw null; + public event System.Net.UploadDataCompletedEventHandler UploadDataCompleted { add { } remove { } } + public System.Threading.Tasks.Task UploadDataTaskAsync(string address, byte[] data) => throw null; + public System.Threading.Tasks.Task UploadDataTaskAsync(string address, string method, byte[] data) => throw null; + public System.Threading.Tasks.Task UploadDataTaskAsync(System.Uri address, byte[] data) => throw null; + public System.Threading.Tasks.Task UploadDataTaskAsync(System.Uri address, string method, byte[] data) => throw null; + public byte[] UploadFile(string address, string fileName) => throw null; + public byte[] UploadFile(string address, string method, string fileName) => throw null; + public byte[] UploadFile(System.Uri address, string fileName) => throw null; + public byte[] UploadFile(System.Uri address, string method, string fileName) => throw null; public void UploadFileAsync(System.Uri address, string fileName) => throw null; public void UploadFileAsync(System.Uri address, string method, string fileName) => throw null; public void UploadFileAsync(System.Uri address, string method, string fileName, object userToken) => throw null; - public event System.Net.UploadFileCompletedEventHandler UploadFileCompleted; - public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string fileName) => throw null; - public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string method, string fileName) => throw null; - public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string fileName) => throw null; - public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string method, string fileName) => throw null; - public event System.Net.UploadProgressChangedEventHandler UploadProgressChanged; - public string UploadString(System.Uri address, string data) => throw null; - public string UploadString(System.Uri address, string method, string data) => throw null; + public event System.Net.UploadFileCompletedEventHandler UploadFileCompleted { add { } remove { } } + public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string fileName) => throw null; + public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string method, string fileName) => throw null; + public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string fileName) => throw null; + public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string method, string fileName) => throw null; + public event System.Net.UploadProgressChangedEventHandler UploadProgressChanged { add { } remove { } } public string UploadString(string address, string data) => throw null; public string UploadString(string address, string method, string data) => throw null; + public string UploadString(System.Uri address, string data) => throw null; + public string UploadString(System.Uri address, string method, string data) => throw null; public void UploadStringAsync(System.Uri address, string data) => throw null; public void UploadStringAsync(System.Uri address, string method, string data) => throw null; public void UploadStringAsync(System.Uri address, string method, string data, object userToken) => throw null; - public event System.Net.UploadStringCompletedEventHandler UploadStringCompleted; - public System.Threading.Tasks.Task UploadStringTaskAsync(System.Uri address, string data) => throw null; - public System.Threading.Tasks.Task UploadStringTaskAsync(System.Uri address, string method, string data) => throw null; + public event System.Net.UploadStringCompletedEventHandler UploadStringCompleted { add { } remove { } } public System.Threading.Tasks.Task UploadStringTaskAsync(string address, string data) => throw null; public System.Threading.Tasks.Task UploadStringTaskAsync(string address, string method, string data) => throw null; - public System.Byte[] UploadValues(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Byte[] UploadValues(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Byte[] UploadValues(string address, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Byte[] UploadValues(string address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; + public System.Threading.Tasks.Task UploadStringTaskAsync(System.Uri address, string data) => throw null; + public System.Threading.Tasks.Task UploadStringTaskAsync(System.Uri address, string method, string data) => throw null; + public byte[] UploadValues(string address, System.Collections.Specialized.NameValueCollection data) => throw null; + public byte[] UploadValues(string address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; + public byte[] UploadValues(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; + public byte[] UploadValues(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; public void UploadValuesAsync(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; public void UploadValuesAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; public void UploadValuesAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data, object userToken) => throw null; - public event System.Net.UploadValuesCompletedEventHandler UploadValuesCompleted; - public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, System.Collections.Specialized.NameValueCollection data) => throw null; - public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; - public bool UseDefaultCredentials { get => throw null; set => throw null; } - public WebClient() => throw null; - public event System.Net.WriteStreamClosedEventHandler WriteStreamClosed; + public event System.Net.UploadValuesCompletedEventHandler UploadValuesCompleted { add { } remove { } } + public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, System.Collections.Specialized.NameValueCollection data) => throw null; + public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; + public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; + public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; + public bool UseDefaultCredentials { get => throw null; set { } } + public event System.Net.WriteStreamClosedEventHandler WriteStreamClosed { add { } remove { } } } - public class WriteStreamClosedEventArgs : System.EventArgs { - public System.Exception Error { get => throw null; } public WriteStreamClosedEventArgs() => throw null; + public System.Exception Error { get => throw null; } } - public delegate void WriteStreamClosedEventHandler(object sender, System.Net.WriteStreamClosedEventArgs e); - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebHeaderCollection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebHeaderCollection.cs index be08fd414a2f..437e4aaebd93 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebHeaderCollection.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebHeaderCollection.cs @@ -1,31 +1,38 @@ // This file contains auto-generated code. // Generated from `System.Net.WebHeaderCollection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net { - public enum HttpRequestHeader : int + public enum HttpRequestHeader { - Accept = 20, - AcceptCharset = 21, - AcceptEncoding = 22, - AcceptLanguage = 23, - Allow = 10, - Authorization = 24, CacheControl = 0, Connection = 1, + Date = 2, + KeepAlive = 3, + Pragma = 4, + Trailer = 5, + TransferEncoding = 6, + Upgrade = 7, + Via = 8, + Warning = 9, + Allow = 10, + ContentLength = 11, + ContentType = 12, ContentEncoding = 13, ContentLanguage = 14, - ContentLength = 11, ContentLocation = 15, ContentMd5 = 16, ContentRange = 17, - ContentType = 12, + Expires = 18, + LastModified = 19, + Accept = 20, + AcceptCharset = 21, + AcceptEncoding = 22, + AcceptLanguage = 23, + Authorization = 24, Cookie = 25, - Date = 2, Expect = 26, - Expires = 18, From = 27, Host = 28, IfMatch = 29, @@ -33,57 +40,47 @@ public enum HttpRequestHeader : int IfNoneMatch = 31, IfRange = 32, IfUnmodifiedSince = 33, - KeepAlive = 3, - LastModified = 19, MaxForwards = 34, - Pragma = 4, ProxyAuthorization = 35, - Range = 37, Referer = 36, + Range = 37, Te = 38, - Trailer = 5, - TransferEncoding = 6, Translate = 39, - Upgrade = 7, UserAgent = 40, - Via = 8, - Warning = 9, } - - public enum HttpResponseHeader : int + public enum HttpResponseHeader { - AcceptRanges = 20, - Age = 21, - Allow = 10, CacheControl = 0, Connection = 1, + Date = 2, + KeepAlive = 3, + Pragma = 4, + Trailer = 5, + TransferEncoding = 6, + Upgrade = 7, + Via = 8, + Warning = 9, + Allow = 10, + ContentLength = 11, + ContentType = 12, ContentEncoding = 13, ContentLanguage = 14, - ContentLength = 11, ContentLocation = 15, ContentMd5 = 16, ContentRange = 17, - ContentType = 12, - Date = 2, - ETag = 22, Expires = 18, - KeepAlive = 3, LastModified = 19, + AcceptRanges = 20, + Age = 21, + ETag = 22, Location = 23, - Pragma = 4, ProxyAuthenticate = 24, RetryAfter = 25, Server = 26, SetCookie = 27, - Trailer = 5, - TransferEncoding = 6, - Upgrade = 7, Vary = 28, - Via = 8, - Warning = 9, WwwAuthenticate = 29, } - public class WebHeaderCollection : System.Collections.Specialized.NameValueCollection, System.Collections.IEnumerable, System.Runtime.Serialization.ISerializable { public void Add(System.Net.HttpRequestHeader header, string value) => throw null; @@ -94,6 +91,8 @@ public class WebHeaderCollection : System.Collections.Specialized.NameValueColle public override string[] AllKeys { get => throw null; } public override void Clear() => throw null; public override int Count { get => throw null; } + public WebHeaderCollection() => throw null; + protected WebHeaderCollection(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public override string Get(int index) => throw null; public override string Get(string name) => throw null; public override System.Collections.IEnumerator GetEnumerator() => throw null; @@ -104,8 +103,6 @@ public class WebHeaderCollection : System.Collections.Specialized.NameValueColle public override string[] GetValues(string header) => throw null; public static bool IsRestricted(string headerName) => throw null; public static bool IsRestricted(string headerName, bool response) => throw null; - public string this[System.Net.HttpRequestHeader header] { get => throw null; set => throw null; } - public string this[System.Net.HttpResponseHeader header] { get => throw null; set => throw null; } public override System.Collections.Specialized.NameObjectCollectionBase.KeysCollection Keys { get => throw null; } public override void OnDeserialization(object sender) => throw null; public void Remove(System.Net.HttpRequestHeader header) => throw null; @@ -114,11 +111,10 @@ public class WebHeaderCollection : System.Collections.Specialized.NameValueColle public void Set(System.Net.HttpRequestHeader header, string value) => throw null; public void Set(System.Net.HttpResponseHeader header, string value) => throw null; public override void Set(string name, string value) => throw null; - public System.Byte[] ToByteArray() => throw null; + public string this[System.Net.HttpRequestHeader header] { get => throw null; set { } } + public string this[System.Net.HttpResponseHeader header] { get => throw null; set { } } + public byte[] ToByteArray() => throw null; public override string ToString() => throw null; - public WebHeaderCollection() => throw null; - protected WebHeaderCollection(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs index f5a422f51295..70d613527ae1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.WebProxy, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Net @@ -11,32 +10,30 @@ public interface IWebProxyScript bool Load(System.Uri scriptLocation, string script, System.Type helperType); string Run(string url, string host); } - public class WebProxy : System.Net.IWebProxy, System.Runtime.Serialization.ISerializable { - public System.Uri Address { get => throw null; set => throw null; } + public System.Uri Address { get => throw null; set { } } public System.Collections.ArrayList BypassArrayList { get => throw null; } - public string[] BypassList { get => throw null; set => throw null; } - public bool BypassProxyOnLocal { get => throw null; set => throw null; } - public System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public static System.Net.WebProxy GetDefaultProxy() => throw null; - protected virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public System.Uri GetProxy(System.Uri destination) => throw null; - public bool IsBypassed(System.Uri host) => throw null; - public bool UseDefaultCredentials { get => throw null; set => throw null; } + public string[] BypassList { get => throw null; set { } } + public bool BypassProxyOnLocal { get => throw null; set { } } + public System.Net.ICredentials Credentials { get => throw null; set { } } public WebProxy() => throw null; protected WebProxy(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public WebProxy(System.Uri Address) => throw null; - public WebProxy(System.Uri Address, bool BypassOnLocal) => throw null; - public WebProxy(System.Uri Address, bool BypassOnLocal, string[] BypassList) => throw null; - public WebProxy(System.Uri Address, bool BypassOnLocal, string[] BypassList, System.Net.ICredentials Credentials) => throw null; public WebProxy(string Address) => throw null; public WebProxy(string Address, bool BypassOnLocal) => throw null; public WebProxy(string Address, bool BypassOnLocal, string[] BypassList) => throw null; public WebProxy(string Address, bool BypassOnLocal, string[] BypassList, System.Net.ICredentials Credentials) => throw null; public WebProxy(string Host, int Port) => throw null; + public WebProxy(System.Uri Address) => throw null; + public WebProxy(System.Uri Address, bool BypassOnLocal) => throw null; + public WebProxy(System.Uri Address, bool BypassOnLocal, string[] BypassList) => throw null; + public WebProxy(System.Uri Address, bool BypassOnLocal, string[] BypassList, System.Net.ICredentials Credentials) => throw null; + public static System.Net.WebProxy GetDefaultProxy() => throw null; + protected virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public System.Uri GetProxy(System.Uri destination) => throw null; + public bool IsBypassed(System.Uri host) => throw null; + public bool UseDefaultCredentials { get => throw null; set { } } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.Client.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.Client.cs index 486479ac3a5b..5f7be7ac4d14 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.Client.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.Client.cs @@ -1,53 +1,50 @@ // This file contains auto-generated code. // Generated from `System.Net.WebSockets.Client, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net { namespace WebSockets { - public class ClientWebSocket : System.Net.WebSockets.WebSocket + public sealed class ClientWebSocket : System.Net.WebSockets.WebSocket { public override void Abort() => throw null; - public ClientWebSocket() => throw null; public override System.Threading.Tasks.Task CloseAsync(System.Net.WebSockets.WebSocketCloseStatus closeStatus, string statusDescription, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task CloseOutputAsync(System.Net.WebSockets.WebSocketCloseStatus closeStatus, string statusDescription, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Net.WebSockets.WebSocketCloseStatus? CloseStatus { get => throw null; } public override string CloseStatusDescription { get => throw null; } public System.Threading.Tasks.Task ConnectAsync(System.Uri uri, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ConnectAsync(System.Uri uri, System.Net.Http.HttpMessageInvoker invoker, System.Threading.CancellationToken cancellationToken) => throw null; + public ClientWebSocket() => throw null; public override void Dispose() => throw null; - public System.Collections.Generic.IReadOnlyDictionary> HttpResponseHeaders { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary> HttpResponseHeaders { get => throw null; set { } } public System.Net.HttpStatusCode HttpStatusCode { get => throw null; } public System.Net.WebSockets.ClientWebSocketOptions Options { get => throw null; } - public override System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Net.WebSockets.WebSocketState State { get => throw null; } public override string SubProtocol { get => throw null; } } - - public class ClientWebSocketOptions + public sealed class ClientWebSocketOptions { public void AddSubProtocol(string subProtocol) => throw null; - public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set => throw null; } - public bool CollectHttpResponseDetails { get => throw null; set => throw null; } - public System.Net.CookieContainer Cookies { get => throw null; set => throw null; } - public System.Net.ICredentials Credentials { get => throw null; set => throw null; } - public System.Net.WebSockets.WebSocketDeflateOptions DangerousDeflateOptions { get => throw null; set => throw null; } - public System.Version HttpVersion { get => throw null; set => throw null; } - public System.Net.Http.HttpVersionPolicy HttpVersionPolicy { get => throw null; set => throw null; } - public System.TimeSpan KeepAliveInterval { get => throw null; set => throw null; } - public System.Net.IWebProxy Proxy { get => throw null; set => throw null; } - public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set => throw null; } + public System.Security.Cryptography.X509Certificates.X509CertificateCollection ClientCertificates { get => throw null; set { } } + public bool CollectHttpResponseDetails { get => throw null; set { } } + public System.Net.CookieContainer Cookies { get => throw null; set { } } + public System.Net.ICredentials Credentials { get => throw null; set { } } + public System.Net.WebSockets.WebSocketDeflateOptions DangerousDeflateOptions { get => throw null; set { } } + public System.Version HttpVersion { get => throw null; set { } } + public System.Net.Http.HttpVersionPolicy HttpVersionPolicy { get => throw null; set { } } + public System.TimeSpan KeepAliveInterval { get => throw null; set { } } + public System.Net.IWebProxy Proxy { get => throw null; set { } } + public System.Net.Security.RemoteCertificateValidationCallback RemoteCertificateValidationCallback { get => throw null; set { } } public void SetBuffer(int receiveBufferSize, int sendBufferSize) => throw null; - public void SetBuffer(int receiveBufferSize, int sendBufferSize, System.ArraySegment buffer) => throw null; + public void SetBuffer(int receiveBufferSize, int sendBufferSize, System.ArraySegment buffer) => throw null; public void SetRequestHeader(string headerName, string headerValue) => throw null; - public bool UseDefaultCredentials { get => throw null; set => throw null; } + public bool UseDefaultCredentials { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.cs index ba6ea1f8d3b2..d4228b32dff0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebSockets.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Net.WebSockets, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Net @@ -10,12 +9,10 @@ namespace WebSockets public struct ValueWebSocketReceiveResult { public int Count { get => throw null; } + public ValueWebSocketReceiveResult(int count, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage) => throw null; public bool EndOfMessage { get => throw null; } public System.Net.WebSockets.WebSocketMessageType MessageType { get => throw null; } - // Stub generator skipped constructor - public ValueWebSocketReceiveResult(int count, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage) => throw null; } - public abstract class WebSocket : System.IDisposable { public abstract void Abort(); @@ -23,44 +20,43 @@ public abstract class WebSocket : System.IDisposable public abstract System.Threading.Tasks.Task CloseOutputAsync(System.Net.WebSockets.WebSocketCloseStatus closeStatus, string statusDescription, System.Threading.CancellationToken cancellationToken); public abstract System.Net.WebSockets.WebSocketCloseStatus? CloseStatus { get; } public abstract string CloseStatusDescription { get; } - public static System.ArraySegment CreateClientBuffer(int receiveBufferSize, int sendBufferSize) => throw null; - public static System.Net.WebSockets.WebSocket CreateClientWebSocket(System.IO.Stream innerStream, string subProtocol, int receiveBufferSize, int sendBufferSize, System.TimeSpan keepAliveInterval, bool useZeroMaskingKey, System.ArraySegment internalBuffer) => throw null; - public static System.Net.WebSockets.WebSocket CreateFromStream(System.IO.Stream stream, System.Net.WebSockets.WebSocketCreationOptions options) => throw null; + public static System.ArraySegment CreateClientBuffer(int receiveBufferSize, int sendBufferSize) => throw null; + public static System.Net.WebSockets.WebSocket CreateClientWebSocket(System.IO.Stream innerStream, string subProtocol, int receiveBufferSize, int sendBufferSize, System.TimeSpan keepAliveInterval, bool useZeroMaskingKey, System.ArraySegment internalBuffer) => throw null; public static System.Net.WebSockets.WebSocket CreateFromStream(System.IO.Stream stream, bool isServer, string subProtocol, System.TimeSpan keepAliveInterval) => throw null; - public static System.ArraySegment CreateServerBuffer(int receiveBufferSize) => throw null; + public static System.Net.WebSockets.WebSocket CreateFromStream(System.IO.Stream stream, System.Net.WebSockets.WebSocketCreationOptions options) => throw null; + public static System.ArraySegment CreateServerBuffer(int receiveBufferSize) => throw null; + protected WebSocket() => throw null; public static System.TimeSpan DefaultKeepAliveInterval { get => throw null; } public abstract void Dispose(); public static bool IsApplicationTargeting45() => throw null; protected static bool IsStateTerminal(System.Net.WebSockets.WebSocketState state) => throw null; - public abstract System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Threading.CancellationToken cancellationToken); - public virtual System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task ReceiveAsync(System.ArraySegment buffer, System.Threading.CancellationToken cancellationToken); + public virtual System.Threading.Tasks.ValueTask ReceiveAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; public static void RegisterPrefixes() => throw null; - public abstract System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken); - public virtual System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, System.Net.WebSockets.WebSocketMessageFlags messageFlags, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task SendAsync(System.ArraySegment buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken); + public virtual System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.ValueTask SendAsync(System.ReadOnlyMemory buffer, System.Net.WebSockets.WebSocketMessageType messageType, System.Net.WebSockets.WebSocketMessageFlags messageFlags, System.Threading.CancellationToken cancellationToken) => throw null; public abstract System.Net.WebSockets.WebSocketState State { get; } public abstract string SubProtocol { get; } protected static void ThrowOnInvalidState(System.Net.WebSockets.WebSocketState state, params System.Net.WebSockets.WebSocketState[] validStates) => throw null; - protected WebSocket() => throw null; } - - public enum WebSocketCloseStatus : int + public enum WebSocketCloseStatus { - Empty = 1005, + NormalClosure = 1000, EndpointUnavailable = 1001, - InternalServerError = 1011, + ProtocolError = 1002, InvalidMessageType = 1003, + Empty = 1005, InvalidPayloadData = 1007, - MandatoryExtension = 1010, - MessageTooBig = 1009, - NormalClosure = 1000, PolicyViolation = 1008, - ProtocolError = 1002, + MessageTooBig = 1009, + MandatoryExtension = 1010, + InternalServerError = 1011, } - public abstract class WebSocketContext { public abstract System.Net.CookieCollection CookieCollection { get; } + protected WebSocketContext() => throw null; public abstract System.Collections.Specialized.NameValueCollection Headers { get; } public abstract bool IsAuthenticated { get; } public abstract bool IsLocal { get; } @@ -72,47 +68,42 @@ public abstract class WebSocketContext public abstract string SecWebSocketVersion { get; } public abstract System.Security.Principal.IPrincipal User { get; } public abstract System.Net.WebSockets.WebSocket WebSocket { get; } - protected WebSocketContext() => throw null; } - - public class WebSocketCreationOptions + public sealed class WebSocketCreationOptions { - public System.Net.WebSockets.WebSocketDeflateOptions DangerousDeflateOptions { get => throw null; set => throw null; } - public bool IsServer { get => throw null; set => throw null; } - public System.TimeSpan KeepAliveInterval { get => throw null; set => throw null; } - public string SubProtocol { get => throw null; set => throw null; } public WebSocketCreationOptions() => throw null; + public System.Net.WebSockets.WebSocketDeflateOptions DangerousDeflateOptions { get => throw null; set { } } + public bool IsServer { get => throw null; set { } } + public System.TimeSpan KeepAliveInterval { get => throw null; set { } } + public string SubProtocol { get => throw null; set { } } } - - public class WebSocketDeflateOptions + public sealed class WebSocketDeflateOptions { - public bool ClientContextTakeover { get => throw null; set => throw null; } - public int ClientMaxWindowBits { get => throw null; set => throw null; } - public bool ServerContextTakeover { get => throw null; set => throw null; } - public int ServerMaxWindowBits { get => throw null; set => throw null; } + public bool ClientContextTakeover { get => throw null; set { } } + public int ClientMaxWindowBits { get => throw null; set { } } public WebSocketDeflateOptions() => throw null; + public bool ServerContextTakeover { get => throw null; set { } } + public int ServerMaxWindowBits { get => throw null; set { } } } - - public enum WebSocketError : int + public enum WebSocketError { - ConnectionClosedPrematurely = 8, - Faulted = 2, - HeaderError = 7, + Success = 0, InvalidMessageType = 1, - InvalidState = 9, + Faulted = 2, NativeError = 3, NotAWebSocket = 4, - Success = 0, - UnsupportedProtocol = 6, UnsupportedVersion = 5, + UnsupportedProtocol = 6, + HeaderError = 7, + ConnectionClosedPrematurely = 8, + InvalidState = 9, } - - public class WebSocketException : System.ComponentModel.Win32Exception + public sealed class WebSocketException : System.ComponentModel.Win32Exception { - public override int ErrorCode { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Net.WebSockets.WebSocketError WebSocketErrorCode { get => throw null; } public WebSocketException() => throw null; + public WebSocketException(int nativeError) => throw null; + public WebSocketException(int nativeError, System.Exception innerException) => throw null; + public WebSocketException(int nativeError, string message) => throw null; public WebSocketException(System.Net.WebSockets.WebSocketError error) => throw null; public WebSocketException(System.Net.WebSockets.WebSocketError error, System.Exception innerException) => throw null; public WebSocketException(System.Net.WebSockets.WebSocketError error, int nativeError) => throw null; @@ -121,50 +112,45 @@ public class WebSocketException : System.ComponentModel.Win32Exception public WebSocketException(System.Net.WebSockets.WebSocketError error, int nativeError, string message, System.Exception innerException) => throw null; public WebSocketException(System.Net.WebSockets.WebSocketError error, string message) => throw null; public WebSocketException(System.Net.WebSockets.WebSocketError error, string message, System.Exception innerException) => throw null; - public WebSocketException(int nativeError) => throw null; - public WebSocketException(int nativeError, System.Exception innerException) => throw null; - public WebSocketException(int nativeError, string message) => throw null; public WebSocketException(string message) => throw null; public WebSocketException(string message, System.Exception innerException) => throw null; + public override int ErrorCode { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Net.WebSockets.WebSocketError WebSocketErrorCode { get => throw null; } } - [System.Flags] - public enum WebSocketMessageFlags : int + public enum WebSocketMessageFlags { - DisableCompression = 2, - EndOfMessage = 1, None = 0, + EndOfMessage = 1, + DisableCompression = 2, } - - public enum WebSocketMessageType : int + public enum WebSocketMessageType { + Text = 0, Binary = 1, Close = 2, - Text = 0, } - public class WebSocketReceiveResult { public System.Net.WebSockets.WebSocketCloseStatus? CloseStatus { get => throw null; } public string CloseStatusDescription { get => throw null; } public int Count { get => throw null; } - public bool EndOfMessage { get => throw null; } - public System.Net.WebSockets.WebSocketMessageType MessageType { get => throw null; } public WebSocketReceiveResult(int count, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage) => throw null; public WebSocketReceiveResult(int count, System.Net.WebSockets.WebSocketMessageType messageType, bool endOfMessage, System.Net.WebSockets.WebSocketCloseStatus? closeStatus, string closeStatusDescription) => throw null; + public bool EndOfMessage { get => throw null; } + public System.Net.WebSockets.WebSocketMessageType MessageType { get => throw null; } } - - public enum WebSocketState : int + public enum WebSocketState { - Aborted = 6, - CloseReceived = 4, - CloseSent = 3, - Closed = 5, - Connecting = 1, None = 0, + Connecting = 1, Open = 2, + CloseSent = 3, + CloseReceived = 4, + Closed = 5, + Aborted = 6, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs new file mode 100644 index 000000000000..8a429727567f --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Net, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.Vectors.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.Vectors.cs index f4f9d830a0bc..afa17198ac33 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.Vectors.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.Vectors.cs @@ -1,19 +1,11 @@ // This file contains auto-generated code. // Generated from `System.Numerics.Vectors, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Numerics { public struct Matrix3x2 : System.IEquatable { - public static bool operator !=(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; - public static System.Numerics.Matrix3x2 operator *(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; - public static System.Numerics.Matrix3x2 operator *(System.Numerics.Matrix3x2 value1, float value2) => throw null; - public static System.Numerics.Matrix3x2 operator +(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; - public static System.Numerics.Matrix3x2 operator -(System.Numerics.Matrix3x2 value) => throw null; - public static System.Numerics.Matrix3x2 operator -(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; - public static bool operator ==(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; public static System.Numerics.Matrix3x2 Add(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; public static System.Numerics.Matrix3x2 CreateRotation(float radians) => throw null; public static System.Numerics.Matrix3x2 CreateRotation(float radians, System.Numerics.Vector2 centerPoint) => throw null; @@ -27,6 +19,7 @@ public struct Matrix3x2 : System.IEquatable public static System.Numerics.Matrix3x2 CreateSkew(float radiansX, float radiansY, System.Numerics.Vector2 centerPoint) => throw null; public static System.Numerics.Matrix3x2 CreateTranslation(System.Numerics.Vector2 position) => throw null; public static System.Numerics.Matrix3x2 CreateTranslation(float xPosition, float yPosition) => throw null; + public Matrix3x2(float m11, float m12, float m21, float m22, float m31, float m32) => throw null; public bool Equals(System.Numerics.Matrix3x2 other) => throw null; public override bool Equals(object obj) => throw null; public float GetDeterminant() => throw null; @@ -34,7 +27,6 @@ public struct Matrix3x2 : System.IEquatable public static System.Numerics.Matrix3x2 Identity { get => throw null; } public static bool Invert(System.Numerics.Matrix3x2 matrix, out System.Numerics.Matrix3x2 result) => throw null; public bool IsIdentity { get => throw null; } - public float this[int row, int column] { get => throw null; set => throw null; } public static System.Numerics.Matrix3x2 Lerp(System.Numerics.Matrix3x2 matrix1, System.Numerics.Matrix3x2 matrix2, float amount) => throw null; public float M11; public float M12; @@ -42,25 +34,23 @@ public struct Matrix3x2 : System.IEquatable public float M22; public float M31; public float M32; - // Stub generator skipped constructor - public Matrix3x2(float m11, float m12, float m21, float m22, float m31, float m32) => throw null; public static System.Numerics.Matrix3x2 Multiply(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; public static System.Numerics.Matrix3x2 Multiply(System.Numerics.Matrix3x2 value1, float value2) => throw null; public static System.Numerics.Matrix3x2 Negate(System.Numerics.Matrix3x2 value) => throw null; + public static System.Numerics.Matrix3x2 operator +(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public static bool operator ==(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public static bool operator !=(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public static System.Numerics.Matrix3x2 operator *(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public static System.Numerics.Matrix3x2 operator *(System.Numerics.Matrix3x2 value1, float value2) => throw null; + public static System.Numerics.Matrix3x2 operator -(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public static System.Numerics.Matrix3x2 operator -(System.Numerics.Matrix3x2 value) => throw null; public static System.Numerics.Matrix3x2 Subtract(System.Numerics.Matrix3x2 value1, System.Numerics.Matrix3x2 value2) => throw null; + public float this[int row, int column] { get => throw null; set { } } public override string ToString() => throw null; - public System.Numerics.Vector2 Translation { get => throw null; set => throw null; } + public System.Numerics.Vector2 Translation { get => throw null; set { } } } - public struct Matrix4x4 : System.IEquatable { - public static bool operator !=(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; - public static System.Numerics.Matrix4x4 operator *(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; - public static System.Numerics.Matrix4x4 operator *(System.Numerics.Matrix4x4 value1, float value2) => throw null; - public static System.Numerics.Matrix4x4 operator +(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; - public static System.Numerics.Matrix4x4 operator -(System.Numerics.Matrix4x4 value) => throw null; - public static System.Numerics.Matrix4x4 operator -(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; - public static bool operator ==(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; public static System.Numerics.Matrix4x4 Add(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; public static System.Numerics.Matrix4x4 CreateBillboard(System.Numerics.Vector3 objectPosition, System.Numerics.Vector3 cameraPosition, System.Numerics.Vector3 cameraUpVector, System.Numerics.Vector3 cameraForwardVector) => throw null; public static System.Numerics.Matrix4x4 CreateConstrainedBillboard(System.Numerics.Vector3 objectPosition, System.Numerics.Vector3 cameraPosition, System.Numerics.Vector3 rotateAxis, System.Numerics.Vector3 cameraForwardVector, System.Numerics.Vector3 objectForwardVector) => throw null; @@ -90,6 +80,8 @@ public struct Matrix4x4 : System.IEquatable public static System.Numerics.Matrix4x4 CreateTranslation(System.Numerics.Vector3 position) => throw null; public static System.Numerics.Matrix4x4 CreateTranslation(float xPosition, float yPosition, float zPosition) => throw null; public static System.Numerics.Matrix4x4 CreateWorld(System.Numerics.Vector3 position, System.Numerics.Vector3 forward, System.Numerics.Vector3 up) => throw null; + public Matrix4x4(System.Numerics.Matrix3x2 value) => throw null; + public Matrix4x4(float m11, float m12, float m13, float m14, float m21, float m22, float m23, float m24, float m31, float m32, float m33, float m34, float m41, float m42, float m43, float m44) => throw null; public static bool Decompose(System.Numerics.Matrix4x4 matrix, out System.Numerics.Vector3 scale, out System.Numerics.Quaternion rotation, out System.Numerics.Vector3 translation) => throw null; public bool Equals(System.Numerics.Matrix4x4 other) => throw null; public override bool Equals(object obj) => throw null; @@ -98,7 +90,6 @@ public struct Matrix4x4 : System.IEquatable public static System.Numerics.Matrix4x4 Identity { get => throw null; } public static bool Invert(System.Numerics.Matrix4x4 matrix, out System.Numerics.Matrix4x4 result) => throw null; public bool IsIdentity { get => throw null; } - public float this[int row, int column] { get => throw null; set => throw null; } public static System.Numerics.Matrix4x4 Lerp(System.Numerics.Matrix4x4 matrix1, System.Numerics.Matrix4x4 matrix2, float amount) => throw null; public float M11; public float M12; @@ -116,24 +107,29 @@ public struct Matrix4x4 : System.IEquatable public float M42; public float M43; public float M44; - // Stub generator skipped constructor - public Matrix4x4(System.Numerics.Matrix3x2 value) => throw null; - public Matrix4x4(float m11, float m12, float m13, float m14, float m21, float m22, float m23, float m24, float m31, float m32, float m33, float m34, float m41, float m42, float m43, float m44) => throw null; public static System.Numerics.Matrix4x4 Multiply(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; public static System.Numerics.Matrix4x4 Multiply(System.Numerics.Matrix4x4 value1, float value2) => throw null; public static System.Numerics.Matrix4x4 Negate(System.Numerics.Matrix4x4 value) => throw null; + public static System.Numerics.Matrix4x4 operator +(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public static bool operator ==(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public static bool operator !=(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public static System.Numerics.Matrix4x4 operator *(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public static System.Numerics.Matrix4x4 operator *(System.Numerics.Matrix4x4 value1, float value2) => throw null; + public static System.Numerics.Matrix4x4 operator -(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public static System.Numerics.Matrix4x4 operator -(System.Numerics.Matrix4x4 value) => throw null; public static System.Numerics.Matrix4x4 Subtract(System.Numerics.Matrix4x4 value1, System.Numerics.Matrix4x4 value2) => throw null; + public float this[int row, int column] { get => throw null; set { } } public override string ToString() => throw null; public static System.Numerics.Matrix4x4 Transform(System.Numerics.Matrix4x4 value, System.Numerics.Quaternion rotation) => throw null; - public System.Numerics.Vector3 Translation { get => throw null; set => throw null; } + public System.Numerics.Vector3 Translation { get => throw null; set { } } public static System.Numerics.Matrix4x4 Transpose(System.Numerics.Matrix4x4 matrix) => throw null; } - public struct Plane : System.IEquatable { - public static bool operator !=(System.Numerics.Plane value1, System.Numerics.Plane value2) => throw null; - public static bool operator ==(System.Numerics.Plane value1, System.Numerics.Plane value2) => throw null; public static System.Numerics.Plane CreateFromVertices(System.Numerics.Vector3 point1, System.Numerics.Vector3 point2, System.Numerics.Vector3 point3) => throw null; + public Plane(System.Numerics.Vector3 normal, float d) => throw null; + public Plane(System.Numerics.Vector4 value) => throw null; + public Plane(float x, float y, float z, float d) => throw null; public float D; public static float Dot(System.Numerics.Plane plane, System.Numerics.Vector4 value) => throw null; public static float DotCoordinate(System.Numerics.Plane plane, System.Numerics.Vector3 value) => throw null; @@ -143,31 +139,22 @@ public struct Plane : System.IEquatable public override int GetHashCode() => throw null; public System.Numerics.Vector3 Normal; public static System.Numerics.Plane Normalize(System.Numerics.Plane value) => throw null; - // Stub generator skipped constructor - public Plane(System.Numerics.Vector3 normal, float d) => throw null; - public Plane(System.Numerics.Vector4 value) => throw null; - public Plane(float x, float y, float z, float d) => throw null; + public static bool operator ==(System.Numerics.Plane value1, System.Numerics.Plane value2) => throw null; + public static bool operator !=(System.Numerics.Plane value1, System.Numerics.Plane value2) => throw null; public override string ToString() => throw null; public static System.Numerics.Plane Transform(System.Numerics.Plane plane, System.Numerics.Matrix4x4 matrix) => throw null; public static System.Numerics.Plane Transform(System.Numerics.Plane plane, System.Numerics.Quaternion rotation) => throw null; } - public struct Quaternion : System.IEquatable { - public static bool operator !=(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; - public static System.Numerics.Quaternion operator *(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; - public static System.Numerics.Quaternion operator *(System.Numerics.Quaternion value1, float value2) => throw null; - public static System.Numerics.Quaternion operator +(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; - public static System.Numerics.Quaternion operator -(System.Numerics.Quaternion value) => throw null; - public static System.Numerics.Quaternion operator -(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; - public static System.Numerics.Quaternion operator /(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; - public static bool operator ==(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; public static System.Numerics.Quaternion Add(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; public static System.Numerics.Quaternion Concatenate(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; public static System.Numerics.Quaternion Conjugate(System.Numerics.Quaternion value) => throw null; public static System.Numerics.Quaternion CreateFromAxisAngle(System.Numerics.Vector3 axis, float angle) => throw null; public static System.Numerics.Quaternion CreateFromRotationMatrix(System.Numerics.Matrix4x4 matrix) => throw null; public static System.Numerics.Quaternion CreateFromYawPitchRoll(float yaw, float pitch, float roll) => throw null; + public Quaternion(System.Numerics.Vector3 vectorPart, float scalarPart) => throw null; + public Quaternion(float x, float y, float z, float w) => throw null; public static System.Numerics.Quaternion Divide(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; public static float Dot(System.Numerics.Quaternion quaternion1, System.Numerics.Quaternion quaternion2) => throw null; public bool Equals(System.Numerics.Quaternion other) => throw null; @@ -176,7 +163,6 @@ public struct Quaternion : System.IEquatable public static System.Numerics.Quaternion Identity { get => throw null; } public static System.Numerics.Quaternion Inverse(System.Numerics.Quaternion value) => throw null; public bool IsIdentity { get => throw null; } - public float this[int index] { get => throw null; set => throw null; } public float Length() => throw null; public float LengthSquared() => throw null; public static System.Numerics.Quaternion Lerp(System.Numerics.Quaternion quaternion1, System.Numerics.Quaternion quaternion2, float amount) => throw null; @@ -184,11 +170,17 @@ public struct Quaternion : System.IEquatable public static System.Numerics.Quaternion Multiply(System.Numerics.Quaternion value1, float value2) => throw null; public static System.Numerics.Quaternion Negate(System.Numerics.Quaternion value) => throw null; public static System.Numerics.Quaternion Normalize(System.Numerics.Quaternion value) => throw null; - // Stub generator skipped constructor - public Quaternion(System.Numerics.Vector3 vectorPart, float scalarPart) => throw null; - public Quaternion(float x, float y, float z, float w) => throw null; + public static System.Numerics.Quaternion operator +(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static System.Numerics.Quaternion operator /(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static bool operator ==(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static bool operator !=(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static System.Numerics.Quaternion operator *(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static System.Numerics.Quaternion operator *(System.Numerics.Quaternion value1, float value2) => throw null; + public static System.Numerics.Quaternion operator -(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public static System.Numerics.Quaternion operator -(System.Numerics.Quaternion value) => throw null; public static System.Numerics.Quaternion Slerp(System.Numerics.Quaternion quaternion1, System.Numerics.Quaternion quaternion2, float amount) => throw null; public static System.Numerics.Quaternion Subtract(System.Numerics.Quaternion value1, System.Numerics.Quaternion value2) => throw null; + public float this[int index] { get => throw null; set { } } public override string ToString() => throw null; public float W; public float X; @@ -196,150 +188,192 @@ public struct Quaternion : System.IEquatable public float Z; public static System.Numerics.Quaternion Zero { get => throw null; } } - public static class Vector { public static System.Numerics.Vector Abs(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector Add(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector AndNot(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector As(this System.Numerics.Vector vector) where TFrom : struct where TTo : struct => throw null; - public static System.Numerics.Vector AsVectorByte(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorByte(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector AsVectorDouble(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorInt16(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorInt16(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector AsVectorInt32(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorInt64(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorNInt(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorNUInt(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorSByte(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorInt64(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorNInt(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorNUInt(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorSByte(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector AsVectorSingle(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorUInt16(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorUInt32(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVectorUInt64(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorUInt16(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorUInt32(System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector AsVectorUInt64(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector BitwiseAnd(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector BitwiseOr(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector Ceiling(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector Ceiling(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector ConditionalSelect(System.Numerics.Vector condition, System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector ConditionalSelect(System.Numerics.Vector condition, System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector ConditionalSelect(System.Numerics.Vector condition, System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector ConditionalSelect(System.Numerics.Vector condition, System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector ConvertToDouble(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector ConvertToDouble(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToDouble(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToDouble(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector ConvertToInt32(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector ConvertToInt64(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToInt64(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector ConvertToSingle(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector ConvertToSingle(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector ConvertToUInt32(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector ConvertToUInt64(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToSingle(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToUInt32(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector ConvertToUInt64(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector Divide(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static T Dot(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector Equals(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool EqualsAll(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool EqualsAny(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector Floor(System.Numerics.Vector value) => throw null; public static System.Numerics.Vector Floor(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector GreaterThan(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool GreaterThanAll(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool GreaterThanAny(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector GreaterThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool GreaterThanOrEqualAll(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool GreaterThanOrEqualAny(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool IsHardwareAccelerated { get => throw null; } - public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector LessThan(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool LessThanAll(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool LessThanAny(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; public static System.Numerics.Vector LessThanOrEqual(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool LessThanOrEqualAll(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static bool LessThanOrEqualAny(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector Max(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector Min(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector Multiply(T left, System.Numerics.Vector right) where T : struct => throw null; - public static System.Numerics.Vector Multiply(System.Numerics.Vector left, T right) where T : struct => throw null; public static System.Numerics.Vector Multiply(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; + public static System.Numerics.Vector Multiply(System.Numerics.Vector left, T right) where T : struct => throw null; + public static System.Numerics.Vector Multiply(T left, System.Numerics.Vector right) where T : struct => throw null; public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; - public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; + public static System.Numerics.Vector Narrow(System.Numerics.Vector low, System.Numerics.Vector high) => throw null; public static System.Numerics.Vector Negate(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector OnesComplement(System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftLeft(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightArithmetic(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; - public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; + public static System.Numerics.Vector ShiftRightLogical(System.Numerics.Vector value, int shiftCount) => throw null; public static System.Numerics.Vector SquareRoot(System.Numerics.Vector value) where T : struct => throw null; public static System.Numerics.Vector Subtract(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; public static T Sum(System.Numerics.Vector value) where T : struct => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; - public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; + public static void Widen(System.Numerics.Vector source, out System.Numerics.Vector low, out System.Numerics.Vector high) => throw null; public static System.Numerics.Vector Xor(System.Numerics.Vector left, System.Numerics.Vector right) where T : struct => throw null; } - + public struct Vector : System.IEquatable>, System.IFormattable where T : struct + { + public void CopyTo(System.Span destination) => throw null; + public void CopyTo(System.Span destination) => throw null; + public void CopyTo(T[] destination) => throw null; + public void CopyTo(T[] destination, int startIndex) => throw null; + public static int Count { get => throw null; } + public Vector(System.ReadOnlySpan values) => throw null; + public Vector(System.ReadOnlySpan values) => throw null; + public Vector(System.Span values) => throw null; + public Vector(T value) => throw null; + public Vector(T[] values) => throw null; + public Vector(T[] values, int index) => throw null; + public bool Equals(System.Numerics.Vector other) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public static bool IsSupported { get => throw null; } + public static System.Numerics.Vector One { get => throw null; } + public static System.Numerics.Vector operator +(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator &(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator |(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator /(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static bool operator ==(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator ^(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; + public static bool operator !=(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator *(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator *(System.Numerics.Vector value, T factor) => throw null; + public static System.Numerics.Vector operator *(T factor, System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector operator ~(System.Numerics.Vector value) => throw null; + public static System.Numerics.Vector operator -(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; + public static System.Numerics.Vector operator -(System.Numerics.Vector value) => throw null; + public T this[int index] { get => throw null; } + public override string ToString() => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider formatProvider) => throw null; + public bool TryCopyTo(System.Span destination) => throw null; + public bool TryCopyTo(System.Span destination) => throw null; + public static System.Numerics.Vector Zero { get => throw null; } + } public struct Vector2 : System.IEquatable, System.IFormattable { - public static bool operator !=(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator *(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator *(System.Numerics.Vector2 left, float right) => throw null; - public static System.Numerics.Vector2 operator *(float left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator +(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator -(System.Numerics.Vector2 value) => throw null; - public static System.Numerics.Vector2 operator -(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator /(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; - public static System.Numerics.Vector2 operator /(System.Numerics.Vector2 value1, float value2) => throw null; - public static bool operator ==(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; public static System.Numerics.Vector2 Abs(System.Numerics.Vector2 value) => throw null; public static System.Numerics.Vector2 Add(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; public static System.Numerics.Vector2 Clamp(System.Numerics.Vector2 value1, System.Numerics.Vector2 min, System.Numerics.Vector2 max) => throw null; public void CopyTo(float[] array) => throw null; public void CopyTo(float[] array, int index) => throw null; public void CopyTo(System.Span destination) => throw null; + public Vector2(float value) => throw null; + public Vector2(float x, float y) => throw null; + public Vector2(System.ReadOnlySpan values) => throw null; public static float Distance(System.Numerics.Vector2 value1, System.Numerics.Vector2 value2) => throw null; public static float DistanceSquared(System.Numerics.Vector2 value1, System.Numerics.Vector2 value2) => throw null; public static System.Numerics.Vector2 Divide(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; @@ -348,7 +382,6 @@ public struct Vector2 : System.IEquatable, System.IForm public bool Equals(System.Numerics.Vector2 other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public float this[int index] { get => throw null; set => throw null; } public float Length() => throw null; public float LengthSquared() => throw null; public static System.Numerics.Vector2 Lerp(System.Numerics.Vector2 value1, System.Numerics.Vector2 value2, float amount) => throw null; @@ -360,9 +393,20 @@ public struct Vector2 : System.IEquatable, System.IForm public static System.Numerics.Vector2 Negate(System.Numerics.Vector2 value) => throw null; public static System.Numerics.Vector2 Normalize(System.Numerics.Vector2 value) => throw null; public static System.Numerics.Vector2 One { get => throw null; } + public static System.Numerics.Vector2 operator +(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator /(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator /(System.Numerics.Vector2 value1, float value2) => throw null; + public static bool operator ==(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static bool operator !=(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator *(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator *(System.Numerics.Vector2 left, float right) => throw null; + public static System.Numerics.Vector2 operator *(float left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator -(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public static System.Numerics.Vector2 operator -(System.Numerics.Vector2 value) => throw null; public static System.Numerics.Vector2 Reflect(System.Numerics.Vector2 vector, System.Numerics.Vector2 normal) => throw null; public static System.Numerics.Vector2 SquareRoot(System.Numerics.Vector2 value) => throw null; public static System.Numerics.Vector2 Subtract(System.Numerics.Vector2 left, System.Numerics.Vector2 right) => throw null; + public float this[int index] { get => throw null; set { } } public override string ToString() => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider formatProvider) => throw null; @@ -374,27 +418,12 @@ public struct Vector2 : System.IEquatable, System.IForm public bool TryCopyTo(System.Span destination) => throw null; public static System.Numerics.Vector2 UnitX { get => throw null; } public static System.Numerics.Vector2 UnitY { get => throw null; } - // Stub generator skipped constructor - public Vector2(System.ReadOnlySpan values) => throw null; - public Vector2(float value) => throw null; - public Vector2(float x, float y) => throw null; public float X; public float Y; public static System.Numerics.Vector2 Zero { get => throw null; } } - public struct Vector3 : System.IEquatable, System.IFormattable { - public static bool operator !=(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator *(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator *(System.Numerics.Vector3 left, float right) => throw null; - public static System.Numerics.Vector3 operator *(float left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator +(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator -(System.Numerics.Vector3 value) => throw null; - public static System.Numerics.Vector3 operator -(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator /(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; - public static System.Numerics.Vector3 operator /(System.Numerics.Vector3 value1, float value2) => throw null; - public static bool operator ==(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; public static System.Numerics.Vector3 Abs(System.Numerics.Vector3 value) => throw null; public static System.Numerics.Vector3 Add(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; public static System.Numerics.Vector3 Clamp(System.Numerics.Vector3 value1, System.Numerics.Vector3 min, System.Numerics.Vector3 max) => throw null; @@ -402,6 +431,10 @@ public struct Vector3 : System.IEquatable, System.IForm public void CopyTo(float[] array, int index) => throw null; public void CopyTo(System.Span destination) => throw null; public static System.Numerics.Vector3 Cross(System.Numerics.Vector3 vector1, System.Numerics.Vector3 vector2) => throw null; + public Vector3(System.Numerics.Vector2 value, float z) => throw null; + public Vector3(float value) => throw null; + public Vector3(float x, float y, float z) => throw null; + public Vector3(System.ReadOnlySpan values) => throw null; public static float Distance(System.Numerics.Vector3 value1, System.Numerics.Vector3 value2) => throw null; public static float DistanceSquared(System.Numerics.Vector3 value1, System.Numerics.Vector3 value2) => throw null; public static System.Numerics.Vector3 Divide(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; @@ -410,7 +443,6 @@ public struct Vector3 : System.IEquatable, System.IForm public bool Equals(System.Numerics.Vector3 other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public float this[int index] { get => throw null; set => throw null; } public float Length() => throw null; public float LengthSquared() => throw null; public static System.Numerics.Vector3 Lerp(System.Numerics.Vector3 value1, System.Numerics.Vector3 value2, float amount) => throw null; @@ -422,9 +454,20 @@ public struct Vector3 : System.IEquatable, System.IForm public static System.Numerics.Vector3 Negate(System.Numerics.Vector3 value) => throw null; public static System.Numerics.Vector3 Normalize(System.Numerics.Vector3 value) => throw null; public static System.Numerics.Vector3 One { get => throw null; } + public static System.Numerics.Vector3 operator +(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator /(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator /(System.Numerics.Vector3 value1, float value2) => throw null; + public static bool operator ==(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static bool operator !=(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator *(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator *(System.Numerics.Vector3 left, float right) => throw null; + public static System.Numerics.Vector3 operator *(float left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator -(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public static System.Numerics.Vector3 operator -(System.Numerics.Vector3 value) => throw null; public static System.Numerics.Vector3 Reflect(System.Numerics.Vector3 vector, System.Numerics.Vector3 normal) => throw null; public static System.Numerics.Vector3 SquareRoot(System.Numerics.Vector3 value) => throw null; public static System.Numerics.Vector3 Subtract(System.Numerics.Vector3 left, System.Numerics.Vector3 right) => throw null; + public float this[int index] { get => throw null; set { } } public override string ToString() => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider formatProvider) => throw null; @@ -435,35 +478,24 @@ public struct Vector3 : System.IEquatable, System.IForm public static System.Numerics.Vector3 UnitX { get => throw null; } public static System.Numerics.Vector3 UnitY { get => throw null; } public static System.Numerics.Vector3 UnitZ { get => throw null; } - // Stub generator skipped constructor - public Vector3(System.ReadOnlySpan values) => throw null; - public Vector3(System.Numerics.Vector2 value, float z) => throw null; - public Vector3(float value) => throw null; - public Vector3(float x, float y, float z) => throw null; public float X; public float Y; public float Z; public static System.Numerics.Vector3 Zero { get => throw null; } } - public struct Vector4 : System.IEquatable, System.IFormattable { - public static bool operator !=(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator *(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator *(System.Numerics.Vector4 left, float right) => throw null; - public static System.Numerics.Vector4 operator *(float left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator +(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator -(System.Numerics.Vector4 value) => throw null; - public static System.Numerics.Vector4 operator -(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator /(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; - public static System.Numerics.Vector4 operator /(System.Numerics.Vector4 value1, float value2) => throw null; - public static bool operator ==(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; public static System.Numerics.Vector4 Abs(System.Numerics.Vector4 value) => throw null; public static System.Numerics.Vector4 Add(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; public static System.Numerics.Vector4 Clamp(System.Numerics.Vector4 value1, System.Numerics.Vector4 min, System.Numerics.Vector4 max) => throw null; public void CopyTo(float[] array) => throw null; public void CopyTo(float[] array, int index) => throw null; public void CopyTo(System.Span destination) => throw null; + public Vector4(System.Numerics.Vector2 value, float z, float w) => throw null; + public Vector4(System.Numerics.Vector3 value, float w) => throw null; + public Vector4(float value) => throw null; + public Vector4(float x, float y, float z, float w) => throw null; + public Vector4(System.ReadOnlySpan values) => throw null; public static float Distance(System.Numerics.Vector4 value1, System.Numerics.Vector4 value2) => throw null; public static float DistanceSquared(System.Numerics.Vector4 value1, System.Numerics.Vector4 value2) => throw null; public static System.Numerics.Vector4 Divide(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; @@ -472,7 +504,6 @@ public struct Vector4 : System.IEquatable, System.IForm public bool Equals(System.Numerics.Vector4 other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public float this[int index] { get => throw null; set => throw null; } public float Length() => throw null; public float LengthSquared() => throw null; public static System.Numerics.Vector4 Lerp(System.Numerics.Vector4 value1, System.Numerics.Vector4 value2, float amount) => throw null; @@ -484,8 +515,19 @@ public struct Vector4 : System.IEquatable, System.IForm public static System.Numerics.Vector4 Negate(System.Numerics.Vector4 value) => throw null; public static System.Numerics.Vector4 Normalize(System.Numerics.Vector4 vector) => throw null; public static System.Numerics.Vector4 One { get => throw null; } + public static System.Numerics.Vector4 operator +(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator /(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator /(System.Numerics.Vector4 value1, float value2) => throw null; + public static bool operator ==(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static bool operator !=(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator *(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator *(System.Numerics.Vector4 left, float right) => throw null; + public static System.Numerics.Vector4 operator *(float left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator -(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public static System.Numerics.Vector4 operator -(System.Numerics.Vector4 value) => throw null; public static System.Numerics.Vector4 SquareRoot(System.Numerics.Vector4 value) => throw null; public static System.Numerics.Vector4 Subtract(System.Numerics.Vector4 left, System.Numerics.Vector4 right) => throw null; + public float this[int index] { get => throw null; set { } } public override string ToString() => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider formatProvider) => throw null; @@ -500,71 +542,11 @@ public struct Vector4 : System.IEquatable, System.IForm public static System.Numerics.Vector4 UnitX { get => throw null; } public static System.Numerics.Vector4 UnitY { get => throw null; } public static System.Numerics.Vector4 UnitZ { get => throw null; } - // Stub generator skipped constructor - public Vector4(System.ReadOnlySpan values) => throw null; - public Vector4(System.Numerics.Vector2 value, float z, float w) => throw null; - public Vector4(System.Numerics.Vector3 value, float w) => throw null; - public Vector4(float value) => throw null; - public Vector4(float x, float y, float z, float w) => throw null; public float W; public float X; public float Y; public float Z; public static System.Numerics.Vector4 Zero { get => throw null; } } - - public struct Vector : System.IEquatable>, System.IFormattable where T : struct - { - public static bool operator !=(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator &(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator *(T factor, System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector operator *(System.Numerics.Vector value, T factor) => throw null; - public static System.Numerics.Vector operator *(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator +(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator -(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector operator -(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator /(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static bool operator ==(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public void CopyTo(System.Span destination) => throw null; - public void CopyTo(System.Span destination) => throw null; - public void CopyTo(T[] destination) => throw null; - public void CopyTo(T[] destination, int startIndex) => throw null; - public static int Count { get => throw null; } - public bool Equals(System.Numerics.Vector other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static bool IsSupported { get => throw null; } - public T this[int index] { get => throw null; } - public static System.Numerics.Vector One { get => throw null; } - public override string ToString() => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider formatProvider) => throw null; - public bool TryCopyTo(System.Span destination) => throw null; - public bool TryCopyTo(System.Span destination) => throw null; - // Stub generator skipped constructor - public Vector(System.ReadOnlySpan values) => throw null; - public Vector(System.ReadOnlySpan values) => throw null; - public Vector(System.Span values) => throw null; - public Vector(T value) => throw null; - public Vector(T[] values) => throw null; - public Vector(T[] values, int index) => throw null; - public static System.Numerics.Vector Zero { get => throw null; } - public static System.Numerics.Vector operator ^(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static explicit operator System.Numerics.Vector(System.Numerics.Vector value) => throw null; - public static System.Numerics.Vector operator |(System.Numerics.Vector left, System.Numerics.Vector right) => throw null; - public static System.Numerics.Vector operator ~(System.Numerics.Vector value) => throw null; - } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs new file mode 100644 index 000000000000..f03a20b6507a --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Numerics, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs index 1bad4e4e0dc0..46092af512a5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.ObjectModel, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Collections @@ -13,72 +12,65 @@ public abstract class KeyedCollection : System.Collections.ObjectMo protected override void ClearItems() => throw null; public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } public bool Contains(TKey key) => throw null; - protected System.Collections.Generic.IDictionary Dictionary { get => throw null; } - protected abstract TKey GetKeyForItem(TItem item); - protected override void InsertItem(int index, TItem item) => throw null; - public TItem this[TKey key] { get => throw null; } protected KeyedCollection() => throw null; protected KeyedCollection(System.Collections.Generic.IEqualityComparer comparer) => throw null; protected KeyedCollection(System.Collections.Generic.IEqualityComparer comparer, int dictionaryCreationThreshold) => throw null; + protected System.Collections.Generic.IDictionary Dictionary { get => throw null; } + protected abstract TKey GetKeyForItem(TItem item); + protected override void InsertItem(int index, TItem item) => throw null; public bool Remove(TKey key) => throw null; protected override void RemoveItem(int index) => throw null; protected override void SetItem(int index, TItem item) => throw null; + public TItem this[TKey key] { get => throw null; } public bool TryGetValue(TKey key, out TItem item) => throw null; } - public class ObservableCollection : System.Collections.ObjectModel.Collection, System.Collections.Specialized.INotifyCollectionChanged, System.ComponentModel.INotifyPropertyChanged { protected System.IDisposable BlockReentrancy() => throw null; protected void CheckReentrancy() => throw null; protected override void ClearItems() => throw null; - public virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; - protected override void InsertItem(int index, T item) => throw null; - public void Move(int oldIndex, int newIndex) => throw null; - protected virtual void MoveItem(int oldIndex, int newIndex) => throw null; + public virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } public ObservableCollection() => throw null; public ObservableCollection(System.Collections.Generic.IEnumerable collection) => throw null; public ObservableCollection(System.Collections.Generic.List list) => throw null; + protected override void InsertItem(int index, T item) => throw null; + public void Move(int oldIndex, int newIndex) => throw null; + protected virtual void MoveItem(int oldIndex, int newIndex) => throw null; protected virtual void OnCollectionChanged(System.Collections.Specialized.NotifyCollectionChangedEventArgs e) => throw null; protected virtual void OnPropertyChanged(System.ComponentModel.PropertyChangedEventArgs e) => throw null; - protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; - event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add => throw null; remove => throw null; } + protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add { } remove { } } protected override void RemoveItem(int index) => throw null; protected override void SetItem(int index, T item) => throw null; } - public class ReadOnlyObservableCollection : System.Collections.ObjectModel.ReadOnlyCollection, System.Collections.Specialized.INotifyCollectionChanged, System.ComponentModel.INotifyPropertyChanged { - protected virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; - event System.Collections.Specialized.NotifyCollectionChangedEventHandler System.Collections.Specialized.INotifyCollectionChanged.CollectionChanged { add => throw null; remove => throw null; } + protected virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } + event System.Collections.Specialized.NotifyCollectionChangedEventHandler System.Collections.Specialized.INotifyCollectionChanged.CollectionChanged { add { } remove { } } + public ReadOnlyObservableCollection(System.Collections.ObjectModel.ObservableCollection list) : base(default(System.Collections.Generic.IList)) => throw null; protected virtual void OnCollectionChanged(System.Collections.Specialized.NotifyCollectionChangedEventArgs args) => throw null; protected virtual void OnPropertyChanged(System.ComponentModel.PropertyChangedEventArgs args) => throw null; - protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; - event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add => throw null; remove => throw null; } - public ReadOnlyObservableCollection(System.Collections.ObjectModel.ObservableCollection list) : base(default(System.Collections.Generic.IList)) => throw null; + protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add { } remove { } } } - } namespace Specialized { public interface INotifyCollectionChanged { - event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; + event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } } - - public enum NotifyCollectionChangedAction : int + public enum NotifyCollectionChangedAction { Add = 0, - Move = 3, Remove = 1, Replace = 2, + Move = 3, Reset = 4, } - public class NotifyCollectionChangedEventArgs : System.EventArgs { public System.Collections.Specialized.NotifyCollectionChangedAction Action { get => throw null; } - public System.Collections.IList NewItems { get => throw null; } - public int NewStartingIndex { get => throw null; } public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action) => throw null; public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action, System.Collections.IList changedItems) => throw null; public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action, System.Collections.IList newItems, System.Collections.IList oldItems) => throw null; @@ -90,12 +82,12 @@ public class NotifyCollectionChangedEventArgs : System.EventArgs public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action, object changedItem, int index, int oldIndex) => throw null; public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action, object newItem, object oldItem) => throw null; public NotifyCollectionChangedEventArgs(System.Collections.Specialized.NotifyCollectionChangedAction action, object newItem, object oldItem, int index) => throw null; + public System.Collections.IList NewItems { get => throw null; } + public int NewStartingIndex { get => throw null; } public System.Collections.IList OldItems { get => throw null; } public int OldStartingIndex { get => throw null; } } - public delegate void NotifyCollectionChangedEventHandler(object sender, System.Collections.Specialized.NotifyCollectionChangedEventArgs e); - } } namespace ComponentModel @@ -105,58 +97,48 @@ public class DataErrorsChangedEventArgs : System.EventArgs public DataErrorsChangedEventArgs(string propertyName) => throw null; public virtual string PropertyName { get => throw null; } } - public interface INotifyDataErrorInfo { - event System.EventHandler ErrorsChanged; + event System.EventHandler ErrorsChanged { add { } remove { } } System.Collections.IEnumerable GetErrors(string propertyName); bool HasErrors { get; } } - public interface INotifyPropertyChanged { - event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; + event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } } - public interface INotifyPropertyChanging { - event System.ComponentModel.PropertyChangingEventHandler PropertyChanging; + event System.ComponentModel.PropertyChangingEventHandler PropertyChanging { add { } remove { } } } - public class PropertyChangedEventArgs : System.EventArgs { public PropertyChangedEventArgs(string propertyName) => throw null; public virtual string PropertyName { get => throw null; } } - public delegate void PropertyChangedEventHandler(object sender, System.ComponentModel.PropertyChangedEventArgs e); - public class PropertyChangingEventArgs : System.EventArgs { public PropertyChangingEventArgs(string propertyName) => throw null; public virtual string PropertyName { get => throw null; } } - public delegate void PropertyChangingEventHandler(object sender, System.ComponentModel.PropertyChangingEventArgs e); - - public class TypeConverterAttribute : System.Attribute + public sealed class TypeConverterAttribute : System.Attribute { public string ConverterTypeName { get => throw null; } + public TypeConverterAttribute() => throw null; + public TypeConverterAttribute(string typeName) => throw null; + public TypeConverterAttribute(System.Type type) => throw null; public static System.ComponentModel.TypeConverterAttribute Default; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public TypeConverterAttribute() => throw null; - public TypeConverterAttribute(System.Type type) => throw null; - public TypeConverterAttribute(string typeName) => throw null; } - - public class TypeDescriptionProviderAttribute : System.Attribute + public sealed class TypeDescriptionProviderAttribute : System.Attribute { - public TypeDescriptionProviderAttribute(System.Type type) => throw null; public TypeDescriptionProviderAttribute(string typeName) => throw null; + public TypeDescriptionProviderAttribute(System.Type type) => throw null; public string TypeName { get => throw null; } } - } namespace Reflection { @@ -164,7 +146,6 @@ public interface ICustomTypeProvider { System.Type GetCustomType(); } - } namespace Windows { @@ -173,21 +154,19 @@ namespace Input public interface ICommand { bool CanExecute(object parameter); - event System.EventHandler CanExecuteChanged; + event System.EventHandler CanExecuteChanged { add { } remove { } } void Execute(object parameter); } - } namespace Markup { - public class ValueSerializerAttribute : System.Attribute + public sealed class ValueSerializerAttribute : System.Attribute { - public ValueSerializerAttribute(System.Type valueSerializerType) => throw null; public ValueSerializerAttribute(string valueSerializerTypeName) => throw null; + public ValueSerializerAttribute(System.Type valueSerializerType) => throw null; public System.Type ValueSerializerType { get => throw null; } public string ValueSerializerTypeName { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.DispatchProxy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.DispatchProxy.cs index e22c1633dc8e..46212079f409 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.DispatchProxy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.DispatchProxy.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Reflection.DispatchProxy, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection @@ -11,6 +10,5 @@ public abstract class DispatchProxy protected DispatchProxy() => throw null; protected abstract object Invoke(System.Reflection.MethodInfo targetMethod, object[] args); } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.ILGeneration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.ILGeneration.cs index dc68bdfcac81..9d6017f576d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.ILGeneration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.ILGeneration.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Reflection.Emit.ILGeneration, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection @@ -14,7 +13,6 @@ public class CustomAttributeBuilder public CustomAttributeBuilder(System.Reflection.ConstructorInfo con, object[] constructorArgs, System.Reflection.PropertyInfo[] namedProperties, object[] propertyValues) => throw null; public CustomAttributeBuilder(System.Reflection.ConstructorInfo con, object[] constructorArgs, System.Reflection.PropertyInfo[] namedProperties, object[] propertyValues, System.Reflection.FieldInfo[] namedFields, object[] fieldValues) => throw null; } - public class ILGenerator { public virtual void BeginCatchBlock(System.Type exceptionType) => throw null; @@ -27,27 +25,27 @@ public class ILGenerator public virtual System.Reflection.Emit.LocalBuilder DeclareLocal(System.Type localType, bool pinned) => throw null; public virtual System.Reflection.Emit.Label DefineLabel() => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, byte arg) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, double arg) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, short arg) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, int arg) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, long arg) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.ConstructorInfo con) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.FieldInfo field) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.Emit.Label label) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.Emit.Label[] labels) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.Emit.LocalBuilder local) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.MethodInfo meth) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.Emit.SignatureHelper signature) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Type cls) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Byte arg) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, double arg) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.FieldInfo field) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Reflection.MethodInfo meth) => throw null; + public void Emit(System.Reflection.Emit.OpCode opcode, sbyte arg) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, float arg) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, int arg) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Int64 arg) => throw null; - public void Emit(System.Reflection.Emit.OpCode opcode, System.SByte arg) => throw null; - public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Int16 arg) => throw null; public virtual void Emit(System.Reflection.Emit.OpCode opcode, string str) => throw null; + public virtual void Emit(System.Reflection.Emit.OpCode opcode, System.Type cls) => throw null; public virtual void EmitCall(System.Reflection.Emit.OpCode opcode, System.Reflection.MethodInfo methodInfo, System.Type[] optionalParameterTypes) => throw null; - public virtual void EmitCalli(System.Reflection.Emit.OpCode opcode, System.Runtime.InteropServices.CallingConvention unmanagedCallConv, System.Type returnType, System.Type[] parameterTypes) => throw null; public virtual void EmitCalli(System.Reflection.Emit.OpCode opcode, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Type[] optionalParameterTypes) => throw null; - public virtual void EmitWriteLine(System.Reflection.FieldInfo fld) => throw null; + public virtual void EmitCalli(System.Reflection.Emit.OpCode opcode, System.Runtime.InteropServices.CallingConvention unmanagedCallConv, System.Type returnType, System.Type[] parameterTypes) => throw null; public virtual void EmitWriteLine(System.Reflection.Emit.LocalBuilder localBuilder) => throw null; + public virtual void EmitWriteLine(System.Reflection.FieldInfo fld) => throw null; public virtual void EmitWriteLine(string value) => throw null; public virtual void EndExceptionBlock() => throw null; public virtual void EndScope() => throw null; @@ -56,24 +54,20 @@ public class ILGenerator public virtual void ThrowException(System.Type excType) => throw null; public virtual void UsingNamespace(string usingNamespace) => throw null; } - public struct Label : System.IEquatable { - public static bool operator !=(System.Reflection.Emit.Label a, System.Reflection.Emit.Label b) => throw null; - public static bool operator ==(System.Reflection.Emit.Label a, System.Reflection.Emit.Label b) => throw null; - public bool Equals(System.Reflection.Emit.Label obj) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Emit.Label obj) => throw null; public override int GetHashCode() => throw null; - // Stub generator skipped constructor + public static bool operator ==(System.Reflection.Emit.Label a, System.Reflection.Emit.Label b) => throw null; + public static bool operator !=(System.Reflection.Emit.Label a, System.Reflection.Emit.Label b) => throw null; } - - public class LocalBuilder : System.Reflection.LocalVariableInfo + public sealed class LocalBuilder : System.Reflection.LocalVariableInfo { public override bool IsPinned { get => throw null; } public override int LocalIndex { get => throw null; } public override System.Type LocalType { get => throw null; } } - public class ParameterBuilder { public virtual int Attributes { get => throw null; } @@ -83,15 +77,14 @@ public class ParameterBuilder public virtual string Name { get => throw null; } public virtual int Position { get => throw null; } public virtual void SetConstant(object defaultValue) => throw null; - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; } - - public class SignatureHelper + public sealed class SignatureHelper { public void AddArgument(System.Type clsArgument) => throw null; - public void AddArgument(System.Type argument, System.Type[] requiredCustomModifiers, System.Type[] optionalCustomModifiers) => throw null; public void AddArgument(System.Type argument, bool pinned) => throw null; + public void AddArgument(System.Type argument, System.Type[] requiredCustomModifiers, System.Type[] optionalCustomModifiers) => throw null; public void AddArguments(System.Type[] arguments, System.Type[][] requiredCustomModifiers, System.Type[][] optionalCustomModifiers) => throw null; public void AddSentinel() => throw null; public override bool Equals(object obj) => throw null; @@ -105,10 +98,9 @@ public class SignatureHelper public static System.Reflection.Emit.SignatureHelper GetPropertySigHelper(System.Reflection.Module mod, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] requiredReturnTypeCustomModifiers, System.Type[] optionalReturnTypeCustomModifiers, System.Type[] parameterTypes, System.Type[][] requiredParameterTypeCustomModifiers, System.Type[][] optionalParameterTypeCustomModifiers) => throw null; public static System.Reflection.Emit.SignatureHelper GetPropertySigHelper(System.Reflection.Module mod, System.Type returnType, System.Type[] parameterTypes) => throw null; public static System.Reflection.Emit.SignatureHelper GetPropertySigHelper(System.Reflection.Module mod, System.Type returnType, System.Type[] requiredReturnTypeCustomModifiers, System.Type[] optionalReturnTypeCustomModifiers, System.Type[] parameterTypes, System.Type[][] requiredParameterTypeCustomModifiers, System.Type[][] optionalParameterTypeCustomModifiers) => throw null; - public System.Byte[] GetSignature() => throw null; + public byte[] GetSignature() => throw null; public override string ToString() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.Lightweight.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.Lightweight.cs index 0664619a85eb..952d46871563 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.Lightweight.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.Lightweight.cs @@ -1,16 +1,15 @@ // This file contains auto-generated code. // Generated from `System.Reflection.Emit.Lightweight, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { namespace Emit { - public class DynamicILInfo + public sealed class DynamicILInfo { public System.Reflection.Emit.DynamicMethod DynamicMethod { get => throw null; } - public int GetTokenFor(System.Byte[] signature) => throw null; + public int GetTokenFor(byte[] signature) => throw null; public int GetTokenFor(System.Reflection.Emit.DynamicMethod method) => throw null; public int GetTokenFor(System.RuntimeFieldHandle field) => throw null; public int GetTokenFor(System.RuntimeFieldHandle field, System.RuntimeTypeHandle contextType) => throw null; @@ -18,39 +17,38 @@ public class DynamicILInfo public int GetTokenFor(System.RuntimeMethodHandle method, System.RuntimeTypeHandle contextType) => throw null; public int GetTokenFor(System.RuntimeTypeHandle type) => throw null; public int GetTokenFor(string literal) => throw null; - public void SetCode(System.Byte[] code, int maxStackSize) => throw null; - unsafe public void SetCode(System.Byte* code, int codeSize, int maxStackSize) => throw null; - public void SetExceptions(System.Byte[] exceptions) => throw null; - unsafe public void SetExceptions(System.Byte* exceptions, int exceptionsSize) => throw null; - public void SetLocalSignature(System.Byte[] localSignature) => throw null; - unsafe public void SetLocalSignature(System.Byte* localSignature, int signatureSize) => throw null; + public unsafe void SetCode(byte* code, int codeSize, int maxStackSize) => throw null; + public void SetCode(byte[] code, int maxStackSize) => throw null; + public unsafe void SetExceptions(byte* exceptions, int exceptionsSize) => throw null; + public void SetExceptions(byte[] exceptions) => throw null; + public unsafe void SetLocalSignature(byte* localSignature, int signatureSize) => throw null; + public void SetLocalSignature(byte[] localSignature) => throw null; } - - public class DynamicMethod : System.Reflection.MethodInfo + public sealed class DynamicMethod : System.Reflection.MethodInfo { public override System.Reflection.MethodAttributes Attributes { get => throw null; } public override System.Reflection.CallingConventions CallingConvention { get => throw null; } - public override System.Delegate CreateDelegate(System.Type delegateType) => throw null; - public override System.Delegate CreateDelegate(System.Type delegateType, object target) => throw null; - public override System.Type DeclaringType { get => throw null; } - public System.Reflection.Emit.ParameterBuilder DefineParameter(int position, System.Reflection.ParameterAttributes attributes, string parameterName) => throw null; + public override sealed System.Delegate CreateDelegate(System.Type delegateType) => throw null; + public override sealed System.Delegate CreateDelegate(System.Type delegateType, object target) => throw null; public DynamicMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Reflection.Module m, bool skipVisibility) => throw null; public DynamicMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Type owner, bool skipVisibility) => throw null; public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes) => throw null; + public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, bool restrictedSkipVisibility) => throw null; public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, System.Reflection.Module m) => throw null; public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, System.Reflection.Module m, bool skipVisibility) => throw null; public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, System.Type owner) => throw null; public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, System.Type owner, bool skipVisibility) => throw null; - public DynamicMethod(string name, System.Type returnType, System.Type[] parameterTypes, bool restrictedSkipVisibility) => throw null; + public override System.Type DeclaringType { get => throw null; } + public System.Reflection.Emit.ParameterBuilder DefineParameter(int position, System.Reflection.ParameterAttributes attributes, string parameterName) => throw null; public override System.Reflection.MethodInfo GetBaseDefinition() => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public System.Reflection.Emit.DynamicILInfo GetDynamicILInfo() => throw null; public System.Reflection.Emit.ILGenerator GetILGenerator() => throw null; public System.Reflection.Emit.ILGenerator GetILGenerator(int streamSize) => throw null; public override System.Reflection.MethodImplAttributes GetMethodImplementationFlags() => throw null; public override System.Reflection.ParameterInfo[] GetParameters() => throw null; - public bool InitLocals { get => throw null; set => throw null; } + public bool InitLocals { get => throw null; set { } } public override object Invoke(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture) => throw null; public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override bool IsSecurityCritical { get => throw null; } @@ -65,7 +63,6 @@ public class DynamicMethod : System.Reflection.MethodInfo public override System.Reflection.ICustomAttributeProvider ReturnTypeCustomAttributes { get => throw null; } public override string ToString() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs index abf531b9ec5d..a27a4833afae 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Reflection.Emit, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { namespace Emit { - public class AssemblyBuilder : System.Reflection.Assembly + public sealed class AssemblyBuilder : System.Reflection.Assembly { public override string CodeBase { get => throw null; } public static System.Reflection.Emit.AssemblyBuilder DefineDynamicAssembly(System.Reflection.AssemblyName name, System.Reflection.Emit.AssemblyBuilderAccess access) => throw null; @@ -16,8 +15,8 @@ public class AssemblyBuilder : System.Reflection.Assembly public override System.Reflection.MethodInfo EntryPoint { get => throw null; } public override bool Equals(object obj) => throw null; public override string FullName { get => throw null; } - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Collections.Generic.IList GetCustomAttributesData() => throw null; public System.Reflection.Emit.ModuleBuilder GetDynamicModule(string name) => throw null; public override System.Type[] GetExportedTypes() => throw null; @@ -27,8 +26,8 @@ public class AssemblyBuilder : System.Reflection.Assembly public override System.Reflection.Module[] GetLoadedModules(bool getResourceModules) => throw null; public override System.Reflection.ManifestResourceInfo GetManifestResourceInfo(string resourceName) => throw null; public override string[] GetManifestResourceNames() => throw null; - public override System.IO.Stream GetManifestResourceStream(System.Type type, string name) => throw null; public override System.IO.Stream GetManifestResourceStream(string name) => throw null; + public override System.IO.Stream GetManifestResourceStream(System.Type type, string name) => throw null; public override System.Reflection.Module GetModule(string name) => throw null; public override System.Reflection.Module[] GetModules(bool getResourceModules) => throw null; public override System.Reflection.AssemblyName GetName(bool copiedName) => throw null; @@ -36,52 +35,49 @@ public class AssemblyBuilder : System.Reflection.Assembly public override System.Reflection.Assembly GetSatelliteAssembly(System.Globalization.CultureInfo culture) => throw null; public override System.Reflection.Assembly GetSatelliteAssembly(System.Globalization.CultureInfo culture, System.Version version) => throw null; public override System.Type GetType(string name, bool throwOnError, bool ignoreCase) => throw null; - public override System.Int64 HostContext { get => throw null; } + public override long HostContext { get => throw null; } public override bool IsCollectible { get => throw null; } public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override bool IsDynamic { get => throw null; } public override string Location { get => throw null; } public override System.Reflection.Module ManifestModule { get => throw null; } public override bool ReflectionOnly { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; } - [System.Flags] - public enum AssemblyBuilderAccess : int + public enum AssemblyBuilderAccess { Run = 1, RunAndCollect = 9, } - - public class ConstructorBuilder : System.Reflection.ConstructorInfo + public sealed class ConstructorBuilder : System.Reflection.ConstructorInfo { public override System.Reflection.MethodAttributes Attributes { get => throw null; } public override System.Reflection.CallingConventions CallingConvention { get => throw null; } public override System.Type DeclaringType { get => throw null; } public System.Reflection.Emit.ParameterBuilder DefineParameter(int iSequence, System.Reflection.ParameterAttributes attributes, string strParamName) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public System.Reflection.Emit.ILGenerator GetILGenerator() => throw null; public System.Reflection.Emit.ILGenerator GetILGenerator(int streamSize) => throw null; public override System.Reflection.MethodImplAttributes GetMethodImplementationFlags() => throw null; public override System.Reflection.ParameterInfo[] GetParameters() => throw null; - public bool InitLocals { get => throw null; set => throw null; } - public override object Invoke(System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture) => throw null; + public bool InitLocals { get => throw null; set { } } public override object Invoke(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture) => throw null; + public override object Invoke(System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture) => throw null; public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override int MetadataToken { get => throw null; } public override System.RuntimeMethodHandle MethodHandle { get => throw null; } public override System.Reflection.Module Module { get => throw null; } public override string Name { get => throw null; } public override System.Type ReflectedType { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetImplementationFlags(System.Reflection.MethodImplAttributes attributes) => throw null; public override string ToString() => throw null; } - - public class EnumBuilder : System.Reflection.TypeInfo + public sealed class EnumBuilder : System.Reflection.TypeInfo { public override System.Reflection.Assembly Assembly { get => throw null; } public override string AssemblyQualifiedName { get => throw null; } @@ -91,12 +87,11 @@ public class EnumBuilder : System.Reflection.TypeInfo public override System.Type DeclaringType { get => throw null; } public System.Reflection.Emit.FieldBuilder DefineLiteral(string literalName, object literalValue) => throw null; public override string FullName { get => throw null; } - public override System.Guid GUID { get => throw null; } protected override System.Reflection.TypeAttributes GetAttributeFlagsImpl() => throw null; protected override System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; public override System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Type GetElementType() => throw null; public override System.Type GetEnumUnderlyingType() => throw null; public override System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr) => throw null; @@ -115,6 +110,7 @@ public class EnumBuilder : System.Reflection.TypeInfo public override System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr) => throw null; protected override System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public override System.Guid GUID { get => throw null; } protected override bool HasElementTypeImpl() => throw null; public override object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters) => throw null; protected override bool IsArrayImpl() => throw null; @@ -137,31 +133,29 @@ public class EnumBuilder : System.Reflection.TypeInfo public override string Name { get => throw null; } public override string Namespace { get => throw null; } public override System.Type ReflectedType { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public override System.RuntimeTypeHandle TypeHandle { get => throw null; } public System.Reflection.Emit.FieldBuilder UnderlyingField { get => throw null; } public override System.Type UnderlyingSystemType { get => throw null; } } - - public class EventBuilder + public sealed class EventBuilder { public void AddOtherMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; public void SetAddOnMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetRaiseMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; public void SetRemoveOnMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; } - - public class FieldBuilder : System.Reflection.FieldInfo + public sealed class FieldBuilder : System.Reflection.FieldInfo { public override System.Reflection.FieldAttributes Attributes { get => throw null; } public override System.Type DeclaringType { get => throw null; } public override System.RuntimeFieldHandle FieldHandle { get => throw null; } public override System.Type FieldType { get => throw null; } - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object GetValue(object obj) => throw null; public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override int MetadataToken { get => throw null; } @@ -169,13 +163,12 @@ public class FieldBuilder : System.Reflection.FieldInfo public override string Name { get => throw null; } public override System.Type ReflectedType { get => throw null; } public void SetConstant(object defaultValue) => throw null; - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetOffset(int iOffset) => throw null; public override void SetValue(object obj, object val, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, System.Globalization.CultureInfo culture) => throw null; } - - public class GenericTypeParameterBuilder : System.Reflection.TypeInfo + public sealed class GenericTypeParameterBuilder : System.Reflection.TypeInfo { public override System.Reflection.Assembly Assembly { get => throw null; } public override string AssemblyQualifiedName { get => throw null; } @@ -185,14 +178,13 @@ public class GenericTypeParameterBuilder : System.Reflection.TypeInfo public override System.Type DeclaringType { get => throw null; } public override bool Equals(object o) => throw null; public override string FullName { get => throw null; } - public override System.Guid GUID { get => throw null; } public override System.Reflection.GenericParameterAttributes GenericParameterAttributes { get => throw null; } public override int GenericParameterPosition { get => throw null; } protected override System.Reflection.TypeAttributes GetAttributeFlagsImpl() => throw null; protected override System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; public override System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Type GetElementType() => throw null; public override System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.EventInfo[] GetEvents() => throw null; @@ -213,11 +205,12 @@ public class GenericTypeParameterBuilder : System.Reflection.TypeInfo public override System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr) => throw null; protected override System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public override System.Guid GUID { get => throw null; } protected override bool HasElementTypeImpl() => throw null; public override object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters) => throw null; protected override bool IsArrayImpl() => throw null; - public override bool IsAssignableFrom(System.Type c) => throw null; public override bool IsAssignableFrom(System.Reflection.TypeInfo typeInfo) => throw null; + public override bool IsAssignableFrom(System.Type c) => throw null; protected override bool IsByRefImpl() => throw null; public override bool IsByRefLike { get => throw null; } protected override bool IsCOMObjectImpl() => throw null; @@ -228,8 +221,8 @@ public class GenericTypeParameterBuilder : System.Reflection.TypeInfo public override bool IsGenericTypeDefinition { get => throw null; } protected override bool IsPointerImpl() => throw null; protected override bool IsPrimitiveImpl() => throw null; - public override bool IsSZArray { get => throw null; } public override bool IsSubclassOf(System.Type c) => throw null; + public override bool IsSZArray { get => throw null; } public override bool IsTypeDefinition { get => throw null; } protected override bool IsValueTypeImpl() => throw null; public override System.Type MakeArrayType() => throw null; @@ -243,7 +236,7 @@ public class GenericTypeParameterBuilder : System.Reflection.TypeInfo public override string Namespace { get => throw null; } public override System.Type ReflectedType { get => throw null; } public void SetBaseTypeConstraint(System.Type baseTypeConstraint) => throw null; - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetGenericParameterAttributes(System.Reflection.GenericParameterAttributes genericParameterAttributes) => throw null; public void SetInterfaceConstraints(params System.Type[] interfaceConstraints) => throw null; @@ -251,8 +244,7 @@ public class GenericTypeParameterBuilder : System.Reflection.TypeInfo public override System.RuntimeTypeHandle TypeHandle { get => throw null; } public override System.Type UnderlyingSystemType { get => throw null; } } - - public class MethodBuilder : System.Reflection.MethodInfo + public sealed class MethodBuilder : System.Reflection.MethodInfo { public override System.Reflection.MethodAttributes Attributes { get => throw null; } public override System.Reflection.CallingConventions CallingConvention { get => throw null; } @@ -262,8 +254,8 @@ public class MethodBuilder : System.Reflection.MethodInfo public System.Reflection.Emit.ParameterBuilder DefineParameter(int position, System.Reflection.ParameterAttributes attributes, string strParamName) => throw null; public override bool Equals(object obj) => throw null; public override System.Reflection.MethodInfo GetBaseDefinition() => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Type[] GetGenericArguments() => throw null; public override System.Reflection.MethodInfo GetGenericMethodDefinition() => throw null; public override int GetHashCode() => throw null; @@ -271,7 +263,7 @@ public class MethodBuilder : System.Reflection.MethodInfo public System.Reflection.Emit.ILGenerator GetILGenerator(int size) => throw null; public override System.Reflection.MethodImplAttributes GetMethodImplementationFlags() => throw null; public override System.Reflection.ParameterInfo[] GetParameters() => throw null; - public bool InitLocals { get => throw null; set => throw null; } + public bool InitLocals { get => throw null; set { } } public override object Invoke(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture) => throw null; public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override bool IsGenericMethod { get => throw null; } @@ -288,7 +280,7 @@ public class MethodBuilder : System.Reflection.MethodInfo public override System.Reflection.ParameterInfo ReturnParameter { get => throw null; } public override System.Type ReturnType { get => throw null; } public override System.Reflection.ICustomAttributeProvider ReturnTypeCustomAttributes { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetImplementationFlags(System.Reflection.MethodImplAttributes attributes) => throw null; public void SetParameters(params System.Type[] parameterTypes) => throw null; @@ -296,7 +288,6 @@ public class MethodBuilder : System.Reflection.MethodInfo public void SetSignature(System.Type returnType, System.Type[] returnTypeRequiredCustomModifiers, System.Type[] returnTypeOptionalCustomModifiers, System.Type[] parameterTypes, System.Type[][] parameterTypeRequiredCustomModifiers, System.Type[][] parameterTypeOptionalCustomModifiers) => throw null; public override string ToString() => throw null; } - public class ModuleBuilder : System.Reflection.Module { public override System.Reflection.Assembly Assembly { get => throw null; } @@ -305,22 +296,22 @@ public class ModuleBuilder : System.Reflection.Module public System.Reflection.Emit.MethodBuilder DefineGlobalMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes) => throw null; public System.Reflection.Emit.MethodBuilder DefineGlobalMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] requiredReturnTypeCustomModifiers, System.Type[] optionalReturnTypeCustomModifiers, System.Type[] parameterTypes, System.Type[][] requiredParameterTypeCustomModifiers, System.Type[][] optionalParameterTypeCustomModifiers) => throw null; public System.Reflection.Emit.MethodBuilder DefineGlobalMethod(string name, System.Reflection.MethodAttributes attributes, System.Type returnType, System.Type[] parameterTypes) => throw null; - public System.Reflection.Emit.FieldBuilder DefineInitializedData(string name, System.Byte[] data, System.Reflection.FieldAttributes attributes) => throw null; + public System.Reflection.Emit.FieldBuilder DefineInitializedData(string name, byte[] data, System.Reflection.FieldAttributes attributes) => throw null; public System.Reflection.Emit.MethodBuilder DefinePInvokeMethod(string name, string dllName, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Runtime.InteropServices.CallingConvention nativeCallConv, System.Runtime.InteropServices.CharSet nativeCharSet) => throw null; public System.Reflection.Emit.MethodBuilder DefinePInvokeMethod(string name, string dllName, string entryName, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Runtime.InteropServices.CallingConvention nativeCallConv, System.Runtime.InteropServices.CharSet nativeCharSet) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent) => throw null; + public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent, int typesize) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Reflection.Emit.PackingSize packsize) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Reflection.Emit.PackingSize packingSize, int typesize) => throw null; public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Type[] interfaces) => throw null; - public System.Reflection.Emit.TypeBuilder DefineType(string name, System.Reflection.TypeAttributes attr, System.Type parent, int typesize) => throw null; public System.Reflection.Emit.FieldBuilder DefineUninitializedData(string name, int size, System.Reflection.FieldAttributes attributes) => throw null; public override bool Equals(object obj) => throw null; public override string FullyQualifiedName { get => throw null; } public System.Reflection.MethodInfo GetArrayMethod(System.Type arrayClass, string methodName, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Collections.Generic.IList GetCustomAttributesData() => throw null; public override System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingFlags) => throw null; @@ -341,15 +332,14 @@ public class ModuleBuilder : System.Reflection.Module public override System.Reflection.FieldInfo ResolveField(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public override System.Reflection.MemberInfo ResolveMember(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public override System.Reflection.MethodBase ResolveMethod(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; - public override System.Byte[] ResolveSignature(int metadataToken) => throw null; + public override byte[] ResolveSignature(int metadataToken) => throw null; public override string ResolveString(int metadataToken) => throw null; public override System.Type ResolveType(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public override string ScopeName { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; } - - public class PropertyBuilder : System.Reflection.PropertyInfo + public sealed class PropertyBuilder : System.Reflection.PropertyInfo { public void AddOtherMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; public override System.Reflection.PropertyAttributes Attributes { get => throw null; } @@ -357,28 +347,27 @@ public class PropertyBuilder : System.Reflection.PropertyInfo public override bool CanWrite { get => throw null; } public override System.Type DeclaringType { get => throw null; } public override System.Reflection.MethodInfo[] GetAccessors(bool nonPublic) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Reflection.MethodInfo GetGetMethod(bool nonPublic) => throw null; public override System.Reflection.ParameterInfo[] GetIndexParameters() => throw null; public override System.Reflection.MethodInfo GetSetMethod(bool nonPublic) => throw null; - public override object GetValue(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture) => throw null; public override object GetValue(object obj, object[] index) => throw null; + public override object GetValue(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture) => throw null; public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override System.Reflection.Module Module { get => throw null; } public override string Name { get => throw null; } public override System.Type PropertyType { get => throw null; } public override System.Type ReflectedType { get => throw null; } public void SetConstant(object defaultValue) => throw null; - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetGetMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; public void SetSetMethod(System.Reflection.Emit.MethodBuilder mdBuilder) => throw null; - public override void SetValue(object obj, object value, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture) => throw null; public override void SetValue(object obj, object value, object[] index) => throw null; + public override void SetValue(object obj, object value, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture) => throw null; } - - public class TypeBuilder : System.Reflection.TypeInfo + public sealed class TypeBuilder : System.Reflection.TypeInfo { public void AddInterfaceImplementation(System.Type interfaceType) => throw null; public override System.Reflection.Assembly Assembly { get => throw null; } @@ -395,7 +384,7 @@ public class TypeBuilder : System.Reflection.TypeInfo public System.Reflection.Emit.FieldBuilder DefineField(string fieldName, System.Type type, System.Reflection.FieldAttributes attributes) => throw null; public System.Reflection.Emit.FieldBuilder DefineField(string fieldName, System.Type type, System.Type[] requiredCustomModifiers, System.Type[] optionalCustomModifiers, System.Reflection.FieldAttributes attributes) => throw null; public System.Reflection.Emit.GenericTypeParameterBuilder[] DefineGenericParameters(params string[] names) => throw null; - public System.Reflection.Emit.FieldBuilder DefineInitializedData(string name, System.Byte[] data, System.Reflection.FieldAttributes attributes) => throw null; + public System.Reflection.Emit.FieldBuilder DefineInitializedData(string name, byte[] data, System.Reflection.FieldAttributes attributes) => throw null; public System.Reflection.Emit.MethodBuilder DefineMethod(string name, System.Reflection.MethodAttributes attributes) => throw null; public System.Reflection.Emit.MethodBuilder DefineMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention) => throw null; public System.Reflection.Emit.MethodBuilder DefineMethod(string name, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes) => throw null; @@ -405,10 +394,10 @@ public class TypeBuilder : System.Reflection.TypeInfo public System.Reflection.Emit.TypeBuilder DefineNestedType(string name) => throw null; public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr) => throw null; public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent) => throw null; + public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent, int typeSize) => throw null; public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Reflection.Emit.PackingSize packSize) => throw null; public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Reflection.Emit.PackingSize packSize, int typeSize) => throw null; public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent, System.Type[] interfaces) => throw null; - public System.Reflection.Emit.TypeBuilder DefineNestedType(string name, System.Reflection.TypeAttributes attr, System.Type parent, int typeSize) => throw null; public System.Reflection.Emit.MethodBuilder DefinePInvokeMethod(string name, string dllName, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Runtime.InteropServices.CallingConvention nativeCallConv, System.Runtime.InteropServices.CharSet nativeCharSet) => throw null; public System.Reflection.Emit.MethodBuilder DefinePInvokeMethod(string name, string dllName, string entryName, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] parameterTypes, System.Runtime.InteropServices.CallingConvention nativeCallConv, System.Runtime.InteropServices.CharSet nativeCharSet) => throw null; public System.Reflection.Emit.MethodBuilder DefinePInvokeMethod(string name, string dllName, string entryName, System.Reflection.MethodAttributes attributes, System.Reflection.CallingConventions callingConvention, System.Type returnType, System.Type[] returnTypeRequiredCustomModifiers, System.Type[] returnTypeOptionalCustomModifiers, System.Type[] parameterTypes, System.Type[][] parameterTypeRequiredCustomModifiers, System.Type[][] parameterTypeOptionalCustomModifiers, System.Runtime.InteropServices.CallingConvention nativeCallConv, System.Runtime.InteropServices.CharSet nativeCharSet) => throw null; @@ -419,21 +408,20 @@ public class TypeBuilder : System.Reflection.TypeInfo public System.Reflection.Emit.ConstructorBuilder DefineTypeInitializer() => throw null; public System.Reflection.Emit.FieldBuilder DefineUninitializedData(string name, int size, System.Reflection.FieldAttributes attributes) => throw null; public override string FullName { get => throw null; } - public override System.Guid GUID { get => throw null; } public override System.Reflection.GenericParameterAttributes GenericParameterAttributes { get => throw null; } public override int GenericParameterPosition { get => throw null; } protected override System.Reflection.TypeAttributes GetAttributeFlagsImpl() => throw null; public static System.Reflection.ConstructorInfo GetConstructor(System.Type type, System.Reflection.ConstructorInfo constructor) => throw null; protected override System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; public override System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Type GetElementType() => throw null; public override System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.EventInfo[] GetEvents() => throw null; public override System.Reflection.EventInfo[] GetEvents(System.Reflection.BindingFlags bindingAttr) => throw null; - public static System.Reflection.FieldInfo GetField(System.Type type, System.Reflection.FieldInfo field) => throw null; public override System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr) => throw null; + public static System.Reflection.FieldInfo GetField(System.Type type, System.Reflection.FieldInfo field) => throw null; public override System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Type[] GetGenericArguments() => throw null; public override System.Type GetGenericTypeDefinition() => throw null; @@ -449,11 +437,12 @@ public class TypeBuilder : System.Reflection.TypeInfo public override System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr) => throw null; protected override System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public override System.Guid GUID { get => throw null; } protected override bool HasElementTypeImpl() => throw null; public override object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters) => throw null; protected override bool IsArrayImpl() => throw null; - public override bool IsAssignableFrom(System.Type c) => throw null; public override bool IsAssignableFrom(System.Reflection.TypeInfo typeInfo) => throw null; + public override bool IsAssignableFrom(System.Type c) => throw null; protected override bool IsByRefImpl() => throw null; public override bool IsByRefLike { get => throw null; } protected override bool IsCOMObjectImpl() => throw null; @@ -465,11 +454,11 @@ public class TypeBuilder : System.Reflection.TypeInfo public override bool IsGenericTypeDefinition { get => throw null; } protected override bool IsPointerImpl() => throw null; protected override bool IsPrimitiveImpl() => throw null; - public override bool IsSZArray { get => throw null; } public override bool IsSecurityCritical { get => throw null; } public override bool IsSecuritySafeCritical { get => throw null; } public override bool IsSecurityTransparent { get => throw null; } public override bool IsSubclassOf(System.Type c) => throw null; + public override bool IsSZArray { get => throw null; } public override bool IsTypeDefinition { get => throw null; } public override System.Type MakeArrayType() => throw null; public override System.Type MakeArrayType(int rank) => throw null; @@ -482,16 +471,15 @@ public class TypeBuilder : System.Reflection.TypeInfo public override string Namespace { get => throw null; } public System.Reflection.Emit.PackingSize PackingSize { get => throw null; } public override System.Type ReflectedType { get => throw null; } - public void SetCustomAttribute(System.Reflection.ConstructorInfo con, System.Byte[] binaryAttribute) => throw null; + public void SetCustomAttribute(System.Reflection.ConstructorInfo con, byte[] binaryAttribute) => throw null; public void SetCustomAttribute(System.Reflection.Emit.CustomAttributeBuilder customBuilder) => throw null; public void SetParent(System.Type parent) => throw null; public int Size { get => throw null; } public override string ToString() => throw null; public override System.RuntimeTypeHandle TypeHandle { get => throw null; } public override System.Type UnderlyingSystemType { get => throw null; } - public const int UnspecifiedTypeSize = default; + public static int UnspecifiedTypeSize; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs new file mode 100644 index 000000000000..ae4c23ab8848 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Reflection.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs index 7b3a400c18dd..4f7b0de1d4a2 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs @@ -1,102 +1,59 @@ // This file contains auto-generated code. // Generated from `System.Reflection.Metadata, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { [System.Flags] - public enum AssemblyFlags : int + public enum AssemblyFlags { - ContentTypeMask = 3584, - DisableJitCompileOptimizer = 16384, - EnableJitCompileTracking = 32768, PublicKey = 1, Retargetable = 256, WindowsRuntime = 512, + ContentTypeMask = 3584, + DisableJitCompileOptimizer = 16384, + EnableJitCompileTracking = 32768, } - - public enum AssemblyHashAlgorithm : int + public enum AssemblyHashAlgorithm { - MD5 = 32771, None = 0, + MD5 = 32771, Sha1 = 32772, Sha256 = 32780, Sha384 = 32781, Sha512 = 32782, } - public enum DeclarativeSecurityAction : short { - Assert = 3, + None = 0, Demand = 2, + Assert = 3, Deny = 4, - InheritanceDemand = 7, - LinkDemand = 6, - None = 0, PermitOnly = 5, + LinkDemand = 6, + InheritanceDemand = 7, RequestMinimum = 8, RequestOptional = 9, RequestRefuse = 10, } - [System.Flags] - public enum ManifestResourceAttributes : int + public enum ManifestResourceAttributes { - Private = 2, Public = 1, + Private = 2, VisibilityMask = 7, } - - [System.Flags] - public enum MethodImportAttributes : short - { - BestFitMappingDisable = 32, - BestFitMappingEnable = 16, - BestFitMappingMask = 48, - CallingConventionCDecl = 512, - CallingConventionFastCall = 1280, - CallingConventionMask = 1792, - CallingConventionStdCall = 768, - CallingConventionThisCall = 1024, - CallingConventionWinApi = 256, - CharSetAnsi = 2, - CharSetAuto = 6, - CharSetMask = 6, - CharSetUnicode = 4, - ExactSpelling = 1, - None = 0, - SetLastError = 64, - ThrowOnUnmappableCharDisable = 8192, - ThrowOnUnmappableCharEnable = 4096, - ThrowOnUnmappableCharMask = 12288, - } - - [System.Flags] - public enum MethodSemanticsAttributes : int - { - Adder = 8, - Getter = 2, - Other = 4, - Raiser = 32, - Remover = 16, - Setter = 1, - } - namespace Metadata { public struct ArrayShape { - // Stub generator skipped constructor public ArrayShape(int rank, System.Collections.Immutable.ImmutableArray sizes, System.Collections.Immutable.ImmutableArray lowerBounds) => throw null; public System.Collections.Immutable.ImmutableArray LowerBounds { get => throw null; } public int Rank { get => throw null; } public System.Collections.Immutable.ImmutableArray Sizes { get => throw null; } } - public struct AssemblyDefinition { - // Stub generator skipped constructor public System.Reflection.Metadata.StringHandle Culture { get => throw null; } public System.Reflection.AssemblyFlags Flags { get => throw null; } public System.Reflection.AssemblyName GetAssemblyName() => throw null; @@ -107,69 +64,56 @@ public struct AssemblyDefinition public System.Reflection.Metadata.BlobHandle PublicKey { get => throw null; } public System.Version Version { get => throw null; } } - public struct AssemblyDefinitionHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.AssemblyDefinitionHandle left, System.Reflection.Metadata.AssemblyDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.AssemblyDefinitionHandle left, System.Reflection.Metadata.AssemblyDefinitionHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.AssemblyDefinitionHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.AssemblyDefinitionHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.AssemblyDefinitionHandle left, System.Reflection.Metadata.AssemblyDefinitionHandle right) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.AssemblyDefinitionHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.AssemblyDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.AssemblyDefinitionHandle left, System.Reflection.Metadata.AssemblyDefinitionHandle right) => throw null; } - public struct AssemblyFile { - // Stub generator skipped constructor public bool ContainsMetadata { get => throw null; } public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; public System.Reflection.Metadata.BlobHandle HashValue { get => throw null; } public System.Reflection.Metadata.StringHandle Name { get => throw null; } } - public struct AssemblyFileHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.AssemblyFileHandle left, System.Reflection.Metadata.AssemblyFileHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.AssemblyFileHandle left, System.Reflection.Metadata.AssemblyFileHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.AssemblyFileHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.AssemblyFileHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.AssemblyFileHandle left, System.Reflection.Metadata.AssemblyFileHandle right) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyFileHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyFileHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.AssemblyFileHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.AssemblyFileHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.AssemblyFileHandle left, System.Reflection.Metadata.AssemblyFileHandle right) => throw null; } - - public struct AssemblyFileHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct AssemblyFileHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.AssemblyFileHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - // Stub generator skipped constructor - public int Count { get => throw null; } public System.Reflection.Metadata.AssemblyFileHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct AssemblyReference { - // Stub generator skipped constructor public System.Reflection.Metadata.StringHandle Culture { get => throw null; } public System.Reflection.AssemblyFlags Flags { get => throw null; } public System.Reflection.AssemblyName GetAssemblyName() => throw null; @@ -179,55 +123,46 @@ public struct AssemblyReference public System.Reflection.Metadata.BlobHandle PublicKeyOrToken { get => throw null; } public System.Version Version { get => throw null; } } - public struct AssemblyReferenceHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.AssemblyReferenceHandle left, System.Reflection.Metadata.AssemblyReferenceHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.AssemblyReferenceHandle left, System.Reflection.Metadata.AssemblyReferenceHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.AssemblyReferenceHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.AssemblyReferenceHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.AssemblyReferenceHandle left, System.Reflection.Metadata.AssemblyReferenceHandle right) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.AssemblyReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.AssemblyReferenceHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.AssemblyReferenceHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.AssemblyReferenceHandle left, System.Reflection.Metadata.AssemblyReferenceHandle right) => throw null; } - - public struct AssemblyReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct AssemblyReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.AssemblyReferenceHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - // Stub generator skipped constructor - public int Count { get => throw null; } public System.Reflection.Metadata.AssemblyReferenceHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct Blob { - // Stub generator skipped constructor - public System.ArraySegment GetBytes() => throw null; + public System.ArraySegment GetBytes() => throw null; public bool IsDefault { get => throw null; } public int Length { get => throw null; } } - public class BlobBuilder { - public struct Blobs : System.Collections.Generic.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerable, System.Collections.IEnumerator, System.IDisposable + public void Align(int alignment) => throw null; + protected virtual System.Reflection.Metadata.BlobBuilder AllocateChunk(int minimalSize) => throw null; + public struct Blobs : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - // Stub generator skipped constructor public System.Reflection.Metadata.Blob Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; @@ -237,15 +172,11 @@ public struct Blobs : System.Collections.Generic.IEnumerable throw null; public void Reset() => throw null; } - - - public void Align(int alignment) => throw null; - protected virtual System.Reflection.Metadata.BlobBuilder AllocateChunk(int minimalSize) => throw null; - public BlobBuilder(int capacity = default(int)) => throw null; - protected internal int ChunkCapacity { get => throw null; } + protected int ChunkCapacity { get => throw null; } public void Clear() => throw null; public bool ContentEquals(System.Reflection.Metadata.BlobBuilder other) => throw null; public int Count { get => throw null; } + public BlobBuilder(int capacity = default(int)) => throw null; protected void Free() => throw null; protected int FreeBytes { get => throw null; } protected virtual void FreeChunk() => throw null; @@ -254,3249 +185,2858 @@ public struct Blobs : System.Collections.Generic.IEnumerable throw null; public void PadTo(int position) => throw null; public System.Reflection.Metadata.Blob ReserveBytes(int byteCount) => throw null; - public System.Byte[] ToArray() => throw null; - public System.Byte[] ToArray(int start, int byteCount) => throw null; - public System.Collections.Immutable.ImmutableArray ToImmutableArray() => throw null; - public System.Collections.Immutable.ImmutableArray ToImmutableArray(int start, int byteCount) => throw null; + public byte[] ToArray() => throw null; + public byte[] ToArray(int start, int byteCount) => throw null; + public System.Collections.Immutable.ImmutableArray ToImmutableArray() => throw null; + public System.Collections.Immutable.ImmutableArray ToImmutableArray(int start, int byteCount) => throw null; public int TryWriteBytes(System.IO.Stream source, int byteCount) => throw null; public void WriteBoolean(bool value) => throw null; - public void WriteByte(System.Byte value) => throw null; - public void WriteBytes(System.Byte[] buffer) => throw null; - public void WriteBytes(System.Byte[] buffer, int start, int byteCount) => throw null; - public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer) => throw null; - public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer, int start, int byteCount) => throw null; - unsafe public void WriteBytes(System.Byte* buffer, int byteCount) => throw null; - public void WriteBytes(System.Byte value, int byteCount) => throw null; + public void WriteByte(byte value) => throw null; + public unsafe void WriteBytes(byte* buffer, int byteCount) => throw null; + public void WriteBytes(byte value, int byteCount) => throw null; + public void WriteBytes(byte[] buffer) => throw null; + public void WriteBytes(byte[] buffer, int start, int byteCount) => throw null; + public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer) => throw null; + public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer, int start, int byteCount) => throw null; public void WriteCompressedInteger(int value) => throw null; public void WriteCompressedSignedInteger(int value) => throw null; public void WriteConstant(object value) => throw null; - public void WriteContentTo(System.Reflection.Metadata.BlobBuilder destination) => throw null; public void WriteContentTo(System.IO.Stream destination) => throw null; + public void WriteContentTo(System.Reflection.Metadata.BlobBuilder destination) => throw null; public void WriteContentTo(ref System.Reflection.Metadata.BlobWriter destination) => throw null; public void WriteDateTime(System.DateTime value) => throw null; - public void WriteDecimal(System.Decimal value) => throw null; + public void WriteDecimal(decimal value) => throw null; public void WriteDouble(double value) => throw null; public void WriteGuid(System.Guid value) => throw null; - public void WriteInt16(System.Int16 value) => throw null; - public void WriteInt16BE(System.Int16 value) => throw null; + public void WriteInt16(short value) => throw null; + public void WriteInt16BE(short value) => throw null; public void WriteInt32(int value) => throw null; public void WriteInt32BE(int value) => throw null; - public void WriteInt64(System.Int64 value) => throw null; + public void WriteInt64(long value) => throw null; public void WriteReference(int reference, bool isSmall) => throw null; - public void WriteSByte(System.SByte value) => throw null; + public void WriteSByte(sbyte value) => throw null; public void WriteSerializedString(string value) => throw null; public void WriteSingle(float value) => throw null; - public void WriteUInt16(System.UInt16 value) => throw null; - public void WriteUInt16BE(System.UInt16 value) => throw null; - public void WriteUInt32(System.UInt32 value) => throw null; - public void WriteUInt32BE(System.UInt32 value) => throw null; - public void WriteUInt64(System.UInt64 value) => throw null; - public void WriteUTF16(System.Char[] value) => throw null; + public void WriteUInt16(ushort value) => throw null; + public void WriteUInt16BE(ushort value) => throw null; + public void WriteUInt32(uint value) => throw null; + public void WriteUInt32BE(uint value) => throw null; + public void WriteUInt64(ulong value) => throw null; + public void WriteUserString(string value) => throw null; + public void WriteUTF16(char[] value) => throw null; public void WriteUTF16(string value) => throw null; public void WriteUTF8(string value, bool allowUnpairedSurrogates = default(bool)) => throw null; - public void WriteUserString(string value) => throw null; } - public struct BlobContentId : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.BlobContentId left, System.Reflection.Metadata.BlobContentId right) => throw null; - public static bool operator ==(System.Reflection.Metadata.BlobContentId left, System.Reflection.Metadata.BlobContentId right) => throw null; - // Stub generator skipped constructor - public BlobContentId(System.Byte[] id) => throw null; - public BlobContentId(System.Guid guid, System.UInt32 stamp) => throw null; - public BlobContentId(System.Collections.Immutable.ImmutableArray id) => throw null; - public bool Equals(System.Reflection.Metadata.BlobContentId other) => throw null; + public BlobContentId(byte[] id) => throw null; + public BlobContentId(System.Collections.Immutable.ImmutableArray id) => throw null; + public BlobContentId(System.Guid guid, uint stamp) => throw null; public override bool Equals(object obj) => throw null; - public static System.Reflection.Metadata.BlobContentId FromHash(System.Byte[] hashCode) => throw null; - public static System.Reflection.Metadata.BlobContentId FromHash(System.Collections.Immutable.ImmutableArray hashCode) => throw null; + public bool Equals(System.Reflection.Metadata.BlobContentId other) => throw null; + public static System.Reflection.Metadata.BlobContentId FromHash(byte[] hashCode) => throw null; + public static System.Reflection.Metadata.BlobContentId FromHash(System.Collections.Immutable.ImmutableArray hashCode) => throw null; public override int GetHashCode() => throw null; public static System.Func, System.Reflection.Metadata.BlobContentId> GetTimeBasedProvider() => throw null; public System.Guid Guid { get => throw null; } public bool IsDefault { get => throw null; } - public System.UInt32 Stamp { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.BlobContentId left, System.Reflection.Metadata.BlobContentId right) => throw null; + public static bool operator !=(System.Reflection.Metadata.BlobContentId left, System.Reflection.Metadata.BlobContentId right) => throw null; + public uint Stamp { get => throw null; } } - public struct BlobHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.BlobHandle left, System.Reflection.Metadata.BlobHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.BlobHandle left, System.Reflection.Metadata.BlobHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.BlobHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.BlobHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.BlobHandle left, System.Reflection.Metadata.BlobHandle right) => throw null; public static explicit operator System.Reflection.Metadata.BlobHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.BlobHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.BlobHandle left, System.Reflection.Metadata.BlobHandle right) => throw null; } - public struct BlobReader { - public void Align(System.Byte alignment) => throw null; - // Stub generator skipped constructor - unsafe public BlobReader(System.Byte* buffer, int length) => throw null; - unsafe public System.Byte* CurrentPointer { get => throw null; } - public int IndexOf(System.Byte value) => throw null; + public void Align(byte alignment) => throw null; + public unsafe BlobReader(byte* buffer, int length) => throw null; + public unsafe byte* CurrentPointer { get => throw null; } + public int IndexOf(byte value) => throw null; public int Length { get => throw null; } - public int Offset { get => throw null; set => throw null; } + public int Offset { get => throw null; set { } } public System.Reflection.Metadata.BlobHandle ReadBlobHandle() => throw null; public bool ReadBoolean() => throw null; - public System.Byte ReadByte() => throw null; - public System.Byte[] ReadBytes(int byteCount) => throw null; - public void ReadBytes(int byteCount, System.Byte[] buffer, int bufferOffset) => throw null; - public System.Char ReadChar() => throw null; + public byte ReadByte() => throw null; + public byte[] ReadBytes(int byteCount) => throw null; + public void ReadBytes(int byteCount, byte[] buffer, int bufferOffset) => throw null; + public char ReadChar() => throw null; public int ReadCompressedInteger() => throw null; public int ReadCompressedSignedInteger() => throw null; public object ReadConstant(System.Reflection.Metadata.ConstantTypeCode typeCode) => throw null; public System.DateTime ReadDateTime() => throw null; - public System.Decimal ReadDecimal() => throw null; + public decimal ReadDecimal() => throw null; public double ReadDouble() => throw null; public System.Guid ReadGuid() => throw null; - public System.Int16 ReadInt16() => throw null; + public short ReadInt16() => throw null; public int ReadInt32() => throw null; - public System.Int64 ReadInt64() => throw null; - public System.SByte ReadSByte() => throw null; + public long ReadInt64() => throw null; + public sbyte ReadSByte() => throw null; public System.Reflection.Metadata.SerializationTypeCode ReadSerializationTypeCode() => throw null; public string ReadSerializedString() => throw null; public System.Reflection.Metadata.SignatureHeader ReadSignatureHeader() => throw null; public System.Reflection.Metadata.SignatureTypeCode ReadSignatureTypeCode() => throw null; public float ReadSingle() => throw null; public System.Reflection.Metadata.EntityHandle ReadTypeHandle() => throw null; - public System.UInt16 ReadUInt16() => throw null; - public System.UInt32 ReadUInt32() => throw null; - public System.UInt64 ReadUInt64() => throw null; + public ushort ReadUInt16() => throw null; + public uint ReadUInt32() => throw null; + public ulong ReadUInt64() => throw null; public string ReadUTF16(int byteCount) => throw null; public string ReadUTF8(int byteCount) => throw null; public int RemainingBytes { get => throw null; } public void Reset() => throw null; - unsafe public System.Byte* StartPointer { get => throw null; } + public unsafe byte* StartPointer { get => throw null; } public bool TryReadCompressedInteger(out int value) => throw null; public bool TryReadCompressedSignedInteger(out int value) => throw null; } - public struct BlobWriter { public void Align(int alignment) => throw null; public System.Reflection.Metadata.Blob Blob { get => throw null; } - // Stub generator skipped constructor - public BlobWriter(System.Reflection.Metadata.Blob blob) => throw null; - public BlobWriter(System.Byte[] buffer) => throw null; - public BlobWriter(System.Byte[] buffer, int start, int count) => throw null; - public BlobWriter(int size) => throw null; public void Clear() => throw null; public bool ContentEquals(System.Reflection.Metadata.BlobWriter other) => throw null; + public BlobWriter(byte[] buffer) => throw null; + public BlobWriter(byte[] buffer, int start, int count) => throw null; + public BlobWriter(int size) => throw null; + public BlobWriter(System.Reflection.Metadata.Blob blob) => throw null; public int Length { get => throw null; } - public int Offset { get => throw null; set => throw null; } + public int Offset { get => throw null; set { } } public void PadTo(int offset) => throw null; public int RemainingBytes { get => throw null; } - public System.Byte[] ToArray() => throw null; - public System.Byte[] ToArray(int start, int byteCount) => throw null; - public System.Collections.Immutable.ImmutableArray ToImmutableArray() => throw null; - public System.Collections.Immutable.ImmutableArray ToImmutableArray(int start, int byteCount) => throw null; + public byte[] ToArray() => throw null; + public byte[] ToArray(int start, int byteCount) => throw null; + public System.Collections.Immutable.ImmutableArray ToImmutableArray() => throw null; + public System.Collections.Immutable.ImmutableArray ToImmutableArray(int start, int byteCount) => throw null; public void WriteBoolean(bool value) => throw null; - public void WriteByte(System.Byte value) => throw null; - public void WriteBytes(System.Reflection.Metadata.BlobBuilder source) => throw null; - public void WriteBytes(System.Byte[] buffer) => throw null; - public void WriteBytes(System.Byte[] buffer, int start, int byteCount) => throw null; - public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer) => throw null; - public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer, int start, int byteCount) => throw null; + public void WriteByte(byte value) => throw null; + public unsafe void WriteBytes(byte* buffer, int byteCount) => throw null; + public void WriteBytes(byte value, int byteCount) => throw null; + public void WriteBytes(byte[] buffer) => throw null; + public void WriteBytes(byte[] buffer, int start, int byteCount) => throw null; + public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer) => throw null; + public void WriteBytes(System.Collections.Immutable.ImmutableArray buffer, int start, int byteCount) => throw null; public int WriteBytes(System.IO.Stream source, int byteCount) => throw null; - unsafe public void WriteBytes(System.Byte* buffer, int byteCount) => throw null; - public void WriteBytes(System.Byte value, int byteCount) => throw null; + public void WriteBytes(System.Reflection.Metadata.BlobBuilder source) => throw null; public void WriteCompressedInteger(int value) => throw null; public void WriteCompressedSignedInteger(int value) => throw null; public void WriteConstant(object value) => throw null; public void WriteDateTime(System.DateTime value) => throw null; - public void WriteDecimal(System.Decimal value) => throw null; + public void WriteDecimal(decimal value) => throw null; public void WriteDouble(double value) => throw null; public void WriteGuid(System.Guid value) => throw null; - public void WriteInt16(System.Int16 value) => throw null; - public void WriteInt16BE(System.Int16 value) => throw null; + public void WriteInt16(short value) => throw null; + public void WriteInt16BE(short value) => throw null; public void WriteInt32(int value) => throw null; public void WriteInt32BE(int value) => throw null; - public void WriteInt64(System.Int64 value) => throw null; + public void WriteInt64(long value) => throw null; public void WriteReference(int reference, bool isSmall) => throw null; - public void WriteSByte(System.SByte value) => throw null; + public void WriteSByte(sbyte value) => throw null; public void WriteSerializedString(string str) => throw null; public void WriteSingle(float value) => throw null; - public void WriteUInt16(System.UInt16 value) => throw null; - public void WriteUInt16BE(System.UInt16 value) => throw null; - public void WriteUInt32(System.UInt32 value) => throw null; - public void WriteUInt32BE(System.UInt32 value) => throw null; - public void WriteUInt64(System.UInt64 value) => throw null; - public void WriteUTF16(System.Char[] value) => throw null; + public void WriteUInt16(ushort value) => throw null; + public void WriteUInt16BE(ushort value) => throw null; + public void WriteUInt32(uint value) => throw null; + public void WriteUInt32BE(uint value) => throw null; + public void WriteUInt64(ulong value) => throw null; + public void WriteUserString(string value) => throw null; + public void WriteUTF16(char[] value) => throw null; public void WriteUTF16(string value) => throw null; public void WriteUTF8(string value, bool allowUnpairedSurrogates) => throw null; - public void WriteUserString(string value) => throw null; } - public struct Constant { - // Stub generator skipped constructor public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } public System.Reflection.Metadata.ConstantTypeCode TypeCode { get => throw null; } public System.Reflection.Metadata.BlobHandle Value { get => throw null; } } - public struct ConstantHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.ConstantHandle left, System.Reflection.Metadata.ConstantHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ConstantHandle left, System.Reflection.Metadata.ConstantHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.ConstantHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ConstantHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ConstantHandle left, System.Reflection.Metadata.ConstantHandle right) => throw null; public static explicit operator System.Reflection.Metadata.ConstantHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.ConstantHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ConstantHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ConstantHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ConstantHandle left, System.Reflection.Metadata.ConstantHandle right) => throw null; } - public enum ConstantTypeCode : byte { + Invalid = 0, Boolean = 2, - Byte = 5, Char = 3, - Double = 13, + SByte = 4, + Byte = 5, Int16 = 6, + UInt16 = 7, Int32 = 8, + UInt32 = 9, Int64 = 10, - Invalid = 0, - NullReference = 18, - SByte = 4, + UInt64 = 11, Single = 12, + Double = 13, String = 14, - UInt16 = 7, - UInt32 = 9, - UInt64 = 11, + NullReference = 18, } - public struct CustomAttribute { public System.Reflection.Metadata.EntityHandle Constructor { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.CustomAttributeValue DecodeValue(System.Reflection.Metadata.ICustomAttributeTypeProvider provider) => throw null; public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } public System.Reflection.Metadata.BlobHandle Value { get => throw null; } } - public struct CustomAttributeHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.CustomAttributeHandle left, System.Reflection.Metadata.CustomAttributeHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.CustomAttributeHandle left, System.Reflection.Metadata.CustomAttributeHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.CustomAttributeHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.CustomAttributeHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.CustomAttributeHandle left, System.Reflection.Metadata.CustomAttributeHandle right) => throw null; public static explicit operator System.Reflection.Metadata.CustomAttributeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.CustomAttributeHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.CustomAttributeHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.CustomAttributeHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.CustomAttributeHandle left, System.Reflection.Metadata.CustomAttributeHandle right) => throw null; } - - public struct CustomAttributeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct CustomAttributeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.CustomAttributeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.CustomAttributeHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct CustomAttributeNamedArgument { - // Stub generator skipped constructor public CustomAttributeNamedArgument(string name, System.Reflection.Metadata.CustomAttributeNamedArgumentKind kind, TType type, object value) => throw null; public System.Reflection.Metadata.CustomAttributeNamedArgumentKind Kind { get => throw null; } public string Name { get => throw null; } public TType Type { get => throw null; } public object Value { get => throw null; } } - public enum CustomAttributeNamedArgumentKind : byte { Field = 83, Property = 84, } - public struct CustomAttributeTypedArgument { - // Stub generator skipped constructor public CustomAttributeTypedArgument(TType type, object value) => throw null; public TType Type { get => throw null; } public object Value { get => throw null; } } - public struct CustomAttributeValue { - // Stub generator skipped constructor public CustomAttributeValue(System.Collections.Immutable.ImmutableArray> fixedArguments, System.Collections.Immutable.ImmutableArray> namedArguments) => throw null; public System.Collections.Immutable.ImmutableArray> FixedArguments { get => throw null; } public System.Collections.Immutable.ImmutableArray> NamedArguments { get => throw null; } } - public struct CustomDebugInformation { - // Stub generator skipped constructor public System.Reflection.Metadata.GuidHandle Kind { get => throw null; } public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } public System.Reflection.Metadata.BlobHandle Value { get => throw null; } } - public struct CustomDebugInformationHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.CustomDebugInformationHandle left, System.Reflection.Metadata.CustomDebugInformationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.CustomDebugInformationHandle left, System.Reflection.Metadata.CustomDebugInformationHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.CustomDebugInformationHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.CustomDebugInformationHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.CustomDebugInformationHandle left, System.Reflection.Metadata.CustomDebugInformationHandle right) => throw null; public static explicit operator System.Reflection.Metadata.CustomDebugInformationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.CustomDebugInformationHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.CustomDebugInformationHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.CustomDebugInformationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.CustomDebugInformationHandle left, System.Reflection.Metadata.CustomDebugInformationHandle right) => throw null; } - - public struct CustomDebugInformationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct CustomDebugInformationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.CustomDebugInformationHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.CustomDebugInformationHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - - public class DebugMetadataHeader + public sealed class DebugMetadataHeader { public System.Reflection.Metadata.MethodDefinitionHandle EntryPoint { get => throw null; } - public System.Collections.Immutable.ImmutableArray Id { get => throw null; } + public System.Collections.Immutable.ImmutableArray Id { get => throw null; } public int IdStartOffset { get => throw null; } } - public struct DeclarativeSecurityAttribute { public System.Reflection.DeclarativeSecurityAction Action { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } public System.Reflection.Metadata.BlobHandle PermissionSet { get => throw null; } } - public struct DeclarativeSecurityAttributeHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle left, System.Reflection.Metadata.DeclarativeSecurityAttributeHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle left, System.Reflection.Metadata.DeclarativeSecurityAttributeHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle left, System.Reflection.Metadata.DeclarativeSecurityAttributeHandle right) => throw null; public static explicit operator System.Reflection.Metadata.DeclarativeSecurityAttributeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.DeclarativeSecurityAttributeHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle left, System.Reflection.Metadata.DeclarativeSecurityAttributeHandle right) => throw null; } - - public struct DeclarativeSecurityAttributeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct DeclarativeSecurityAttributeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.DeclarativeSecurityAttributeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct Document { - // Stub generator skipped constructor public System.Reflection.Metadata.BlobHandle Hash { get => throw null; } public System.Reflection.Metadata.GuidHandle HashAlgorithm { get => throw null; } public System.Reflection.Metadata.GuidHandle Language { get => throw null; } public System.Reflection.Metadata.DocumentNameBlobHandle Name { get => throw null; } } - public struct DocumentHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.DocumentHandle left, System.Reflection.Metadata.DocumentHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.DocumentHandle left, System.Reflection.Metadata.DocumentHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.DocumentHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.DocumentHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.DocumentHandle left, System.Reflection.Metadata.DocumentHandle right) => throw null; public static explicit operator System.Reflection.Metadata.DocumentHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; public static explicit operator System.Reflection.Metadata.DocumentHandle(System.Reflection.Metadata.Handle handle) => throw null; public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.DocumentHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.DocumentHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.DocumentHandle left, System.Reflection.Metadata.DocumentHandle right) => throw null; } - - public struct DocumentHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + public struct DocumentHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Reflection.Metadata.DocumentHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor public System.Reflection.Metadata.DocumentHandleCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct DocumentNameBlobHandle : System.IEquatable { - public static bool operator !=(System.Reflection.Metadata.DocumentNameBlobHandle left, System.Reflection.Metadata.DocumentNameBlobHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.DocumentNameBlobHandle left, System.Reflection.Metadata.DocumentNameBlobHandle right) => throw null; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle other) => throw null; public override int GetHashCode() => throw null; public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.DocumentNameBlobHandle left, System.Reflection.Metadata.DocumentNameBlobHandle right) => throw null; public static explicit operator System.Reflection.Metadata.DocumentNameBlobHandle(System.Reflection.Metadata.BlobHandle handle) => throw null; public static implicit operator System.Reflection.Metadata.BlobHandle(System.Reflection.Metadata.DocumentNameBlobHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.DocumentNameBlobHandle left, System.Reflection.Metadata.DocumentNameBlobHandle right) => throw null; } - - public struct EntityHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.EntityHandle left, System.Reflection.Metadata.EntityHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.EntityHandle left, System.Reflection.Metadata.EntityHandle right) => throw null; - public static System.Reflection.Metadata.AssemblyDefinitionHandle AssemblyDefinition; - // Stub generator skipped constructor - public bool Equals(System.Reflection.Metadata.EntityHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public System.Reflection.Metadata.HandleKind Kind { get => throw null; } - public static System.Reflection.Metadata.ModuleDefinitionHandle ModuleDefinition; - public static explicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.EntityHandle handle) => throw null; - } - - public struct EventAccessors - { - public System.Reflection.Metadata.MethodDefinitionHandle Adder { get => throw null; } - // Stub generator skipped constructor - public System.Collections.Immutable.ImmutableArray Others { get => throw null; } - public System.Reflection.Metadata.MethodDefinitionHandle Raiser { get => throw null; } - public System.Reflection.Metadata.MethodDefinitionHandle Remover { get => throw null; } - } - - public struct EventDefinition - { - public System.Reflection.EventAttributes Attributes { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.EventAccessors GetAccessors() => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.EntityHandle Type { get => throw null; } - } - - public struct EventDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.EventDefinitionHandle left, System.Reflection.Metadata.EventDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.EventDefinitionHandle left, System.Reflection.Metadata.EventDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.EventDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.EventDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.EventDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; - } - - public struct EventDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable + namespace Ecma335 { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ArrayShapeEncoder { - public System.Reflection.Metadata.EventDefinitionHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public ArrayShapeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void Shape(int rank, System.Collections.Immutable.ImmutableArray sizes, System.Collections.Immutable.ImmutableArray lowerBounds) => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.EventDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - public struct ExceptionRegion - { - public System.Reflection.Metadata.EntityHandle CatchType { get => throw null; } - // Stub generator skipped constructor - public int FilterOffset { get => throw null; } - public int HandlerLength { get => throw null; } - public int HandlerOffset { get => throw null; } - public System.Reflection.Metadata.ExceptionRegionKind Kind { get => throw null; } - public int TryLength { get => throw null; } - public int TryOffset { get => throw null; } - } - - public enum ExceptionRegionKind : ushort - { - Catch = 0, - Fault = 4, - Filter = 1, - Finally = 2, - } - - public struct ExportedType - { - public System.Reflection.TypeAttributes Attributes { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.EntityHandle Implementation { get => throw null; } - public bool IsForwarder { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } - public System.Reflection.Metadata.NamespaceDefinitionHandle NamespaceDefinition { get => throw null; } - } - - public struct ExportedTypeHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ExportedTypeHandle left, System.Reflection.Metadata.ExportedTypeHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ExportedTypeHandle left, System.Reflection.Metadata.ExportedTypeHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ExportedTypeHandle other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.ExportedTypeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ExportedTypeHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; - } - - public struct ExportedTypeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct BlobEncoder { - public System.Reflection.Metadata.ExportedTypeHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public BlobEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void CustomAttributeSignature(System.Action fixedArguments, System.Action namedArguments) => throw null; + public void CustomAttributeSignature(out System.Reflection.Metadata.Ecma335.FixedArgumentsEncoder fixedArguments, out System.Reflection.Metadata.Ecma335.CustomAttributeNamedArgumentsEncoder namedArguments) => throw null; + public System.Reflection.Metadata.Ecma335.FieldTypeEncoder Field() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder FieldSignature() => throw null; + public System.Reflection.Metadata.Ecma335.LocalVariablesEncoder LocalVariableSignature(int variableCount) => throw null; + public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder MethodSignature(System.Reflection.Metadata.SignatureCallingConvention convention = default(System.Reflection.Metadata.SignatureCallingConvention), int genericParameterCount = default(int), bool isInstanceMethod = default(bool)) => throw null; + public System.Reflection.Metadata.Ecma335.GenericTypeArgumentsEncoder MethodSpecificationSignature(int genericArgumentCount) => throw null; + public System.Reflection.Metadata.Ecma335.NamedArgumentsEncoder PermissionSetArguments(int argumentCount) => throw null; + public System.Reflection.Metadata.Ecma335.PermissionSetEncoder PermissionSetBlob(int attributeCount) => throw null; + public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder PropertySignature(bool isInstanceProperty = default(bool)) => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder TypeSpecificationSignature() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.ExportedTypeHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - public struct FieldDefinition - { - public System.Reflection.FieldAttributes Attributes { get => throw null; } - public TType DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - // Stub generator skipped constructor - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; - public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; - public System.Reflection.Metadata.BlobHandle GetMarshallingDescriptor() => throw null; - public int GetOffset() => throw null; - public int GetRelativeVirtualAddress() => throw null; - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct FieldDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.FieldDefinitionHandle left, System.Reflection.Metadata.FieldDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.FieldDefinitionHandle left, System.Reflection.Metadata.FieldDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.FieldDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.FieldDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.FieldDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; - } - - public struct FieldDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public static class CodedIndex { - public System.Reflection.Metadata.FieldDefinitionHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public static int CustomAttributeType(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasConstant(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasCustomAttribute(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasCustomDebugInformation(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasDeclSecurity(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasFieldMarshal(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int HasSemantics(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int Implementation(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int MemberForwarded(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int MemberRefParent(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int MethodDefOrRef(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int ResolutionScope(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int TypeDefOrRef(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int TypeDefOrRefOrSpec(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int TypeOrMethodDef(System.Reflection.Metadata.EntityHandle handle) => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.FieldDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - public struct GenericParameter - { - public System.Reflection.GenericParameterAttributes Attributes { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.GenericParameterConstraintHandleCollection GetConstraints() => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public int Index { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } - } - - public struct GenericParameterConstraint - { - // Stub generator skipped constructor - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.GenericParameterHandle Parameter { get => throw null; } - public System.Reflection.Metadata.EntityHandle Type { get => throw null; } - } - - public struct GenericParameterConstraintHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.GenericParameterConstraintHandle left, System.Reflection.Metadata.GenericParameterConstraintHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.GenericParameterConstraintHandle left, System.Reflection.Metadata.GenericParameterConstraintHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.GenericParameterConstraintHandle other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.GenericParameterConstraintHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.GenericParameterConstraintHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; - } - - public struct GenericParameterConstraintHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class ControlFlowBuilder { - public System.Reflection.Metadata.GenericParameterConstraintHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public void AddCatchRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd, System.Reflection.Metadata.EntityHandle catchType) => throw null; + public void AddFaultRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd) => throw null; + public void AddFilterRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd, System.Reflection.Metadata.Ecma335.LabelHandle filterStart) => throw null; + public void AddFinallyRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd) => throw null; + public void Clear() => throw null; + public ControlFlowBuilder() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.GenericParameterConstraintHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Reflection.Metadata.GenericParameterConstraintHandle this[int index] { get => throw null; } - } - - public struct GenericParameterHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.GenericParameterHandle left, System.Reflection.Metadata.GenericParameterHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.GenericParameterHandle left, System.Reflection.Metadata.GenericParameterHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.GenericParameterHandle other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.GenericParameterHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.GenericParameterHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; - } - - public struct GenericParameterHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct CustomAttributeArrayTypeEncoder { - public System.Reflection.Metadata.GenericParameterHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public CustomAttributeArrayTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder ElementType() => throw null; + public void ObjectArray() => throw null; } - - - public int Count { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.GenericParameterHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Reflection.Metadata.GenericParameterHandle this[int index] { get => throw null; } - } - - public struct GuidHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.GuidHandle left, System.Reflection.Metadata.GuidHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.GuidHandle left, System.Reflection.Metadata.GuidHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.GuidHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.GuidHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GuidHandle handle) => throw null; - } - - public struct Handle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.Handle left, System.Reflection.Metadata.Handle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.Handle left, System.Reflection.Metadata.Handle right) => throw null; - public static System.Reflection.Metadata.AssemblyDefinitionHandle AssemblyDefinition; - public bool Equals(System.Reflection.Metadata.Handle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public bool IsNil { get => throw null; } - public System.Reflection.Metadata.HandleKind Kind { get => throw null; } - public static System.Reflection.Metadata.ModuleDefinitionHandle ModuleDefinition; - } - - public class HandleComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.Generic.IEqualityComparer - { - public int Compare(System.Reflection.Metadata.EntityHandle x, System.Reflection.Metadata.EntityHandle y) => throw null; - public int Compare(System.Reflection.Metadata.Handle x, System.Reflection.Metadata.Handle y) => throw null; - public static System.Reflection.Metadata.HandleComparer Default { get => throw null; } - public bool Equals(System.Reflection.Metadata.EntityHandle x, System.Reflection.Metadata.EntityHandle y) => throw null; - public bool Equals(System.Reflection.Metadata.Handle x, System.Reflection.Metadata.Handle y) => throw null; - public int GetHashCode(System.Reflection.Metadata.EntityHandle obj) => throw null; - public int GetHashCode(System.Reflection.Metadata.Handle obj) => throw null; - } - - public enum HandleKind : byte - { - AssemblyDefinition = 32, - AssemblyFile = 38, - AssemblyReference = 35, - Blob = 113, - Constant = 11, - CustomAttribute = 12, - CustomDebugInformation = 55, - DeclarativeSecurityAttribute = 14, - Document = 48, - EventDefinition = 20, - ExportedType = 39, - FieldDefinition = 4, - GenericParameter = 42, - GenericParameterConstraint = 44, - Guid = 114, - ImportScope = 53, - InterfaceImplementation = 9, - LocalConstant = 52, - LocalScope = 50, - LocalVariable = 51, - ManifestResource = 40, - MemberReference = 10, - MethodDebugInformation = 49, - MethodDefinition = 6, - MethodImplementation = 25, - MethodSpecification = 43, - ModuleDefinition = 0, - ModuleReference = 26, - NamespaceDefinition = 124, - Parameter = 8, - PropertyDefinition = 23, - StandaloneSignature = 17, - String = 120, - TypeDefinition = 2, - TypeReference = 1, - TypeSpecification = 27, - UserString = 112, - } - - public interface IConstructedTypeProvider : System.Reflection.Metadata.ISZArrayTypeProvider - { - TType GetArrayType(TType elementType, System.Reflection.Metadata.ArrayShape shape); - TType GetByReferenceType(TType elementType); - TType GetGenericInstantiation(TType genericType, System.Collections.Immutable.ImmutableArray typeArguments); - TType GetPointerType(TType elementType); - } - - public interface ICustomAttributeTypeProvider : System.Reflection.Metadata.ISZArrayTypeProvider, System.Reflection.Metadata.ISimpleTypeProvider - { - TType GetSystemType(); - TType GetTypeFromSerializedName(string name); - System.Reflection.Metadata.PrimitiveTypeCode GetUnderlyingEnumType(TType type); - bool IsSystemType(TType type); - } - - public enum ILOpCode : ushort - { - Add = 88, - Add_ovf = 214, - Add_ovf_un = 215, - And = 95, - Arglist = 65024, - Beq = 59, - Beq_s = 46, - Bge = 60, - Bge_s = 47, - Bge_un = 65, - Bge_un_s = 52, - Bgt = 61, - Bgt_s = 48, - Bgt_un = 66, - Bgt_un_s = 53, - Ble = 62, - Ble_s = 49, - Ble_un = 67, - Ble_un_s = 54, - Blt = 63, - Blt_s = 50, - Blt_un = 68, - Blt_un_s = 55, - Bne_un = 64, - Bne_un_s = 51, - Box = 140, - Br = 56, - Br_s = 43, - Break = 1, - Brfalse = 57, - Brfalse_s = 44, - Brtrue = 58, - Brtrue_s = 45, - Call = 40, - Calli = 41, - Callvirt = 111, - Castclass = 116, - Ceq = 65025, - Cgt = 65026, - Cgt_un = 65027, - Ckfinite = 195, - Clt = 65028, - Clt_un = 65029, - Constrained = 65046, - Conv_i = 211, - Conv_i1 = 103, - Conv_i2 = 104, - Conv_i4 = 105, - Conv_i8 = 106, - Conv_ovf_i = 212, - Conv_ovf_i1 = 179, - Conv_ovf_i1_un = 130, - Conv_ovf_i2 = 181, - Conv_ovf_i2_un = 131, - Conv_ovf_i4 = 183, - Conv_ovf_i4_un = 132, - Conv_ovf_i8 = 185, - Conv_ovf_i8_un = 133, - Conv_ovf_i_un = 138, - Conv_ovf_u = 213, - Conv_ovf_u1 = 180, - Conv_ovf_u1_un = 134, - Conv_ovf_u2 = 182, - Conv_ovf_u2_un = 135, - Conv_ovf_u4 = 184, - Conv_ovf_u4_un = 136, - Conv_ovf_u8 = 186, - Conv_ovf_u8_un = 137, - Conv_ovf_u_un = 139, - Conv_r4 = 107, - Conv_r8 = 108, - Conv_r_un = 118, - Conv_u = 224, - Conv_u1 = 210, - Conv_u2 = 209, - Conv_u4 = 109, - Conv_u8 = 110, - Cpblk = 65047, - Cpobj = 112, - Div = 91, - Div_un = 92, - Dup = 37, - Endfilter = 65041, - Endfinally = 220, - Initblk = 65048, - Initobj = 65045, - Isinst = 117, - Jmp = 39, - Ldarg = 65033, - Ldarg_0 = 2, - Ldarg_1 = 3, - Ldarg_2 = 4, - Ldarg_3 = 5, - Ldarg_s = 14, - Ldarga = 65034, - Ldarga_s = 15, - Ldc_i4 = 32, - Ldc_i4_0 = 22, - Ldc_i4_1 = 23, - Ldc_i4_2 = 24, - Ldc_i4_3 = 25, - Ldc_i4_4 = 26, - Ldc_i4_5 = 27, - Ldc_i4_6 = 28, - Ldc_i4_7 = 29, - Ldc_i4_8 = 30, - Ldc_i4_m1 = 21, - Ldc_i4_s = 31, - Ldc_i8 = 33, - Ldc_r4 = 34, - Ldc_r8 = 35, - Ldelem = 163, - Ldelem_i = 151, - Ldelem_i1 = 144, - Ldelem_i2 = 146, - Ldelem_i4 = 148, - Ldelem_i8 = 150, - Ldelem_r4 = 152, - Ldelem_r8 = 153, - Ldelem_ref = 154, - Ldelem_u1 = 145, - Ldelem_u2 = 147, - Ldelem_u4 = 149, - Ldelema = 143, - Ldfld = 123, - Ldflda = 124, - Ldftn = 65030, - Ldind_i = 77, - Ldind_i1 = 70, - Ldind_i2 = 72, - Ldind_i4 = 74, - Ldind_i8 = 76, - Ldind_r4 = 78, - Ldind_r8 = 79, - Ldind_ref = 80, - Ldind_u1 = 71, - Ldind_u2 = 73, - Ldind_u4 = 75, - Ldlen = 142, - Ldloc = 65036, - Ldloc_0 = 6, - Ldloc_1 = 7, - Ldloc_2 = 8, - Ldloc_3 = 9, - Ldloc_s = 17, - Ldloca = 65037, - Ldloca_s = 18, - Ldnull = 20, - Ldobj = 113, - Ldsfld = 126, - Ldsflda = 127, - Ldstr = 114, - Ldtoken = 208, - Ldvirtftn = 65031, - Leave = 221, - Leave_s = 222, - Localloc = 65039, - Mkrefany = 198, - Mul = 90, - Mul_ovf = 216, - Mul_ovf_un = 217, - Neg = 101, - Newarr = 141, - Newobj = 115, - Nop = 0, - Not = 102, - Or = 96, - Pop = 38, - Readonly = 65054, - Refanytype = 65053, - Refanyval = 194, - Rem = 93, - Rem_un = 94, - Ret = 42, - Rethrow = 65050, - Shl = 98, - Shr = 99, - Shr_un = 100, - Sizeof = 65052, - Starg = 65035, - Starg_s = 16, - Stelem = 164, - Stelem_i = 155, - Stelem_i1 = 156, - Stelem_i2 = 157, - Stelem_i4 = 158, - Stelem_i8 = 159, - Stelem_r4 = 160, - Stelem_r8 = 161, - Stelem_ref = 162, - Stfld = 125, - Stind_i = 223, - Stind_i1 = 82, - Stind_i2 = 83, - Stind_i4 = 84, - Stind_i8 = 85, - Stind_r4 = 86, - Stind_r8 = 87, - Stind_ref = 81, - Stloc = 65038, - Stloc_0 = 10, - Stloc_1 = 11, - Stloc_2 = 12, - Stloc_3 = 13, - Stloc_s = 19, - Stobj = 129, - Stsfld = 128, - Sub = 89, - Sub_ovf = 218, - Sub_ovf_un = 219, - Switch = 69, - Tail = 65044, - Throw = 122, - Unaligned = 65042, - Unbox = 121, - Unbox_any = 165, - Volatile = 65043, - Xor = 97, - } - - public static class ILOpCodeExtensions - { - public static int GetBranchOperandSize(this System.Reflection.Metadata.ILOpCode opCode) => throw null; - public static System.Reflection.Metadata.ILOpCode GetLongBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; - public static System.Reflection.Metadata.ILOpCode GetShortBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; - public static bool IsBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; - } - - public interface ISZArrayTypeProvider - { - TType GetSZArrayType(TType elementType); - } - - public interface ISignatureTypeProvider : System.Reflection.Metadata.IConstructedTypeProvider, System.Reflection.Metadata.ISZArrayTypeProvider, System.Reflection.Metadata.ISimpleTypeProvider - { - TType GetFunctionPointerType(System.Reflection.Metadata.MethodSignature signature); - TType GetGenericMethodParameter(TGenericContext genericContext, int index); - TType GetGenericTypeParameter(TGenericContext genericContext, int index); - TType GetModifiedType(TType modifier, TType unmodifiedType, bool isRequired); - TType GetPinnedType(TType elementType); - TType GetTypeFromSpecification(System.Reflection.Metadata.MetadataReader reader, TGenericContext genericContext, System.Reflection.Metadata.TypeSpecificationHandle handle, System.Byte rawTypeKind); - } - - public interface ISimpleTypeProvider - { - TType GetPrimitiveType(System.Reflection.Metadata.PrimitiveTypeCode typeCode); - TType GetTypeFromDefinition(System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.TypeDefinitionHandle handle, System.Byte rawTypeKind); - TType GetTypeFromReference(System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.TypeReferenceHandle handle, System.Byte rawTypeKind); - } - - public class ImageFormatLimitationException : System.Exception - { - public ImageFormatLimitationException() => throw null; - protected ImageFormatLimitationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public ImageFormatLimitationException(string message) => throw null; - public ImageFormatLimitationException(string message, System.Exception innerException) => throw null; - } - - public struct ImportDefinition - { - public System.Reflection.Metadata.BlobHandle Alias { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.ImportDefinitionKind Kind { get => throw null; } - public System.Reflection.Metadata.AssemblyReferenceHandle TargetAssembly { get => throw null; } - public System.Reflection.Metadata.BlobHandle TargetNamespace { get => throw null; } - public System.Reflection.Metadata.EntityHandle TargetType { get => throw null; } - } - - public struct ImportDefinitionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct CustomAttributeElementTypeEncoder { - public System.Reflection.Metadata.ImportDefinition Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; + public void Boolean() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public void Byte() => throw null; + public void Char() => throw null; + public CustomAttributeElementTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void Double() => throw null; + public void Enum(string enumTypeName) => throw null; + public void Int16() => throw null; + public void Int32() => throw null; + public void Int64() => throw null; + public void PrimitiveType(System.Reflection.Metadata.PrimitiveSerializationTypeCode type) => throw null; + public void SByte() => throw null; + public void Single() => throw null; + public void String() => throw null; + public void SystemType() => throw null; + public void UInt16() => throw null; + public void UInt32() => throw null; + public void UInt64() => throw null; } - - - public System.Reflection.Metadata.ImportDefinitionCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public enum ImportDefinitionKind : int - { - AliasAssemblyNamespace = 8, - AliasAssemblyReference = 6, - AliasNamespace = 7, - AliasType = 9, - ImportAssemblyNamespace = 2, - ImportAssemblyReferenceAlias = 5, - ImportNamespace = 1, - ImportType = 3, - ImportXmlNamespace = 4, - } - - public struct ImportScope - { - public System.Reflection.Metadata.ImportDefinitionCollection GetImports() => throw null; - // Stub generator skipped constructor - public System.Reflection.Metadata.BlobHandle ImportsBlob { get => throw null; } - public System.Reflection.Metadata.ImportScopeHandle Parent { get => throw null; } - } - - public struct ImportScopeCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct CustomAttributeNamedArgumentsEncoder { - public System.Reflection.Metadata.ImportScopeHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public System.Reflection.Metadata.Ecma335.NamedArgumentsEncoder Count(int count) => throw null; + public CustomAttributeNamedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.ImportScopeCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct ImportScopeHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ImportScopeHandle left, System.Reflection.Metadata.ImportScopeHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ImportScopeHandle left, System.Reflection.Metadata.ImportScopeHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ImportScopeHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.ImportScopeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ImportScopeHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; - } - - public struct InterfaceImplementation - { - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.EntityHandle Interface { get => throw null; } - // Stub generator skipped constructor - } - - public struct InterfaceImplementationHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.InterfaceImplementationHandle left, System.Reflection.Metadata.InterfaceImplementationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.InterfaceImplementationHandle left, System.Reflection.Metadata.InterfaceImplementationHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.InterfaceImplementationHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public bool IsNil { get => throw null; } - public static explicit operator System.Reflection.Metadata.InterfaceImplementationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.InterfaceImplementationHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; - } - - public struct InterfaceImplementationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct CustomModifiersEncoder { - public System.Reflection.Metadata.InterfaceImplementationHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder AddModifier(System.Reflection.Metadata.EntityHandle type, bool isOptional) => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public CustomModifiersEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.InterfaceImplementationHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct LocalConstant - { - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct LocalConstantHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.LocalConstantHandle left, System.Reflection.Metadata.LocalConstantHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.LocalConstantHandle left, System.Reflection.Metadata.LocalConstantHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.LocalConstantHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.LocalConstantHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.LocalConstantHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; - } - - public struct LocalConstantHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct EditAndContinueLogEntry : System.IEquatable { - public System.Reflection.Metadata.LocalConstantHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public EditAndContinueLogEntry(System.Reflection.Metadata.EntityHandle handle, System.Reflection.Metadata.Ecma335.EditAndContinueOperation operation) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.Ecma335.EditAndContinueLogEntry other) => throw null; + public override int GetHashCode() => throw null; + public System.Reflection.Metadata.EntityHandle Handle { get => throw null; } + public System.Reflection.Metadata.Ecma335.EditAndContinueOperation Operation { get => throw null; } } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.LocalConstantHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct LocalScope - { - public int EndOffset { get => throw null; } - public System.Reflection.Metadata.LocalScopeHandleCollection.ChildrenEnumerator GetChildren() => throw null; - public System.Reflection.Metadata.LocalConstantHandleCollection GetLocalConstants() => throw null; - public System.Reflection.Metadata.LocalVariableHandleCollection GetLocalVariables() => throw null; - public System.Reflection.Metadata.ImportScopeHandle ImportScope { get => throw null; } - public int Length { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.MethodDefinitionHandle Method { get => throw null; } - public int StartOffset { get => throw null; } - } - - public struct LocalScopeHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.LocalScopeHandle left, System.Reflection.Metadata.LocalScopeHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.LocalScopeHandle left, System.Reflection.Metadata.LocalScopeHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.LocalScopeHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.LocalScopeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.LocalScopeHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; - } - - public struct LocalScopeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct ChildrenEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public enum EditAndContinueOperation { - // Stub generator skipped constructor - public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + Default = 0, + AddMethod = 1, + AddField = 2, + AddParameter = 3, + AddProperty = 4, + AddEvent = 5, } - - - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ExceptionRegionEncoder { - public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder Add(System.Reflection.Metadata.ExceptionRegionKind kind, int tryOffset, int tryLength, int handlerOffset, int handlerLength, System.Reflection.Metadata.EntityHandle catchType = default(System.Reflection.Metadata.EntityHandle), int filterOffset = default(int)) => throw null; + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddCatch(int tryOffset, int tryLength, int handlerOffset, int handlerLength, System.Reflection.Metadata.EntityHandle catchType) => throw null; + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFault(int tryOffset, int tryLength, int handlerOffset, int handlerLength) => throw null; + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFilter(int tryOffset, int tryLength, int handlerOffset, int handlerLength, int filterOffset) => throw null; + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFinally(int tryOffset, int tryLength, int handlerOffset, int handlerLength) => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public bool HasSmallFormat { get => throw null; } + public static bool IsSmallExceptionRegion(int startOffset, int length) => throw null; + public static bool IsSmallRegionCount(int exceptionRegionCount) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.LocalScopeHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct LocalVariable - { - public System.Reflection.Metadata.LocalVariableAttributes Attributes { get => throw null; } - public int Index { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - } - - [System.Flags] - public enum LocalVariableAttributes : int - { - DebuggerHidden = 1, - None = 0, - } - - public struct LocalVariableHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.LocalVariableHandle left, System.Reflection.Metadata.LocalVariableHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.LocalVariableHandle left, System.Reflection.Metadata.LocalVariableHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.LocalVariableHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.LocalVariableHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.LocalVariableHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; - } - - public struct LocalVariableHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public static partial class ExportedTypeExtensions { - public System.Reflection.Metadata.LocalVariableHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public static int GetTypeDefinitionId(this System.Reflection.Metadata.ExportedType exportedType) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.LocalVariableHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct ManifestResource - { - public System.Reflection.ManifestResourceAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.EntityHandle Implementation { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Int64 Offset { get => throw null; } - } - - public struct ManifestResourceHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ManifestResourceHandle left, System.Reflection.Metadata.ManifestResourceHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ManifestResourceHandle left, System.Reflection.Metadata.ManifestResourceHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ManifestResourceHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.ManifestResourceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ManifestResourceHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; - } - - public struct ManifestResourceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct FieldTypeEncoder { - public System.Reflection.Metadata.ManifestResourceHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public FieldTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; + public void TypedReference() => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.ManifestResourceHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct MemberReference - { - public TType DecodeFieldSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.MemberReferenceKind GetKind() => throw null; - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct MemberReferenceHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.MemberReferenceHandle left, System.Reflection.Metadata.MemberReferenceHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.MemberReferenceHandle left, System.Reflection.Metadata.MemberReferenceHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.MemberReferenceHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.MemberReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.MemberReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; - } - - public struct MemberReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct FixedArgumentsEncoder { - public System.Reflection.Metadata.MemberReferenceHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.Ecma335.LiteralEncoder AddArgument() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public FixedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.MemberReferenceHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public enum MemberReferenceKind : int - { - Field = 1, - Method = 0, - } - - public enum MetadataKind : int - { - Ecma335 = 0, - ManagedWindowsMetadata = 2, - WindowsMetadata = 1, - } - - public class MetadataReader - { - public System.Reflection.Metadata.AssemblyFileHandleCollection AssemblyFiles { get => throw null; } - public System.Reflection.Metadata.AssemblyReferenceHandleCollection AssemblyReferences { get => throw null; } - public System.Reflection.Metadata.CustomAttributeHandleCollection CustomAttributes { get => throw null; } - public System.Reflection.Metadata.CustomDebugInformationHandleCollection CustomDebugInformation { get => throw null; } - public System.Reflection.Metadata.DebugMetadataHeader DebugMetadataHeader { get => throw null; } - public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection DeclarativeSecurityAttributes { get => throw null; } - public System.Reflection.Metadata.DocumentHandleCollection Documents { get => throw null; } - public System.Reflection.Metadata.EventDefinitionHandleCollection EventDefinitions { get => throw null; } - public System.Reflection.Metadata.ExportedTypeHandleCollection ExportedTypes { get => throw null; } - public System.Reflection.Metadata.FieldDefinitionHandleCollection FieldDefinitions { get => throw null; } - public System.Reflection.Metadata.AssemblyDefinition GetAssemblyDefinition() => throw null; - public System.Reflection.Metadata.AssemblyFile GetAssemblyFile(System.Reflection.Metadata.AssemblyFileHandle handle) => throw null; - public static System.Reflection.AssemblyName GetAssemblyName(string assemblyFile) => throw null; - public System.Reflection.Metadata.AssemblyReference GetAssemblyReference(System.Reflection.Metadata.AssemblyReferenceHandle handle) => throw null; - public System.Byte[] GetBlobBytes(System.Reflection.Metadata.BlobHandle handle) => throw null; - public System.Collections.Immutable.ImmutableArray GetBlobContent(System.Reflection.Metadata.BlobHandle handle) => throw null; - public System.Reflection.Metadata.BlobReader GetBlobReader(System.Reflection.Metadata.BlobHandle handle) => throw null; - public System.Reflection.Metadata.BlobReader GetBlobReader(System.Reflection.Metadata.StringHandle handle) => throw null; - public System.Reflection.Metadata.Constant GetConstant(System.Reflection.Metadata.ConstantHandle handle) => throw null; - public System.Reflection.Metadata.CustomAttribute GetCustomAttribute(System.Reflection.Metadata.CustomAttributeHandle handle) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes(System.Reflection.Metadata.EntityHandle handle) => throw null; - public System.Reflection.Metadata.CustomDebugInformation GetCustomDebugInformation(System.Reflection.Metadata.CustomDebugInformationHandle handle) => throw null; - public System.Reflection.Metadata.CustomDebugInformationHandleCollection GetCustomDebugInformation(System.Reflection.Metadata.EntityHandle handle) => throw null; - public System.Reflection.Metadata.DeclarativeSecurityAttribute GetDeclarativeSecurityAttribute(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle handle) => throw null; - public System.Reflection.Metadata.Document GetDocument(System.Reflection.Metadata.DocumentHandle handle) => throw null; - public System.Reflection.Metadata.EventDefinition GetEventDefinition(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.ExportedType GetExportedType(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; - public System.Reflection.Metadata.FieldDefinition GetFieldDefinition(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.GenericParameter GetGenericParameter(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; - public System.Reflection.Metadata.GenericParameterConstraint GetGenericParameterConstraint(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; - public System.Guid GetGuid(System.Reflection.Metadata.GuidHandle handle) => throw null; - public System.Reflection.Metadata.ImportScope GetImportScope(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; - public System.Reflection.Metadata.InterfaceImplementation GetInterfaceImplementation(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; - public System.Reflection.Metadata.LocalConstant GetLocalConstant(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; - public System.Reflection.Metadata.LocalScope GetLocalScope(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; - public System.Reflection.Metadata.LocalScopeHandleCollection GetLocalScopes(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; - public System.Reflection.Metadata.LocalScopeHandleCollection GetLocalScopes(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.LocalVariable GetLocalVariable(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; - public System.Reflection.Metadata.ManifestResource GetManifestResource(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; - public System.Reflection.Metadata.MemberReference GetMemberReference(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; - public System.Reflection.Metadata.MethodDebugInformation GetMethodDebugInformation(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; - public System.Reflection.Metadata.MethodDebugInformation GetMethodDebugInformation(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.MethodDefinition GetMethodDefinition(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.MethodImplementation GetMethodImplementation(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; - public System.Reflection.Metadata.MethodSpecification GetMethodSpecification(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; - public System.Reflection.Metadata.ModuleDefinition GetModuleDefinition() => throw null; - public System.Reflection.Metadata.ModuleReference GetModuleReference(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; - public System.Reflection.Metadata.NamespaceDefinition GetNamespaceDefinition(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.NamespaceDefinition GetNamespaceDefinitionRoot() => throw null; - public System.Reflection.Metadata.Parameter GetParameter(System.Reflection.Metadata.ParameterHandle handle) => throw null; - public System.Reflection.Metadata.PropertyDefinition GetPropertyDefinition(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.StandaloneSignature GetStandaloneSignature(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; - public string GetString(System.Reflection.Metadata.DocumentNameBlobHandle handle) => throw null; - public string GetString(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; - public string GetString(System.Reflection.Metadata.StringHandle handle) => throw null; - public System.Reflection.Metadata.TypeDefinition GetTypeDefinition(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; - public System.Reflection.Metadata.TypeReference GetTypeReference(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; - public System.Reflection.Metadata.TypeSpecification GetTypeSpecification(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; - public string GetUserString(System.Reflection.Metadata.UserStringHandle handle) => throw null; - public System.Reflection.Metadata.ImportScopeCollection ImportScopes { get => throw null; } - public bool IsAssembly { get => throw null; } - public System.Reflection.Metadata.LocalConstantHandleCollection LocalConstants { get => throw null; } - public System.Reflection.Metadata.LocalScopeHandleCollection LocalScopes { get => throw null; } - public System.Reflection.Metadata.LocalVariableHandleCollection LocalVariables { get => throw null; } - public System.Reflection.Metadata.ManifestResourceHandleCollection ManifestResources { get => throw null; } - public System.Reflection.Metadata.MemberReferenceHandleCollection MemberReferences { get => throw null; } - public System.Reflection.Metadata.MetadataKind MetadataKind { get => throw null; } - public int MetadataLength { get => throw null; } - unsafe public System.Byte* MetadataPointer { get => throw null; } - unsafe public MetadataReader(System.Byte* metadata, int length) => throw null; - unsafe public MetadataReader(System.Byte* metadata, int length, System.Reflection.Metadata.MetadataReaderOptions options) => throw null; - unsafe public MetadataReader(System.Byte* metadata, int length, System.Reflection.Metadata.MetadataReaderOptions options, System.Reflection.Metadata.MetadataStringDecoder utf8Decoder) => throw null; - public string MetadataVersion { get => throw null; } - public System.Reflection.Metadata.MethodDebugInformationHandleCollection MethodDebugInformation { get => throw null; } - public System.Reflection.Metadata.MethodDefinitionHandleCollection MethodDefinitions { get => throw null; } - public System.Reflection.Metadata.MetadataReaderOptions Options { get => throw null; } - public System.Reflection.Metadata.PropertyDefinitionHandleCollection PropertyDefinitions { get => throw null; } - public System.Reflection.Metadata.MetadataStringComparer StringComparer { get => throw null; } - public System.Reflection.Metadata.TypeDefinitionHandleCollection TypeDefinitions { get => throw null; } - public System.Reflection.Metadata.TypeReferenceHandleCollection TypeReferences { get => throw null; } - public System.Reflection.Metadata.MetadataStringDecoder UTF8Decoder { get => throw null; } - } - - [System.Flags] - public enum MetadataReaderOptions : int - { - ApplyWindowsRuntimeProjections = 1, - Default = 1, - None = 0, - } - - public class MetadataReaderProvider : System.IDisposable - { - public void Dispose() => throw null; - public static System.Reflection.Metadata.MetadataReaderProvider FromMetadataImage(System.Collections.Immutable.ImmutableArray image) => throw null; - unsafe public static System.Reflection.Metadata.MetadataReaderProvider FromMetadataImage(System.Byte* start, int size) => throw null; - public static System.Reflection.Metadata.MetadataReaderProvider FromMetadataStream(System.IO.Stream stream, System.Reflection.Metadata.MetadataStreamOptions options = default(System.Reflection.Metadata.MetadataStreamOptions), int size = default(int)) => throw null; - public static System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbImage(System.Collections.Immutable.ImmutableArray image) => throw null; - unsafe public static System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbImage(System.Byte* start, int size) => throw null; - public static System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbStream(System.IO.Stream stream, System.Reflection.Metadata.MetadataStreamOptions options = default(System.Reflection.Metadata.MetadataStreamOptions), int size = default(int)) => throw null; - public System.Reflection.Metadata.MetadataReader GetMetadataReader(System.Reflection.Metadata.MetadataReaderOptions options = default(System.Reflection.Metadata.MetadataReaderOptions), System.Reflection.Metadata.MetadataStringDecoder utf8Decoder = default(System.Reflection.Metadata.MetadataStringDecoder)) => throw null; - } - - [System.Flags] - public enum MetadataStreamOptions : int - { - Default = 0, - LeaveOpen = 1, - PrefetchMetadata = 2, - } - - public struct MetadataStringComparer - { - public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle handle, string value) => throw null; - public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle handle, string value, bool ignoreCase) => throw null; - public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle handle, string value) => throw null; - public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle handle, string value, bool ignoreCase) => throw null; - public bool Equals(System.Reflection.Metadata.StringHandle handle, string value) => throw null; - public bool Equals(System.Reflection.Metadata.StringHandle handle, string value, bool ignoreCase) => throw null; - // Stub generator skipped constructor - public bool StartsWith(System.Reflection.Metadata.StringHandle handle, string value) => throw null; - public bool StartsWith(System.Reflection.Metadata.StringHandle handle, string value, bool ignoreCase) => throw null; - } - - public class MetadataStringDecoder - { - public static System.Reflection.Metadata.MetadataStringDecoder DefaultUTF8 { get => throw null; } - public System.Text.Encoding Encoding { get => throw null; } - unsafe public virtual string GetString(System.Byte* bytes, int byteCount) => throw null; - public MetadataStringDecoder(System.Text.Encoding encoding) => throw null; - } - - public class MethodBodyBlock - { - public static System.Reflection.Metadata.MethodBodyBlock Create(System.Reflection.Metadata.BlobReader reader) => throw null; - public System.Collections.Immutable.ImmutableArray ExceptionRegions { get => throw null; } - public System.Byte[] GetILBytes() => throw null; - public System.Collections.Immutable.ImmutableArray GetILContent() => throw null; - public System.Reflection.Metadata.BlobReader GetILReader() => throw null; - public System.Reflection.Metadata.StandaloneSignatureHandle LocalSignature { get => throw null; } - public bool LocalVariablesInitialized { get => throw null; } - public int MaxStack { get => throw null; } - public int Size { get => throw null; } - } - - public struct MethodDebugInformation - { - public System.Reflection.Metadata.DocumentHandle Document { get => throw null; } - public System.Reflection.Metadata.SequencePointCollection GetSequencePoints() => throw null; - public System.Reflection.Metadata.MethodDefinitionHandle GetStateMachineKickoffMethod() => throw null; - public System.Reflection.Metadata.StandaloneSignatureHandle LocalSignature { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.BlobHandle SequencePointsBlob { get => throw null; } - } - - public struct MethodDebugInformationHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.MethodDebugInformationHandle left, System.Reflection.Metadata.MethodDebugInformationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.MethodDebugInformationHandle left, System.Reflection.Metadata.MethodDebugInformationHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.MethodDebugInformationHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.MethodDefinitionHandle ToDefinitionHandle() => throw null; - public static explicit operator System.Reflection.Metadata.MethodDebugInformationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.MethodDebugInformationHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; - } - - public struct MethodDebugInformationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public enum FunctionPointerAttributes { - public System.Reflection.Metadata.MethodDebugInformationHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + None = 0, + HasThis = 32, + HasExplicitThis = 96, } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.MethodDebugInformationHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct MethodDefinition - { - public System.Reflection.MethodAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.MethodSignature DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection GetDeclarativeSecurityAttributes() => throw null; - public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; - public System.Reflection.Metadata.GenericParameterHandleCollection GetGenericParameters() => throw null; - public System.Reflection.Metadata.MethodImport GetImport() => throw null; - public System.Reflection.Metadata.ParameterHandleCollection GetParameters() => throw null; - public System.Reflection.MethodImplAttributes ImplAttributes { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public int RelativeVirtualAddress { get => throw null; } - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct MethodDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.MethodDefinitionHandle left, System.Reflection.Metadata.MethodDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.MethodDefinitionHandle left, System.Reflection.Metadata.MethodDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.MethodDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.MethodDebugInformationHandle ToDebugInformationHandle() => throw null; - public static explicit operator System.Reflection.Metadata.MethodDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.MethodDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; - } - - public struct MethodDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct GenericTypeArgumentsEncoder { - public System.Reflection.Metadata.MethodDefinitionHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder AddArgument() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public GenericTypeArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.MethodDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct MethodImplementation - { - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.EntityHandle MethodBody { get => throw null; } - public System.Reflection.Metadata.EntityHandle MethodDeclaration { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.TypeDefinitionHandle Type { get => throw null; } - } - - public struct MethodImplementationHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.MethodImplementationHandle left, System.Reflection.Metadata.MethodImplementationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.MethodImplementationHandle left, System.Reflection.Metadata.MethodImplementationHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.MethodImplementationHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.MethodImplementationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.MethodImplementationHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; - } - - public struct MethodImplementationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public enum HeapIndex { - public System.Reflection.Metadata.MethodImplementationHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + UserString = 0, + String = 1, + Blob = 2, + Guid = 3, } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.MethodImplementationHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct MethodImport - { - public System.Reflection.MethodImportAttributes Attributes { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.ModuleReferenceHandle Module { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - } - - public struct MethodSignature - { - public int GenericParameterCount { get => throw null; } - public System.Reflection.Metadata.SignatureHeader Header { get => throw null; } - // Stub generator skipped constructor - public MethodSignature(System.Reflection.Metadata.SignatureHeader header, TType returnType, int requiredParameterCount, int genericParameterCount, System.Collections.Immutable.ImmutableArray parameterTypes) => throw null; - public System.Collections.Immutable.ImmutableArray ParameterTypes { get => throw null; } - public int RequiredParameterCount { get => throw null; } - public TType ReturnType { get => throw null; } - } - - public struct MethodSpecification - { - public System.Collections.Immutable.ImmutableArray DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.EntityHandle Method { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct MethodSpecificationHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.MethodSpecificationHandle left, System.Reflection.Metadata.MethodSpecificationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.MethodSpecificationHandle left, System.Reflection.Metadata.MethodSpecificationHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.MethodSpecificationHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.MethodSpecificationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.MethodSpecificationHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; - } - - public struct ModuleDefinition - { - public System.Reflection.Metadata.GuidHandle BaseGenerationId { get => throw null; } - public int Generation { get => throw null; } - public System.Reflection.Metadata.GuidHandle GenerationId { get => throw null; } - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - // Stub generator skipped constructor - public System.Reflection.Metadata.GuidHandle Mvid { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - } - - public struct ModuleDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ModuleDefinitionHandle left, System.Reflection.Metadata.ModuleDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ModuleDefinitionHandle left, System.Reflection.Metadata.ModuleDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ModuleDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.ModuleDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ModuleDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ModuleDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ModuleDefinitionHandle handle) => throw null; - } - - public struct ModuleReference - { - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - // Stub generator skipped constructor - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - } - - public struct ModuleReferenceHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ModuleReferenceHandle left, System.Reflection.Metadata.ModuleReferenceHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ModuleReferenceHandle left, System.Reflection.Metadata.ModuleReferenceHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ModuleReferenceHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.ModuleReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ModuleReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; - } - - public struct NamespaceDefinition - { - public System.Collections.Immutable.ImmutableArray ExportedTypes { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - // Stub generator skipped constructor - public System.Collections.Immutable.ImmutableArray NamespaceDefinitions { get => throw null; } - public System.Reflection.Metadata.NamespaceDefinitionHandle Parent { get => throw null; } - public System.Collections.Immutable.ImmutableArray TypeDefinitions { get => throw null; } - } - - public struct NamespaceDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.NamespaceDefinitionHandle left, System.Reflection.Metadata.NamespaceDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.NamespaceDefinitionHandle left, System.Reflection.Metadata.NamespaceDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.NamespaceDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; - } - - public static class PEReaderExtensions - { - public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader) => throw null; - public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader, System.Reflection.Metadata.MetadataReaderOptions options) => throw null; - public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader, System.Reflection.Metadata.MetadataReaderOptions options, System.Reflection.Metadata.MetadataStringDecoder utf8Decoder) => throw null; - public static System.Reflection.Metadata.MethodBodyBlock GetMethodBody(this System.Reflection.PortableExecutable.PEReader peReader, int relativeVirtualAddress) => throw null; - } - - public struct Parameter - { - public System.Reflection.ParameterAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; - public System.Reflection.Metadata.BlobHandle GetMarshallingDescriptor() => throw null; - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - // Stub generator skipped constructor - public int SequenceNumber { get => throw null; } - } - - public struct ParameterHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.ParameterHandle left, System.Reflection.Metadata.ParameterHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.ParameterHandle left, System.Reflection.Metadata.ParameterHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.ParameterHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.ParameterHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.ParameterHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ParameterHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ParameterHandle handle) => throw null; - } - - public struct ParameterHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct InstructionEncoder { - public System.Reflection.Metadata.ParameterHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public void Branch(System.Reflection.Metadata.ILOpCode code, System.Reflection.Metadata.Ecma335.LabelHandle label) => throw null; + public void Call(System.Reflection.Metadata.EntityHandle methodHandle) => throw null; + public void Call(System.Reflection.Metadata.MemberReferenceHandle methodHandle) => throw null; + public void Call(System.Reflection.Metadata.MethodDefinitionHandle methodHandle) => throw null; + public void Call(System.Reflection.Metadata.MethodSpecificationHandle methodHandle) => throw null; + public void CallIndirect(System.Reflection.Metadata.StandaloneSignatureHandle signature) => throw null; + public System.Reflection.Metadata.BlobBuilder CodeBuilder { get => throw null; } + public System.Reflection.Metadata.Ecma335.ControlFlowBuilder ControlFlowBuilder { get => throw null; } + public InstructionEncoder(System.Reflection.Metadata.BlobBuilder codeBuilder, System.Reflection.Metadata.Ecma335.ControlFlowBuilder controlFlowBuilder = default(System.Reflection.Metadata.Ecma335.ControlFlowBuilder)) => throw null; + public System.Reflection.Metadata.Ecma335.LabelHandle DefineLabel() => throw null; + public void LoadArgument(int argumentIndex) => throw null; + public void LoadArgumentAddress(int argumentIndex) => throw null; + public void LoadConstantI4(int value) => throw null; + public void LoadConstantI8(long value) => throw null; + public void LoadConstantR4(float value) => throw null; + public void LoadConstantR8(double value) => throw null; + public void LoadLocal(int slotIndex) => throw null; + public void LoadLocalAddress(int slotIndex) => throw null; + public void LoadString(System.Reflection.Metadata.UserStringHandle handle) => throw null; + public void MarkLabel(System.Reflection.Metadata.Ecma335.LabelHandle label) => throw null; + public int Offset { get => throw null; } + public void OpCode(System.Reflection.Metadata.ILOpCode code) => throw null; + public void StoreArgument(int argumentIndex) => throw null; + public void StoreLocal(int slotIndex) => throw null; + public void Token(int token) => throw null; + public void Token(System.Reflection.Metadata.EntityHandle handle) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.ParameterHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public enum PrimitiveSerializationTypeCode : byte - { - Boolean = 2, - Byte = 5, - Char = 3, - Double = 13, - Int16 = 6, - Int32 = 8, - Int64 = 10, - SByte = 4, - Single = 12, - String = 14, - UInt16 = 7, - UInt32 = 9, - UInt64 = 11, - } - - public enum PrimitiveTypeCode : byte - { - Boolean = 2, - Byte = 5, - Char = 3, - Double = 13, - Int16 = 6, - Int32 = 8, - Int64 = 10, - IntPtr = 24, - Object = 28, - SByte = 4, - Single = 12, - String = 14, - TypedReference = 22, - UInt16 = 7, - UInt32 = 9, - UInt64 = 11, - UIntPtr = 25, - Void = 1, - } - - public struct PropertyAccessors - { - public System.Reflection.Metadata.MethodDefinitionHandle Getter { get => throw null; } - public System.Collections.Immutable.ImmutableArray Others { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.MethodDefinitionHandle Setter { get => throw null; } - } - - public struct PropertyDefinition - { - public System.Reflection.PropertyAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.MethodSignature DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.PropertyAccessors GetAccessors() => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - // Stub generator skipped constructor - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - } - - public struct PropertyDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.PropertyDefinitionHandle left, System.Reflection.Metadata.PropertyDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.PropertyDefinitionHandle left, System.Reflection.Metadata.PropertyDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.PropertyDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.PropertyDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.PropertyDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; - } - - public struct PropertyDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct LabelHandle : System.IEquatable { - public System.Reflection.Metadata.PropertyDefinitionHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.Ecma335.LabelHandle other) => throw null; + public override int GetHashCode() => throw null; + public int Id { get => throw null; } + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.Ecma335.LabelHandle left, System.Reflection.Metadata.Ecma335.LabelHandle right) => throw null; + public static bool operator !=(System.Reflection.Metadata.Ecma335.LabelHandle left, System.Reflection.Metadata.Ecma335.LabelHandle right) => throw null; } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.PropertyDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct ReservedBlob where THandle : struct - { - public System.Reflection.Metadata.Blob Content { get => throw null; } - public System.Reflection.Metadata.BlobWriter CreateWriter() => throw null; - public THandle Handle { get => throw null; } - // Stub generator skipped constructor - } - - public struct SequencePoint : System.IEquatable - { - public System.Reflection.Metadata.DocumentHandle Document { get => throw null; } - public int EndColumn { get => throw null; } - public int EndLine { get => throw null; } - public bool Equals(System.Reflection.Metadata.SequencePoint other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public const int HiddenLine = default; - public bool IsHidden { get => throw null; } - public int Offset { get => throw null; } - // Stub generator skipped constructor - public int StartColumn { get => throw null; } - public int StartLine { get => throw null; } - } - - public struct SequencePointCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct LiteralEncoder { - public System.Reflection.Metadata.SequencePoint Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - public void Reset() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public LiteralEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.ScalarEncoder Scalar() => throw null; + public void TaggedScalar(System.Action type, System.Action scalar) => throw null; + public void TaggedScalar(out System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder type, out System.Reflection.Metadata.Ecma335.ScalarEncoder scalar) => throw null; + public void TaggedVector(System.Action arrayType, System.Action vector) => throw null; + public void TaggedVector(out System.Reflection.Metadata.Ecma335.CustomAttributeArrayTypeEncoder arrayType, out System.Reflection.Metadata.Ecma335.VectorEncoder vector) => throw null; + public System.Reflection.Metadata.Ecma335.VectorEncoder Vector() => throw null; } - - - public System.Reflection.Metadata.SequencePointCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public enum SerializationTypeCode : byte - { - Boolean = 2, - Byte = 5, - Char = 3, - Double = 13, - Enum = 85, - Int16 = 6, - Int32 = 8, - Int64 = 10, - Invalid = 0, - SByte = 4, - SZArray = 29, - Single = 12, - String = 14, - TaggedObject = 81, - Type = 80, - UInt16 = 7, - UInt32 = 9, - UInt64 = 11, - } - - [System.Flags] - public enum SignatureAttributes : byte - { - ExplicitThis = 64, - Generic = 16, - Instance = 32, - None = 0, - } - - public enum SignatureCallingConvention : byte - { - CDecl = 1, - Default = 0, - FastCall = 4, - StdCall = 2, - ThisCall = 3, - Unmanaged = 9, - VarArgs = 5, - } - - public struct SignatureHeader : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.SignatureHeader left, System.Reflection.Metadata.SignatureHeader right) => throw null; - public static bool operator ==(System.Reflection.Metadata.SignatureHeader left, System.Reflection.Metadata.SignatureHeader right) => throw null; - public System.Reflection.Metadata.SignatureAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.SignatureCallingConvention CallingConvention { get => throw null; } - public const System.Byte CallingConventionOrKindMask = default; - public bool Equals(System.Reflection.Metadata.SignatureHeader other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool HasExplicitThis { get => throw null; } - public bool IsGeneric { get => throw null; } - public bool IsInstance { get => throw null; } - public System.Reflection.Metadata.SignatureKind Kind { get => throw null; } - public System.Byte RawValue { get => throw null; } - // Stub generator skipped constructor - public SignatureHeader(System.Reflection.Metadata.SignatureKind kind, System.Reflection.Metadata.SignatureCallingConvention convention, System.Reflection.Metadata.SignatureAttributes attributes) => throw null; - public SignatureHeader(System.Byte rawValue) => throw null; - public override string ToString() => throw null; - } - - public enum SignatureKind : byte - { - Field = 6, - LocalVariables = 7, - Method = 0, - MethodSpecification = 10, - Property = 8, - } - - public enum SignatureTypeCode : byte - { - Array = 20, - Boolean = 2, - ByReference = 16, - Byte = 5, - Char = 3, - Double = 13, - FunctionPointer = 27, - GenericMethodParameter = 30, - GenericTypeInstance = 21, - GenericTypeParameter = 19, - Int16 = 6, - Int32 = 8, - Int64 = 10, - IntPtr = 24, - Invalid = 0, - Object = 28, - OptionalModifier = 32, - Pinned = 69, - Pointer = 15, - RequiredModifier = 31, - SByte = 4, - SZArray = 29, - Sentinel = 65, - Single = 12, - String = 14, - TypeHandle = 64, - TypedReference = 22, - UInt16 = 7, - UInt32 = 9, - UInt64 = 11, - UIntPtr = 25, - Void = 1, - } - - public enum SignatureTypeKind : byte - { - Class = 18, - Unknown = 0, - ValueType = 17, - } - - public struct StandaloneSignature - { - public System.Collections.Immutable.ImmutableArray DecodeLocalSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.StandaloneSignatureKind GetKind() => throw null; - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - // Stub generator skipped constructor - } - - public struct StandaloneSignatureHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.StandaloneSignatureHandle left, System.Reflection.Metadata.StandaloneSignatureHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.StandaloneSignatureHandle left, System.Reflection.Metadata.StandaloneSignatureHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.StandaloneSignatureHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.StandaloneSignatureHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.StandaloneSignatureHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; - } - - public enum StandaloneSignatureKind : int - { - LocalVariables = 1, - Method = 0, - } - - public struct StringHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.StringHandle left, System.Reflection.Metadata.StringHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.StringHandle left, System.Reflection.Metadata.StringHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.StringHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.StringHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.StringHandle handle) => throw null; - } - - public struct TypeDefinition - { - public System.Reflection.TypeAttributes Attributes { get => throw null; } - public System.Reflection.Metadata.EntityHandle BaseType { get => throw null; } - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection GetDeclarativeSecurityAttributes() => throw null; - public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; - public System.Reflection.Metadata.EventDefinitionHandleCollection GetEvents() => throw null; - public System.Reflection.Metadata.FieldDefinitionHandleCollection GetFields() => throw null; - public System.Reflection.Metadata.GenericParameterHandleCollection GetGenericParameters() => throw null; - public System.Reflection.Metadata.InterfaceImplementationHandleCollection GetInterfaceImplementations() => throw null; - public System.Reflection.Metadata.TypeLayout GetLayout() => throw null; - public System.Reflection.Metadata.MethodImplementationHandleCollection GetMethodImplementations() => throw null; - public System.Reflection.Metadata.MethodDefinitionHandleCollection GetMethods() => throw null; - public System.Collections.Immutable.ImmutableArray GetNestedTypes() => throw null; - public System.Reflection.Metadata.PropertyDefinitionHandleCollection GetProperties() => throw null; - public bool IsNested { get => throw null; } - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } - public System.Reflection.Metadata.NamespaceDefinitionHandle NamespaceDefinition { get => throw null; } - // Stub generator skipped constructor - } - - public struct TypeDefinitionHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.TypeDefinitionHandle left, System.Reflection.Metadata.TypeDefinitionHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.TypeDefinitionHandle left, System.Reflection.Metadata.TypeDefinitionHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.TypeDefinitionHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.TypeDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.TypeDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; - } - - public struct TypeDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct LiteralsEncoder { - public System.Reflection.Metadata.TypeDefinitionHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.TypeDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct TypeLayout - { - public bool IsDefault { get => throw null; } - public int PackingSize { get => throw null; } - public int Size { get => throw null; } - // Stub generator skipped constructor - public TypeLayout(int size, int packingSize) => throw null; - } - - public struct TypeReference - { - public System.Reflection.Metadata.StringHandle Name { get => throw null; } - public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } - public System.Reflection.Metadata.EntityHandle ResolutionScope { get => throw null; } - // Stub generator skipped constructor - } - - public struct TypeReferenceHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.TypeReferenceHandle left, System.Reflection.Metadata.TypeReferenceHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.TypeReferenceHandle left, System.Reflection.Metadata.TypeReferenceHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.TypeReferenceHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.TypeReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.TypeReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; - } - - public struct TypeReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public System.Reflection.Metadata.TypeReferenceHandle Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - void System.IDisposable.Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - - public int Count { get => throw null; } - public System.Reflection.Metadata.TypeReferenceHandleCollection.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - } - - public struct TypeSpecification - { - public TType DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; - public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; - public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } - // Stub generator skipped constructor - } - - public struct TypeSpecificationHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.TypeSpecificationHandle left, System.Reflection.Metadata.TypeSpecificationHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.TypeSpecificationHandle left, System.Reflection.Metadata.TypeSpecificationHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.TypeSpecificationHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.TypeSpecificationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static explicit operator System.Reflection.Metadata.TypeSpecificationHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; - } - - public struct UserStringHandle : System.IEquatable - { - public static bool operator !=(System.Reflection.Metadata.UserStringHandle left, System.Reflection.Metadata.UserStringHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.UserStringHandle left, System.Reflection.Metadata.UserStringHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.UserStringHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsNil { get => throw null; } - // Stub generator skipped constructor - public static explicit operator System.Reflection.Metadata.UserStringHandle(System.Reflection.Metadata.Handle handle) => throw null; - public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.UserStringHandle handle) => throw null; - } - - namespace Ecma335 - { - public struct ArrayShapeEncoder - { - // Stub generator skipped constructor - public ArrayShapeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.LiteralEncoder AddLiteral() => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void Shape(int rank, System.Collections.Immutable.ImmutableArray sizes, System.Collections.Immutable.ImmutableArray lowerBounds) => throw null; + public LiteralsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - public struct BlobEncoder + public struct LocalVariablesEncoder { - // Stub generator skipped constructor - public BlobEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.LocalVariableTypeEncoder AddVariable() => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void CustomAttributeSignature(System.Action fixedArguments, System.Action namedArguments) => throw null; - public void CustomAttributeSignature(out System.Reflection.Metadata.Ecma335.FixedArgumentsEncoder fixedArguments, out System.Reflection.Metadata.Ecma335.CustomAttributeNamedArgumentsEncoder namedArguments) => throw null; - public System.Reflection.Metadata.Ecma335.FieldTypeEncoder Field() => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder FieldSignature() => throw null; - public System.Reflection.Metadata.Ecma335.LocalVariablesEncoder LocalVariableSignature(int variableCount) => throw null; - public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder MethodSignature(System.Reflection.Metadata.SignatureCallingConvention convention = default(System.Reflection.Metadata.SignatureCallingConvention), int genericParameterCount = default(int), bool isInstanceMethod = default(bool)) => throw null; - public System.Reflection.Metadata.Ecma335.GenericTypeArgumentsEncoder MethodSpecificationSignature(int genericArgumentCount) => throw null; - public System.Reflection.Metadata.Ecma335.NamedArgumentsEncoder PermissionSetArguments(int argumentCount) => throw null; - public System.Reflection.Metadata.Ecma335.PermissionSetEncoder PermissionSetBlob(int attributeCount) => throw null; - public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder PropertySignature(bool isInstanceProperty = default(bool)) => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder TypeSpecificationSignature() => throw null; - } - - public static class CodedIndex - { - public static int CustomAttributeType(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasConstant(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasCustomAttribute(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasCustomDebugInformation(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasDeclSecurity(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasFieldMarshal(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int HasSemantics(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int Implementation(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int MemberForwarded(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int MemberRefParent(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int MethodDefOrRef(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int ResolutionScope(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int TypeDefOrRef(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int TypeDefOrRefOrSpec(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int TypeOrMethodDef(System.Reflection.Metadata.EntityHandle handle) => throw null; + public LocalVariablesEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - public class ControlFlowBuilder + public struct LocalVariableTypeEncoder { - public void AddCatchRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd, System.Reflection.Metadata.EntityHandle catchType) => throw null; - public void AddFaultRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd) => throw null; - public void AddFilterRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd, System.Reflection.Metadata.Ecma335.LabelHandle filterStart) => throw null; - public void AddFinallyRegion(System.Reflection.Metadata.Ecma335.LabelHandle tryStart, System.Reflection.Metadata.Ecma335.LabelHandle tryEnd, System.Reflection.Metadata.Ecma335.LabelHandle handlerStart, System.Reflection.Metadata.Ecma335.LabelHandle handlerEnd) => throw null; - public void Clear() => throw null; - public ControlFlowBuilder() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public LocalVariableTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool), bool isPinned = default(bool)) => throw null; + public void TypedReference() => throw null; } - - public struct CustomAttributeArrayTypeEncoder + public sealed class MetadataAggregator { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public CustomAttributeArrayTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder ElementType() => throw null; - public void ObjectArray() => throw null; + public MetadataAggregator(System.Collections.Generic.IReadOnlyList baseTableRowCounts, System.Collections.Generic.IReadOnlyList baseHeapSizes, System.Collections.Generic.IReadOnlyList deltaReaders) => throw null; + public MetadataAggregator(System.Reflection.Metadata.MetadataReader baseReader, System.Collections.Generic.IReadOnlyList deltaReaders) => throw null; + public System.Reflection.Metadata.Handle GetGenerationHandle(System.Reflection.Metadata.Handle handle, out int generation) => throw null; } - - public struct CustomAttributeElementTypeEncoder + public sealed class MetadataBuilder { - public void Boolean() => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void Byte() => throw null; - public void Char() => throw null; - // Stub generator skipped constructor - public CustomAttributeElementTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public void Double() => throw null; - public void Enum(string enumTypeName) => throw null; - public void Int16() => throw null; - public void Int32() => throw null; - public void Int64() => throw null; - public void PrimitiveType(System.Reflection.Metadata.PrimitiveSerializationTypeCode type) => throw null; - public void SByte() => throw null; - public void Single() => throw null; - public void String() => throw null; - public void SystemType() => throw null; - public void UInt16() => throw null; - public void UInt32() => throw null; - public void UInt64() => throw null; + public System.Reflection.Metadata.AssemblyDefinitionHandle AddAssembly(System.Reflection.Metadata.StringHandle name, System.Version version, System.Reflection.Metadata.StringHandle culture, System.Reflection.Metadata.BlobHandle publicKey, System.Reflection.AssemblyFlags flags, System.Reflection.AssemblyHashAlgorithm hashAlgorithm) => throw null; + public System.Reflection.Metadata.AssemblyFileHandle AddAssemblyFile(System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle hashValue, bool containsMetadata) => throw null; + public System.Reflection.Metadata.AssemblyReferenceHandle AddAssemblyReference(System.Reflection.Metadata.StringHandle name, System.Version version, System.Reflection.Metadata.StringHandle culture, System.Reflection.Metadata.BlobHandle publicKeyOrToken, System.Reflection.AssemblyFlags flags, System.Reflection.Metadata.BlobHandle hashValue) => throw null; + public System.Reflection.Metadata.ConstantHandle AddConstant(System.Reflection.Metadata.EntityHandle parent, object value) => throw null; + public System.Reflection.Metadata.CustomAttributeHandle AddCustomAttribute(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.EntityHandle constructor, System.Reflection.Metadata.BlobHandle value) => throw null; + public System.Reflection.Metadata.CustomDebugInformationHandle AddCustomDebugInformation(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.GuidHandle kind, System.Reflection.Metadata.BlobHandle value) => throw null; + public System.Reflection.Metadata.DeclarativeSecurityAttributeHandle AddDeclarativeSecurityAttribute(System.Reflection.Metadata.EntityHandle parent, System.Reflection.DeclarativeSecurityAction action, System.Reflection.Metadata.BlobHandle permissionSet) => throw null; + public System.Reflection.Metadata.DocumentHandle AddDocument(System.Reflection.Metadata.BlobHandle name, System.Reflection.Metadata.GuidHandle hashAlgorithm, System.Reflection.Metadata.BlobHandle hash, System.Reflection.Metadata.GuidHandle language) => throw null; + public void AddEncLogEntry(System.Reflection.Metadata.EntityHandle entity, System.Reflection.Metadata.Ecma335.EditAndContinueOperation code) => throw null; + public void AddEncMapEntry(System.Reflection.Metadata.EntityHandle entity) => throw null; + public System.Reflection.Metadata.EventDefinitionHandle AddEvent(System.Reflection.EventAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle type) => throw null; + public void AddEventMap(System.Reflection.Metadata.TypeDefinitionHandle declaringType, System.Reflection.Metadata.EventDefinitionHandle eventList) => throw null; + public System.Reflection.Metadata.ExportedTypeHandle AddExportedType(System.Reflection.TypeAttributes attributes, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle implementation, int typeDefinitionId) => throw null; + public System.Reflection.Metadata.FieldDefinitionHandle AddFieldDefinition(System.Reflection.FieldAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; + public void AddFieldLayout(System.Reflection.Metadata.FieldDefinitionHandle field, int offset) => throw null; + public void AddFieldRelativeVirtualAddress(System.Reflection.Metadata.FieldDefinitionHandle field, int offset) => throw null; + public System.Reflection.Metadata.GenericParameterHandle AddGenericParameter(System.Reflection.Metadata.EntityHandle parent, System.Reflection.GenericParameterAttributes attributes, System.Reflection.Metadata.StringHandle name, int index) => throw null; + public System.Reflection.Metadata.GenericParameterConstraintHandle AddGenericParameterConstraint(System.Reflection.Metadata.GenericParameterHandle genericParameter, System.Reflection.Metadata.EntityHandle constraint) => throw null; + public System.Reflection.Metadata.ImportScopeHandle AddImportScope(System.Reflection.Metadata.ImportScopeHandle parentScope, System.Reflection.Metadata.BlobHandle imports) => throw null; + public System.Reflection.Metadata.InterfaceImplementationHandle AddInterfaceImplementation(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.EntityHandle implementedInterface) => throw null; + public System.Reflection.Metadata.LocalConstantHandle AddLocalConstant(System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; + public System.Reflection.Metadata.LocalScopeHandle AddLocalScope(System.Reflection.Metadata.MethodDefinitionHandle method, System.Reflection.Metadata.ImportScopeHandle importScope, System.Reflection.Metadata.LocalVariableHandle variableList, System.Reflection.Metadata.LocalConstantHandle constantList, int startOffset, int length) => throw null; + public System.Reflection.Metadata.LocalVariableHandle AddLocalVariable(System.Reflection.Metadata.LocalVariableAttributes attributes, int index, System.Reflection.Metadata.StringHandle name) => throw null; + public System.Reflection.Metadata.ManifestResourceHandle AddManifestResource(System.Reflection.ManifestResourceAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle implementation, uint offset) => throw null; + public void AddMarshallingDescriptor(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.BlobHandle descriptor) => throw null; + public System.Reflection.Metadata.MemberReferenceHandle AddMemberReference(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; + public System.Reflection.Metadata.MethodDebugInformationHandle AddMethodDebugInformation(System.Reflection.Metadata.DocumentHandle document, System.Reflection.Metadata.BlobHandle sequencePoints) => throw null; + public System.Reflection.Metadata.MethodDefinitionHandle AddMethodDefinition(System.Reflection.MethodAttributes attributes, System.Reflection.MethodImplAttributes implAttributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature, int bodyOffset, System.Reflection.Metadata.ParameterHandle parameterList) => throw null; + public System.Reflection.Metadata.MethodImplementationHandle AddMethodImplementation(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.EntityHandle methodBody, System.Reflection.Metadata.EntityHandle methodDeclaration) => throw null; + public void AddMethodImport(System.Reflection.Metadata.MethodDefinitionHandle method, System.Reflection.MethodImportAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.ModuleReferenceHandle module) => throw null; + public void AddMethodSemantics(System.Reflection.Metadata.EntityHandle association, System.Reflection.MethodSemanticsAttributes semantics, System.Reflection.Metadata.MethodDefinitionHandle methodDefinition) => throw null; + public System.Reflection.Metadata.MethodSpecificationHandle AddMethodSpecification(System.Reflection.Metadata.EntityHandle method, System.Reflection.Metadata.BlobHandle instantiation) => throw null; + public System.Reflection.Metadata.ModuleDefinitionHandle AddModule(int generation, System.Reflection.Metadata.StringHandle moduleName, System.Reflection.Metadata.GuidHandle mvid, System.Reflection.Metadata.GuidHandle encId, System.Reflection.Metadata.GuidHandle encBaseId) => throw null; + public System.Reflection.Metadata.ModuleReferenceHandle AddModuleReference(System.Reflection.Metadata.StringHandle moduleName) => throw null; + public void AddNestedType(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.TypeDefinitionHandle enclosingType) => throw null; + public System.Reflection.Metadata.ParameterHandle AddParameter(System.Reflection.ParameterAttributes attributes, System.Reflection.Metadata.StringHandle name, int sequenceNumber) => throw null; + public System.Reflection.Metadata.PropertyDefinitionHandle AddProperty(System.Reflection.PropertyAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; + public void AddPropertyMap(System.Reflection.Metadata.TypeDefinitionHandle declaringType, System.Reflection.Metadata.PropertyDefinitionHandle propertyList) => throw null; + public System.Reflection.Metadata.StandaloneSignatureHandle AddStandaloneSignature(System.Reflection.Metadata.BlobHandle signature) => throw null; + public void AddStateMachineMethod(System.Reflection.Metadata.MethodDefinitionHandle moveNextMethod, System.Reflection.Metadata.MethodDefinitionHandle kickoffMethod) => throw null; + public System.Reflection.Metadata.TypeDefinitionHandle AddTypeDefinition(System.Reflection.TypeAttributes attributes, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle baseType, System.Reflection.Metadata.FieldDefinitionHandle fieldList, System.Reflection.Metadata.MethodDefinitionHandle methodList) => throw null; + public void AddTypeLayout(System.Reflection.Metadata.TypeDefinitionHandle type, ushort packingSize, uint size) => throw null; + public System.Reflection.Metadata.TypeReferenceHandle AddTypeReference(System.Reflection.Metadata.EntityHandle resolutionScope, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name) => throw null; + public System.Reflection.Metadata.TypeSpecificationHandle AddTypeSpecification(System.Reflection.Metadata.BlobHandle signature) => throw null; + public MetadataBuilder(int userStringHeapStartOffset = default(int), int stringHeapStartOffset = default(int), int blobHeapStartOffset = default(int), int guidHeapStartOffset = default(int)) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddBlob(byte[] value) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddBlob(System.Collections.Immutable.ImmutableArray value) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddBlob(System.Reflection.Metadata.BlobBuilder value) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddBlobUTF16(string value) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddBlobUTF8(string value, bool allowUnpairedSurrogates = default(bool)) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddConstantBlob(object value) => throw null; + public System.Reflection.Metadata.BlobHandle GetOrAddDocumentName(string value) => throw null; + public System.Reflection.Metadata.GuidHandle GetOrAddGuid(System.Guid guid) => throw null; + public System.Reflection.Metadata.StringHandle GetOrAddString(string value) => throw null; + public System.Reflection.Metadata.UserStringHandle GetOrAddUserString(string value) => throw null; + public int GetRowCount(System.Reflection.Metadata.Ecma335.TableIndex table) => throw null; + public System.Collections.Immutable.ImmutableArray GetRowCounts() => throw null; + public System.Reflection.Metadata.ReservedBlob ReserveGuid() => throw null; + public System.Reflection.Metadata.ReservedBlob ReserveUserString(int length) => throw null; + public void SetCapacity(System.Reflection.Metadata.Ecma335.HeapIndex heap, int byteCount) => throw null; + public void SetCapacity(System.Reflection.Metadata.Ecma335.TableIndex table, int rowCount) => throw null; } - - public struct CustomAttributeNamedArgumentsEncoder + public static partial class MetadataReaderExtensions { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public System.Reflection.Metadata.Ecma335.NamedArgumentsEncoder Count(int count) => throw null; - // Stub generator skipped constructor - public CustomAttributeNamedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public static System.Collections.Generic.IEnumerable GetEditAndContinueLogEntries(this System.Reflection.Metadata.MetadataReader reader) => throw null; + public static System.Collections.Generic.IEnumerable GetEditAndContinueMapEntries(this System.Reflection.Metadata.MetadataReader reader) => throw null; + public static int GetHeapMetadataOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.HeapIndex heapIndex) => throw null; + public static int GetHeapSize(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.HeapIndex heapIndex) => throw null; + public static System.Reflection.Metadata.BlobHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.BlobHandle handle) => throw null; + public static System.Reflection.Metadata.StringHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.StringHandle handle) => throw null; + public static System.Reflection.Metadata.UserStringHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.UserStringHandle handle) => throw null; + public static int GetTableMetadataOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; + public static int GetTableRowCount(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; + public static int GetTableRowSize(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; + public static System.Collections.Generic.IEnumerable GetTypesWithEvents(this System.Reflection.Metadata.MetadataReader reader) => throw null; + public static System.Collections.Generic.IEnumerable GetTypesWithProperties(this System.Reflection.Metadata.MetadataReader reader) => throw null; + public static System.Reflection.Metadata.SignatureTypeKind ResolveSignatureTypeKind(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle typeHandle, byte rawTypeKind) => throw null; } - - public struct CustomModifiersEncoder + public sealed class MetadataRootBuilder { - public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder AddModifier(System.Reflection.Metadata.EntityHandle type, bool isOptional) => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public CustomModifiersEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public MetadataRootBuilder(System.Reflection.Metadata.Ecma335.MetadataBuilder tablesAndHeaps, string metadataVersion = default(string), bool suppressValidation = default(bool)) => throw null; + public string MetadataVersion { get => throw null; } + public void Serialize(System.Reflection.Metadata.BlobBuilder builder, int methodBodyStreamRva, int mappedFieldDataStreamRva) => throw null; + public System.Reflection.Metadata.Ecma335.MetadataSizes Sizes { get => throw null; } + public bool SuppressValidation { get => throw null; } } - - public struct EditAndContinueLogEntry : System.IEquatable + public sealed class MetadataSizes { - // Stub generator skipped constructor - public EditAndContinueLogEntry(System.Reflection.Metadata.EntityHandle handle, System.Reflection.Metadata.Ecma335.EditAndContinueOperation operation) => throw null; - public bool Equals(System.Reflection.Metadata.Ecma335.EditAndContinueLogEntry other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public System.Reflection.Metadata.EntityHandle Handle { get => throw null; } - public System.Reflection.Metadata.Ecma335.EditAndContinueOperation Operation { get => throw null; } + public System.Collections.Immutable.ImmutableArray ExternalRowCounts { get => throw null; } + public int GetAlignedHeapSize(System.Reflection.Metadata.Ecma335.HeapIndex index) => throw null; + public System.Collections.Immutable.ImmutableArray HeapSizes { get => throw null; } + public System.Collections.Immutable.ImmutableArray RowCounts { get => throw null; } } - - public enum EditAndContinueOperation : int + public static class MetadataTokens { - AddEvent = 5, - AddField = 2, - AddMethod = 1, - AddParameter = 3, - AddProperty = 4, - Default = 0, - } - - public struct ExceptionRegionEncoder - { - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder Add(System.Reflection.Metadata.ExceptionRegionKind kind, int tryOffset, int tryLength, int handlerOffset, int handlerLength, System.Reflection.Metadata.EntityHandle catchType = default(System.Reflection.Metadata.EntityHandle), int filterOffset = default(int)) => throw null; - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddCatch(int tryOffset, int tryLength, int handlerOffset, int handlerLength, System.Reflection.Metadata.EntityHandle catchType) => throw null; - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFault(int tryOffset, int tryLength, int handlerOffset, int handlerLength) => throw null; - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFilter(int tryOffset, int tryLength, int handlerOffset, int handlerLength, int filterOffset) => throw null; - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder AddFinally(int tryOffset, int tryLength, int handlerOffset, int handlerLength) => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public bool HasSmallFormat { get => throw null; } - public static bool IsSmallExceptionRegion(int startOffset, int length) => throw null; - public static bool IsSmallRegionCount(int exceptionRegionCount) => throw null; + public static System.Reflection.Metadata.AssemblyFileHandle AssemblyFileHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.AssemblyReferenceHandle AssemblyReferenceHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.BlobHandle BlobHandle(int offset) => throw null; + public static System.Reflection.Metadata.ConstantHandle ConstantHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.CustomAttributeHandle CustomAttributeHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.CustomDebugInformationHandle CustomDebugInformationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.DeclarativeSecurityAttributeHandle DeclarativeSecurityAttributeHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.DocumentHandle DocumentHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.DocumentNameBlobHandle DocumentNameBlobHandle(int offset) => throw null; + public static System.Reflection.Metadata.EntityHandle EntityHandle(int token) => throw null; + public static System.Reflection.Metadata.EntityHandle EntityHandle(System.Reflection.Metadata.Ecma335.TableIndex tableIndex, int rowNumber) => throw null; + public static System.Reflection.Metadata.EventDefinitionHandle EventDefinitionHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.ExportedTypeHandle ExportedTypeHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.FieldDefinitionHandle FieldDefinitionHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.GenericParameterConstraintHandle GenericParameterConstraintHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.GenericParameterHandle GenericParameterHandle(int rowNumber) => throw null; + public static int GetHeapOffset(System.Reflection.Metadata.BlobHandle handle) => throw null; + public static int GetHeapOffset(System.Reflection.Metadata.GuidHandle handle) => throw null; + public static int GetHeapOffset(System.Reflection.Metadata.Handle handle) => throw null; + public static int GetHeapOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Handle handle) => throw null; + public static int GetHeapOffset(System.Reflection.Metadata.StringHandle handle) => throw null; + public static int GetHeapOffset(System.Reflection.Metadata.UserStringHandle handle) => throw null; + public static int GetRowNumber(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int GetRowNumber(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int GetToken(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int GetToken(System.Reflection.Metadata.Handle handle) => throw null; + public static int GetToken(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle handle) => throw null; + public static int GetToken(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Handle handle) => throw null; + public static System.Reflection.Metadata.GuidHandle GuidHandle(int offset) => throw null; + public static System.Reflection.Metadata.Handle Handle(int token) => throw null; + public static System.Reflection.Metadata.EntityHandle Handle(System.Reflection.Metadata.Ecma335.TableIndex tableIndex, int rowNumber) => throw null; + public static int HeapCount; + public static System.Reflection.Metadata.ImportScopeHandle ImportScopeHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.InterfaceImplementationHandle InterfaceImplementationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.LocalConstantHandle LocalConstantHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.LocalScopeHandle LocalScopeHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.LocalVariableHandle LocalVariableHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.ManifestResourceHandle ManifestResourceHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.MemberReferenceHandle MemberReferenceHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.MethodDebugInformationHandle MethodDebugInformationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.MethodDefinitionHandle MethodDefinitionHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.MethodImplementationHandle MethodImplementationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.MethodSpecificationHandle MethodSpecificationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.ModuleReferenceHandle ModuleReferenceHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.ParameterHandle ParameterHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.PropertyDefinitionHandle PropertyDefinitionHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.StandaloneSignatureHandle StandaloneSignatureHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.StringHandle StringHandle(int offset) => throw null; + public static int TableCount; + public static bool TryGetHeapIndex(System.Reflection.Metadata.HandleKind type, out System.Reflection.Metadata.Ecma335.HeapIndex index) => throw null; + public static bool TryGetTableIndex(System.Reflection.Metadata.HandleKind type, out System.Reflection.Metadata.Ecma335.TableIndex index) => throw null; + public static System.Reflection.Metadata.TypeDefinitionHandle TypeDefinitionHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.TypeReferenceHandle TypeReferenceHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.TypeSpecificationHandle TypeSpecificationHandle(int rowNumber) => throw null; + public static System.Reflection.Metadata.UserStringHandle UserStringHandle(int offset) => throw null; } - - public static class ExportedTypeExtensions + [System.Flags] + public enum MethodBodyAttributes { - public static int GetTypeDefinitionId(this System.Reflection.Metadata.ExportedType exportedType) => throw null; + None = 0, + InitLocals = 1, } - - public struct FieldTypeEncoder + public struct MethodBodyStreamEncoder { + public System.Reflection.Metadata.Ecma335.MethodBodyStreamEncoder.MethodBody AddMethodBody(int codeSize, int maxStack, int exceptionRegionCount, bool hasSmallExceptionRegions, System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature, System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes) => throw null; + public System.Reflection.Metadata.Ecma335.MethodBodyStreamEncoder.MethodBody AddMethodBody(int codeSize, int maxStack = default(int), int exceptionRegionCount = default(int), bool hasSmallExceptionRegions = default(bool), System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature = default(System.Reflection.Metadata.StandaloneSignatureHandle), System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes = default(System.Reflection.Metadata.Ecma335.MethodBodyAttributes), bool hasDynamicStackAllocation = default(bool)) => throw null; + public int AddMethodBody(System.Reflection.Metadata.Ecma335.InstructionEncoder instructionEncoder, int maxStack, System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature, System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes) => throw null; + public int AddMethodBody(System.Reflection.Metadata.Ecma335.InstructionEncoder instructionEncoder, int maxStack = default(int), System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature = default(System.Reflection.Metadata.StandaloneSignatureHandle), System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes = default(System.Reflection.Metadata.Ecma335.MethodBodyAttributes), bool hasDynamicStackAllocation = default(bool)) => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; - // Stub generator skipped constructor - public FieldTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; - public void TypedReference() => throw null; + public MethodBodyStreamEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public struct MethodBody + { + public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder ExceptionRegions { get => throw null; } + public System.Reflection.Metadata.Blob Instructions { get => throw null; } + public int Offset { get => throw null; } + } } - - public struct FixedArgumentsEncoder + public struct MethodSignatureEncoder { - public System.Reflection.Metadata.Ecma335.LiteralEncoder AddArgument() => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public FixedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public MethodSignatureEncoder(System.Reflection.Metadata.BlobBuilder builder, bool hasVarArgs) => throw null; + public bool HasVarArgs { get => throw null; } + public void Parameters(int parameterCount, System.Action returnType, System.Action parameters) => throw null; + public void Parameters(int parameterCount, out System.Reflection.Metadata.Ecma335.ReturnTypeEncoder returnType, out System.Reflection.Metadata.Ecma335.ParametersEncoder parameters) => throw null; } - - public enum FunctionPointerAttributes : int + public struct NamedArgumentsEncoder { - HasExplicitThis = 96, - HasThis = 32, - None = 0, + public void AddArgument(bool isField, System.Action type, System.Action name, System.Action literal) => throw null; + public void AddArgument(bool isField, out System.Reflection.Metadata.Ecma335.NamedArgumentTypeEncoder type, out System.Reflection.Metadata.Ecma335.NameEncoder name, out System.Reflection.Metadata.Ecma335.LiteralEncoder literal) => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public NamedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - public struct GenericTypeArgumentsEncoder + public struct NamedArgumentTypeEncoder { - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder AddArgument() => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public GenericTypeArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public NamedArgumentTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void Object() => throw null; + public System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder ScalarType() => throw null; + public System.Reflection.Metadata.Ecma335.CustomAttributeArrayTypeEncoder SZArray() => throw null; } - - public enum HeapIndex : int + public struct NameEncoder { - Blob = 2, - Guid = 3, - String = 1, - UserString = 0, + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public NameEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void Name(string name) => throw null; } - - public struct InstructionEncoder + public struct ParametersEncoder { - public void Branch(System.Reflection.Metadata.ILOpCode code, System.Reflection.Metadata.Ecma335.LabelHandle label) => throw null; - public void Call(System.Reflection.Metadata.EntityHandle methodHandle) => throw null; - public void Call(System.Reflection.Metadata.MemberReferenceHandle methodHandle) => throw null; - public void Call(System.Reflection.Metadata.MethodDefinitionHandle methodHandle) => throw null; - public void Call(System.Reflection.Metadata.MethodSpecificationHandle methodHandle) => throw null; - public void CallIndirect(System.Reflection.Metadata.StandaloneSignatureHandle signature) => throw null; - public System.Reflection.Metadata.BlobBuilder CodeBuilder { get => throw null; } - public System.Reflection.Metadata.Ecma335.ControlFlowBuilder ControlFlowBuilder { get => throw null; } - public System.Reflection.Metadata.Ecma335.LabelHandle DefineLabel() => throw null; - // Stub generator skipped constructor - public InstructionEncoder(System.Reflection.Metadata.BlobBuilder codeBuilder, System.Reflection.Metadata.Ecma335.ControlFlowBuilder controlFlowBuilder = default(System.Reflection.Metadata.Ecma335.ControlFlowBuilder)) => throw null; - public void LoadArgument(int argumentIndex) => throw null; - public void LoadArgumentAddress(int argumentIndex) => throw null; - public void LoadConstantI4(int value) => throw null; - public void LoadConstantI8(System.Int64 value) => throw null; - public void LoadConstantR4(float value) => throw null; - public void LoadConstantR8(double value) => throw null; - public void LoadLocal(int slotIndex) => throw null; - public void LoadLocalAddress(int slotIndex) => throw null; - public void LoadString(System.Reflection.Metadata.UserStringHandle handle) => throw null; - public void MarkLabel(System.Reflection.Metadata.Ecma335.LabelHandle label) => throw null; - public int Offset { get => throw null; } - public void OpCode(System.Reflection.Metadata.ILOpCode code) => throw null; - public void StoreArgument(int argumentIndex) => throw null; - public void StoreLocal(int slotIndex) => throw null; - public void Token(System.Reflection.Metadata.EntityHandle handle) => throw null; - public void Token(int token) => throw null; + public System.Reflection.Metadata.Ecma335.ParameterTypeEncoder AddParameter() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public ParametersEncoder(System.Reflection.Metadata.BlobBuilder builder, bool hasVarArgs = default(bool)) => throw null; + public bool HasVarArgs { get => throw null; } + public System.Reflection.Metadata.Ecma335.ParametersEncoder StartVarArgs() => throw null; } - - public struct LabelHandle : System.IEquatable + public struct ParameterTypeEncoder { - public static bool operator !=(System.Reflection.Metadata.Ecma335.LabelHandle left, System.Reflection.Metadata.Ecma335.LabelHandle right) => throw null; - public static bool operator ==(System.Reflection.Metadata.Ecma335.LabelHandle left, System.Reflection.Metadata.Ecma335.LabelHandle right) => throw null; - public bool Equals(System.Reflection.Metadata.Ecma335.LabelHandle other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public int Id { get => throw null; } - public bool IsNil { get => throw null; } - // Stub generator skipped constructor + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public ParameterTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; + public void TypedReference() => throw null; } - - public struct LiteralEncoder + public struct PermissionSetEncoder { + public System.Reflection.Metadata.Ecma335.PermissionSetEncoder AddPermission(string typeName, System.Collections.Immutable.ImmutableArray encodedArguments) => throw null; + public System.Reflection.Metadata.Ecma335.PermissionSetEncoder AddPermission(string typeName, System.Reflection.Metadata.BlobBuilder encodedArguments) => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public LiteralEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.ScalarEncoder Scalar() => throw null; - public void TaggedScalar(System.Action type, System.Action scalar) => throw null; - public void TaggedScalar(out System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder type, out System.Reflection.Metadata.Ecma335.ScalarEncoder scalar) => throw null; - public void TaggedVector(System.Action arrayType, System.Action vector) => throw null; - public void TaggedVector(out System.Reflection.Metadata.Ecma335.CustomAttributeArrayTypeEncoder arrayType, out System.Reflection.Metadata.Ecma335.VectorEncoder vector) => throw null; - public System.Reflection.Metadata.Ecma335.VectorEncoder Vector() => throw null; + public PermissionSetEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - public struct LiteralsEncoder + public sealed class PortablePdbBuilder { - public System.Reflection.Metadata.Ecma335.LiteralEncoder AddLiteral() => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public LiteralsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public PortablePdbBuilder(System.Reflection.Metadata.Ecma335.MetadataBuilder tablesAndHeaps, System.Collections.Immutable.ImmutableArray typeSystemRowCounts, System.Reflection.Metadata.MethodDefinitionHandle entryPoint, System.Func, System.Reflection.Metadata.BlobContentId> idProvider = default(System.Func, System.Reflection.Metadata.BlobContentId>)) => throw null; + public ushort FormatVersion { get => throw null; } + public System.Func, System.Reflection.Metadata.BlobContentId> IdProvider { get => throw null; } + public string MetadataVersion { get => throw null; } + public System.Reflection.Metadata.BlobContentId Serialize(System.Reflection.Metadata.BlobBuilder builder) => throw null; } - - public struct LocalVariableTypeEncoder + public struct ReturnTypeEncoder { public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public ReturnTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; - // Stub generator skipped constructor - public LocalVariableTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool), bool isPinned = default(bool)) => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; public void TypedReference() => throw null; + public void Void() => throw null; } - - public struct LocalVariablesEncoder + public struct ScalarEncoder { - public System.Reflection.Metadata.Ecma335.LocalVariableTypeEncoder AddVariable() => throw null; public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public LocalVariablesEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void Constant(object value) => throw null; + public ScalarEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public void NullArray() => throw null; + public void SystemType(string serializedTypeName) => throw null; } - - public class MetadataAggregator + public struct SignatureDecoder { - public System.Reflection.Metadata.Handle GetGenerationHandle(System.Reflection.Metadata.Handle handle, out int generation) => throw null; - public MetadataAggregator(System.Collections.Generic.IReadOnlyList baseTableRowCounts, System.Collections.Generic.IReadOnlyList baseHeapSizes, System.Collections.Generic.IReadOnlyList deltaReaders) => throw null; - public MetadataAggregator(System.Reflection.Metadata.MetadataReader baseReader, System.Collections.Generic.IReadOnlyList deltaReaders) => throw null; + public SignatureDecoder(System.Reflection.Metadata.ISignatureTypeProvider provider, System.Reflection.Metadata.MetadataReader metadataReader, TGenericContext genericContext) => throw null; + public TType DecodeFieldSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; + public System.Collections.Immutable.ImmutableArray DecodeLocalSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; + public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; + public System.Collections.Immutable.ImmutableArray DecodeMethodSpecificationSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; + public TType DecodeType(ref System.Reflection.Metadata.BlobReader blobReader, bool allowTypeSpecifications = default(bool)) => throw null; } - - public class MetadataBuilder + public struct SignatureTypeEncoder { - public System.Reflection.Metadata.AssemblyDefinitionHandle AddAssembly(System.Reflection.Metadata.StringHandle name, System.Version version, System.Reflection.Metadata.StringHandle culture, System.Reflection.Metadata.BlobHandle publicKey, System.Reflection.AssemblyFlags flags, System.Reflection.AssemblyHashAlgorithm hashAlgorithm) => throw null; - public System.Reflection.Metadata.AssemblyFileHandle AddAssemblyFile(System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle hashValue, bool containsMetadata) => throw null; - public System.Reflection.Metadata.AssemblyReferenceHandle AddAssemblyReference(System.Reflection.Metadata.StringHandle name, System.Version version, System.Reflection.Metadata.StringHandle culture, System.Reflection.Metadata.BlobHandle publicKeyOrToken, System.Reflection.AssemblyFlags flags, System.Reflection.Metadata.BlobHandle hashValue) => throw null; - public System.Reflection.Metadata.ConstantHandle AddConstant(System.Reflection.Metadata.EntityHandle parent, object value) => throw null; - public System.Reflection.Metadata.CustomAttributeHandle AddCustomAttribute(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.EntityHandle constructor, System.Reflection.Metadata.BlobHandle value) => throw null; - public System.Reflection.Metadata.CustomDebugInformationHandle AddCustomDebugInformation(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.GuidHandle kind, System.Reflection.Metadata.BlobHandle value) => throw null; - public System.Reflection.Metadata.DeclarativeSecurityAttributeHandle AddDeclarativeSecurityAttribute(System.Reflection.Metadata.EntityHandle parent, System.Reflection.DeclarativeSecurityAction action, System.Reflection.Metadata.BlobHandle permissionSet) => throw null; - public System.Reflection.Metadata.DocumentHandle AddDocument(System.Reflection.Metadata.BlobHandle name, System.Reflection.Metadata.GuidHandle hashAlgorithm, System.Reflection.Metadata.BlobHandle hash, System.Reflection.Metadata.GuidHandle language) => throw null; - public void AddEncLogEntry(System.Reflection.Metadata.EntityHandle entity, System.Reflection.Metadata.Ecma335.EditAndContinueOperation code) => throw null; - public void AddEncMapEntry(System.Reflection.Metadata.EntityHandle entity) => throw null; - public System.Reflection.Metadata.EventDefinitionHandle AddEvent(System.Reflection.EventAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle type) => throw null; - public void AddEventMap(System.Reflection.Metadata.TypeDefinitionHandle declaringType, System.Reflection.Metadata.EventDefinitionHandle eventList) => throw null; - public System.Reflection.Metadata.ExportedTypeHandle AddExportedType(System.Reflection.TypeAttributes attributes, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle implementation, int typeDefinitionId) => throw null; - public System.Reflection.Metadata.FieldDefinitionHandle AddFieldDefinition(System.Reflection.FieldAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; - public void AddFieldLayout(System.Reflection.Metadata.FieldDefinitionHandle field, int offset) => throw null; - public void AddFieldRelativeVirtualAddress(System.Reflection.Metadata.FieldDefinitionHandle field, int offset) => throw null; - public System.Reflection.Metadata.GenericParameterHandle AddGenericParameter(System.Reflection.Metadata.EntityHandle parent, System.Reflection.GenericParameterAttributes attributes, System.Reflection.Metadata.StringHandle name, int index) => throw null; - public System.Reflection.Metadata.GenericParameterConstraintHandle AddGenericParameterConstraint(System.Reflection.Metadata.GenericParameterHandle genericParameter, System.Reflection.Metadata.EntityHandle constraint) => throw null; - public System.Reflection.Metadata.ImportScopeHandle AddImportScope(System.Reflection.Metadata.ImportScopeHandle parentScope, System.Reflection.Metadata.BlobHandle imports) => throw null; - public System.Reflection.Metadata.InterfaceImplementationHandle AddInterfaceImplementation(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.EntityHandle implementedInterface) => throw null; - public System.Reflection.Metadata.LocalConstantHandle AddLocalConstant(System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; - public System.Reflection.Metadata.LocalScopeHandle AddLocalScope(System.Reflection.Metadata.MethodDefinitionHandle method, System.Reflection.Metadata.ImportScopeHandle importScope, System.Reflection.Metadata.LocalVariableHandle variableList, System.Reflection.Metadata.LocalConstantHandle constantList, int startOffset, int length) => throw null; - public System.Reflection.Metadata.LocalVariableHandle AddLocalVariable(System.Reflection.Metadata.LocalVariableAttributes attributes, int index, System.Reflection.Metadata.StringHandle name) => throw null; - public System.Reflection.Metadata.ManifestResourceHandle AddManifestResource(System.Reflection.ManifestResourceAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle implementation, System.UInt32 offset) => throw null; - public void AddMarshallingDescriptor(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.BlobHandle descriptor) => throw null; - public System.Reflection.Metadata.MemberReferenceHandle AddMemberReference(System.Reflection.Metadata.EntityHandle parent, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; - public System.Reflection.Metadata.MethodDebugInformationHandle AddMethodDebugInformation(System.Reflection.Metadata.DocumentHandle document, System.Reflection.Metadata.BlobHandle sequencePoints) => throw null; - public System.Reflection.Metadata.MethodDefinitionHandle AddMethodDefinition(System.Reflection.MethodAttributes attributes, System.Reflection.MethodImplAttributes implAttributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature, int bodyOffset, System.Reflection.Metadata.ParameterHandle parameterList) => throw null; - public System.Reflection.Metadata.MethodImplementationHandle AddMethodImplementation(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.EntityHandle methodBody, System.Reflection.Metadata.EntityHandle methodDeclaration) => throw null; - public void AddMethodImport(System.Reflection.Metadata.MethodDefinitionHandle method, System.Reflection.MethodImportAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.ModuleReferenceHandle module) => throw null; - public void AddMethodSemantics(System.Reflection.Metadata.EntityHandle association, System.Reflection.MethodSemanticsAttributes semantics, System.Reflection.Metadata.MethodDefinitionHandle methodDefinition) => throw null; - public System.Reflection.Metadata.MethodSpecificationHandle AddMethodSpecification(System.Reflection.Metadata.EntityHandle method, System.Reflection.Metadata.BlobHandle instantiation) => throw null; - public System.Reflection.Metadata.ModuleDefinitionHandle AddModule(int generation, System.Reflection.Metadata.StringHandle moduleName, System.Reflection.Metadata.GuidHandle mvid, System.Reflection.Metadata.GuidHandle encId, System.Reflection.Metadata.GuidHandle encBaseId) => throw null; - public System.Reflection.Metadata.ModuleReferenceHandle AddModuleReference(System.Reflection.Metadata.StringHandle moduleName) => throw null; - public void AddNestedType(System.Reflection.Metadata.TypeDefinitionHandle type, System.Reflection.Metadata.TypeDefinitionHandle enclosingType) => throw null; - public System.Reflection.Metadata.ParameterHandle AddParameter(System.Reflection.ParameterAttributes attributes, System.Reflection.Metadata.StringHandle name, int sequenceNumber) => throw null; - public System.Reflection.Metadata.PropertyDefinitionHandle AddProperty(System.Reflection.PropertyAttributes attributes, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.BlobHandle signature) => throw null; - public void AddPropertyMap(System.Reflection.Metadata.TypeDefinitionHandle declaringType, System.Reflection.Metadata.PropertyDefinitionHandle propertyList) => throw null; - public System.Reflection.Metadata.StandaloneSignatureHandle AddStandaloneSignature(System.Reflection.Metadata.BlobHandle signature) => throw null; - public void AddStateMachineMethod(System.Reflection.Metadata.MethodDefinitionHandle moveNextMethod, System.Reflection.Metadata.MethodDefinitionHandle kickoffMethod) => throw null; - public System.Reflection.Metadata.TypeDefinitionHandle AddTypeDefinition(System.Reflection.TypeAttributes attributes, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name, System.Reflection.Metadata.EntityHandle baseType, System.Reflection.Metadata.FieldDefinitionHandle fieldList, System.Reflection.Metadata.MethodDefinitionHandle methodList) => throw null; - public void AddTypeLayout(System.Reflection.Metadata.TypeDefinitionHandle type, System.UInt16 packingSize, System.UInt32 size) => throw null; - public System.Reflection.Metadata.TypeReferenceHandle AddTypeReference(System.Reflection.Metadata.EntityHandle resolutionScope, System.Reflection.Metadata.StringHandle @namespace, System.Reflection.Metadata.StringHandle name) => throw null; - public System.Reflection.Metadata.TypeSpecificationHandle AddTypeSpecification(System.Reflection.Metadata.BlobHandle signature) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddBlob(System.Reflection.Metadata.BlobBuilder value) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddBlob(System.Byte[] value) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddBlob(System.Collections.Immutable.ImmutableArray value) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddBlobUTF16(string value) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddBlobUTF8(string value, bool allowUnpairedSurrogates = default(bool)) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddConstantBlob(object value) => throw null; - public System.Reflection.Metadata.BlobHandle GetOrAddDocumentName(string value) => throw null; - public System.Reflection.Metadata.GuidHandle GetOrAddGuid(System.Guid guid) => throw null; - public System.Reflection.Metadata.StringHandle GetOrAddString(string value) => throw null; - public System.Reflection.Metadata.UserStringHandle GetOrAddUserString(string value) => throw null; - public int GetRowCount(System.Reflection.Metadata.Ecma335.TableIndex table) => throw null; - public System.Collections.Immutable.ImmutableArray GetRowCounts() => throw null; - public MetadataBuilder(int userStringHeapStartOffset = default(int), int stringHeapStartOffset = default(int), int blobHeapStartOffset = default(int), int guidHeapStartOffset = default(int)) => throw null; - public System.Reflection.Metadata.ReservedBlob ReserveGuid() => throw null; - public System.Reflection.Metadata.ReservedBlob ReserveUserString(int length) => throw null; - public void SetCapacity(System.Reflection.Metadata.Ecma335.HeapIndex heap, int byteCount) => throw null; - public void SetCapacity(System.Reflection.Metadata.Ecma335.TableIndex table, int rowCount) => throw null; + public void Array(System.Action elementType, System.Action arrayShape) => throw null; + public void Array(out System.Reflection.Metadata.Ecma335.SignatureTypeEncoder elementType, out System.Reflection.Metadata.Ecma335.ArrayShapeEncoder arrayShape) => throw null; + public void Boolean() => throw null; + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public void Byte() => throw null; + public void Char() => throw null; + public SignatureTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; + public void Double() => throw null; + public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder FunctionPointer(System.Reflection.Metadata.SignatureCallingConvention convention = default(System.Reflection.Metadata.SignatureCallingConvention), System.Reflection.Metadata.Ecma335.FunctionPointerAttributes attributes = default(System.Reflection.Metadata.Ecma335.FunctionPointerAttributes), int genericParameterCount = default(int)) => throw null; + public System.Reflection.Metadata.Ecma335.GenericTypeArgumentsEncoder GenericInstantiation(System.Reflection.Metadata.EntityHandle genericType, int genericArgumentCount, bool isValueType) => throw null; + public void GenericMethodTypeParameter(int parameterIndex) => throw null; + public void GenericTypeParameter(int parameterIndex) => throw null; + public void Int16() => throw null; + public void Int32() => throw null; + public void Int64() => throw null; + public void IntPtr() => throw null; + public void Object() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Pointer() => throw null; + public void PrimitiveType(System.Reflection.Metadata.PrimitiveTypeCode type) => throw null; + public void SByte() => throw null; + public void Single() => throw null; + public void String() => throw null; + public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder SZArray() => throw null; + public void Type(System.Reflection.Metadata.EntityHandle type, bool isValueType) => throw null; + public void UInt16() => throw null; + public void UInt32() => throw null; + public void UInt64() => throw null; + public void UIntPtr() => throw null; + public void VoidPointer() => throw null; } - - public static class MetadataReaderExtensions + public enum TableIndex : byte { - public static System.Collections.Generic.IEnumerable GetEditAndContinueLogEntries(this System.Reflection.Metadata.MetadataReader reader) => throw null; - public static System.Collections.Generic.IEnumerable GetEditAndContinueMapEntries(this System.Reflection.Metadata.MetadataReader reader) => throw null; - public static int GetHeapMetadataOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.HeapIndex heapIndex) => throw null; - public static int GetHeapSize(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.HeapIndex heapIndex) => throw null; - public static System.Reflection.Metadata.BlobHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.BlobHandle handle) => throw null; - public static System.Reflection.Metadata.StringHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.StringHandle handle) => throw null; - public static System.Reflection.Metadata.UserStringHandle GetNextHandle(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.UserStringHandle handle) => throw null; - public static int GetTableMetadataOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; - public static int GetTableRowCount(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; - public static int GetTableRowSize(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Ecma335.TableIndex tableIndex) => throw null; - public static System.Collections.Generic.IEnumerable GetTypesWithEvents(this System.Reflection.Metadata.MetadataReader reader) => throw null; - public static System.Collections.Generic.IEnumerable GetTypesWithProperties(this System.Reflection.Metadata.MetadataReader reader) => throw null; - public static System.Reflection.Metadata.SignatureTypeKind ResolveSignatureTypeKind(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle typeHandle, System.Byte rawTypeKind) => throw null; + Module = 0, + TypeRef = 1, + TypeDef = 2, + FieldPtr = 3, + Field = 4, + MethodPtr = 5, + MethodDef = 6, + ParamPtr = 7, + Param = 8, + InterfaceImpl = 9, + MemberRef = 10, + Constant = 11, + CustomAttribute = 12, + FieldMarshal = 13, + DeclSecurity = 14, + ClassLayout = 15, + FieldLayout = 16, + StandAloneSig = 17, + EventMap = 18, + EventPtr = 19, + Event = 20, + PropertyMap = 21, + PropertyPtr = 22, + Property = 23, + MethodSemantics = 24, + MethodImpl = 25, + ModuleRef = 26, + TypeSpec = 27, + ImplMap = 28, + FieldRva = 29, + EncLog = 30, + EncMap = 31, + Assembly = 32, + AssemblyProcessor = 33, + AssemblyOS = 34, + AssemblyRef = 35, + AssemblyRefProcessor = 36, + AssemblyRefOS = 37, + File = 38, + ExportedType = 39, + ManifestResource = 40, + NestedClass = 41, + GenericParam = 42, + MethodSpec = 43, + GenericParamConstraint = 44, + Document = 48, + MethodDebugInformation = 49, + LocalScope = 50, + LocalVariable = 51, + LocalConstant = 52, + ImportScope = 53, + StateMachineMethod = 54, + CustomDebugInformation = 55, } - - public class MetadataRootBuilder + public struct VectorEncoder { - public MetadataRootBuilder(System.Reflection.Metadata.Ecma335.MetadataBuilder tablesAndHeaps, string metadataVersion = default(string), bool suppressValidation = default(bool)) => throw null; - public string MetadataVersion { get => throw null; } - public void Serialize(System.Reflection.Metadata.BlobBuilder builder, int methodBodyStreamRva, int mappedFieldDataStreamRva) => throw null; - public System.Reflection.Metadata.Ecma335.MetadataSizes Sizes { get => throw null; } - public bool SuppressValidation { get => throw null; } + public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } + public System.Reflection.Metadata.Ecma335.LiteralsEncoder Count(int count) => throw null; + public VectorEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + } + } + public struct EntityHandle : System.IEquatable + { + public static System.Reflection.Metadata.AssemblyDefinitionHandle AssemblyDefinition; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.EntityHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public System.Reflection.Metadata.HandleKind Kind { get => throw null; } + public static System.Reflection.Metadata.ModuleDefinitionHandle ModuleDefinition; + public static bool operator ==(System.Reflection.Metadata.EntityHandle left, System.Reflection.Metadata.EntityHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.EntityHandle left, System.Reflection.Metadata.EntityHandle right) => throw null; + } + public struct EventAccessors + { + public System.Reflection.Metadata.MethodDefinitionHandle Adder { get => throw null; } + public System.Collections.Immutable.ImmutableArray Others { get => throw null; } + public System.Reflection.Metadata.MethodDefinitionHandle Raiser { get => throw null; } + public System.Reflection.Metadata.MethodDefinitionHandle Remover { get => throw null; } + } + public struct EventDefinition + { + public System.Reflection.EventAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.EventAccessors GetAccessors() => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.EntityHandle Type { get => throw null; } + } + public struct EventDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.EventDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.EventDefinitionHandle left, System.Reflection.Metadata.EventDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.EventDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.EventDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.EventDefinitionHandle left, System.Reflection.Metadata.EventDefinitionHandle right) => throw null; + } + public struct EventDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public System.Reflection.Metadata.EventDefinitionHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public class MetadataSizes + public System.Reflection.Metadata.EventDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct ExceptionRegion + { + public System.Reflection.Metadata.EntityHandle CatchType { get => throw null; } + public int FilterOffset { get => throw null; } + public int HandlerLength { get => throw null; } + public int HandlerOffset { get => throw null; } + public System.Reflection.Metadata.ExceptionRegionKind Kind { get => throw null; } + public int TryLength { get => throw null; } + public int TryOffset { get => throw null; } + } + public enum ExceptionRegionKind : ushort + { + Catch = 0, + Filter = 1, + Finally = 2, + Fault = 4, + } + public struct ExportedType + { + public System.Reflection.TypeAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.EntityHandle Implementation { get => throw null; } + public bool IsForwarder { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } + public System.Reflection.Metadata.NamespaceDefinitionHandle NamespaceDefinition { get => throw null; } + } + public struct ExportedTypeHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ExportedTypeHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ExportedTypeHandle left, System.Reflection.Metadata.ExportedTypeHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ExportedTypeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ExportedTypeHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ExportedTypeHandle left, System.Reflection.Metadata.ExportedTypeHandle right) => throw null; + } + public struct ExportedTypeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Collections.Immutable.ImmutableArray ExternalRowCounts { get => throw null; } - public int GetAlignedHeapSize(System.Reflection.Metadata.Ecma335.HeapIndex index) => throw null; - public System.Collections.Immutable.ImmutableArray HeapSizes { get => throw null; } - public System.Collections.Immutable.ImmutableArray RowCounts { get => throw null; } + public System.Reflection.Metadata.ExportedTypeHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public static class MetadataTokens + public System.Reflection.Metadata.ExportedTypeHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct FieldDefinition + { + public System.Reflection.FieldAttributes Attributes { get => throw null; } + public TType DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; + public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; + public System.Reflection.Metadata.BlobHandle GetMarshallingDescriptor() => throw null; + public int GetOffset() => throw null; + public int GetRelativeVirtualAddress() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct FieldDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.FieldDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.FieldDefinitionHandle left, System.Reflection.Metadata.FieldDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.FieldDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.FieldDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.FieldDefinitionHandle left, System.Reflection.Metadata.FieldDefinitionHandle right) => throw null; + } + public struct FieldDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public System.Reflection.Metadata.FieldDefinitionHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } + public System.Reflection.Metadata.FieldDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct GenericParameter + { + public System.Reflection.GenericParameterAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.GenericParameterConstraintHandleCollection GetConstraints() => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public int Index { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } + } + public struct GenericParameterConstraint + { + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.GenericParameterHandle Parameter { get => throw null; } + public System.Reflection.Metadata.EntityHandle Type { get => throw null; } + } + public struct GenericParameterConstraintHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.GenericParameterConstraintHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.GenericParameterConstraintHandle left, System.Reflection.Metadata.GenericParameterConstraintHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.GenericParameterConstraintHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.GenericParameterConstraintHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.GenericParameterConstraintHandle left, System.Reflection.Metadata.GenericParameterConstraintHandle right) => throw null; + } + public struct GenericParameterConstraintHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public System.Reflection.Metadata.GenericParameterConstraintHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } + public System.Reflection.Metadata.GenericParameterConstraintHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Reflection.Metadata.GenericParameterConstraintHandle this[int index] { get => throw null; } + } + public struct GenericParameterHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.GenericParameterHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.GenericParameterHandle left, System.Reflection.Metadata.GenericParameterHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.GenericParameterHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.GenericParameterHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.GenericParameterHandle left, System.Reflection.Metadata.GenericParameterHandle right) => throw null; + } + public struct GenericParameterHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public System.Reflection.Metadata.GenericParameterHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } + public System.Reflection.Metadata.GenericParameterHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Reflection.Metadata.GenericParameterHandle this[int index] { get => throw null; } + } + public struct GuidHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.GuidHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.GuidHandle left, System.Reflection.Metadata.GuidHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.GuidHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.GuidHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.GuidHandle left, System.Reflection.Metadata.GuidHandle right) => throw null; + } + public struct Handle : System.IEquatable + { + public static System.Reflection.Metadata.AssemblyDefinitionHandle AssemblyDefinition; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.Handle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public System.Reflection.Metadata.HandleKind Kind { get => throw null; } + public static System.Reflection.Metadata.ModuleDefinitionHandle ModuleDefinition; + public static bool operator ==(System.Reflection.Metadata.Handle left, System.Reflection.Metadata.Handle right) => throw null; + public static bool operator !=(System.Reflection.Metadata.Handle left, System.Reflection.Metadata.Handle right) => throw null; + } + public sealed class HandleComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.Generic.IEqualityComparer + { + public int Compare(System.Reflection.Metadata.EntityHandle x, System.Reflection.Metadata.EntityHandle y) => throw null; + public int Compare(System.Reflection.Metadata.Handle x, System.Reflection.Metadata.Handle y) => throw null; + public static System.Reflection.Metadata.HandleComparer Default { get => throw null; } + public bool Equals(System.Reflection.Metadata.EntityHandle x, System.Reflection.Metadata.EntityHandle y) => throw null; + public bool Equals(System.Reflection.Metadata.Handle x, System.Reflection.Metadata.Handle y) => throw null; + public int GetHashCode(System.Reflection.Metadata.EntityHandle obj) => throw null; + public int GetHashCode(System.Reflection.Metadata.Handle obj) => throw null; + } + public enum HandleKind : byte + { + ModuleDefinition = 0, + TypeReference = 1, + TypeDefinition = 2, + FieldDefinition = 4, + MethodDefinition = 6, + Parameter = 8, + InterfaceImplementation = 9, + MemberReference = 10, + Constant = 11, + CustomAttribute = 12, + DeclarativeSecurityAttribute = 14, + StandaloneSignature = 17, + EventDefinition = 20, + PropertyDefinition = 23, + MethodImplementation = 25, + ModuleReference = 26, + TypeSpecification = 27, + AssemblyDefinition = 32, + AssemblyReference = 35, + AssemblyFile = 38, + ExportedType = 39, + ManifestResource = 40, + GenericParameter = 42, + MethodSpecification = 43, + GenericParameterConstraint = 44, + Document = 48, + MethodDebugInformation = 49, + LocalScope = 50, + LocalVariable = 51, + LocalConstant = 52, + ImportScope = 53, + CustomDebugInformation = 55, + UserString = 112, + Blob = 113, + Guid = 114, + String = 120, + NamespaceDefinition = 124, + } + public interface IConstructedTypeProvider : System.Reflection.Metadata.ISZArrayTypeProvider + { + TType GetArrayType(TType elementType, System.Reflection.Metadata.ArrayShape shape); + TType GetByReferenceType(TType elementType); + TType GetGenericInstantiation(TType genericType, System.Collections.Immutable.ImmutableArray typeArguments); + TType GetPointerType(TType elementType); + } + public interface ICustomAttributeTypeProvider : System.Reflection.Metadata.ISimpleTypeProvider, System.Reflection.Metadata.ISZArrayTypeProvider + { + TType GetSystemType(); + TType GetTypeFromSerializedName(string name); + System.Reflection.Metadata.PrimitiveTypeCode GetUnderlyingEnumType(TType type); + bool IsSystemType(TType type); + } + public enum ILOpCode : ushort + { + Nop = 0, + Break = 1, + Ldarg_0 = 2, + Ldarg_1 = 3, + Ldarg_2 = 4, + Ldarg_3 = 5, + Ldloc_0 = 6, + Ldloc_1 = 7, + Ldloc_2 = 8, + Ldloc_3 = 9, + Stloc_0 = 10, + Stloc_1 = 11, + Stloc_2 = 12, + Stloc_3 = 13, + Ldarg_s = 14, + Ldarga_s = 15, + Starg_s = 16, + Ldloc_s = 17, + Ldloca_s = 18, + Stloc_s = 19, + Ldnull = 20, + Ldc_i4_m1 = 21, + Ldc_i4_0 = 22, + Ldc_i4_1 = 23, + Ldc_i4_2 = 24, + Ldc_i4_3 = 25, + Ldc_i4_4 = 26, + Ldc_i4_5 = 27, + Ldc_i4_6 = 28, + Ldc_i4_7 = 29, + Ldc_i4_8 = 30, + Ldc_i4_s = 31, + Ldc_i4 = 32, + Ldc_i8 = 33, + Ldc_r4 = 34, + Ldc_r8 = 35, + Dup = 37, + Pop = 38, + Jmp = 39, + Call = 40, + Calli = 41, + Ret = 42, + Br_s = 43, + Brfalse_s = 44, + Brtrue_s = 45, + Beq_s = 46, + Bge_s = 47, + Bgt_s = 48, + Ble_s = 49, + Blt_s = 50, + Bne_un_s = 51, + Bge_un_s = 52, + Bgt_un_s = 53, + Ble_un_s = 54, + Blt_un_s = 55, + Br = 56, + Brfalse = 57, + Brtrue = 58, + Beq = 59, + Bge = 60, + Bgt = 61, + Ble = 62, + Blt = 63, + Bne_un = 64, + Bge_un = 65, + Bgt_un = 66, + Ble_un = 67, + Blt_un = 68, + Switch = 69, + Ldind_i1 = 70, + Ldind_u1 = 71, + Ldind_i2 = 72, + Ldind_u2 = 73, + Ldind_i4 = 74, + Ldind_u4 = 75, + Ldind_i8 = 76, + Ldind_i = 77, + Ldind_r4 = 78, + Ldind_r8 = 79, + Ldind_ref = 80, + Stind_ref = 81, + Stind_i1 = 82, + Stind_i2 = 83, + Stind_i4 = 84, + Stind_i8 = 85, + Stind_r4 = 86, + Stind_r8 = 87, + Add = 88, + Sub = 89, + Mul = 90, + Div = 91, + Div_un = 92, + Rem = 93, + Rem_un = 94, + And = 95, + Or = 96, + Xor = 97, + Shl = 98, + Shr = 99, + Shr_un = 100, + Neg = 101, + Not = 102, + Conv_i1 = 103, + Conv_i2 = 104, + Conv_i4 = 105, + Conv_i8 = 106, + Conv_r4 = 107, + Conv_r8 = 108, + Conv_u4 = 109, + Conv_u8 = 110, + Callvirt = 111, + Cpobj = 112, + Ldobj = 113, + Ldstr = 114, + Newobj = 115, + Castclass = 116, + Isinst = 117, + Conv_r_un = 118, + Unbox = 121, + Throw = 122, + Ldfld = 123, + Ldflda = 124, + Stfld = 125, + Ldsfld = 126, + Ldsflda = 127, + Stsfld = 128, + Stobj = 129, + Conv_ovf_i1_un = 130, + Conv_ovf_i2_un = 131, + Conv_ovf_i4_un = 132, + Conv_ovf_i8_un = 133, + Conv_ovf_u1_un = 134, + Conv_ovf_u2_un = 135, + Conv_ovf_u4_un = 136, + Conv_ovf_u8_un = 137, + Conv_ovf_i_un = 138, + Conv_ovf_u_un = 139, + Box = 140, + Newarr = 141, + Ldlen = 142, + Ldelema = 143, + Ldelem_i1 = 144, + Ldelem_u1 = 145, + Ldelem_i2 = 146, + Ldelem_u2 = 147, + Ldelem_i4 = 148, + Ldelem_u4 = 149, + Ldelem_i8 = 150, + Ldelem_i = 151, + Ldelem_r4 = 152, + Ldelem_r8 = 153, + Ldelem_ref = 154, + Stelem_i = 155, + Stelem_i1 = 156, + Stelem_i2 = 157, + Stelem_i4 = 158, + Stelem_i8 = 159, + Stelem_r4 = 160, + Stelem_r8 = 161, + Stelem_ref = 162, + Ldelem = 163, + Stelem = 164, + Unbox_any = 165, + Conv_ovf_i1 = 179, + Conv_ovf_u1 = 180, + Conv_ovf_i2 = 181, + Conv_ovf_u2 = 182, + Conv_ovf_i4 = 183, + Conv_ovf_u4 = 184, + Conv_ovf_i8 = 185, + Conv_ovf_u8 = 186, + Refanyval = 194, + Ckfinite = 195, + Mkrefany = 198, + Ldtoken = 208, + Conv_u2 = 209, + Conv_u1 = 210, + Conv_i = 211, + Conv_ovf_i = 212, + Conv_ovf_u = 213, + Add_ovf = 214, + Add_ovf_un = 215, + Mul_ovf = 216, + Mul_ovf_un = 217, + Sub_ovf = 218, + Sub_ovf_un = 219, + Endfinally = 220, + Leave = 221, + Leave_s = 222, + Stind_i = 223, + Conv_u = 224, + Arglist = 65024, + Ceq = 65025, + Cgt = 65026, + Cgt_un = 65027, + Clt = 65028, + Clt_un = 65029, + Ldftn = 65030, + Ldvirtftn = 65031, + Ldarg = 65033, + Ldarga = 65034, + Starg = 65035, + Ldloc = 65036, + Ldloca = 65037, + Stloc = 65038, + Localloc = 65039, + Endfilter = 65041, + Unaligned = 65042, + Volatile = 65043, + Tail = 65044, + Initobj = 65045, + Constrained = 65046, + Cpblk = 65047, + Initblk = 65048, + Rethrow = 65050, + Sizeof = 65052, + Refanytype = 65053, + Readonly = 65054, + } + public static partial class ILOpCodeExtensions + { + public static int GetBranchOperandSize(this System.Reflection.Metadata.ILOpCode opCode) => throw null; + public static System.Reflection.Metadata.ILOpCode GetLongBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; + public static System.Reflection.Metadata.ILOpCode GetShortBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; + public static bool IsBranch(this System.Reflection.Metadata.ILOpCode opCode) => throw null; + } + public class ImageFormatLimitationException : System.Exception + { + public ImageFormatLimitationException() => throw null; + public ImageFormatLimitationException(string message) => throw null; + public ImageFormatLimitationException(string message, System.Exception innerException) => throw null; + protected ImageFormatLimitationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public struct ImportDefinition + { + public System.Reflection.Metadata.BlobHandle Alias { get => throw null; } + public System.Reflection.Metadata.ImportDefinitionKind Kind { get => throw null; } + public System.Reflection.Metadata.AssemblyReferenceHandle TargetAssembly { get => throw null; } + public System.Reflection.Metadata.BlobHandle TargetNamespace { get => throw null; } + public System.Reflection.Metadata.EntityHandle TargetType { get => throw null; } + } + public struct ImportDefinitionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public static System.Reflection.Metadata.AssemblyFileHandle AssemblyFileHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.AssemblyReferenceHandle AssemblyReferenceHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.BlobHandle BlobHandle(int offset) => throw null; - public static System.Reflection.Metadata.ConstantHandle ConstantHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.CustomAttributeHandle CustomAttributeHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.CustomDebugInformationHandle CustomDebugInformationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.DeclarativeSecurityAttributeHandle DeclarativeSecurityAttributeHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.DocumentHandle DocumentHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.DocumentNameBlobHandle DocumentNameBlobHandle(int offset) => throw null; - public static System.Reflection.Metadata.EntityHandle EntityHandle(System.Reflection.Metadata.Ecma335.TableIndex tableIndex, int rowNumber) => throw null; - public static System.Reflection.Metadata.EntityHandle EntityHandle(int token) => throw null; - public static System.Reflection.Metadata.EventDefinitionHandle EventDefinitionHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.ExportedTypeHandle ExportedTypeHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.FieldDefinitionHandle FieldDefinitionHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.GenericParameterConstraintHandle GenericParameterConstraintHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.GenericParameterHandle GenericParameterHandle(int rowNumber) => throw null; - public static int GetHeapOffset(System.Reflection.Metadata.BlobHandle handle) => throw null; - public static int GetHeapOffset(System.Reflection.Metadata.GuidHandle handle) => throw null; - public static int GetHeapOffset(System.Reflection.Metadata.Handle handle) => throw null; - public static int GetHeapOffset(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Handle handle) => throw null; - public static int GetHeapOffset(System.Reflection.Metadata.StringHandle handle) => throw null; - public static int GetHeapOffset(System.Reflection.Metadata.UserStringHandle handle) => throw null; - public static int GetRowNumber(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int GetRowNumber(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int GetToken(System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int GetToken(System.Reflection.Metadata.Handle handle) => throw null; - public static int GetToken(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.EntityHandle handle) => throw null; - public static int GetToken(this System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.Handle handle) => throw null; - public static System.Reflection.Metadata.GuidHandle GuidHandle(int offset) => throw null; - public static System.Reflection.Metadata.EntityHandle Handle(System.Reflection.Metadata.Ecma335.TableIndex tableIndex, int rowNumber) => throw null; - public static System.Reflection.Metadata.Handle Handle(int token) => throw null; - public static int HeapCount; - public static System.Reflection.Metadata.ImportScopeHandle ImportScopeHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.InterfaceImplementationHandle InterfaceImplementationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.LocalConstantHandle LocalConstantHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.LocalScopeHandle LocalScopeHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.LocalVariableHandle LocalVariableHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.ManifestResourceHandle ManifestResourceHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.MemberReferenceHandle MemberReferenceHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.MethodDebugInformationHandle MethodDebugInformationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.MethodDefinitionHandle MethodDefinitionHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.MethodImplementationHandle MethodImplementationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.MethodSpecificationHandle MethodSpecificationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.ModuleReferenceHandle ModuleReferenceHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.ParameterHandle ParameterHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.PropertyDefinitionHandle PropertyDefinitionHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.StandaloneSignatureHandle StandaloneSignatureHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.StringHandle StringHandle(int offset) => throw null; - public static int TableCount; - public static bool TryGetHeapIndex(System.Reflection.Metadata.HandleKind type, out System.Reflection.Metadata.Ecma335.HeapIndex index) => throw null; - public static bool TryGetTableIndex(System.Reflection.Metadata.HandleKind type, out System.Reflection.Metadata.Ecma335.TableIndex index) => throw null; - public static System.Reflection.Metadata.TypeDefinitionHandle TypeDefinitionHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.TypeReferenceHandle TypeReferenceHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.TypeSpecificationHandle TypeSpecificationHandle(int rowNumber) => throw null; - public static System.Reflection.Metadata.UserStringHandle UserStringHandle(int offset) => throw null; + public System.Reflection.Metadata.ImportDefinition Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; } - - [System.Flags] - public enum MethodBodyAttributes : int + public System.Reflection.Metadata.ImportDefinitionCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public enum ImportDefinitionKind + { + ImportNamespace = 1, + ImportAssemblyNamespace = 2, + ImportType = 3, + ImportXmlNamespace = 4, + ImportAssemblyReferenceAlias = 5, + AliasAssemblyReference = 6, + AliasNamespace = 7, + AliasAssemblyNamespace = 8, + AliasType = 9, + } + public struct ImportScope + { + public System.Reflection.Metadata.ImportDefinitionCollection GetImports() => throw null; + public System.Reflection.Metadata.BlobHandle ImportsBlob { get => throw null; } + public System.Reflection.Metadata.ImportScopeHandle Parent { get => throw null; } + } + public struct ImportScopeCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - InitLocals = 1, - None = 0, + public System.Reflection.Metadata.ImportScopeHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct MethodBodyStreamEncoder + public System.Reflection.Metadata.ImportScopeCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct ImportScopeHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ImportScopeHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ImportScopeHandle left, System.Reflection.Metadata.ImportScopeHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ImportScopeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ImportScopeHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ImportScopeHandle left, System.Reflection.Metadata.ImportScopeHandle right) => throw null; + } + public struct InterfaceImplementation + { + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.EntityHandle Interface { get => throw null; } + } + public struct InterfaceImplementationHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.InterfaceImplementationHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.InterfaceImplementationHandle left, System.Reflection.Metadata.InterfaceImplementationHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.InterfaceImplementationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.InterfaceImplementationHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.InterfaceImplementationHandle left, System.Reflection.Metadata.InterfaceImplementationHandle right) => throw null; + } + public struct InterfaceImplementationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public struct MethodBody - { - public System.Reflection.Metadata.Ecma335.ExceptionRegionEncoder ExceptionRegions { get => throw null; } - public System.Reflection.Metadata.Blob Instructions { get => throw null; } - // Stub generator skipped constructor - public int Offset { get => throw null; } - } - - - public int AddMethodBody(System.Reflection.Metadata.Ecma335.InstructionEncoder instructionEncoder, int maxStack, System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature, System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes) => throw null; - public int AddMethodBody(System.Reflection.Metadata.Ecma335.InstructionEncoder instructionEncoder, int maxStack = default(int), System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature = default(System.Reflection.Metadata.StandaloneSignatureHandle), System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes = default(System.Reflection.Metadata.Ecma335.MethodBodyAttributes), bool hasDynamicStackAllocation = default(bool)) => throw null; - public System.Reflection.Metadata.Ecma335.MethodBodyStreamEncoder.MethodBody AddMethodBody(int codeSize, int maxStack, int exceptionRegionCount, bool hasSmallExceptionRegions, System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature, System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes) => throw null; - public System.Reflection.Metadata.Ecma335.MethodBodyStreamEncoder.MethodBody AddMethodBody(int codeSize, int maxStack = default(int), int exceptionRegionCount = default(int), bool hasSmallExceptionRegions = default(bool), System.Reflection.Metadata.StandaloneSignatureHandle localVariablesSignature = default(System.Reflection.Metadata.StandaloneSignatureHandle), System.Reflection.Metadata.Ecma335.MethodBodyAttributes attributes = default(System.Reflection.Metadata.Ecma335.MethodBodyAttributes), bool hasDynamicStackAllocation = default(bool)) => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public MethodBodyStreamEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.InterfaceImplementationHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct MethodSignatureEncoder + public System.Reflection.Metadata.InterfaceImplementationHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public interface ISignatureTypeProvider : System.Reflection.Metadata.IConstructedTypeProvider, System.Reflection.Metadata.ISZArrayTypeProvider, System.Reflection.Metadata.ISimpleTypeProvider + { + TType GetFunctionPointerType(System.Reflection.Metadata.MethodSignature signature); + TType GetGenericMethodParameter(TGenericContext genericContext, int index); + TType GetGenericTypeParameter(TGenericContext genericContext, int index); + TType GetModifiedType(TType modifier, TType unmodifiedType, bool isRequired); + TType GetPinnedType(TType elementType); + TType GetTypeFromSpecification(System.Reflection.Metadata.MetadataReader reader, TGenericContext genericContext, System.Reflection.Metadata.TypeSpecificationHandle handle, byte rawTypeKind); + } + public interface ISimpleTypeProvider + { + TType GetPrimitiveType(System.Reflection.Metadata.PrimitiveTypeCode typeCode); + TType GetTypeFromDefinition(System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.TypeDefinitionHandle handle, byte rawTypeKind); + TType GetTypeFromReference(System.Reflection.Metadata.MetadataReader reader, System.Reflection.Metadata.TypeReferenceHandle handle, byte rawTypeKind); + } + public interface ISZArrayTypeProvider + { + TType GetSZArrayType(TType elementType); + } + public struct LocalConstant + { + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct LocalConstantHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.LocalConstantHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.LocalConstantHandle left, System.Reflection.Metadata.LocalConstantHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.LocalConstantHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.LocalConstantHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.LocalConstantHandle left, System.Reflection.Metadata.LocalConstantHandle right) => throw null; + } + public struct LocalConstantHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public bool HasVarArgs { get => throw null; } - // Stub generator skipped constructor - public MethodSignatureEncoder(System.Reflection.Metadata.BlobBuilder builder, bool hasVarArgs) => throw null; - public void Parameters(int parameterCount, System.Action returnType, System.Action parameters) => throw null; - public void Parameters(int parameterCount, out System.Reflection.Metadata.Ecma335.ReturnTypeEncoder returnType, out System.Reflection.Metadata.Ecma335.ParametersEncoder parameters) => throw null; + public System.Reflection.Metadata.LocalConstantHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct NameEncoder + public System.Reflection.Metadata.LocalConstantHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct LocalScope + { + public int EndOffset { get => throw null; } + public System.Reflection.Metadata.LocalScopeHandleCollection.ChildrenEnumerator GetChildren() => throw null; + public System.Reflection.Metadata.LocalConstantHandleCollection GetLocalConstants() => throw null; + public System.Reflection.Metadata.LocalVariableHandleCollection GetLocalVariables() => throw null; + public System.Reflection.Metadata.ImportScopeHandle ImportScope { get => throw null; } + public int Length { get => throw null; } + public System.Reflection.Metadata.MethodDefinitionHandle Method { get => throw null; } + public int StartOffset { get => throw null; } + } + public struct LocalScopeHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.LocalScopeHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.LocalScopeHandle left, System.Reflection.Metadata.LocalScopeHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.LocalScopeHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.LocalScopeHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.LocalScopeHandle left, System.Reflection.Metadata.LocalScopeHandle right) => throw null; + } + public struct LocalScopeHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public struct ChildrenEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void Name(string name) => throw null; - // Stub generator skipped constructor - public NameEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct NamedArgumentTypeEncoder + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public NamedArgumentTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public void Object() => throw null; - public System.Reflection.Metadata.Ecma335.CustomAttributeArrayTypeEncoder SZArray() => throw null; - public System.Reflection.Metadata.Ecma335.CustomAttributeElementTypeEncoder ScalarType() => throw null; + public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct NamedArgumentsEncoder + public System.Reflection.Metadata.LocalScopeHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct LocalVariable + { + public System.Reflection.Metadata.LocalVariableAttributes Attributes { get => throw null; } + public int Index { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + } + [System.Flags] + public enum LocalVariableAttributes + { + None = 0, + DebuggerHidden = 1, + } + public struct LocalVariableHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.LocalVariableHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.LocalVariableHandle left, System.Reflection.Metadata.LocalVariableHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.LocalVariableHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.LocalVariableHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.LocalVariableHandle left, System.Reflection.Metadata.LocalVariableHandle right) => throw null; + } + public struct LocalVariableHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public void AddArgument(bool isField, System.Action type, System.Action name, System.Action literal) => throw null; - public void AddArgument(bool isField, out System.Reflection.Metadata.Ecma335.NamedArgumentTypeEncoder type, out System.Reflection.Metadata.Ecma335.NameEncoder name, out System.Reflection.Metadata.Ecma335.LiteralEncoder literal) => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public NamedArgumentsEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.LocalVariableHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct ParameterTypeEncoder + public System.Reflection.Metadata.LocalVariableHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct ManifestResource + { + public System.Reflection.ManifestResourceAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.EntityHandle Implementation { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public long Offset { get => throw null; } + } + public struct ManifestResourceHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ManifestResourceHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ManifestResourceHandle left, System.Reflection.Metadata.ManifestResourceHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ManifestResourceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ManifestResourceHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ManifestResourceHandle left, System.Reflection.Metadata.ManifestResourceHandle right) => throw null; + } + public struct ManifestResourceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; - // Stub generator skipped constructor - public ParameterTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; - public void TypedReference() => throw null; + public System.Reflection.Metadata.ManifestResourceHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct ParametersEncoder + public System.Reflection.Metadata.ManifestResourceHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct MemberReference + { + public TType DecodeFieldSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.MemberReferenceKind GetKind() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.EntityHandle Parent { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct MemberReferenceHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.MemberReferenceHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.MemberReferenceHandle left, System.Reflection.Metadata.MemberReferenceHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.MemberReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.MemberReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.MemberReferenceHandle left, System.Reflection.Metadata.MemberReferenceHandle right) => throw null; + } + public struct MemberReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.Ecma335.ParameterTypeEncoder AddParameter() => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public bool HasVarArgs { get => throw null; } - // Stub generator skipped constructor - public ParametersEncoder(System.Reflection.Metadata.BlobBuilder builder, bool hasVarArgs = default(bool)) => throw null; - public System.Reflection.Metadata.Ecma335.ParametersEncoder StartVarArgs() => throw null; + public System.Reflection.Metadata.MemberReferenceHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct PermissionSetEncoder + public System.Reflection.Metadata.MemberReferenceHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public enum MemberReferenceKind + { + Method = 0, + Field = 1, + } + public enum MetadataKind + { + Ecma335 = 0, + WindowsMetadata = 1, + ManagedWindowsMetadata = 2, + } + public sealed class MetadataReader + { + public System.Reflection.Metadata.AssemblyFileHandleCollection AssemblyFiles { get => throw null; } + public System.Reflection.Metadata.AssemblyReferenceHandleCollection AssemblyReferences { get => throw null; } + public unsafe MetadataReader(byte* metadata, int length) => throw null; + public unsafe MetadataReader(byte* metadata, int length, System.Reflection.Metadata.MetadataReaderOptions options) => throw null; + public unsafe MetadataReader(byte* metadata, int length, System.Reflection.Metadata.MetadataReaderOptions options, System.Reflection.Metadata.MetadataStringDecoder utf8Decoder) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection CustomAttributes { get => throw null; } + public System.Reflection.Metadata.CustomDebugInformationHandleCollection CustomDebugInformation { get => throw null; } + public System.Reflection.Metadata.DebugMetadataHeader DebugMetadataHeader { get => throw null; } + public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection DeclarativeSecurityAttributes { get => throw null; } + public System.Reflection.Metadata.DocumentHandleCollection Documents { get => throw null; } + public System.Reflection.Metadata.EventDefinitionHandleCollection EventDefinitions { get => throw null; } + public System.Reflection.Metadata.ExportedTypeHandleCollection ExportedTypes { get => throw null; } + public System.Reflection.Metadata.FieldDefinitionHandleCollection FieldDefinitions { get => throw null; } + public System.Reflection.Metadata.AssemblyDefinition GetAssemblyDefinition() => throw null; + public System.Reflection.Metadata.AssemblyFile GetAssemblyFile(System.Reflection.Metadata.AssemblyFileHandle handle) => throw null; + public static System.Reflection.AssemblyName GetAssemblyName(string assemblyFile) => throw null; + public System.Reflection.Metadata.AssemblyReference GetAssemblyReference(System.Reflection.Metadata.AssemblyReferenceHandle handle) => throw null; + public byte[] GetBlobBytes(System.Reflection.Metadata.BlobHandle handle) => throw null; + public System.Collections.Immutable.ImmutableArray GetBlobContent(System.Reflection.Metadata.BlobHandle handle) => throw null; + public System.Reflection.Metadata.BlobReader GetBlobReader(System.Reflection.Metadata.BlobHandle handle) => throw null; + public System.Reflection.Metadata.BlobReader GetBlobReader(System.Reflection.Metadata.StringHandle handle) => throw null; + public System.Reflection.Metadata.Constant GetConstant(System.Reflection.Metadata.ConstantHandle handle) => throw null; + public System.Reflection.Metadata.CustomAttribute GetCustomAttribute(System.Reflection.Metadata.CustomAttributeHandle handle) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes(System.Reflection.Metadata.EntityHandle handle) => throw null; + public System.Reflection.Metadata.CustomDebugInformation GetCustomDebugInformation(System.Reflection.Metadata.CustomDebugInformationHandle handle) => throw null; + public System.Reflection.Metadata.CustomDebugInformationHandleCollection GetCustomDebugInformation(System.Reflection.Metadata.EntityHandle handle) => throw null; + public System.Reflection.Metadata.DeclarativeSecurityAttribute GetDeclarativeSecurityAttribute(System.Reflection.Metadata.DeclarativeSecurityAttributeHandle handle) => throw null; + public System.Reflection.Metadata.Document GetDocument(System.Reflection.Metadata.DocumentHandle handle) => throw null; + public System.Reflection.Metadata.EventDefinition GetEventDefinition(System.Reflection.Metadata.EventDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.ExportedType GetExportedType(System.Reflection.Metadata.ExportedTypeHandle handle) => throw null; + public System.Reflection.Metadata.FieldDefinition GetFieldDefinition(System.Reflection.Metadata.FieldDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.GenericParameter GetGenericParameter(System.Reflection.Metadata.GenericParameterHandle handle) => throw null; + public System.Reflection.Metadata.GenericParameterConstraint GetGenericParameterConstraint(System.Reflection.Metadata.GenericParameterConstraintHandle handle) => throw null; + public System.Guid GetGuid(System.Reflection.Metadata.GuidHandle handle) => throw null; + public System.Reflection.Metadata.ImportScope GetImportScope(System.Reflection.Metadata.ImportScopeHandle handle) => throw null; + public System.Reflection.Metadata.InterfaceImplementation GetInterfaceImplementation(System.Reflection.Metadata.InterfaceImplementationHandle handle) => throw null; + public System.Reflection.Metadata.LocalConstant GetLocalConstant(System.Reflection.Metadata.LocalConstantHandle handle) => throw null; + public System.Reflection.Metadata.LocalScope GetLocalScope(System.Reflection.Metadata.LocalScopeHandle handle) => throw null; + public System.Reflection.Metadata.LocalScopeHandleCollection GetLocalScopes(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; + public System.Reflection.Metadata.LocalScopeHandleCollection GetLocalScopes(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.LocalVariable GetLocalVariable(System.Reflection.Metadata.LocalVariableHandle handle) => throw null; + public System.Reflection.Metadata.ManifestResource GetManifestResource(System.Reflection.Metadata.ManifestResourceHandle handle) => throw null; + public System.Reflection.Metadata.MemberReference GetMemberReference(System.Reflection.Metadata.MemberReferenceHandle handle) => throw null; + public System.Reflection.Metadata.MethodDebugInformation GetMethodDebugInformation(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; + public System.Reflection.Metadata.MethodDebugInformation GetMethodDebugInformation(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.MethodDefinition GetMethodDefinition(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.MethodImplementation GetMethodImplementation(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; + public System.Reflection.Metadata.MethodSpecification GetMethodSpecification(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; + public System.Reflection.Metadata.ModuleDefinition GetModuleDefinition() => throw null; + public System.Reflection.Metadata.ModuleReference GetModuleReference(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; + public System.Reflection.Metadata.NamespaceDefinition GetNamespaceDefinition(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.NamespaceDefinition GetNamespaceDefinitionRoot() => throw null; + public System.Reflection.Metadata.Parameter GetParameter(System.Reflection.Metadata.ParameterHandle handle) => throw null; + public System.Reflection.Metadata.PropertyDefinition GetPropertyDefinition(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.StandaloneSignature GetStandaloneSignature(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; + public string GetString(System.Reflection.Metadata.DocumentNameBlobHandle handle) => throw null; + public string GetString(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; + public string GetString(System.Reflection.Metadata.StringHandle handle) => throw null; + public System.Reflection.Metadata.TypeDefinition GetTypeDefinition(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; + public System.Reflection.Metadata.TypeReference GetTypeReference(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; + public System.Reflection.Metadata.TypeSpecification GetTypeSpecification(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; + public string GetUserString(System.Reflection.Metadata.UserStringHandle handle) => throw null; + public System.Reflection.Metadata.ImportScopeCollection ImportScopes { get => throw null; } + public bool IsAssembly { get => throw null; } + public System.Reflection.Metadata.LocalConstantHandleCollection LocalConstants { get => throw null; } + public System.Reflection.Metadata.LocalScopeHandleCollection LocalScopes { get => throw null; } + public System.Reflection.Metadata.LocalVariableHandleCollection LocalVariables { get => throw null; } + public System.Reflection.Metadata.ManifestResourceHandleCollection ManifestResources { get => throw null; } + public System.Reflection.Metadata.MemberReferenceHandleCollection MemberReferences { get => throw null; } + public System.Reflection.Metadata.MetadataKind MetadataKind { get => throw null; } + public int MetadataLength { get => throw null; } + public unsafe byte* MetadataPointer { get => throw null; } + public string MetadataVersion { get => throw null; } + public System.Reflection.Metadata.MethodDebugInformationHandleCollection MethodDebugInformation { get => throw null; } + public System.Reflection.Metadata.MethodDefinitionHandleCollection MethodDefinitions { get => throw null; } + public System.Reflection.Metadata.MetadataReaderOptions Options { get => throw null; } + public System.Reflection.Metadata.PropertyDefinitionHandleCollection PropertyDefinitions { get => throw null; } + public System.Reflection.Metadata.MetadataStringComparer StringComparer { get => throw null; } + public System.Reflection.Metadata.TypeDefinitionHandleCollection TypeDefinitions { get => throw null; } + public System.Reflection.Metadata.TypeReferenceHandleCollection TypeReferences { get => throw null; } + public System.Reflection.Metadata.MetadataStringDecoder UTF8Decoder { get => throw null; } + } + [System.Flags] + public enum MetadataReaderOptions + { + None = 0, + ApplyWindowsRuntimeProjections = 1, + Default = 1, + } + public sealed class MetadataReaderProvider : System.IDisposable + { + public void Dispose() => throw null; + public static unsafe System.Reflection.Metadata.MetadataReaderProvider FromMetadataImage(byte* start, int size) => throw null; + public static System.Reflection.Metadata.MetadataReaderProvider FromMetadataImage(System.Collections.Immutable.ImmutableArray image) => throw null; + public static System.Reflection.Metadata.MetadataReaderProvider FromMetadataStream(System.IO.Stream stream, System.Reflection.Metadata.MetadataStreamOptions options = default(System.Reflection.Metadata.MetadataStreamOptions), int size = default(int)) => throw null; + public static unsafe System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbImage(byte* start, int size) => throw null; + public static System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbImage(System.Collections.Immutable.ImmutableArray image) => throw null; + public static System.Reflection.Metadata.MetadataReaderProvider FromPortablePdbStream(System.IO.Stream stream, System.Reflection.Metadata.MetadataStreamOptions options = default(System.Reflection.Metadata.MetadataStreamOptions), int size = default(int)) => throw null; + public System.Reflection.Metadata.MetadataReader GetMetadataReader(System.Reflection.Metadata.MetadataReaderOptions options = default(System.Reflection.Metadata.MetadataReaderOptions), System.Reflection.Metadata.MetadataStringDecoder utf8Decoder = default(System.Reflection.Metadata.MetadataStringDecoder)) => throw null; + } + [System.Flags] + public enum MetadataStreamOptions + { + Default = 0, + LeaveOpen = 1, + PrefetchMetadata = 2, + } + public struct MetadataStringComparer + { + public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle handle, string value) => throw null; + public bool Equals(System.Reflection.Metadata.DocumentNameBlobHandle handle, string value, bool ignoreCase) => throw null; + public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle handle, string value) => throw null; + public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle handle, string value, bool ignoreCase) => throw null; + public bool Equals(System.Reflection.Metadata.StringHandle handle, string value) => throw null; + public bool Equals(System.Reflection.Metadata.StringHandle handle, string value, bool ignoreCase) => throw null; + public bool StartsWith(System.Reflection.Metadata.StringHandle handle, string value) => throw null; + public bool StartsWith(System.Reflection.Metadata.StringHandle handle, string value, bool ignoreCase) => throw null; + } + public class MetadataStringDecoder + { + public MetadataStringDecoder(System.Text.Encoding encoding) => throw null; + public static System.Reflection.Metadata.MetadataStringDecoder DefaultUTF8 { get => throw null; } + public System.Text.Encoding Encoding { get => throw null; } + public virtual unsafe string GetString(byte* bytes, int byteCount) => throw null; + } + public sealed class MethodBodyBlock + { + public static System.Reflection.Metadata.MethodBodyBlock Create(System.Reflection.Metadata.BlobReader reader) => throw null; + public System.Collections.Immutable.ImmutableArray ExceptionRegions { get => throw null; } + public byte[] GetILBytes() => throw null; + public System.Collections.Immutable.ImmutableArray GetILContent() => throw null; + public System.Reflection.Metadata.BlobReader GetILReader() => throw null; + public System.Reflection.Metadata.StandaloneSignatureHandle LocalSignature { get => throw null; } + public bool LocalVariablesInitialized { get => throw null; } + public int MaxStack { get => throw null; } + public int Size { get => throw null; } + } + public struct MethodDebugInformation + { + public System.Reflection.Metadata.DocumentHandle Document { get => throw null; } + public System.Reflection.Metadata.SequencePointCollection GetSequencePoints() => throw null; + public System.Reflection.Metadata.MethodDefinitionHandle GetStateMachineKickoffMethod() => throw null; + public System.Reflection.Metadata.StandaloneSignatureHandle LocalSignature { get => throw null; } + public System.Reflection.Metadata.BlobHandle SequencePointsBlob { get => throw null; } + } + public struct MethodDebugInformationHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.MethodDebugInformationHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.MethodDebugInformationHandle left, System.Reflection.Metadata.MethodDebugInformationHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.MethodDebugInformationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.MethodDebugInformationHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodDebugInformationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.MethodDebugInformationHandle left, System.Reflection.Metadata.MethodDebugInformationHandle right) => throw null; + public System.Reflection.Metadata.MethodDefinitionHandle ToDefinitionHandle() => throw null; + } + public struct MethodDebugInformationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.Ecma335.PermissionSetEncoder AddPermission(string typeName, System.Reflection.Metadata.BlobBuilder encodedArguments) => throw null; - public System.Reflection.Metadata.Ecma335.PermissionSetEncoder AddPermission(string typeName, System.Collections.Immutable.ImmutableArray encodedArguments) => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - // Stub generator skipped constructor - public PermissionSetEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.MethodDebugInformationHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public class PortablePdbBuilder + public System.Reflection.Metadata.MethodDebugInformationHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct MethodDefinition + { + public System.Reflection.MethodAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.MethodSignature DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection GetDeclarativeSecurityAttributes() => throw null; + public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; + public System.Reflection.Metadata.GenericParameterHandleCollection GetGenericParameters() => throw null; + public System.Reflection.Metadata.MethodImport GetImport() => throw null; + public System.Reflection.Metadata.ParameterHandleCollection GetParameters() => throw null; + public System.Reflection.MethodImplAttributes ImplAttributes { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public int RelativeVirtualAddress { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct MethodDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.MethodDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.MethodDefinitionHandle left, System.Reflection.Metadata.MethodDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.MethodDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.MethodDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.MethodDefinitionHandle left, System.Reflection.Metadata.MethodDefinitionHandle right) => throw null; + public System.Reflection.Metadata.MethodDebugInformationHandle ToDebugInformationHandle() => throw null; + } + public struct MethodDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.UInt16 FormatVersion { get => throw null; } - public System.Func, System.Reflection.Metadata.BlobContentId> IdProvider { get => throw null; } - public string MetadataVersion { get => throw null; } - public PortablePdbBuilder(System.Reflection.Metadata.Ecma335.MetadataBuilder tablesAndHeaps, System.Collections.Immutable.ImmutableArray typeSystemRowCounts, System.Reflection.Metadata.MethodDefinitionHandle entryPoint, System.Func, System.Reflection.Metadata.BlobContentId> idProvider = default(System.Func, System.Reflection.Metadata.BlobContentId>)) => throw null; - public System.Reflection.Metadata.BlobContentId Serialize(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.MethodDefinitionHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct ReturnTypeEncoder + public System.Reflection.Metadata.MethodDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct MethodImplementation + { + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.EntityHandle MethodBody { get => throw null; } + public System.Reflection.Metadata.EntityHandle MethodDeclaration { get => throw null; } + public System.Reflection.Metadata.TypeDefinitionHandle Type { get => throw null; } + } + public struct MethodImplementationHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.MethodImplementationHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.MethodImplementationHandle left, System.Reflection.Metadata.MethodImplementationHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.MethodImplementationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.MethodImplementationHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodImplementationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.MethodImplementationHandle left, System.Reflection.Metadata.MethodImplementationHandle right) => throw null; + } + public struct MethodImplementationHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; - // Stub generator skipped constructor - public ReturnTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Type(bool isByRef = default(bool)) => throw null; - public void TypedReference() => throw null; - public void Void() => throw null; + public System.Reflection.Metadata.MethodImplementationHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct ScalarEncoder + public System.Reflection.Metadata.MethodImplementationHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct MethodImport + { + public System.Reflection.MethodImportAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.ModuleReferenceHandle Module { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + } + public struct MethodSignature + { + public MethodSignature(System.Reflection.Metadata.SignatureHeader header, TType returnType, int requiredParameterCount, int genericParameterCount, System.Collections.Immutable.ImmutableArray parameterTypes) => throw null; + public int GenericParameterCount { get => throw null; } + public System.Reflection.Metadata.SignatureHeader Header { get => throw null; } + public System.Collections.Immutable.ImmutableArray ParameterTypes { get => throw null; } + public int RequiredParameterCount { get => throw null; } + public TType ReturnType { get => throw null; } + } + public struct MethodSpecification + { + public System.Collections.Immutable.ImmutableArray DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.EntityHandle Method { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct MethodSpecificationHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.MethodSpecificationHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.MethodSpecificationHandle left, System.Reflection.Metadata.MethodSpecificationHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.MethodSpecificationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.MethodSpecificationHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.MethodSpecificationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.MethodSpecificationHandle left, System.Reflection.Metadata.MethodSpecificationHandle right) => throw null; + } + public struct ModuleDefinition + { + public System.Reflection.Metadata.GuidHandle BaseGenerationId { get => throw null; } + public int Generation { get => throw null; } + public System.Reflection.Metadata.GuidHandle GenerationId { get => throw null; } + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.GuidHandle Mvid { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + } + public struct ModuleDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ModuleDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ModuleDefinitionHandle left, System.Reflection.Metadata.ModuleDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ModuleDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ModuleDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ModuleDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ModuleDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ModuleDefinitionHandle left, System.Reflection.Metadata.ModuleDefinitionHandle right) => throw null; + } + public struct ModuleReference + { + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + } + public struct ModuleReferenceHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ModuleReferenceHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ModuleReferenceHandle left, System.Reflection.Metadata.ModuleReferenceHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ModuleReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ModuleReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ModuleReferenceHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ModuleReferenceHandle left, System.Reflection.Metadata.ModuleReferenceHandle right) => throw null; + } + public struct NamespaceDefinition + { + public System.Collections.Immutable.ImmutableArray ExportedTypes { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Collections.Immutable.ImmutableArray NamespaceDefinitions { get => throw null; } + public System.Reflection.Metadata.NamespaceDefinitionHandle Parent { get => throw null; } + public System.Collections.Immutable.ImmutableArray TypeDefinitions { get => throw null; } + } + public struct NamespaceDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.NamespaceDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.NamespaceDefinitionHandle left, System.Reflection.Metadata.NamespaceDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.NamespaceDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.NamespaceDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.NamespaceDefinitionHandle left, System.Reflection.Metadata.NamespaceDefinitionHandle right) => throw null; + } + public struct Parameter + { + public System.Reflection.ParameterAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; + public System.Reflection.Metadata.BlobHandle GetMarshallingDescriptor() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public int SequenceNumber { get => throw null; } + } + public struct ParameterHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.ParameterHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.ParameterHandle left, System.Reflection.Metadata.ParameterHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.ParameterHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.ParameterHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.ParameterHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.ParameterHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.ParameterHandle left, System.Reflection.Metadata.ParameterHandle right) => throw null; + } + public struct ParameterHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void Constant(object value) => throw null; - public void NullArray() => throw null; - // Stub generator skipped constructor - public ScalarEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public void SystemType(string serializedTypeName) => throw null; + public System.Reflection.Metadata.ParameterHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct SignatureDecoder + public System.Reflection.Metadata.ParameterHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public static partial class PEReaderExtensions + { + public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader) => throw null; + public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader, System.Reflection.Metadata.MetadataReaderOptions options) => throw null; + public static System.Reflection.Metadata.MetadataReader GetMetadataReader(this System.Reflection.PortableExecutable.PEReader peReader, System.Reflection.Metadata.MetadataReaderOptions options, System.Reflection.Metadata.MetadataStringDecoder utf8Decoder) => throw null; + public static System.Reflection.Metadata.MethodBodyBlock GetMethodBody(this System.Reflection.PortableExecutable.PEReader peReader, int relativeVirtualAddress) => throw null; + } + public enum PrimitiveSerializationTypeCode : byte + { + Boolean = 2, + Char = 3, + SByte = 4, + Byte = 5, + Int16 = 6, + UInt16 = 7, + Int32 = 8, + UInt32 = 9, + Int64 = 10, + UInt64 = 11, + Single = 12, + Double = 13, + String = 14, + } + public enum PrimitiveTypeCode : byte + { + Void = 1, + Boolean = 2, + Char = 3, + SByte = 4, + Byte = 5, + Int16 = 6, + UInt16 = 7, + Int32 = 8, + UInt32 = 9, + Int64 = 10, + UInt64 = 11, + Single = 12, + Double = 13, + String = 14, + TypedReference = 22, + IntPtr = 24, + UIntPtr = 25, + Object = 28, + } + public struct PropertyAccessors + { + public System.Reflection.Metadata.MethodDefinitionHandle Getter { get => throw null; } + public System.Collections.Immutable.ImmutableArray Others { get => throw null; } + public System.Reflection.Metadata.MethodDefinitionHandle Setter { get => throw null; } + } + public struct PropertyDefinition + { + public System.Reflection.PropertyAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.MethodSignature DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.PropertyAccessors GetAccessors() => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.ConstantHandle GetDefaultValue() => throw null; + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct PropertyDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.PropertyDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.PropertyDefinitionHandle left, System.Reflection.Metadata.PropertyDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.PropertyDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.PropertyDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.PropertyDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.PropertyDefinitionHandle left, System.Reflection.Metadata.PropertyDefinitionHandle right) => throw null; + } + public struct PropertyDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public TType DecodeFieldSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; - public System.Collections.Immutable.ImmutableArray DecodeLocalSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; - public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; - public System.Collections.Immutable.ImmutableArray DecodeMethodSpecificationSignature(ref System.Reflection.Metadata.BlobReader blobReader) => throw null; - public TType DecodeType(ref System.Reflection.Metadata.BlobReader blobReader, bool allowTypeSpecifications = default(bool)) => throw null; - // Stub generator skipped constructor - public SignatureDecoder(System.Reflection.Metadata.ISignatureTypeProvider provider, System.Reflection.Metadata.MetadataReader metadataReader, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.PropertyDefinitionHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct SignatureTypeEncoder + public System.Reflection.Metadata.PropertyDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct ReservedBlob where THandle : struct + { + public System.Reflection.Metadata.Blob Content { get => throw null; } + public System.Reflection.Metadata.BlobWriter CreateWriter() => throw null; + public THandle Handle { get => throw null; } + } + public struct SequencePoint : System.IEquatable + { + public System.Reflection.Metadata.DocumentHandle Document { get => throw null; } + public int EndColumn { get => throw null; } + public int EndLine { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.SequencePoint other) => throw null; + public override int GetHashCode() => throw null; + public static int HiddenLine; + public bool IsHidden { get => throw null; } + public int Offset { get => throw null; } + public int StartColumn { get => throw null; } + public int StartLine { get => throw null; } + } + public struct SequencePointCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public void Array(System.Action elementType, System.Action arrayShape) => throw null; - public void Array(out System.Reflection.Metadata.Ecma335.SignatureTypeEncoder elementType, out System.Reflection.Metadata.Ecma335.ArrayShapeEncoder arrayShape) => throw null; - public void Boolean() => throw null; - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public void Byte() => throw null; - public void Char() => throw null; - public System.Reflection.Metadata.Ecma335.CustomModifiersEncoder CustomModifiers() => throw null; - public void Double() => throw null; - public System.Reflection.Metadata.Ecma335.MethodSignatureEncoder FunctionPointer(System.Reflection.Metadata.SignatureCallingConvention convention = default(System.Reflection.Metadata.SignatureCallingConvention), System.Reflection.Metadata.Ecma335.FunctionPointerAttributes attributes = default(System.Reflection.Metadata.Ecma335.FunctionPointerAttributes), int genericParameterCount = default(int)) => throw null; - public System.Reflection.Metadata.Ecma335.GenericTypeArgumentsEncoder GenericInstantiation(System.Reflection.Metadata.EntityHandle genericType, int genericArgumentCount, bool isValueType) => throw null; - public void GenericMethodTypeParameter(int parameterIndex) => throw null; - public void GenericTypeParameter(int parameterIndex) => throw null; - public void Int16() => throw null; - public void Int32() => throw null; - public void Int64() => throw null; - public void IntPtr() => throw null; - public void Object() => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder Pointer() => throw null; - public void PrimitiveType(System.Reflection.Metadata.PrimitiveTypeCode type) => throw null; - public void SByte() => throw null; - public System.Reflection.Metadata.Ecma335.SignatureTypeEncoder SZArray() => throw null; - // Stub generator skipped constructor - public SignatureTypeEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; - public void Single() => throw null; - public void String() => throw null; - public void Type(System.Reflection.Metadata.EntityHandle type, bool isValueType) => throw null; - public void UInt16() => throw null; - public void UInt32() => throw null; - public void UInt64() => throw null; - public void UIntPtr() => throw null; - public void VoidPointer() => throw null; + public System.Reflection.Metadata.SequencePoint Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; } - - public enum TableIndex : byte + public System.Reflection.Metadata.SequencePointCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public enum SerializationTypeCode : byte + { + Invalid = 0, + Boolean = 2, + Char = 3, + SByte = 4, + Byte = 5, + Int16 = 6, + UInt16 = 7, + Int32 = 8, + UInt32 = 9, + Int64 = 10, + UInt64 = 11, + Single = 12, + Double = 13, + String = 14, + SZArray = 29, + Type = 80, + TaggedObject = 81, + Enum = 85, + } + [System.Flags] + public enum SignatureAttributes : byte + { + None = 0, + Generic = 16, + Instance = 32, + ExplicitThis = 64, + } + public enum SignatureCallingConvention : byte + { + Default = 0, + CDecl = 1, + StdCall = 2, + ThisCall = 3, + FastCall = 4, + VarArgs = 5, + Unmanaged = 9, + } + public struct SignatureHeader : System.IEquatable + { + public System.Reflection.Metadata.SignatureAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.SignatureCallingConvention CallingConvention { get => throw null; } + public static byte CallingConventionOrKindMask; + public SignatureHeader(byte rawValue) => throw null; + public SignatureHeader(System.Reflection.Metadata.SignatureKind kind, System.Reflection.Metadata.SignatureCallingConvention convention, System.Reflection.Metadata.SignatureAttributes attributes) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.SignatureHeader other) => throw null; + public override int GetHashCode() => throw null; + public bool HasExplicitThis { get => throw null; } + public bool IsGeneric { get => throw null; } + public bool IsInstance { get => throw null; } + public System.Reflection.Metadata.SignatureKind Kind { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.SignatureHeader left, System.Reflection.Metadata.SignatureHeader right) => throw null; + public static bool operator !=(System.Reflection.Metadata.SignatureHeader left, System.Reflection.Metadata.SignatureHeader right) => throw null; + public byte RawValue { get => throw null; } + public override string ToString() => throw null; + } + public enum SignatureKind : byte + { + Method = 0, + Field = 6, + LocalVariables = 7, + Property = 8, + MethodSpecification = 10, + } + public enum SignatureTypeCode : byte + { + Invalid = 0, + Void = 1, + Boolean = 2, + Char = 3, + SByte = 4, + Byte = 5, + Int16 = 6, + UInt16 = 7, + Int32 = 8, + UInt32 = 9, + Int64 = 10, + UInt64 = 11, + Single = 12, + Double = 13, + String = 14, + Pointer = 15, + ByReference = 16, + GenericTypeParameter = 19, + Array = 20, + GenericTypeInstance = 21, + TypedReference = 22, + IntPtr = 24, + UIntPtr = 25, + FunctionPointer = 27, + Object = 28, + SZArray = 29, + GenericMethodParameter = 30, + RequiredModifier = 31, + OptionalModifier = 32, + TypeHandle = 64, + Sentinel = 65, + Pinned = 69, + } + public enum SignatureTypeKind : byte + { + Unknown = 0, + ValueType = 17, + Class = 18, + } + public struct StandaloneSignature + { + public System.Collections.Immutable.ImmutableArray DecodeLocalSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.MethodSignature DecodeMethodSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.StandaloneSignatureKind GetKind() => throw null; + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct StandaloneSignatureHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.StandaloneSignatureHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.StandaloneSignatureHandle left, System.Reflection.Metadata.StandaloneSignatureHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.StandaloneSignatureHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.StandaloneSignatureHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.StandaloneSignatureHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.StandaloneSignatureHandle left, System.Reflection.Metadata.StandaloneSignatureHandle right) => throw null; + } + public enum StandaloneSignatureKind + { + Method = 0, + LocalVariables = 1, + } + public struct StringHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.StringHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.StringHandle left, System.Reflection.Metadata.StringHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.StringHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.StringHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.StringHandle left, System.Reflection.Metadata.StringHandle right) => throw null; + } + public struct TypeDefinition + { + public System.Reflection.TypeAttributes Attributes { get => throw null; } + public System.Reflection.Metadata.EntityHandle BaseType { get => throw null; } + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.DeclarativeSecurityAttributeHandleCollection GetDeclarativeSecurityAttributes() => throw null; + public System.Reflection.Metadata.TypeDefinitionHandle GetDeclaringType() => throw null; + public System.Reflection.Metadata.EventDefinitionHandleCollection GetEvents() => throw null; + public System.Reflection.Metadata.FieldDefinitionHandleCollection GetFields() => throw null; + public System.Reflection.Metadata.GenericParameterHandleCollection GetGenericParameters() => throw null; + public System.Reflection.Metadata.InterfaceImplementationHandleCollection GetInterfaceImplementations() => throw null; + public System.Reflection.Metadata.TypeLayout GetLayout() => throw null; + public System.Reflection.Metadata.MethodImplementationHandleCollection GetMethodImplementations() => throw null; + public System.Reflection.Metadata.MethodDefinitionHandleCollection GetMethods() => throw null; + public System.Collections.Immutable.ImmutableArray GetNestedTypes() => throw null; + public System.Reflection.Metadata.PropertyDefinitionHandleCollection GetProperties() => throw null; + public bool IsNested { get => throw null; } + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } + public System.Reflection.Metadata.NamespaceDefinitionHandle NamespaceDefinition { get => throw null; } + } + public struct TypeDefinitionHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.TypeDefinitionHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.TypeDefinitionHandle left, System.Reflection.Metadata.TypeDefinitionHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.TypeDefinitionHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.TypeDefinitionHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeDefinitionHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.TypeDefinitionHandle left, System.Reflection.Metadata.TypeDefinitionHandle right) => throw null; + } + public struct TypeDefinitionHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - Assembly = 32, - AssemblyOS = 34, - AssemblyProcessor = 33, - AssemblyRef = 35, - AssemblyRefOS = 37, - AssemblyRefProcessor = 36, - ClassLayout = 15, - Constant = 11, - CustomAttribute = 12, - CustomDebugInformation = 55, - DeclSecurity = 14, - Document = 48, - EncLog = 30, - EncMap = 31, - Event = 20, - EventMap = 18, - EventPtr = 19, - ExportedType = 39, - Field = 4, - FieldLayout = 16, - FieldMarshal = 13, - FieldPtr = 3, - FieldRva = 29, - File = 38, - GenericParam = 42, - GenericParamConstraint = 44, - ImplMap = 28, - ImportScope = 53, - InterfaceImpl = 9, - LocalConstant = 52, - LocalScope = 50, - LocalVariable = 51, - ManifestResource = 40, - MemberRef = 10, - MethodDebugInformation = 49, - MethodDef = 6, - MethodImpl = 25, - MethodPtr = 5, - MethodSemantics = 24, - MethodSpec = 43, - Module = 0, - ModuleRef = 26, - NestedClass = 41, - Param = 8, - ParamPtr = 7, - Property = 23, - PropertyMap = 21, - PropertyPtr = 22, - StandAloneSig = 17, - StateMachineMethod = 54, - TypeDef = 2, - TypeRef = 1, - TypeSpec = 27, + public System.Reflection.Metadata.TypeDefinitionHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - - public struct VectorEncoder + public System.Reflection.Metadata.TypeDefinitionHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct TypeLayout + { + public TypeLayout(int size, int packingSize) => throw null; + public bool IsDefault { get => throw null; } + public int PackingSize { get => throw null; } + public int Size { get => throw null; } + } + public struct TypeReference + { + public System.Reflection.Metadata.StringHandle Name { get => throw null; } + public System.Reflection.Metadata.StringHandle Namespace { get => throw null; } + public System.Reflection.Metadata.EntityHandle ResolutionScope { get => throw null; } + } + public struct TypeReferenceHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.TypeReferenceHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.TypeReferenceHandle left, System.Reflection.Metadata.TypeReferenceHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.TypeReferenceHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.TypeReferenceHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeReferenceHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.TypeReferenceHandle left, System.Reflection.Metadata.TypeReferenceHandle right) => throw null; + } + public struct TypeReferenceHandleCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + public int Count { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public System.Reflection.Metadata.BlobBuilder Builder { get => throw null; } - public System.Reflection.Metadata.Ecma335.LiteralsEncoder Count(int count) => throw null; - // Stub generator skipped constructor - public VectorEncoder(System.Reflection.Metadata.BlobBuilder builder) => throw null; + public System.Reflection.Metadata.TypeReferenceHandle Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + void System.IDisposable.Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; } - + public System.Reflection.Metadata.TypeReferenceHandleCollection.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public struct TypeSpecification + { + public TType DecodeSignature(System.Reflection.Metadata.ISignatureTypeProvider provider, TGenericContext genericContext) => throw null; + public System.Reflection.Metadata.CustomAttributeHandleCollection GetCustomAttributes() => throw null; + public System.Reflection.Metadata.BlobHandle Signature { get => throw null; } + } + public struct TypeSpecificationHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.TypeSpecificationHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.TypeSpecificationHandle left, System.Reflection.Metadata.TypeSpecificationHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.TypeSpecificationHandle(System.Reflection.Metadata.EntityHandle handle) => throw null; + public static explicit operator System.Reflection.Metadata.TypeSpecificationHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.EntityHandle(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.TypeSpecificationHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.TypeSpecificationHandle left, System.Reflection.Metadata.TypeSpecificationHandle right) => throw null; + } + public struct UserStringHandle : System.IEquatable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Metadata.UserStringHandle other) => throw null; + public override int GetHashCode() => throw null; + public bool IsNil { get => throw null; } + public static bool operator ==(System.Reflection.Metadata.UserStringHandle left, System.Reflection.Metadata.UserStringHandle right) => throw null; + public static explicit operator System.Reflection.Metadata.UserStringHandle(System.Reflection.Metadata.Handle handle) => throw null; + public static implicit operator System.Reflection.Metadata.Handle(System.Reflection.Metadata.UserStringHandle handle) => throw null; + public static bool operator !=(System.Reflection.Metadata.UserStringHandle left, System.Reflection.Metadata.UserStringHandle right) => throw null; } } + [System.Flags] + public enum MethodImportAttributes : short + { + None = 0, + ExactSpelling = 1, + CharSetAnsi = 2, + CharSetUnicode = 4, + CharSetAuto = 6, + CharSetMask = 6, + BestFitMappingEnable = 16, + BestFitMappingDisable = 32, + BestFitMappingMask = 48, + SetLastError = 64, + CallingConventionWinApi = 256, + CallingConventionCDecl = 512, + CallingConventionStdCall = 768, + CallingConventionThisCall = 1024, + CallingConventionFastCall = 1280, + CallingConventionMask = 1792, + ThrowOnUnmappableCharEnable = 4096, + ThrowOnUnmappableCharDisable = 8192, + ThrowOnUnmappableCharMask = 12288, + } + [System.Flags] + public enum MethodSemanticsAttributes + { + Setter = 1, + Getter = 2, + Other = 4, + Adder = 8, + Remover = 16, + Raiser = 32, + } namespace PortableExecutable { [System.Flags] public enum Characteristics : ushort { - AggressiveWSTrim = 16, - Bit32Machine = 256, - BytesReversedHi = 32768, - BytesReversedLo = 128, - DebugStripped = 512, - Dll = 8192, + RelocsStripped = 1, ExecutableImage = 2, - LargeAddressAware = 32, LineNumsStripped = 4, LocalSymsStripped = 8, - NetRunFromSwap = 2048, - RelocsStripped = 1, + AggressiveWSTrim = 16, + LargeAddressAware = 32, + BytesReversedLo = 128, + Bit32Machine = 256, + DebugStripped = 512, RemovableRunFromSwap = 1024, + NetRunFromSwap = 2048, System = 4096, + Dll = 8192, UpSystemOnly = 16384, + BytesReversedHi = 32768, } - public struct CodeViewDebugDirectoryData { public int Age { get => throw null; } - // Stub generator skipped constructor public System.Guid Guid { get => throw null; } public string Path { get => throw null; } } - - public class CoffHeader + public sealed class CoffHeader { public System.Reflection.PortableExecutable.Characteristics Characteristics { get => throw null; } public System.Reflection.PortableExecutable.Machine Machine { get => throw null; } - public System.Int16 NumberOfSections { get => throw null; } + public short NumberOfSections { get => throw null; } public int NumberOfSymbols { get => throw null; } public int PointerToSymbolTable { get => throw null; } - public System.Int16 SizeOfOptionalHeader { get => throw null; } + public short SizeOfOptionalHeader { get => throw null; } public int TimeDateStamp { get => throw null; } } - [System.Flags] - public enum CorFlags : int + public enum CorFlags { - ILLibrary = 4, ILOnly = 1, - NativeEntryPoint = 16, - Prefers32Bit = 131072, Requires32Bit = 2, + ILLibrary = 4, StrongNameSigned = 8, + NativeEntryPoint = 16, TrackDebugData = 65536, + Prefers32Bit = 131072, } - - public class CorHeader + public sealed class CorHeader { public System.Reflection.PortableExecutable.DirectoryEntry CodeManagerTableDirectory { get => throw null; } public int EntryPointTokenOrRelativeVirtualAddress { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ExportAddressTableJumpsDirectory { get => throw null; } public System.Reflection.PortableExecutable.CorFlags Flags { get => throw null; } - public System.UInt16 MajorRuntimeVersion { get => throw null; } + public ushort MajorRuntimeVersion { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ManagedNativeHeaderDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry MetadataDirectory { get => throw null; } - public System.UInt16 MinorRuntimeVersion { get => throw null; } + public ushort MinorRuntimeVersion { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ResourcesDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry StrongNameSignatureDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry VtableFixupsDirectory { get => throw null; } } - - public class DebugDirectoryBuilder + public sealed class DebugDirectoryBuilder { - public void AddCodeViewEntry(string pdbPath, System.Reflection.Metadata.BlobContentId pdbContentId, System.UInt16 portablePdbVersion) => throw null; - public void AddCodeViewEntry(string pdbPath, System.Reflection.Metadata.BlobContentId pdbContentId, System.UInt16 portablePdbVersion, int age) => throw null; - public void AddEmbeddedPortablePdbEntry(System.Reflection.Metadata.BlobBuilder debugMetadata, System.UInt16 portablePdbVersion) => throw null; - public void AddEntry(System.Reflection.PortableExecutable.DebugDirectoryEntryType type, System.UInt32 version, System.UInt32 stamp) => throw null; - public void AddEntry(System.Reflection.PortableExecutable.DebugDirectoryEntryType type, System.UInt32 version, System.UInt32 stamp, TData data, System.Action dataSerializer) => throw null; - public void AddPdbChecksumEntry(string algorithmName, System.Collections.Immutable.ImmutableArray checksum) => throw null; + public void AddCodeViewEntry(string pdbPath, System.Reflection.Metadata.BlobContentId pdbContentId, ushort portablePdbVersion) => throw null; + public void AddCodeViewEntry(string pdbPath, System.Reflection.Metadata.BlobContentId pdbContentId, ushort portablePdbVersion, int age) => throw null; + public void AddEmbeddedPortablePdbEntry(System.Reflection.Metadata.BlobBuilder debugMetadata, ushort portablePdbVersion) => throw null; + public void AddEntry(System.Reflection.PortableExecutable.DebugDirectoryEntryType type, uint version, uint stamp) => throw null; + public void AddEntry(System.Reflection.PortableExecutable.DebugDirectoryEntryType type, uint version, uint stamp, TData data, System.Action dataSerializer) => throw null; + public void AddPdbChecksumEntry(string algorithmName, System.Collections.Immutable.ImmutableArray checksum) => throw null; public void AddReproducibleEntry() => throw null; public DebugDirectoryBuilder() => throw null; } - public struct DebugDirectoryEntry { + public DebugDirectoryEntry(uint stamp, ushort majorVersion, ushort minorVersion, System.Reflection.PortableExecutable.DebugDirectoryEntryType type, int dataSize, int dataRelativeVirtualAddress, int dataPointer) => throw null; public int DataPointer { get => throw null; } public int DataRelativeVirtualAddress { get => throw null; } public int DataSize { get => throw null; } - // Stub generator skipped constructor - public DebugDirectoryEntry(System.UInt32 stamp, System.UInt16 majorVersion, System.UInt16 minorVersion, System.Reflection.PortableExecutable.DebugDirectoryEntryType type, int dataSize, int dataRelativeVirtualAddress, int dataPointer) => throw null; public bool IsPortableCodeView { get => throw null; } - public System.UInt16 MajorVersion { get => throw null; } - public System.UInt16 MinorVersion { get => throw null; } - public System.UInt32 Stamp { get => throw null; } + public ushort MajorVersion { get => throw null; } + public ushort MinorVersion { get => throw null; } + public uint Stamp { get => throw null; } public System.Reflection.PortableExecutable.DebugDirectoryEntryType Type { get => throw null; } } - - public enum DebugDirectoryEntryType : int + public enum DebugDirectoryEntryType { - CodeView = 2, + Unknown = 0, Coff = 1, + CodeView = 2, + Reproducible = 16, EmbeddedPortablePdb = 17, PdbChecksum = 19, - Reproducible = 16, - Unknown = 0, } - public struct DirectoryEntry { - // Stub generator skipped constructor public DirectoryEntry(int relativeVirtualAddress, int size) => throw null; public int RelativeVirtualAddress; public int Size; } - [System.Flags] public enum DllCharacteristics : ushort { - AppContainer = 4096, - DynamicBase = 64, - HighEntropyVirtualAddressSpace = 32, - NoBind = 2048, - NoIsolation = 512, - NoSeh = 1024, - NxCompatible = 256, ProcessInit = 1, ProcessTerm = 2, - TerminalServerAware = 32768, ThreadInit = 4, ThreadTerm = 8, + HighEntropyVirtualAddressSpace = 32, + DynamicBase = 64, + NxCompatible = 256, + NoIsolation = 512, + NoSeh = 1024, + NoBind = 2048, + AppContainer = 4096, WdmDriver = 8192, + TerminalServerAware = 32768, } - public enum Machine : ushort { - AM33 = 467, - Alpha = 388, - Alpha64 = 644, - Amd64 = 34404, - Arm = 448, - Arm64 = 43620, - ArmThumb2 = 452, - Ebc = 3772, + Unknown = 0, I386 = 332, - IA64 = 512, - LoongArch32 = 25138, - LoongArch64 = 25188, - M32R = 36929, - MIPS16 = 614, - MipsFpu = 870, - MipsFpu16 = 1126, - PowerPC = 496, - PowerPCFP = 497, + WceMipsV2 = 361, + Alpha = 388, SH3 = 418, SH3Dsp = 419, SH3E = 420, SH4 = 422, SH5 = 424, + Arm = 448, Thumb = 450, + ArmThumb2 = 452, + AM33 = 467, + PowerPC = 496, + PowerPCFP = 497, + IA64 = 512, + MIPS16 = 614, + Alpha64 = 644, + MipsFpu = 870, + MipsFpu16 = 1126, Tricore = 1312, - Unknown = 0, - WceMipsV2 = 361, + Ebc = 3772, + Amd64 = 34404, + M32R = 36929, + Arm64 = 43620, + LoongArch32 = 25138, + LoongArch64 = 25188, } - public class ManagedPEBuilder : System.Reflection.PortableExecutable.PEBuilder { protected override System.Collections.Immutable.ImmutableArray CreateSections() => throw null; - protected internal override System.Reflection.PortableExecutable.PEDirectoriesBuilder GetDirectories() => throw null; public ManagedPEBuilder(System.Reflection.PortableExecutable.PEHeaderBuilder header, System.Reflection.Metadata.Ecma335.MetadataRootBuilder metadataRootBuilder, System.Reflection.Metadata.BlobBuilder ilStream, System.Reflection.Metadata.BlobBuilder mappedFieldData = default(System.Reflection.Metadata.BlobBuilder), System.Reflection.Metadata.BlobBuilder managedResources = default(System.Reflection.Metadata.BlobBuilder), System.Reflection.PortableExecutable.ResourceSectionBuilder nativeResources = default(System.Reflection.PortableExecutable.ResourceSectionBuilder), System.Reflection.PortableExecutable.DebugDirectoryBuilder debugDirectoryBuilder = default(System.Reflection.PortableExecutable.DebugDirectoryBuilder), int strongNameSignatureSize = default(int), System.Reflection.Metadata.MethodDefinitionHandle entryPoint = default(System.Reflection.Metadata.MethodDefinitionHandle), System.Reflection.PortableExecutable.CorFlags flags = default(System.Reflection.PortableExecutable.CorFlags), System.Func, System.Reflection.Metadata.BlobContentId> deterministicIdProvider = default(System.Func, System.Reflection.Metadata.BlobContentId>)) : base(default(System.Reflection.PortableExecutable.PEHeaderBuilder), default(System.Func, System.Reflection.Metadata.BlobContentId>)) => throw null; - public const int ManagedResourcesDataAlignment = default; - public const int MappedFieldDataAlignment = default; + protected override System.Reflection.PortableExecutable.PEDirectoriesBuilder GetDirectories() => throw null; + public static int ManagedResourcesDataAlignment; + public static int MappedFieldDataAlignment; protected override System.Reflection.Metadata.BlobBuilder SerializeSection(string name, System.Reflection.PortableExecutable.SectionLocation location) => throw null; - public void Sign(System.Reflection.Metadata.BlobBuilder peImage, System.Func, System.Byte[]> signatureProvider) => throw null; + public void Sign(System.Reflection.Metadata.BlobBuilder peImage, System.Func, byte[]> signatureProvider) => throw null; + } + public struct PdbChecksumDebugDirectoryData + { + public string AlgorithmName { get => throw null; } + public System.Collections.Immutable.ImmutableArray Checksum { get => throw null; } } - public abstract class PEBuilder { - protected struct Section - { - public System.Reflection.PortableExecutable.SectionCharacteristics Characteristics; - public string Name; - // Stub generator skipped constructor - public Section(string name, System.Reflection.PortableExecutable.SectionCharacteristics characteristics) => throw null; - } - - protected abstract System.Collections.Immutable.ImmutableArray CreateSections(); - protected internal abstract System.Reflection.PortableExecutable.PEDirectoriesBuilder GetDirectories(); + protected PEBuilder(System.Reflection.PortableExecutable.PEHeaderBuilder header, System.Func, System.Reflection.Metadata.BlobContentId> deterministicIdProvider) => throw null; + protected abstract System.Reflection.PortableExecutable.PEDirectoriesBuilder GetDirectories(); protected System.Collections.Immutable.ImmutableArray GetSections() => throw null; public System.Reflection.PortableExecutable.PEHeaderBuilder Header { get => throw null; } public System.Func, System.Reflection.Metadata.BlobContentId> IdProvider { get => throw null; } public bool IsDeterministic { get => throw null; } - protected PEBuilder(System.Reflection.PortableExecutable.PEHeaderBuilder header, System.Func, System.Reflection.Metadata.BlobContentId> deterministicIdProvider) => throw null; + protected struct Section + { + public System.Reflection.PortableExecutable.SectionCharacteristics Characteristics; + public Section(string name, System.Reflection.PortableExecutable.SectionCharacteristics characteristics) => throw null; + public string Name; + } public System.Reflection.Metadata.BlobContentId Serialize(System.Reflection.Metadata.BlobBuilder builder) => throw null; protected abstract System.Reflection.Metadata.BlobBuilder SerializeSection(string name, System.Reflection.PortableExecutable.SectionLocation location); } - - public class PEDirectoriesBuilder - { - public int AddressOfEntryPoint { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry BaseRelocationTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry BoundImportTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry CopyrightTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry CorHeaderTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry DebugTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry DelayImportTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry ExceptionTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry ExportTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry GlobalPointerTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry ImportAddressTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry ImportTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry LoadConfigTable { get => throw null; set => throw null; } + public sealed class PEDirectoriesBuilder + { + public int AddressOfEntryPoint { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry BaseRelocationTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry BoundImportTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry CopyrightTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry CorHeaderTable { get => throw null; set { } } public PEDirectoriesBuilder() => throw null; - public System.Reflection.PortableExecutable.DirectoryEntry ResourceTable { get => throw null; set => throw null; } - public System.Reflection.PortableExecutable.DirectoryEntry ThreadLocalStorageTable { get => throw null; set => throw null; } - } - - public class PEHeader + public System.Reflection.PortableExecutable.DirectoryEntry DebugTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry DelayImportTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ExceptionTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ExportTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry GlobalPointerTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ImportAddressTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ImportTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry LoadConfigTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ResourceTable { get => throw null; set { } } + public System.Reflection.PortableExecutable.DirectoryEntry ThreadLocalStorageTable { get => throw null; set { } } + } + public sealed class PEHeader { public int AddressOfEntryPoint { get => throw null; } public int BaseOfCode { get => throw null; } @@ -3504,7 +3044,7 @@ public class PEHeader public System.Reflection.PortableExecutable.DirectoryEntry BaseRelocationTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry BoundImportTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry CertificateTableDirectory { get => throw null; } - public System.UInt32 CheckSum { get => throw null; } + public uint CheckSum { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry CopyrightTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry CorHeaderTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry DebugTableDirectory { get => throw null; } @@ -3514,67 +3054,68 @@ public class PEHeader public System.Reflection.PortableExecutable.DirectoryEntry ExportTableDirectory { get => throw null; } public int FileAlignment { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry GlobalPointerTableDirectory { get => throw null; } - public System.UInt64 ImageBase { get => throw null; } + public ulong ImageBase { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ImportAddressTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ImportTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry LoadConfigTableDirectory { get => throw null; } public System.Reflection.PortableExecutable.PEMagic Magic { get => throw null; } - public System.UInt16 MajorImageVersion { get => throw null; } - public System.Byte MajorLinkerVersion { get => throw null; } - public System.UInt16 MajorOperatingSystemVersion { get => throw null; } - public System.UInt16 MajorSubsystemVersion { get => throw null; } - public System.UInt16 MinorImageVersion { get => throw null; } - public System.Byte MinorLinkerVersion { get => throw null; } - public System.UInt16 MinorOperatingSystemVersion { get => throw null; } - public System.UInt16 MinorSubsystemVersion { get => throw null; } + public ushort MajorImageVersion { get => throw null; } + public byte MajorLinkerVersion { get => throw null; } + public ushort MajorOperatingSystemVersion { get => throw null; } + public ushort MajorSubsystemVersion { get => throw null; } + public ushort MinorImageVersion { get => throw null; } + public byte MinorLinkerVersion { get => throw null; } + public ushort MinorOperatingSystemVersion { get => throw null; } + public ushort MinorSubsystemVersion { get => throw null; } public int NumberOfRvaAndSizes { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ResourceTableDirectory { get => throw null; } public int SectionAlignment { get => throw null; } public int SizeOfCode { get => throw null; } public int SizeOfHeaders { get => throw null; } - public System.UInt64 SizeOfHeapCommit { get => throw null; } - public System.UInt64 SizeOfHeapReserve { get => throw null; } + public ulong SizeOfHeapCommit { get => throw null; } + public ulong SizeOfHeapReserve { get => throw null; } public int SizeOfImage { get => throw null; } public int SizeOfInitializedData { get => throw null; } - public System.UInt64 SizeOfStackCommit { get => throw null; } - public System.UInt64 SizeOfStackReserve { get => throw null; } + public ulong SizeOfStackCommit { get => throw null; } + public ulong SizeOfStackReserve { get => throw null; } public int SizeOfUninitializedData { get => throw null; } public System.Reflection.PortableExecutable.Subsystem Subsystem { get => throw null; } public System.Reflection.PortableExecutable.DirectoryEntry ThreadLocalStorageTableDirectory { get => throw null; } } - - public class PEHeaderBuilder + public sealed class PEHeaderBuilder { public static System.Reflection.PortableExecutable.PEHeaderBuilder CreateExecutableHeader() => throw null; public static System.Reflection.PortableExecutable.PEHeaderBuilder CreateLibraryHeader() => throw null; + public PEHeaderBuilder(System.Reflection.PortableExecutable.Machine machine = default(System.Reflection.PortableExecutable.Machine), int sectionAlignment = default(int), int fileAlignment = default(int), ulong imageBase = default(ulong), byte majorLinkerVersion = default(byte), byte minorLinkerVersion = default(byte), ushort majorOperatingSystemVersion = default(ushort), ushort minorOperatingSystemVersion = default(ushort), ushort majorImageVersion = default(ushort), ushort minorImageVersion = default(ushort), ushort majorSubsystemVersion = default(ushort), ushort minorSubsystemVersion = default(ushort), System.Reflection.PortableExecutable.Subsystem subsystem = default(System.Reflection.PortableExecutable.Subsystem), System.Reflection.PortableExecutable.DllCharacteristics dllCharacteristics = default(System.Reflection.PortableExecutable.DllCharacteristics), System.Reflection.PortableExecutable.Characteristics imageCharacteristics = default(System.Reflection.PortableExecutable.Characteristics), ulong sizeOfStackReserve = default(ulong), ulong sizeOfStackCommit = default(ulong), ulong sizeOfHeapReserve = default(ulong), ulong sizeOfHeapCommit = default(ulong)) => throw null; public System.Reflection.PortableExecutable.DllCharacteristics DllCharacteristics { get => throw null; } public int FileAlignment { get => throw null; } - public System.UInt64 ImageBase { get => throw null; } + public ulong ImageBase { get => throw null; } public System.Reflection.PortableExecutable.Characteristics ImageCharacteristics { get => throw null; } public System.Reflection.PortableExecutable.Machine Machine { get => throw null; } - public System.UInt16 MajorImageVersion { get => throw null; } - public System.Byte MajorLinkerVersion { get => throw null; } - public System.UInt16 MajorOperatingSystemVersion { get => throw null; } - public System.UInt16 MajorSubsystemVersion { get => throw null; } - public System.UInt16 MinorImageVersion { get => throw null; } - public System.Byte MinorLinkerVersion { get => throw null; } - public System.UInt16 MinorOperatingSystemVersion { get => throw null; } - public System.UInt16 MinorSubsystemVersion { get => throw null; } - public PEHeaderBuilder(System.Reflection.PortableExecutable.Machine machine = default(System.Reflection.PortableExecutable.Machine), int sectionAlignment = default(int), int fileAlignment = default(int), System.UInt64 imageBase = default(System.UInt64), System.Byte majorLinkerVersion = default(System.Byte), System.Byte minorLinkerVersion = default(System.Byte), System.UInt16 majorOperatingSystemVersion = default(System.UInt16), System.UInt16 minorOperatingSystemVersion = default(System.UInt16), System.UInt16 majorImageVersion = default(System.UInt16), System.UInt16 minorImageVersion = default(System.UInt16), System.UInt16 majorSubsystemVersion = default(System.UInt16), System.UInt16 minorSubsystemVersion = default(System.UInt16), System.Reflection.PortableExecutable.Subsystem subsystem = default(System.Reflection.PortableExecutable.Subsystem), System.Reflection.PortableExecutable.DllCharacteristics dllCharacteristics = default(System.Reflection.PortableExecutable.DllCharacteristics), System.Reflection.PortableExecutable.Characteristics imageCharacteristics = default(System.Reflection.PortableExecutable.Characteristics), System.UInt64 sizeOfStackReserve = default(System.UInt64), System.UInt64 sizeOfStackCommit = default(System.UInt64), System.UInt64 sizeOfHeapReserve = default(System.UInt64), System.UInt64 sizeOfHeapCommit = default(System.UInt64)) => throw null; + public ushort MajorImageVersion { get => throw null; } + public byte MajorLinkerVersion { get => throw null; } + public ushort MajorOperatingSystemVersion { get => throw null; } + public ushort MajorSubsystemVersion { get => throw null; } + public ushort MinorImageVersion { get => throw null; } + public byte MinorLinkerVersion { get => throw null; } + public ushort MinorOperatingSystemVersion { get => throw null; } + public ushort MinorSubsystemVersion { get => throw null; } public int SectionAlignment { get => throw null; } - public System.UInt64 SizeOfHeapCommit { get => throw null; } - public System.UInt64 SizeOfHeapReserve { get => throw null; } - public System.UInt64 SizeOfStackCommit { get => throw null; } - public System.UInt64 SizeOfStackReserve { get => throw null; } + public ulong SizeOfHeapCommit { get => throw null; } + public ulong SizeOfHeapReserve { get => throw null; } + public ulong SizeOfStackCommit { get => throw null; } + public ulong SizeOfStackReserve { get => throw null; } public System.Reflection.PortableExecutable.Subsystem Subsystem { get => throw null; } } - - public class PEHeaders + public sealed class PEHeaders { public System.Reflection.PortableExecutable.CoffHeader CoffHeader { get => throw null; } public int CoffHeaderStartOffset { get => throw null; } public System.Reflection.PortableExecutable.CorHeader CorHeader { get => throw null; } public int CorHeaderStartOffset { get => throw null; } + public PEHeaders(System.IO.Stream peStream) => throw null; + public PEHeaders(System.IO.Stream peStream, int size) => throw null; + public PEHeaders(System.IO.Stream peStream, int size, bool isLoadedImage) => throw null; public int GetContainingSectionIndex(int relativeVirtualAddress) => throw null; public bool IsCoffOnly { get => throw null; } public bool IsConsoleApplication { get => throw null; } @@ -3584,32 +3125,31 @@ public class PEHeaders public int MetadataStartOffset { get => throw null; } public System.Reflection.PortableExecutable.PEHeader PEHeader { get => throw null; } public int PEHeaderStartOffset { get => throw null; } - public PEHeaders(System.IO.Stream peStream) => throw null; - public PEHeaders(System.IO.Stream peStream, int size) => throw null; - public PEHeaders(System.IO.Stream peStream, int size, bool isLoadedImage) => throw null; public System.Collections.Immutable.ImmutableArray SectionHeaders { get => throw null; } public bool TryGetDirectoryOffset(System.Reflection.PortableExecutable.DirectoryEntry directory, out int offset) => throw null; } - public enum PEMagic : ushort { PE32 = 267, PE32Plus = 523, } - public struct PEMemoryBlock { - public System.Collections.Immutable.ImmutableArray GetContent() => throw null; - public System.Collections.Immutable.ImmutableArray GetContent(int start, int length) => throw null; + public System.Collections.Immutable.ImmutableArray GetContent() => throw null; + public System.Collections.Immutable.ImmutableArray GetContent(int start, int length) => throw null; public System.Reflection.Metadata.BlobReader GetReader() => throw null; public System.Reflection.Metadata.BlobReader GetReader(int start, int length) => throw null; public int Length { get => throw null; } - // Stub generator skipped constructor - unsafe public System.Byte* Pointer { get => throw null; } + public unsafe byte* Pointer { get => throw null; } } - - public class PEReader : System.IDisposable + public sealed class PEReader : System.IDisposable { + public unsafe PEReader(byte* peImage, int size) => throw null; + public unsafe PEReader(byte* peImage, int size, bool isLoadedImage) => throw null; + public PEReader(System.Collections.Immutable.ImmutableArray peImage) => throw null; + public PEReader(System.IO.Stream peStream) => throw null; + public PEReader(System.IO.Stream peStream, System.Reflection.PortableExecutable.PEStreamOptions options) => throw null; + public PEReader(System.IO.Stream peStream, System.Reflection.PortableExecutable.PEStreamOptions options, int size) => throw null; public void Dispose() => throw null; public System.Reflection.PortableExecutable.PEMemoryBlock GetEntireImage() => throw null; public System.Reflection.PortableExecutable.PEMemoryBlock GetMetadata() => throw null; @@ -3619,134 +3159,112 @@ public class PEReader : System.IDisposable public bool IsEntireImageAvailable { get => throw null; } public bool IsLoadedImage { get => throw null; } public System.Reflection.PortableExecutable.PEHeaders PEHeaders { get => throw null; } - public PEReader(System.Collections.Immutable.ImmutableArray peImage) => throw null; - public PEReader(System.IO.Stream peStream) => throw null; - public PEReader(System.IO.Stream peStream, System.Reflection.PortableExecutable.PEStreamOptions options) => throw null; - public PEReader(System.IO.Stream peStream, System.Reflection.PortableExecutable.PEStreamOptions options, int size) => throw null; - unsafe public PEReader(System.Byte* peImage, int size) => throw null; - unsafe public PEReader(System.Byte* peImage, int size, bool isLoadedImage) => throw null; public System.Reflection.PortableExecutable.CodeViewDebugDirectoryData ReadCodeViewDebugDirectoryData(System.Reflection.PortableExecutable.DebugDirectoryEntry entry) => throw null; public System.Collections.Immutable.ImmutableArray ReadDebugDirectory() => throw null; public System.Reflection.Metadata.MetadataReaderProvider ReadEmbeddedPortablePdbDebugDirectoryData(System.Reflection.PortableExecutable.DebugDirectoryEntry entry) => throw null; public System.Reflection.PortableExecutable.PdbChecksumDebugDirectoryData ReadPdbChecksumDebugDirectoryData(System.Reflection.PortableExecutable.DebugDirectoryEntry entry) => throw null; public bool TryOpenAssociatedPortablePdb(string peImagePath, System.Func pdbFileStreamProvider, out System.Reflection.Metadata.MetadataReaderProvider pdbReaderProvider, out string pdbPath) => throw null; } - [System.Flags] - public enum PEStreamOptions : int + public enum PEStreamOptions { Default = 0, - IsLoadedImage = 8, LeaveOpen = 1, - PrefetchEntireImage = 4, PrefetchMetadata = 2, + PrefetchEntireImage = 4, + IsLoadedImage = 8, } - - public struct PdbChecksumDebugDirectoryData - { - public string AlgorithmName { get => throw null; } - public System.Collections.Immutable.ImmutableArray Checksum { get => throw null; } - // Stub generator skipped constructor - } - public abstract class ResourceSectionBuilder { protected ResourceSectionBuilder() => throw null; - protected internal abstract void Serialize(System.Reflection.Metadata.BlobBuilder builder, System.Reflection.PortableExecutable.SectionLocation location); + protected abstract void Serialize(System.Reflection.Metadata.BlobBuilder builder, System.Reflection.PortableExecutable.SectionLocation location); } - [System.Flags] public enum SectionCharacteristics : uint { - Align1024Bytes = 11534336, - Align128Bytes = 8388608, - Align16Bytes = 5242880, + TypeReg = 0, + TypeDSect = 1, + TypeNoLoad = 2, + TypeGroup = 4, + TypeNoPad = 8, + TypeCopy = 16, + ContainsCode = 32, + ContainsInitializedData = 64, + ContainsUninitializedData = 128, + LinkerOther = 256, + LinkerInfo = 512, + TypeOver = 1024, + LinkerRemove = 2048, + LinkerComdat = 4096, + MemProtected = 16384, + NoDeferSpecExc = 16384, + GPRel = 32768, + MemFardata = 32768, + MemSysheap = 65536, + Mem16Bit = 131072, + MemPurgeable = 131072, + MemLocked = 262144, + MemPreload = 524288, Align1Bytes = 1048576, - Align2048Bytes = 12582912, - Align256Bytes = 9437184, Align2Bytes = 2097152, - Align32Bytes = 6291456, - Align4096Bytes = 13631488, Align4Bytes = 3145728, - Align512Bytes = 10485760, + Align8Bytes = 4194304, + Align16Bytes = 5242880, + Align32Bytes = 6291456, Align64Bytes = 7340032, + Align128Bytes = 8388608, + Align256Bytes = 9437184, + Align512Bytes = 10485760, + Align1024Bytes = 11534336, + Align2048Bytes = 12582912, + Align4096Bytes = 13631488, Align8192Bytes = 14680064, - Align8Bytes = 4194304, AlignMask = 15728640, - ContainsCode = 32, - ContainsInitializedData = 64, - ContainsUninitializedData = 128, - GPRel = 32768, - LinkerComdat = 4096, - LinkerInfo = 512, LinkerNRelocOvfl = 16777216, - LinkerOther = 256, - LinkerRemove = 2048, - Mem16Bit = 131072, MemDiscardable = 33554432, - MemExecute = 536870912, - MemFardata = 32768, - MemLocked = 262144, MemNotCached = 67108864, MemNotPaged = 134217728, - MemPreload = 524288, - MemProtected = 16384, - MemPurgeable = 131072, - MemRead = 1073741824, MemShared = 268435456, - MemSysheap = 65536, + MemExecute = 536870912, + MemRead = 1073741824, MemWrite = 2147483648, - NoDeferSpecExc = 16384, - TypeCopy = 16, - TypeDSect = 1, - TypeGroup = 4, - TypeNoLoad = 2, - TypeNoPad = 8, - TypeOver = 1024, - TypeReg = 0, } - public struct SectionHeader { public string Name { get => throw null; } - public System.UInt16 NumberOfLineNumbers { get => throw null; } - public System.UInt16 NumberOfRelocations { get => throw null; } + public ushort NumberOfLineNumbers { get => throw null; } + public ushort NumberOfRelocations { get => throw null; } public int PointerToLineNumbers { get => throw null; } public int PointerToRawData { get => throw null; } public int PointerToRelocations { get => throw null; } public System.Reflection.PortableExecutable.SectionCharacteristics SectionCharacteristics { get => throw null; } - // Stub generator skipped constructor public int SizeOfRawData { get => throw null; } public int VirtualAddress { get => throw null; } public int VirtualSize { get => throw null; } } - public struct SectionLocation { + public SectionLocation(int relativeVirtualAddress, int pointerToRawData) => throw null; public int PointerToRawData { get => throw null; } public int RelativeVirtualAddress { get => throw null; } - // Stub generator skipped constructor - public SectionLocation(int relativeVirtualAddress, int pointerToRawData) => throw null; } - public enum Subsystem : ushort { - EfiApplication = 10, - EfiBootServiceDriver = 11, - EfiRom = 13, - EfiRuntimeDriver = 12, + Unknown = 0, Native = 1, - NativeWindows = 8, + WindowsGui = 2, + WindowsCui = 3, OS2Cui = 5, PosixCui = 7, - Unknown = 0, - WindowsBootApplication = 16, + NativeWindows = 8, WindowsCEGui = 9, - WindowsCui = 3, - WindowsGui = 2, + EfiApplication = 10, + EfiBootServiceDriver = 11, + EfiRuntimeDriver = 12, + EfiRom = 13, Xbox = 14, + WindowsBootApplication = 16, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Primitives.cs index f8302f96b9c4..fbec9354a354 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Primitives.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Reflection.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { namespace Emit { - public enum FlowControl : int + public enum FlowControl { Branch = 0, Break = 1, @@ -19,36 +18,23 @@ public enum FlowControl : int Return = 7, Throw = 8, } - public struct OpCode : System.IEquatable { - public static bool operator !=(System.Reflection.Emit.OpCode a, System.Reflection.Emit.OpCode b) => throw null; - public static bool operator ==(System.Reflection.Emit.OpCode a, System.Reflection.Emit.OpCode b) => throw null; - public bool Equals(System.Reflection.Emit.OpCode obj) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.Emit.OpCode obj) => throw null; public System.Reflection.Emit.FlowControl FlowControl { get => throw null; } public override int GetHashCode() => throw null; public string Name { get => throw null; } - // Stub generator skipped constructor + public static bool operator ==(System.Reflection.Emit.OpCode a, System.Reflection.Emit.OpCode b) => throw null; + public static bool operator !=(System.Reflection.Emit.OpCode a, System.Reflection.Emit.OpCode b) => throw null; public System.Reflection.Emit.OpCodeType OpCodeType { get => throw null; } public System.Reflection.Emit.OperandType OperandType { get => throw null; } public int Size { get => throw null; } public System.Reflection.Emit.StackBehaviour StackBehaviourPop { get => throw null; } public System.Reflection.Emit.StackBehaviour StackBehaviourPush { get => throw null; } public override string ToString() => throw null; - public System.Int16 Value { get => throw null; } - } - - public enum OpCodeType : int - { - Annotation = 0, - Macro = 1, - Nternal = 2, - Objmodel = 3, - Prefix = 4, - Primitive = 5, + public short Value { get => throw null; } } - public class OpCodes { public static System.Reflection.Emit.OpCode Add; @@ -101,6 +87,7 @@ public class OpCodes public static System.Reflection.Emit.OpCode Conv_I4; public static System.Reflection.Emit.OpCode Conv_I8; public static System.Reflection.Emit.OpCode Conv_Ovf_I; + public static System.Reflection.Emit.OpCode Conv_Ovf_I_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_I1; public static System.Reflection.Emit.OpCode Conv_Ovf_I1_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_I2; @@ -109,8 +96,8 @@ public class OpCodes public static System.Reflection.Emit.OpCode Conv_Ovf_I4_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_I8; public static System.Reflection.Emit.OpCode Conv_Ovf_I8_Un; - public static System.Reflection.Emit.OpCode Conv_Ovf_I_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_U; + public static System.Reflection.Emit.OpCode Conv_Ovf_U_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_U1; public static System.Reflection.Emit.OpCode Conv_Ovf_U1_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_U2; @@ -119,10 +106,9 @@ public class OpCodes public static System.Reflection.Emit.OpCode Conv_Ovf_U4_Un; public static System.Reflection.Emit.OpCode Conv_Ovf_U8; public static System.Reflection.Emit.OpCode Conv_Ovf_U8_Un; - public static System.Reflection.Emit.OpCode Conv_Ovf_U_Un; + public static System.Reflection.Emit.OpCode Conv_R_Un; public static System.Reflection.Emit.OpCode Conv_R4; public static System.Reflection.Emit.OpCode Conv_R8; - public static System.Reflection.Emit.OpCode Conv_R_Un; public static System.Reflection.Emit.OpCode Conv_U; public static System.Reflection.Emit.OpCode Conv_U1; public static System.Reflection.Emit.OpCode Conv_U2; @@ -279,8 +265,16 @@ public class OpCodes public static System.Reflection.Emit.OpCode Volatile; public static System.Reflection.Emit.OpCode Xor; } - - public enum OperandType : int + public enum OpCodeType + { + Annotation = 0, + Macro = 1, + Nternal = 2, + Objmodel = 3, + Prefix = 4, + Primitive = 5, + } + public enum OperandType { InlineBrTarget = 0, InlineField = 1, @@ -301,21 +295,19 @@ public enum OperandType : int ShortInlineR = 17, ShortInlineVar = 18, } - - public enum PackingSize : int + public enum PackingSize { + Unspecified = 0, Size1 = 1, - Size128 = 128, - Size16 = 16, Size2 = 2, - Size32 = 32, Size4 = 4, - Size64 = 64, Size8 = 8, - Unspecified = 0, + Size16 = 16, + Size32 = 32, + Size64 = 64, + Size128 = 128, } - - public enum StackBehaviour : int + public enum StackBehaviour { Pop0 = 0, Pop1 = 1, @@ -330,7 +322,6 @@ public enum StackBehaviour : int Popref = 10, Popref_pop1 = 11, Popref_popi = 12, - Popref_popi_pop1 = 28, Popref_popi_popi = 13, Popref_popi_popi8 = 14, Popref_popi_popr4 = 15, @@ -346,8 +337,8 @@ public enum StackBehaviour : int Pushref = 25, Varpop = 26, Varpush = 27, + Popref_popi_pop1 = 28, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.TypeExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.TypeExtensions.cs index 30f03313c7a3..701b423a5d2f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.TypeExtensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.TypeExtensions.cs @@ -1,18 +1,16 @@ // This file contains auto-generated code. // Generated from `System.Reflection.TypeExtensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { - public static class AssemblyExtensions + public static partial class AssemblyExtensions { public static System.Type[] GetExportedTypes(this System.Reflection.Assembly assembly) => throw null; public static System.Reflection.Module[] GetModules(this System.Reflection.Assembly assembly) => throw null; public static System.Type[] GetTypes(this System.Reflection.Assembly assembly) => throw null; } - - public static class EventInfoExtensions + public static partial class EventInfoExtensions { public static System.Reflection.MethodInfo GetAddMethod(this System.Reflection.EventInfo eventInfo) => throw null; public static System.Reflection.MethodInfo GetAddMethod(this System.Reflection.EventInfo eventInfo, bool nonPublic) => throw null; @@ -21,25 +19,21 @@ public static class EventInfoExtensions public static System.Reflection.MethodInfo GetRemoveMethod(this System.Reflection.EventInfo eventInfo) => throw null; public static System.Reflection.MethodInfo GetRemoveMethod(this System.Reflection.EventInfo eventInfo, bool nonPublic) => throw null; } - - public static class MemberInfoExtensions + public static partial class MemberInfoExtensions { public static int GetMetadataToken(this System.Reflection.MemberInfo member) => throw null; public static bool HasMetadataToken(this System.Reflection.MemberInfo member) => throw null; } - - public static class MethodInfoExtensions + public static partial class MethodInfoExtensions { public static System.Reflection.MethodInfo GetBaseDefinition(this System.Reflection.MethodInfo method) => throw null; } - - public static class ModuleExtensions + public static partial class ModuleExtensions { public static System.Guid GetModuleVersionId(this System.Reflection.Module module) => throw null; public static bool HasModuleVersionId(this System.Reflection.Module module) => throw null; } - - public static class PropertyInfoExtensions + public static partial class PropertyInfoExtensions { public static System.Reflection.MethodInfo[] GetAccessors(this System.Reflection.PropertyInfo property) => throw null; public static System.Reflection.MethodInfo[] GetAccessors(this System.Reflection.PropertyInfo property, bool nonPublic) => throw null; @@ -48,8 +42,7 @@ public static class PropertyInfoExtensions public static System.Reflection.MethodInfo GetSetMethod(this System.Reflection.PropertyInfo property) => throw null; public static System.Reflection.MethodInfo GetSetMethod(this System.Reflection.PropertyInfo property, bool nonPublic) => throw null; } - - public static class TypeExtensions + public static partial class TypeExtensions { public static System.Reflection.ConstructorInfo GetConstructor(this System.Type type, System.Type[] types) => throw null; public static System.Reflection.ConstructorInfo[] GetConstructors(this System.Type type) => throw null; @@ -85,6 +78,5 @@ public static class TypeExtensions public static bool IsAssignableFrom(this System.Type type, System.Type c) => throw null; public static bool IsInstanceOfType(this System.Type type, object o) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs new file mode 100644 index 000000000000..8f0b2391b0a0 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Reflection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs new file mode 100644 index 000000000000..e3cb62ee6217 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Resources.Reader, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs new file mode 100644 index 000000000000..91e19a89d1c9 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Resources.ResourceManager, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Writer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Writer.cs index 9e25b50b75d1..119e436206da 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Writer.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Writer.cs @@ -1,34 +1,31 @@ // This file contains auto-generated code. // Generated from `System.Resources.Writer, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Resources { public interface IResourceWriter : System.IDisposable { - void AddResource(string name, System.Byte[] value); + void AddResource(string name, byte[] value); void AddResource(string name, object value); void AddResource(string name, string value); void Close(); void Generate(); } - - public class ResourceWriter : System.IDisposable, System.Resources.IResourceWriter + public sealed class ResourceWriter : System.IDisposable, System.Resources.IResourceWriter { - public void AddResource(string name, System.Byte[] value) => throw null; + public void AddResource(string name, byte[] value) => throw null; public void AddResource(string name, System.IO.Stream value) => throw null; public void AddResource(string name, System.IO.Stream value, bool closeAfterWrite = default(bool)) => throw null; public void AddResource(string name, object value) => throw null; public void AddResource(string name, string value) => throw null; - public void AddResourceData(string name, string typeName, System.Byte[] serializedData) => throw null; + public void AddResourceData(string name, string typeName, byte[] serializedData) => throw null; public void Close() => throw null; - public void Dispose() => throw null; - public void Generate() => throw null; public ResourceWriter(System.IO.Stream stream) => throw null; public ResourceWriter(string fileName) => throw null; - public System.Func TypeNameConverter { get => throw null; set => throw null; } + public void Dispose() => throw null; + public void Generate() => throw null; + public System.Func TypeNameConverter { get => throw null; set { } } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs new file mode 100644 index 000000000000..271f2a6c542a --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Runtime.CompilerServices.Unsafe, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.VisualC.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.VisualC.cs index 66b9322cc5a0..a359bca22a8c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.VisualC.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.VisualC.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime.CompilerServices.VisualC, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime @@ -10,73 +9,57 @@ namespace CompilerServices public static class CompilerMarshalOverride { } - - public class CppInlineNamespaceAttribute : System.Attribute + public sealed class CppInlineNamespaceAttribute : System.Attribute { public CppInlineNamespaceAttribute(string dottedName) => throw null; } - - public class HasCopySemanticsAttribute : System.Attribute + public sealed class HasCopySemanticsAttribute : System.Attribute { public HasCopySemanticsAttribute() => throw null; } - public static class IsBoxed { } - public static class IsByValue { } - public static class IsCopyConstructed { } - public static class IsExplicitlyDereferenced { } - public static class IsImplicitlyDereferenced { } - public static class IsJitIntrinsic { } - public static class IsLong { } - public static class IsPinned { } - public static class IsSignUnspecifiedByte { } - public static class IsUdtReturn { } - - public class NativeCppClassAttribute : System.Attribute + public sealed class NativeCppClassAttribute : System.Attribute { public NativeCppClassAttribute() => throw null; } - - public class RequiredAttributeAttribute : System.Attribute + public sealed class RequiredAttributeAttribute : System.Attribute { public RequiredAttributeAttribute(System.Type requiredContract) => throw null; public System.Type RequiredContract { get => throw null; } } - - public class ScopelessEnumAttribute : System.Attribute + public sealed class ScopelessEnumAttribute : System.Attribute { public ScopelessEnumAttribute() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs new file mode 100644 index 000000000000..69e4598a2980 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Runtime.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs new file mode 100644 index 000000000000..3f502144ec7e --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Runtime.Handles, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.JavaScript.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.JavaScript.cs index 1298bedf792d..f731e562f02f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.JavaScript.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.JavaScript.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime.InteropServices.JavaScript, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime @@ -9,159 +8,147 @@ namespace InteropServices { namespace JavaScript { - public class JSException : System.Exception + public sealed class JSException : System.Exception { public JSException(string msg) => throw null; } - - public class JSExportAttribute : System.Attribute + public sealed class JSExportAttribute : System.Attribute { public JSExportAttribute() => throw null; } - - public class JSFunctionBinding + public sealed class JSFunctionBinding { public static System.Runtime.InteropServices.JavaScript.JSFunctionBinding BindJSFunction(string functionName, string moduleName, System.ReadOnlySpan signatures) => throw null; public static System.Runtime.InteropServices.JavaScript.JSFunctionBinding BindManagedFunction(string fullyQualifiedName, int signatureHash, System.ReadOnlySpan signatures) => throw null; - public static void InvokeJS(System.Runtime.InteropServices.JavaScript.JSFunctionBinding signature, System.Span arguments) => throw null; public JSFunctionBinding() => throw null; + public static void InvokeJS(System.Runtime.InteropServices.JavaScript.JSFunctionBinding signature, System.Span arguments) => throw null; } - public static class JSHost { public static System.Runtime.InteropServices.JavaScript.JSObject DotnetInstance { get => throw null; } public static System.Runtime.InteropServices.JavaScript.JSObject GlobalThis { get => throw null; } public static System.Threading.Tasks.Task ImportAsync(string moduleName, string moduleUrl, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class JSImportAttribute : System.Attribute + public sealed class JSImportAttribute : System.Attribute { - public string FunctionName { get => throw null; } public JSImportAttribute(string functionName) => throw null; public JSImportAttribute(string functionName, string moduleName) => throw null; + public string FunctionName { get => throw null; } public string ModuleName { get => throw null; } } - - public class JSMarshalAsAttribute : System.Attribute where T : System.Runtime.InteropServices.JavaScript.JSType + public sealed class JSMarshalAsAttribute : System.Attribute where T : System.Runtime.InteropServices.JavaScript.JSType { public JSMarshalAsAttribute() => throw null; } - public struct JSMarshalerArgument { public delegate void ArgumentToJSCallback(ref System.Runtime.InteropServices.JavaScript.JSMarshalerArgument arg, T value); - - public delegate void ArgumentToManagedCallback(ref System.Runtime.InteropServices.JavaScript.JSMarshalerArgument arg, out T value); - - public void Initialize() => throw null; - // Stub generator skipped constructor - public void ToJS(System.Action value) => throw null; - public void ToJS(System.ArraySegment value) => throw null; - public void ToJS(System.ArraySegment value) => throw null; - public void ToJS(System.ArraySegment value) => throw null; - public void ToJS(System.Byte[] value) => throw null; - public void ToJS(System.DateTime value) => throw null; - public void ToJS(System.DateTime? value) => throw null; + public void ToJS(bool value) => throw null; + public void ToJS(bool? value) => throw null; + public void ToJS(byte value) => throw null; + public void ToJS(byte? value) => throw null; + public void ToJS(byte[] value) => throw null; + public void ToJS(char value) => throw null; + public void ToJS(char? value) => throw null; + public void ToJS(short value) => throw null; + public void ToJS(short? value) => throw null; + public void ToJS(int value) => throw null; + public void ToJS(int? value) => throw null; + public void ToJS(int[] value) => throw null; + public void ToJS(long value) => throw null; + public void ToJS(long? value) => throw null; + public void ToJS(float value) => throw null; + public void ToJS(float? value) => throw null; + public void ToJS(double value) => throw null; + public void ToJS(double? value) => throw null; + public void ToJS(double[] value) => throw null; + public void ToJS(nint value) => throw null; + public void ToJS(nint? value) => throw null; public void ToJS(System.DateTimeOffset value) => throw null; public void ToJS(System.DateTimeOffset? value) => throw null; - public void ToJS(double[] value) => throw null; + public void ToJS(System.DateTime value) => throw null; + public void ToJS(System.DateTime? value) => throw null; + public void ToJS(string value) => throw null; + public void ToJS(string[] value) => throw null; public void ToJS(System.Exception value) => throw null; - public void ToJS(int[] value) => throw null; - public void ToJS(System.IntPtr value) => throw null; - public void ToJS(System.IntPtr? value) => throw null; + public void ToJS(object value) => throw null; + public void ToJS(object[] value) => throw null; public void ToJS(System.Runtime.InteropServices.JavaScript.JSObject value) => throw null; public void ToJS(System.Runtime.InteropServices.JavaScript.JSObject[] value) => throw null; - public void ToJS(object[] value) => throw null; - public void ToJS(System.Span value) => throw null; - public void ToJS(System.Span value) => throw null; - public void ToJS(System.Span value) => throw null; - public void ToJS(string[] value) => throw null; public void ToJS(System.Threading.Tasks.Task value) => throw null; - unsafe public void ToJS(void* value) => throw null; - public void ToJS(bool value) => throw null; - public void ToJS(bool? value) => throw null; - public void ToJS(System.Byte value) => throw null; - public void ToJS(System.Byte? value) => throw null; - public void ToJS(System.Char value) => throw null; - public void ToJS(System.Char? value) => throw null; - public void ToJS(double value) => throw null; - public void ToJS(double? value) => throw null; - public void ToJS(float value) => throw null; - public void ToJS(float? value) => throw null; - public void ToJS(int value) => throw null; - public void ToJS(int? value) => throw null; - public void ToJS(System.Int64 value) => throw null; - public void ToJS(System.Int64? value) => throw null; - public void ToJS(object value) => throw null; - public void ToJS(System.Int16 value) => throw null; - public void ToJS(System.Int16? value) => throw null; - public void ToJS(string value) => throw null; - public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; - public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg3Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; - public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg3Marshaler) => throw null; - public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; - public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler) => throw null; - public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler) => throw null; public void ToJS(System.Threading.Tasks.Task value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback marshaler) => throw null; + public void ToJS(System.Action value) => throw null; + public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler) => throw null; + public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler) => throw null; + public void ToJS(System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg3Marshaler) => throw null; public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; - public void ToJSBig(System.Int64 value) => throw null; - public void ToJSBig(System.Int64? value) => throw null; - public void ToManaged(out System.Action value) => throw null; - public void ToManaged(out System.ArraySegment value) => throw null; - public void ToManaged(out System.ArraySegment value) => throw null; - public void ToManaged(out System.ArraySegment value) => throw null; - public void ToManaged(out System.Byte[] value) => throw null; - public void ToManaged(out System.DateTime value) => throw null; - public void ToManaged(out System.DateTime? value) => throw null; + public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; + public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; + public void ToJS(System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback arg3Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback resMarshaler) => throw null; + public unsafe void ToJS(void* value) => throw null; + public void ToJS(System.Span value) => throw null; + public void ToJS(System.ArraySegment value) => throw null; + public void ToJS(System.Span value) => throw null; + public void ToJS(System.Span value) => throw null; + public void ToJS(System.ArraySegment value) => throw null; + public void ToJS(System.ArraySegment value) => throw null; + public void ToJSBig(long value) => throw null; + public void ToJSBig(long? value) => throw null; + public void ToManaged(out bool value) => throw null; + public void ToManaged(out bool? value) => throw null; + public void ToManaged(out byte value) => throw null; + public void ToManaged(out byte? value) => throw null; + public void ToManaged(out byte[] value) => throw null; + public void ToManaged(out char value) => throw null; + public void ToManaged(out char? value) => throw null; + public void ToManaged(out short value) => throw null; + public void ToManaged(out short? value) => throw null; + public void ToManaged(out int value) => throw null; + public void ToManaged(out int? value) => throw null; + public void ToManaged(out int[] value) => throw null; + public void ToManaged(out long value) => throw null; + public void ToManaged(out long? value) => throw null; + public void ToManaged(out float value) => throw null; + public void ToManaged(out float? value) => throw null; + public void ToManaged(out double value) => throw null; + public void ToManaged(out double? value) => throw null; + public void ToManaged(out double[] value) => throw null; + public void ToManaged(out nint value) => throw null; + public void ToManaged(out nint? value) => throw null; public void ToManaged(out System.DateTimeOffset value) => throw null; public void ToManaged(out System.DateTimeOffset? value) => throw null; - public void ToManaged(out double[] value) => throw null; + public void ToManaged(out System.DateTime value) => throw null; + public void ToManaged(out System.DateTime? value) => throw null; + public void ToManaged(out string value) => throw null; + public void ToManaged(out string[] value) => throw null; public void ToManaged(out System.Exception value) => throw null; - public void ToManaged(out int[] value) => throw null; - public void ToManaged(out System.IntPtr value) => throw null; - public void ToManaged(out System.IntPtr? value) => throw null; + public void ToManaged(out object value) => throw null; + public void ToManaged(out object[] value) => throw null; public void ToManaged(out System.Runtime.InteropServices.JavaScript.JSObject value) => throw null; public void ToManaged(out System.Runtime.InteropServices.JavaScript.JSObject[] value) => throw null; - public void ToManaged(out object[] value) => throw null; - public void ToManaged(out System.Span value) => throw null; - public void ToManaged(out System.Span value) => throw null; - public void ToManaged(out System.Span value) => throw null; - public void ToManaged(out string[] value) => throw null; public void ToManaged(out System.Threading.Tasks.Task value) => throw null; - unsafe public void ToManaged(out void* value) => throw null; - public void ToManaged(out bool value) => throw null; - public void ToManaged(out bool? value) => throw null; - public void ToManaged(out System.Byte value) => throw null; - public void ToManaged(out System.Byte? value) => throw null; - public void ToManaged(out System.Char value) => throw null; - public void ToManaged(out System.Char? value) => throw null; - public void ToManaged(out double value) => throw null; - public void ToManaged(out double? value) => throw null; - public void ToManaged(out float value) => throw null; - public void ToManaged(out float? value) => throw null; - public void ToManaged(out int value) => throw null; - public void ToManaged(out int? value) => throw null; - public void ToManaged(out System.Int64 value) => throw null; - public void ToManaged(out System.Int64? value) => throw null; - public void ToManaged(out object value) => throw null; - public void ToManaged(out System.Int16 value) => throw null; - public void ToManaged(out System.Int16? value) => throw null; - public void ToManaged(out string value) => throw null; - public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; - public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg3Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; - public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg3Marshaler) => throw null; - public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; - public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler) => throw null; - public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler) => throw null; public void ToManaged(out System.Threading.Tasks.Task value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback marshaler) => throw null; + public void ToManaged(out System.Action value) => throw null; + public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler) => throw null; + public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler) => throw null; + public void ToManaged(out System.Action value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg3Marshaler) => throw null; public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; - public void ToManagedBig(out System.Int64 value) => throw null; - public void ToManagedBig(out System.Int64? value) => throw null; + public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; + public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; + public void ToManaged(out System.Func value, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg1Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg2Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToJSCallback arg3Marshaler, System.Runtime.InteropServices.JavaScript.JSMarshalerArgument.ArgumentToManagedCallback resMarshaler) => throw null; + public unsafe void ToManaged(out void* value) => throw null; + public void ToManaged(out System.Span value) => throw null; + public void ToManaged(out System.ArraySegment value) => throw null; + public void ToManaged(out System.Span value) => throw null; + public void ToManaged(out System.Span value) => throw null; + public void ToManaged(out System.ArraySegment value) => throw null; + public void ToManaged(out System.ArraySegment value) => throw null; + public void ToManagedBig(out long value) => throw null; + public void ToManagedBig(out long? value) => throw null; } - - public class JSMarshalerType + public sealed class JSMarshalerType { public static System.Runtime.InteropServices.JavaScript.JSMarshalerType Action() => throw null; public static System.Runtime.InteropServices.JavaScript.JSMarshalerType Action(System.Runtime.InteropServices.JavaScript.JSMarshalerType arg1) => throw null; @@ -196,12 +183,11 @@ public class JSMarshalerType public static System.Runtime.InteropServices.JavaScript.JSMarshalerType Task(System.Runtime.InteropServices.JavaScript.JSMarshalerType result) => throw null; public static System.Runtime.InteropServices.JavaScript.JSMarshalerType Void { get => throw null; } } - public class JSObject : System.IDisposable { public void Dispose() => throw null; public bool GetPropertyAsBoolean(string propertyName) => throw null; - public System.Byte[] GetPropertyAsByteArray(string propertyName) => throw null; + public byte[] GetPropertyAsByteArray(string propertyName) => throw null; public double GetPropertyAsDouble(string propertyName) => throw null; public int GetPropertyAsInt32(string propertyName) => throw null; public System.Runtime.InteropServices.JavaScript.JSObject GetPropertyAsJSObject(string propertyName) => throw null; @@ -209,109 +195,70 @@ public class JSObject : System.IDisposable public string GetTypeOfProperty(string propertyName) => throw null; public bool HasProperty(string propertyName) => throw null; public bool IsDisposed { get => throw null; } - public void SetProperty(string propertyName, System.Byte[] value) => throw null; - public void SetProperty(string propertyName, System.Runtime.InteropServices.JavaScript.JSObject value) => throw null; public void SetProperty(string propertyName, bool value) => throw null; - public void SetProperty(string propertyName, double value) => throw null; public void SetProperty(string propertyName, int value) => throw null; + public void SetProperty(string propertyName, double value) => throw null; public void SetProperty(string propertyName, string value) => throw null; + public void SetProperty(string propertyName, System.Runtime.InteropServices.JavaScript.JSObject value) => throw null; + public void SetProperty(string propertyName, byte[] value) => throw null; } - public abstract class JSType { - public class Any : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Any : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Array : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Array : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class BigInt : System.Runtime.InteropServices.JavaScript.JSType + public sealed class BigInt : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Boolean : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Boolean : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Date : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Date : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Discard : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Discard : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Error : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Error : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Function : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Function : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType where T3 : System.Runtime.InteropServices.JavaScript.JSType where T4 : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Function : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType where T3 : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType where T3 : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Function : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Function : System.Runtime.InteropServices.JavaScript.JSType where T1 : System.Runtime.InteropServices.JavaScript.JSType where T2 : System.Runtime.InteropServices.JavaScript.JSType where T3 : System.Runtime.InteropServices.JavaScript.JSType where T4 : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class MemoryView : System.Runtime.InteropServices.JavaScript.JSType + public sealed class MemoryView : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Number : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Number : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Object : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Object : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Promise : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Promise : System.Runtime.InteropServices.JavaScript.JSType where T : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class String : System.Runtime.InteropServices.JavaScript.JSType + public sealed class String : System.Runtime.InteropServices.JavaScript.JSType { } - - - public class Void : System.Runtime.InteropServices.JavaScript.JSType + public sealed class Void : System.Runtime.InteropServices.JavaScript.JSType { } - - - internal JSType() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs new file mode 100644 index 000000000000..7148ca0f7166 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Runtime.InteropServices.RuntimeInformation, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs index 5dd7c8a64ba3..94f294b354ec 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs @@ -1,15 +1,13 @@ // This file contains auto-generated code. // Generated from `System.Runtime.InteropServices, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { - public class DataMisalignedException : System.SystemException + public sealed class DataMisalignedException : System.SystemException { public DataMisalignedException() => throw null; public DataMisalignedException(string message) => throw null; public DataMisalignedException(string message, System.Exception innerException) => throw null; } - public class DllNotFoundException : System.TypeLoadException { public DllNotFoundException() => throw null; @@ -17,187 +15,147 @@ public class DllNotFoundException : System.TypeLoadException public DllNotFoundException(string message) => throw null; public DllNotFoundException(string message, System.Exception inner) => throw null; } - namespace IO { public class UnmanagedMemoryAccessor : System.IDisposable { public bool CanRead { get => throw null; } public bool CanWrite { get => throw null; } - public System.Int64 Capacity { get => throw null; } + public long Capacity { get => throw null; } + protected UnmanagedMemoryAccessor() => throw null; + public UnmanagedMemoryAccessor(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long capacity) => throw null; + public UnmanagedMemoryAccessor(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long capacity, System.IO.FileAccess access) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - protected void Initialize(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 capacity, System.IO.FileAccess access) => throw null; + protected void Initialize(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long capacity, System.IO.FileAccess access) => throw null; protected bool IsOpen { get => throw null; } - public void Read(System.Int64 position, out T structure) where T : struct => throw null; - public int ReadArray(System.Int64 position, T[] array, int offset, int count) where T : struct => throw null; - public bool ReadBoolean(System.Int64 position) => throw null; - public System.Byte ReadByte(System.Int64 position) => throw null; - public System.Char ReadChar(System.Int64 position) => throw null; - public System.Decimal ReadDecimal(System.Int64 position) => throw null; - public double ReadDouble(System.Int64 position) => throw null; - public System.Int16 ReadInt16(System.Int64 position) => throw null; - public int ReadInt32(System.Int64 position) => throw null; - public System.Int64 ReadInt64(System.Int64 position) => throw null; - public System.SByte ReadSByte(System.Int64 position) => throw null; - public float ReadSingle(System.Int64 position) => throw null; - public System.UInt16 ReadUInt16(System.Int64 position) => throw null; - public System.UInt32 ReadUInt32(System.Int64 position) => throw null; - public System.UInt64 ReadUInt64(System.Int64 position) => throw null; - protected UnmanagedMemoryAccessor() => throw null; - public UnmanagedMemoryAccessor(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 capacity) => throw null; - public UnmanagedMemoryAccessor(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 capacity, System.IO.FileAccess access) => throw null; - public void Write(System.Int64 position, bool value) => throw null; - public void Write(System.Int64 position, System.Byte value) => throw null; - public void Write(System.Int64 position, System.Char value) => throw null; - public void Write(System.Int64 position, System.Decimal value) => throw null; - public void Write(System.Int64 position, double value) => throw null; - public void Write(System.Int64 position, float value) => throw null; - public void Write(System.Int64 position, int value) => throw null; - public void Write(System.Int64 position, System.Int64 value) => throw null; - public void Write(System.Int64 position, System.SByte value) => throw null; - public void Write(System.Int64 position, System.Int16 value) => throw null; - public void Write(System.Int64 position, System.UInt32 value) => throw null; - public void Write(System.Int64 position, System.UInt64 value) => throw null; - public void Write(System.Int64 position, System.UInt16 value) => throw null; - public void Write(System.Int64 position, ref T structure) where T : struct => throw null; - public void WriteArray(System.Int64 position, T[] array, int offset, int count) where T : struct => throw null; + public void Read(long position, out T structure) where T : struct => throw null; + public int ReadArray(long position, T[] array, int offset, int count) where T : struct => throw null; + public bool ReadBoolean(long position) => throw null; + public byte ReadByte(long position) => throw null; + public char ReadChar(long position) => throw null; + public decimal ReadDecimal(long position) => throw null; + public double ReadDouble(long position) => throw null; + public short ReadInt16(long position) => throw null; + public int ReadInt32(long position) => throw null; + public long ReadInt64(long position) => throw null; + public sbyte ReadSByte(long position) => throw null; + public float ReadSingle(long position) => throw null; + public ushort ReadUInt16(long position) => throw null; + public uint ReadUInt32(long position) => throw null; + public ulong ReadUInt64(long position) => throw null; + public void Write(long position, bool value) => throw null; + public void Write(long position, byte value) => throw null; + public void Write(long position, char value) => throw null; + public void Write(long position, decimal value) => throw null; + public void Write(long position, double value) => throw null; + public void Write(long position, short value) => throw null; + public void Write(long position, int value) => throw null; + public void Write(long position, long value) => throw null; + public void Write(long position, sbyte value) => throw null; + public void Write(long position, float value) => throw null; + public void Write(long position, ushort value) => throw null; + public void Write(long position, uint value) => throw null; + public void Write(long position, ulong value) => throw null; + public void Write(long position, ref T structure) where T : struct => throw null; + public void WriteArray(long position, T[] array, int offset, int count) where T : struct => throw null; } - } namespace Runtime { namespace CompilerServices { - public class IDispatchConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute + public sealed class IDispatchConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute { public IDispatchConstantAttribute() => throw null; public override object Value { get => throw null; } } - - public class IUnknownConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute + public sealed class IUnknownConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute { public IUnknownConstantAttribute() => throw null; public override object Value { get => throw null; } } - } namespace InteropServices { - public class AllowReversePInvokeCallsAttribute : System.Attribute + public sealed class AllowReversePInvokeCallsAttribute : System.Attribute { public AllowReversePInvokeCallsAttribute() => throw null; } - public struct ArrayWithOffset : System.IEquatable { - public static bool operator !=(System.Runtime.InteropServices.ArrayWithOffset a, System.Runtime.InteropServices.ArrayWithOffset b) => throw null; - public static bool operator ==(System.Runtime.InteropServices.ArrayWithOffset a, System.Runtime.InteropServices.ArrayWithOffset b) => throw null; - // Stub generator skipped constructor public ArrayWithOffset(object array, int offset) => throw null; - public bool Equals(System.Runtime.InteropServices.ArrayWithOffset obj) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.InteropServices.ArrayWithOffset obj) => throw null; public object GetArray() => throw null; public override int GetHashCode() => throw null; public int GetOffset() => throw null; + public static bool operator ==(System.Runtime.InteropServices.ArrayWithOffset a, System.Runtime.InteropServices.ArrayWithOffset b) => throw null; + public static bool operator !=(System.Runtime.InteropServices.ArrayWithOffset a, System.Runtime.InteropServices.ArrayWithOffset b) => throw null; } - - public class AutomationProxyAttribute : System.Attribute + public sealed class AutomationProxyAttribute : System.Attribute { public AutomationProxyAttribute(bool val) => throw null; public bool Value { get => throw null; } } - - public class BStrWrapper - { - public BStrWrapper(object value) => throw null; - public BStrWrapper(string value) => throw null; - public string WrappedObject { get => throw null; } - } - - public class BestFitMappingAttribute : System.Attribute + public sealed class BestFitMappingAttribute : System.Attribute { public bool BestFitMapping { get => throw null; } public BestFitMappingAttribute(bool BestFitMapping) => throw null; public bool ThrowOnUnmappableChar; } - - public struct CLong : System.IEquatable - { - // Stub generator skipped constructor - public CLong(System.IntPtr value) => throw null; - public CLong(int value) => throw null; - public bool Equals(System.Runtime.InteropServices.CLong other) => throw null; - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - public override string ToString() => throw null; - public System.IntPtr Value { get => throw null; } - } - - public class COMException : System.Runtime.InteropServices.ExternalException - { - public COMException() => throw null; - protected COMException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public COMException(string message) => throw null; - public COMException(string message, System.Exception inner) => throw null; - public COMException(string message, int errorCode) => throw null; - public override string ToString() => throw null; - } - - public struct CULong : System.IEquatable + public sealed class BStrWrapper { - // Stub generator skipped constructor - public CULong(System.UIntPtr value) => throw null; - public CULong(System.UInt32 value) => throw null; - public bool Equals(System.Runtime.InteropServices.CULong other) => throw null; - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - public override string ToString() => throw null; - public System.UIntPtr Value { get => throw null; } + public BStrWrapper(object value) => throw null; + public BStrWrapper(string value) => throw null; + public string WrappedObject { get => throw null; } } - - public enum CallingConvention : int + public enum CallingConvention { + Winapi = 1, Cdecl = 2, - FastCall = 5, StdCall = 3, ThisCall = 4, - Winapi = 1, + FastCall = 5, } - - public class ClassInterfaceAttribute : System.Attribute + public sealed class ClassInterfaceAttribute : System.Attribute { + public ClassInterfaceAttribute(short classInterfaceType) => throw null; public ClassInterfaceAttribute(System.Runtime.InteropServices.ClassInterfaceType classInterfaceType) => throw null; - public ClassInterfaceAttribute(System.Int16 classInterfaceType) => throw null; public System.Runtime.InteropServices.ClassInterfaceType Value { get => throw null; } } - - public enum ClassInterfaceType : int + public enum ClassInterfaceType { + None = 0, AutoDispatch = 1, AutoDual = 2, - None = 0, } - - public class CoClassAttribute : System.Attribute + public struct CLong : System.IEquatable + { + public CLong(int value) => throw null; + public CLong(nint value) => throw null; + public override bool Equals(object o) => throw null; + public bool Equals(System.Runtime.InteropServices.CLong other) => throw null; + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + public nint Value { get => throw null; } + } + public sealed class CoClassAttribute : System.Attribute { public System.Type CoClass { get => throw null; } public CoClassAttribute(System.Type coClass) => throw null; } - public static class CollectionsMarshal { public static System.Span AsSpan(System.Collections.Generic.List list) => throw null; public static TValue GetValueRefOrAddDefault(System.Collections.Generic.Dictionary dictionary, TKey key, out bool exists) => throw null; public static TValue GetValueRefOrNullRef(System.Collections.Generic.Dictionary dictionary, TKey key) => throw null; } - - public class ComAliasNameAttribute : System.Attribute + public sealed class ComAliasNameAttribute : System.Attribute { public ComAliasNameAttribute(string alias) => throw null; public string Value { get => throw null; } } - public class ComAwareEventInfo : System.Reflection.EventInfo { public override void AddEventHandler(object target, System.Delegate handler) => throw null; @@ -205,8 +163,8 @@ public class ComAwareEventInfo : System.Reflection.EventInfo public ComAwareEventInfo(System.Type type, string eventName) => throw null; public override System.Type DeclaringType { get => throw null; } public override System.Reflection.MethodInfo GetAddMethod(bool nonPublic) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Collections.Generic.IList GetCustomAttributesData() => throw null; public override System.Reflection.MethodInfo[] GetOtherMethods(bool nonPublic) => throw null; public override System.Reflection.MethodInfo GetRaiseMethod(bool nonPublic) => throw null; @@ -218,8 +176,7 @@ public class ComAwareEventInfo : System.Reflection.EventInfo public override System.Type ReflectedType { get => throw null; } public override void RemoveEventHandler(object target, System.Delegate handler) => throw null; } - - public class ComCompatibleVersionAttribute : System.Attribute + public sealed class ComCompatibleVersionAttribute : System.Attribute { public int BuildNumber { get => throw null; } public ComCompatibleVersionAttribute(int major, int minor, int build, int revision) => throw null; @@ -227,1218 +184,213 @@ public class ComCompatibleVersionAttribute : System.Attribute public int MinorVersion { get => throw null; } public int RevisionNumber { get => throw null; } } - - public class ComConversionLossAttribute : System.Attribute + public sealed class ComConversionLossAttribute : System.Attribute { public ComConversionLossAttribute() => throw null; } - - public class ComDefaultInterfaceAttribute : System.Attribute + public sealed class ComDefaultInterfaceAttribute : System.Attribute { public ComDefaultInterfaceAttribute(System.Type defaultInterface) => throw null; public System.Type Value { get => throw null; } } - - public class ComEventInterfaceAttribute : System.Attribute + public sealed class ComEventInterfaceAttribute : System.Attribute { public ComEventInterfaceAttribute(System.Type SourceInterface, System.Type EventProvider) => throw null; public System.Type EventProvider { get => throw null; } public System.Type SourceInterface { get => throw null; } } - public static class ComEventsHelper { public static void Combine(object rcw, System.Guid iid, int dispid, System.Delegate d) => throw null; public static System.Delegate Remove(object rcw, System.Guid iid, int dispid, System.Delegate d) => throw null; } - - public class ComImportAttribute : System.Attribute + public class COMException : System.Runtime.InteropServices.ExternalException + { + public COMException() => throw null; + protected COMException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public COMException(string message) => throw null; + public COMException(string message, System.Exception inner) => throw null; + public COMException(string message, int errorCode) => throw null; + public override string ToString() => throw null; + } + public sealed class ComImportAttribute : System.Attribute { public ComImportAttribute() => throw null; } - - public enum ComInterfaceType : int + public enum ComInterfaceType { InterfaceIsDual = 0, + InterfaceIsIUnknown = 1, InterfaceIsIDispatch = 2, InterfaceIsIInspectable = 3, - InterfaceIsIUnknown = 1, } - - public enum ComMemberType : int + public enum ComMemberType { Method = 0, PropGet = 1, PropSet = 2, } - - public class ComRegisterFunctionAttribute : System.Attribute + public sealed class ComRegisterFunctionAttribute : System.Attribute { public ComRegisterFunctionAttribute() => throw null; } - - public class ComSourceInterfacesAttribute : System.Attribute + public sealed class ComSourceInterfacesAttribute : System.Attribute { + public ComSourceInterfacesAttribute(string sourceInterfaces) => throw null; public ComSourceInterfacesAttribute(System.Type sourceInterface) => throw null; public ComSourceInterfacesAttribute(System.Type sourceInterface1, System.Type sourceInterface2) => throw null; public ComSourceInterfacesAttribute(System.Type sourceInterface1, System.Type sourceInterface2, System.Type sourceInterface3) => throw null; public ComSourceInterfacesAttribute(System.Type sourceInterface1, System.Type sourceInterface2, System.Type sourceInterface3, System.Type sourceInterface4) => throw null; - public ComSourceInterfacesAttribute(string sourceInterfaces) => throw null; public string Value { get => throw null; } } - - public class ComUnregisterFunctionAttribute : System.Attribute - { - public ComUnregisterFunctionAttribute() => throw null; - } - - public abstract class ComWrappers + namespace ComTypes { - public struct ComInterfaceDispatch + [System.Flags] + public enum ADVF { - // Stub generator skipped constructor - unsafe public static T GetInstance(System.Runtime.InteropServices.ComWrappers.ComInterfaceDispatch* dispatchPtr) where T : class => throw null; - public System.IntPtr Vtable; + ADVF_NODATA = 1, + ADVF_PRIMEFIRST = 2, + ADVF_ONLYONCE = 4, + ADVFCACHE_NOHANDLER = 8, + ADVFCACHE_FORCEBUILTIN = 16, + ADVFCACHE_ONSAVE = 32, + ADVF_DATAONSTOP = 64, } - - - public struct ComInterfaceEntry + public struct BIND_OPTS { - // Stub generator skipped constructor - public System.Guid IID; - public System.IntPtr Vtable; + public int cbStruct; + public int dwTickCountDeadline; + public int grfFlags; + public int grfMode; } - - - protected ComWrappers() => throw null; - unsafe protected abstract System.Runtime.InteropServices.ComWrappers.ComInterfaceEntry* ComputeVtables(object obj, System.Runtime.InteropServices.CreateComInterfaceFlags flags, out int count); - protected abstract object CreateObject(System.IntPtr externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags); - protected static void GetIUnknownImpl(out System.IntPtr fpQueryInterface, out System.IntPtr fpAddRef, out System.IntPtr fpRelease) => throw null; - public System.IntPtr GetOrCreateComInterfaceForObject(object instance, System.Runtime.InteropServices.CreateComInterfaceFlags flags) => throw null; - public object GetOrCreateObjectForComInstance(System.IntPtr externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags) => throw null; - public object GetOrRegisterObjectForComInstance(System.IntPtr externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags, object wrapper) => throw null; - public object GetOrRegisterObjectForComInstance(System.IntPtr externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags, object wrapper, System.IntPtr inner) => throw null; - public static void RegisterForMarshalling(System.Runtime.InteropServices.ComWrappers instance) => throw null; - public static void RegisterForTrackerSupport(System.Runtime.InteropServices.ComWrappers instance) => throw null; - protected abstract void ReleaseObjects(System.Collections.IEnumerable objects); - } - - [System.Flags] - public enum CreateComInterfaceFlags : int - { - CallerDefinedIUnknown = 1, - None = 0, - TrackerSupport = 2, - } - - [System.Flags] - public enum CreateObjectFlags : int - { - Aggregation = 4, - None = 0, - TrackerObject = 1, - UniqueInstance = 2, - Unwrap = 8, - } - - public class CurrencyWrapper - { - public CurrencyWrapper(System.Decimal obj) => throw null; - public CurrencyWrapper(object obj) => throw null; - public System.Decimal WrappedObject { get => throw null; } - } - - public enum CustomQueryInterfaceMode : int - { - Allow = 1, - Ignore = 0, - } - - public enum CustomQueryInterfaceResult : int - { - Failed = 2, - Handled = 0, - NotHandled = 1, - } - - public class DefaultCharSetAttribute : System.Attribute - { - public System.Runtime.InteropServices.CharSet CharSet { get => throw null; } - public DefaultCharSetAttribute(System.Runtime.InteropServices.CharSet charSet) => throw null; - } - - public class DefaultDllImportSearchPathsAttribute : System.Attribute - { - public DefaultDllImportSearchPathsAttribute(System.Runtime.InteropServices.DllImportSearchPath paths) => throw null; - public System.Runtime.InteropServices.DllImportSearchPath Paths { get => throw null; } - } - - public class DefaultParameterValueAttribute : System.Attribute - { - public DefaultParameterValueAttribute(object value) => throw null; - public object Value { get => throw null; } - } - - public class DispIdAttribute : System.Attribute - { - public DispIdAttribute(int dispId) => throw null; - public int Value { get => throw null; } - } - - public class DispatchWrapper - { - public DispatchWrapper(object obj) => throw null; - public object WrappedObject { get => throw null; } - } - - public class DllImportAttribute : System.Attribute - { - public bool BestFitMapping; - public System.Runtime.InteropServices.CallingConvention CallingConvention; - public System.Runtime.InteropServices.CharSet CharSet; - public DllImportAttribute(string dllName) => throw null; - public string EntryPoint; - public bool ExactSpelling; - public bool PreserveSig; - public bool SetLastError; - public bool ThrowOnUnmappableChar; - public string Value { get => throw null; } - } - - public delegate System.IntPtr DllImportResolver(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath); - - [System.Flags] - public enum DllImportSearchPath : int - { - ApplicationDirectory = 512, - AssemblyDirectory = 2, - LegacyBehavior = 0, - SafeDirectories = 4096, - System32 = 2048, - UseDllDirectoryForDependencies = 256, - UserDirectories = 1024, - } - - public class DynamicInterfaceCastableImplementationAttribute : System.Attribute - { - public DynamicInterfaceCastableImplementationAttribute() => throw null; - } - - public class ErrorWrapper - { - public int ErrorCode { get => throw null; } - public ErrorWrapper(System.Exception e) => throw null; - public ErrorWrapper(int errorCode) => throw null; - public ErrorWrapper(object errorCode) => throw null; - } - - public class GuidAttribute : System.Attribute - { - public GuidAttribute(string guid) => throw null; - public string Value { get => throw null; } - } - - public class HandleCollector - { - public void Add() => throw null; - public int Count { get => throw null; } - public HandleCollector(string name, int initialThreshold) => throw null; - public HandleCollector(string name, int initialThreshold, int maximumThreshold) => throw null; - public int InitialThreshold { get => throw null; } - public int MaximumThreshold { get => throw null; } - public string Name { get => throw null; } - public void Remove() => throw null; - } - - public struct HandleRef - { - public System.IntPtr Handle { get => throw null; } - // Stub generator skipped constructor - public HandleRef(object wrapper, System.IntPtr handle) => throw null; - public static System.IntPtr ToIntPtr(System.Runtime.InteropServices.HandleRef value) => throw null; - public object Wrapper { get => throw null; } - public static explicit operator System.IntPtr(System.Runtime.InteropServices.HandleRef value) => throw null; - } - - public interface ICustomAdapter - { - object GetUnderlyingObject(); - } - - public interface ICustomFactory - { - System.MarshalByRefObject CreateInstance(System.Type serverType); - } - - public interface ICustomMarshaler - { - void CleanUpManagedData(object ManagedObj); - void CleanUpNativeData(System.IntPtr pNativeData); - int GetNativeDataSize(); - System.IntPtr MarshalManagedToNative(object ManagedObj); - object MarshalNativeToManaged(System.IntPtr pNativeData); - } - - public interface ICustomQueryInterface - { - System.Runtime.InteropServices.CustomQueryInterfaceResult GetInterface(ref System.Guid iid, out System.IntPtr ppv); - } - - public interface IDynamicInterfaceCastable - { - System.RuntimeTypeHandle GetInterfaceImplementation(System.RuntimeTypeHandle interfaceType); - bool IsInterfaceImplemented(System.RuntimeTypeHandle interfaceType, bool throwIfNotImplemented); - } - - public class ImportedFromTypeLibAttribute : System.Attribute - { - public ImportedFromTypeLibAttribute(string tlbFile) => throw null; - public string Value { get => throw null; } - } - - public class InterfaceTypeAttribute : System.Attribute - { - public InterfaceTypeAttribute(System.Runtime.InteropServices.ComInterfaceType interfaceType) => throw null; - public InterfaceTypeAttribute(System.Int16 interfaceType) => throw null; - public System.Runtime.InteropServices.ComInterfaceType Value { get => throw null; } - } - - public class InvalidComObjectException : System.SystemException - { - public InvalidComObjectException() => throw null; - protected InvalidComObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidComObjectException(string message) => throw null; - public InvalidComObjectException(string message, System.Exception inner) => throw null; - } - - public class InvalidOleVariantTypeException : System.SystemException - { - public InvalidOleVariantTypeException() => throw null; - protected InvalidOleVariantTypeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidOleVariantTypeException(string message) => throw null; - public InvalidOleVariantTypeException(string message, System.Exception inner) => throw null; - } - - public class LCIDConversionAttribute : System.Attribute - { - public LCIDConversionAttribute(int lcid) => throw null; - public int Value { get => throw null; } - } - - public class LibraryImportAttribute : System.Attribute - { - public string EntryPoint { get => throw null; set => throw null; } - public LibraryImportAttribute(string libraryName) => throw null; - public string LibraryName { get => throw null; } - public bool SetLastError { get => throw null; set => throw null; } - public System.Runtime.InteropServices.StringMarshalling StringMarshalling { get => throw null; set => throw null; } - public System.Type StringMarshallingCustomType { get => throw null; set => throw null; } - } - - public class ManagedToNativeComInteropStubAttribute : System.Attribute - { - public System.Type ClassType { get => throw null; } - public ManagedToNativeComInteropStubAttribute(System.Type classType, string methodName) => throw null; - public string MethodName { get => throw null; } - } - - public static class Marshal - { - public static int AddRef(System.IntPtr pUnk) => throw null; - public static System.IntPtr AllocCoTaskMem(int cb) => throw null; - public static System.IntPtr AllocHGlobal(System.IntPtr cb) => throw null; - public static System.IntPtr AllocHGlobal(int cb) => throw null; - public static bool AreComObjectsAvailableForCleanup() => throw null; - public static object BindToMoniker(string monikerName) => throw null; - public static void ChangeWrapperHandleStrength(object otp, bool fIsWeak) => throw null; - public static void CleanupUnusedObjectsInCurrentContext() => throw null; - public static void Copy(System.Byte[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(System.Char[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(double[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(System.Int16[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(int[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(System.Int64[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(System.IntPtr source, System.Byte[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, System.Char[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, double[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, System.Int16[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, int[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, System.Int64[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, System.IntPtr[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr source, float[] destination, int startIndex, int length) => throw null; - public static void Copy(System.IntPtr[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static void Copy(float[] source, int startIndex, System.IntPtr destination, int length) => throw null; - public static System.IntPtr CreateAggregatedObject(System.IntPtr pOuter, object o) => throw null; - public static System.IntPtr CreateAggregatedObject(System.IntPtr pOuter, T o) => throw null; - public static object CreateWrapperOfType(object o, System.Type t) => throw null; - public static TWrapper CreateWrapperOfType(T o) => throw null; - public static void DestroyStructure(System.IntPtr ptr, System.Type structuretype) => throw null; - public static void DestroyStructure(System.IntPtr ptr) => throw null; - public static int FinalReleaseComObject(object o) => throw null; - public static void FreeBSTR(System.IntPtr ptr) => throw null; - public static void FreeCoTaskMem(System.IntPtr ptr) => throw null; - public static void FreeHGlobal(System.IntPtr hglobal) => throw null; - public static System.Guid GenerateGuidForType(System.Type type) => throw null; - public static string GenerateProgIdForType(System.Type type) => throw null; - public static System.IntPtr GetComInterfaceForObject(object o, System.Type T) => throw null; - public static System.IntPtr GetComInterfaceForObject(object o, System.Type T, System.Runtime.InteropServices.CustomQueryInterfaceMode mode) => throw null; - public static System.IntPtr GetComInterfaceForObject(T o) => throw null; - public static object GetComObjectData(object obj, object key) => throw null; - public static System.Delegate GetDelegateForFunctionPointer(System.IntPtr ptr, System.Type t) => throw null; - public static TDelegate GetDelegateForFunctionPointer(System.IntPtr ptr) => throw null; - public static int GetEndComSlot(System.Type t) => throw null; - public static int GetExceptionCode() => throw null; - public static System.Exception GetExceptionForHR(int errorCode) => throw null; - public static System.Exception GetExceptionForHR(int errorCode, System.IntPtr errorInfo) => throw null; - public static System.IntPtr GetExceptionPointers() => throw null; - public static System.IntPtr GetFunctionPointerForDelegate(System.Delegate d) => throw null; - public static System.IntPtr GetFunctionPointerForDelegate(TDelegate d) => throw null; - public static System.IntPtr GetHINSTANCE(System.Reflection.Module m) => throw null; - public static int GetHRForException(System.Exception e) => throw null; - public static int GetHRForLastWin32Error() => throw null; - public static System.IntPtr GetIDispatchForObject(object o) => throw null; - public static System.IntPtr GetIUnknownForObject(object o) => throw null; - public static int GetLastPInvokeError() => throw null; - public static string GetLastPInvokeErrorMessage() => throw null; - public static int GetLastSystemError() => throw null; - public static int GetLastWin32Error() => throw null; - public static void GetNativeVariantForObject(object obj, System.IntPtr pDstNativeVariant) => throw null; - public static void GetNativeVariantForObject(T obj, System.IntPtr pDstNativeVariant) => throw null; - public static object GetObjectForIUnknown(System.IntPtr pUnk) => throw null; - public static object GetObjectForNativeVariant(System.IntPtr pSrcNativeVariant) => throw null; - public static T GetObjectForNativeVariant(System.IntPtr pSrcNativeVariant) => throw null; - public static object[] GetObjectsForNativeVariants(System.IntPtr aSrcNativeVariant, int cVars) => throw null; - public static T[] GetObjectsForNativeVariants(System.IntPtr aSrcNativeVariant, int cVars) => throw null; - public static string GetPInvokeErrorMessage(int error) => throw null; - public static int GetStartComSlot(System.Type t) => throw null; - public static System.Type GetTypeFromCLSID(System.Guid clsid) => throw null; - public static string GetTypeInfoName(System.Runtime.InteropServices.ComTypes.ITypeInfo typeInfo) => throw null; - public static object GetTypedObjectForIUnknown(System.IntPtr pUnk, System.Type t) => throw null; - public static object GetUniqueObjectForIUnknown(System.IntPtr unknown) => throw null; - public static void InitHandle(System.Runtime.InteropServices.SafeHandle safeHandle, System.IntPtr handle) => throw null; - public static bool IsComObject(object o) => throw null; - public static bool IsTypeVisibleFromCom(System.Type t) => throw null; - public static System.IntPtr OffsetOf(System.Type t, string fieldName) => throw null; - public static System.IntPtr OffsetOf(string fieldName) => throw null; - public static void Prelink(System.Reflection.MethodInfo m) => throw null; - public static void PrelinkAll(System.Type c) => throw null; - public static string PtrToStringAnsi(System.IntPtr ptr) => throw null; - public static string PtrToStringAnsi(System.IntPtr ptr, int len) => throw null; - public static string PtrToStringAuto(System.IntPtr ptr) => throw null; - public static string PtrToStringAuto(System.IntPtr ptr, int len) => throw null; - public static string PtrToStringBSTR(System.IntPtr ptr) => throw null; - public static string PtrToStringUTF8(System.IntPtr ptr) => throw null; - public static string PtrToStringUTF8(System.IntPtr ptr, int byteLen) => throw null; - public static string PtrToStringUni(System.IntPtr ptr) => throw null; - public static string PtrToStringUni(System.IntPtr ptr, int len) => throw null; - public static object PtrToStructure(System.IntPtr ptr, System.Type structureType) => throw null; - public static void PtrToStructure(System.IntPtr ptr, object structure) => throw null; - public static T PtrToStructure(System.IntPtr ptr) => throw null; - public static void PtrToStructure(System.IntPtr ptr, T structure) => throw null; - public static int QueryInterface(System.IntPtr pUnk, ref System.Guid iid, out System.IntPtr ppv) => throw null; - public static System.IntPtr ReAllocCoTaskMem(System.IntPtr pv, int cb) => throw null; - public static System.IntPtr ReAllocHGlobal(System.IntPtr pv, System.IntPtr cb) => throw null; - public static System.Byte ReadByte(System.IntPtr ptr) => throw null; - public static System.Byte ReadByte(System.IntPtr ptr, int ofs) => throw null; - public static System.Byte ReadByte(object ptr, int ofs) => throw null; - public static System.Int16 ReadInt16(System.IntPtr ptr) => throw null; - public static System.Int16 ReadInt16(System.IntPtr ptr, int ofs) => throw null; - public static System.Int16 ReadInt16(object ptr, int ofs) => throw null; - public static int ReadInt32(System.IntPtr ptr) => throw null; - public static int ReadInt32(System.IntPtr ptr, int ofs) => throw null; - public static int ReadInt32(object ptr, int ofs) => throw null; - public static System.Int64 ReadInt64(System.IntPtr ptr) => throw null; - public static System.Int64 ReadInt64(System.IntPtr ptr, int ofs) => throw null; - public static System.Int64 ReadInt64(object ptr, int ofs) => throw null; - public static System.IntPtr ReadIntPtr(System.IntPtr ptr) => throw null; - public static System.IntPtr ReadIntPtr(System.IntPtr ptr, int ofs) => throw null; - public static System.IntPtr ReadIntPtr(object ptr, int ofs) => throw null; - public static int Release(System.IntPtr pUnk) => throw null; - public static int ReleaseComObject(object o) => throw null; - public static System.IntPtr SecureStringToBSTR(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToCoTaskMemAnsi(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToCoTaskMemUnicode(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToGlobalAllocAnsi(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToGlobalAllocUnicode(System.Security.SecureString s) => throw null; - public static bool SetComObjectData(object obj, object key, object data) => throw null; - public static void SetLastPInvokeError(int error) => throw null; - public static void SetLastSystemError(int error) => throw null; - public static int SizeOf(System.Type t) => throw null; - public static int SizeOf(object structure) => throw null; - public static int SizeOf() => throw null; - public static int SizeOf(T structure) => throw null; - public static System.IntPtr StringToBSTR(string s) => throw null; - public static System.IntPtr StringToCoTaskMemAnsi(string s) => throw null; - public static System.IntPtr StringToCoTaskMemAuto(string s) => throw null; - public static System.IntPtr StringToCoTaskMemUTF8(string s) => throw null; - public static System.IntPtr StringToCoTaskMemUni(string s) => throw null; - public static System.IntPtr StringToHGlobalAnsi(string s) => throw null; - public static System.IntPtr StringToHGlobalAuto(string s) => throw null; - public static System.IntPtr StringToHGlobalUni(string s) => throw null; - public static void StructureToPtr(object structure, System.IntPtr ptr, bool fDeleteOld) => throw null; - public static void StructureToPtr(T structure, System.IntPtr ptr, bool fDeleteOld) => throw null; - public static int SystemDefaultCharSize; - public static int SystemMaxDBCSCharSize; - public static void ThrowExceptionForHR(int errorCode) => throw null; - public static void ThrowExceptionForHR(int errorCode, System.IntPtr errorInfo) => throw null; - public static System.IntPtr UnsafeAddrOfPinnedArrayElement(System.Array arr, int index) => throw null; - public static System.IntPtr UnsafeAddrOfPinnedArrayElement(T[] arr, int index) => throw null; - public static void WriteByte(System.IntPtr ptr, System.Byte val) => throw null; - public static void WriteByte(System.IntPtr ptr, int ofs, System.Byte val) => throw null; - public static void WriteByte(object ptr, int ofs, System.Byte val) => throw null; - public static void WriteInt16(System.IntPtr ptr, System.Char val) => throw null; - public static void WriteInt16(System.IntPtr ptr, int ofs, System.Char val) => throw null; - public static void WriteInt16(System.IntPtr ptr, int ofs, System.Int16 val) => throw null; - public static void WriteInt16(System.IntPtr ptr, System.Int16 val) => throw null; - public static void WriteInt16(object ptr, int ofs, System.Char val) => throw null; - public static void WriteInt16(object ptr, int ofs, System.Int16 val) => throw null; - public static void WriteInt32(System.IntPtr ptr, int val) => throw null; - public static void WriteInt32(System.IntPtr ptr, int ofs, int val) => throw null; - public static void WriteInt32(object ptr, int ofs, int val) => throw null; - public static void WriteInt64(System.IntPtr ptr, int ofs, System.Int64 val) => throw null; - public static void WriteInt64(System.IntPtr ptr, System.Int64 val) => throw null; - public static void WriteInt64(object ptr, int ofs, System.Int64 val) => throw null; - public static void WriteIntPtr(System.IntPtr ptr, System.IntPtr val) => throw null; - public static void WriteIntPtr(System.IntPtr ptr, int ofs, System.IntPtr val) => throw null; - public static void WriteIntPtr(object ptr, int ofs, System.IntPtr val) => throw null; - public static void ZeroFreeBSTR(System.IntPtr s) => throw null; - public static void ZeroFreeCoTaskMemAnsi(System.IntPtr s) => throw null; - public static void ZeroFreeCoTaskMemUTF8(System.IntPtr s) => throw null; - public static void ZeroFreeCoTaskMemUnicode(System.IntPtr s) => throw null; - public static void ZeroFreeGlobalAllocAnsi(System.IntPtr s) => throw null; - public static void ZeroFreeGlobalAllocUnicode(System.IntPtr s) => throw null; - } - - public class MarshalAsAttribute : System.Attribute - { - public System.Runtime.InteropServices.UnmanagedType ArraySubType; - public int IidParameterIndex; - public MarshalAsAttribute(System.Runtime.InteropServices.UnmanagedType unmanagedType) => throw null; - public MarshalAsAttribute(System.Int16 unmanagedType) => throw null; - public string MarshalCookie; - public string MarshalType; - public System.Type MarshalTypeRef; - public System.Runtime.InteropServices.VarEnum SafeArraySubType; - public System.Type SafeArrayUserDefinedSubType; - public int SizeConst; - public System.Int16 SizeParamIndex; - public System.Runtime.InteropServices.UnmanagedType Value { get => throw null; } - } - - public class MarshalDirectiveException : System.SystemException - { - public MarshalDirectiveException() => throw null; - protected MarshalDirectiveException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MarshalDirectiveException(string message) => throw null; - public MarshalDirectiveException(string message, System.Exception inner) => throw null; - } - - public struct NFloat : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IModulusOperators.operator %(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator &(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplyOperators.operator *(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryPlusOperators.operator +(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IAdditionOperators.operator +(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IIncrementOperators.operator ++(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryNegationOperators.operator -(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.ISubtractionOperators.operator -(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IDecrementOperators.operator --(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IDivisionOperators.operator /(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - public static System.Runtime.InteropServices.NFloat Abs(System.Runtime.InteropServices.NFloat value) => throw null; - public static System.Runtime.InteropServices.NFloat Acos(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat AcosPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Acosh(System.Runtime.InteropServices.NFloat x) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.Runtime.InteropServices.NFloat Asin(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat AsinPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Asinh(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Atan(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Atan2(System.Runtime.InteropServices.NFloat y, System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Atan2Pi(System.Runtime.InteropServices.NFloat y, System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat AtanPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Atanh(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat BitDecrement(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat BitIncrement(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Cbrt(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Ceiling(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Clamp(System.Runtime.InteropServices.NFloat value, System.Runtime.InteropServices.NFloat min, System.Runtime.InteropServices.NFloat max) => throw null; - public int CompareTo(System.Runtime.InteropServices.NFloat other) => throw null; - public int CompareTo(object obj) => throw null; - public static System.Runtime.InteropServices.NFloat CopySign(System.Runtime.InteropServices.NFloat value, System.Runtime.InteropServices.NFloat sign) => throw null; - public static System.Runtime.InteropServices.NFloat Cos(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat CosPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Cosh(System.Runtime.InteropServices.NFloat x) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.E { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } - public bool Equals(System.Runtime.InteropServices.NFloat other) => throw null; - public override bool Equals(object obj) => throw null; - public static System.Runtime.InteropServices.NFloat Exp(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Exp10(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Exp10M1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Exp2(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Exp2M1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat ExpM1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Floor(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat FusedMultiplyAdd(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right, System.Runtime.InteropServices.NFloat addend) => throw null; - int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; - int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; - public static System.Runtime.InteropServices.NFloat Hypot(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static int ILogB(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Ieee754Remainder(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - public static bool IsCanonical(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsComplexNumber(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsEvenInteger(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsFinite(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsImaginaryNumber(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsInfinity(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsInteger(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsNaN(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsNegative(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsNegativeInfinity(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsNormal(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsOddInteger(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsPositive(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsPositiveInfinity(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsPow2(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsRealNumber(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsSubnormal(System.Runtime.InteropServices.NFloat value) => throw null; - public static bool IsZero(System.Runtime.InteropServices.NFloat value) => throw null; - public static System.Runtime.InteropServices.NFloat Log(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Log(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat newBase) => throw null; - public static System.Runtime.InteropServices.NFloat Log10(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Log10P1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Log2(System.Runtime.InteropServices.NFloat value) => throw null; - public static System.Runtime.InteropServices.NFloat Log2P1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat LogP1(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Max(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MaxMagnitude(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MaxMagnitudeNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MaxNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Runtime.InteropServices.NFloat Min(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MinMagnitude(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MinMagnitudeNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - public static System.Runtime.InteropServices.NFloat MinNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - // Stub generator skipped constructor - public NFloat(double value) => throw null; - public NFloat(float value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.One { get => throw null; } - public static System.Runtime.InteropServices.NFloat Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Runtime.InteropServices.NFloat Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Runtime.InteropServices.NFloat Parse(string s) => throw null; - public static System.Runtime.InteropServices.NFloat Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Runtime.InteropServices.NFloat Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Runtime.InteropServices.NFloat Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } - public static System.Runtime.InteropServices.NFloat Pow(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Runtime.InteropServices.NFloat ReciprocalEstimate(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat ReciprocalSqrtEstimate(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat RootN(System.Runtime.InteropServices.NFloat x, int n) => throw null; - public static System.Runtime.InteropServices.NFloat Round(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Round(System.Runtime.InteropServices.NFloat x, System.MidpointRounding mode) => throw null; - public static System.Runtime.InteropServices.NFloat Round(System.Runtime.InteropServices.NFloat x, int digits) => throw null; - public static System.Runtime.InteropServices.NFloat Round(System.Runtime.InteropServices.NFloat x, int digits, System.MidpointRounding mode) => throw null; - public static System.Runtime.InteropServices.NFloat ScaleB(System.Runtime.InteropServices.NFloat x, int n) => throw null; - public static int Sign(System.Runtime.InteropServices.NFloat value) => throw null; - public static System.Runtime.InteropServices.NFloat Sin(System.Runtime.InteropServices.NFloat x) => throw null; - public static (System.Runtime.InteropServices.NFloat, System.Runtime.InteropServices.NFloat) SinCos(System.Runtime.InteropServices.NFloat x) => throw null; - public static (System.Runtime.InteropServices.NFloat, System.Runtime.InteropServices.NFloat) SinCosPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat SinPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Sinh(System.Runtime.InteropServices.NFloat x) => throw null; - public static int Size { get => throw null; } - public static System.Runtime.InteropServices.NFloat Sqrt(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Tan(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat TanPi(System.Runtime.InteropServices.NFloat x) => throw null; - public static System.Runtime.InteropServices.NFloat Tanh(System.Runtime.InteropServices.NFloat x) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.Tau { get => throw null; } - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.Runtime.InteropServices.NFloat Truncate(System.Runtime.InteropServices.NFloat x) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Runtime.InteropServices.NFloat result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; - public static bool TryParse(string s, out System.Runtime.InteropServices.NFloat result) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - public double Value { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Zero { get => throw null; } - static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator ^(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplyOperators.operator checked *(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IAdditionOperators.operator checked +(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IIncrementOperators.operator checked ++(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryNegationOperators.operator checked -(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.ISubtractionOperators.operator checked -(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IDecrementOperators.operator checked --(System.Runtime.InteropServices.NFloat value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IDivisionOperators.operator checked /(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - public static explicit operator checked System.Byte(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.Char(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.Int128(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.Int16(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.Int64(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.IntPtr(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.SByte(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.UInt128(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.UInt16(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.UInt32(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.UInt64(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked System.UIntPtr(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator checked int(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Runtime.InteropServices.NFloat(System.Int128 value) => throw null; - public static explicit operator System.Byte(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Char(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Decimal(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Half(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Int128(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Int16(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Int64(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.IntPtr(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.SByte(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.UInt128(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.UInt16(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.UInt32(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.UInt64(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.UIntPtr(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator float(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator int(System.Runtime.InteropServices.NFloat value) => throw null; - public static explicit operator System.Runtime.InteropServices.NFloat(System.UInt128 value) => throw null; - public static explicit operator System.Runtime.InteropServices.NFloat(System.Decimal value) => throw null; - public static explicit operator System.Runtime.InteropServices.NFloat(double value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.Half value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.IntPtr value) => throw null; - public static implicit operator double(System.Runtime.InteropServices.NFloat value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.UIntPtr value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.Byte value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.Char value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(float value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(int value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.Int64 value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.SByte value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.Int16 value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.UInt32 value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.UInt64 value) => throw null; - public static implicit operator System.Runtime.InteropServices.NFloat(System.UInt16 value) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator |(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; - static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator ~(System.Runtime.InteropServices.NFloat value) => throw null; - } - - public static class NativeLibrary - { - public static void Free(System.IntPtr handle) => throw null; - public static System.IntPtr GetExport(System.IntPtr handle, string name) => throw null; - public static System.IntPtr GetMainProgramHandle() => throw null; - public static System.IntPtr Load(string libraryPath) => throw null; - public static System.IntPtr Load(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath) => throw null; - public static void SetDllImportResolver(System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportResolver resolver) => throw null; - public static bool TryGetExport(System.IntPtr handle, string name, out System.IntPtr address) => throw null; - public static bool TryLoad(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath, out System.IntPtr handle) => throw null; - public static bool TryLoad(string libraryPath, out System.IntPtr handle) => throw null; - } - - public static class NativeMemory - { - unsafe public static void* AlignedAlloc(System.UIntPtr byteCount, System.UIntPtr alignment) => throw null; - unsafe public static void AlignedFree(void* ptr) => throw null; - unsafe public static void* AlignedRealloc(void* ptr, System.UIntPtr byteCount, System.UIntPtr alignment) => throw null; - unsafe public static void* Alloc(System.UIntPtr byteCount) => throw null; - unsafe public static void* Alloc(System.UIntPtr elementCount, System.UIntPtr elementSize) => throw null; - unsafe public static void* AllocZeroed(System.UIntPtr byteCount) => throw null; - unsafe public static void* AllocZeroed(System.UIntPtr elementCount, System.UIntPtr elementSize) => throw null; - unsafe public static void Clear(void* ptr, System.UIntPtr byteCount) => throw null; - unsafe public static void Copy(void* source, void* destination, System.UIntPtr byteCount) => throw null; - unsafe public static void Fill(void* ptr, System.UIntPtr byteCount, System.Byte value) => throw null; - unsafe public static void Free(void* ptr) => throw null; - unsafe public static void* Realloc(void* ptr, System.UIntPtr byteCount) => throw null; - } - - public class OptionalAttribute : System.Attribute - { - public OptionalAttribute() => throw null; - } - - public enum PosixSignal : int - { - SIGCHLD = -5, - SIGCONT = -6, - SIGHUP = -1, - SIGINT = -2, - SIGQUIT = -3, - SIGTERM = -4, - SIGTSTP = -10, - SIGTTIN = -8, - SIGTTOU = -9, - SIGWINCH = -7, - } - - public class PosixSignalContext - { - public bool Cancel { get => throw null; set => throw null; } - public PosixSignalContext(System.Runtime.InteropServices.PosixSignal signal) => throw null; - public System.Runtime.InteropServices.PosixSignal Signal { get => throw null; } - } - - public class PosixSignalRegistration : System.IDisposable - { - public static System.Runtime.InteropServices.PosixSignalRegistration Create(System.Runtime.InteropServices.PosixSignal signal, System.Action handler) => throw null; - public void Dispose() => throw null; - // ERR: Stub generator didn't handle member: ~PosixSignalRegistration - } - - public class PreserveSigAttribute : System.Attribute - { - public PreserveSigAttribute() => throw null; - } - - public class PrimaryInteropAssemblyAttribute : System.Attribute - { - public int MajorVersion { get => throw null; } - public int MinorVersion { get => throw null; } - public PrimaryInteropAssemblyAttribute(int major, int minor) => throw null; - } - - public class ProgIdAttribute : System.Attribute - { - public ProgIdAttribute(string progId) => throw null; - public string Value { get => throw null; } - } - - public static class RuntimeEnvironment - { - public static bool FromGlobalAccessCache(System.Reflection.Assembly a) => throw null; - public static string GetRuntimeDirectory() => throw null; - public static System.IntPtr GetRuntimeInterfaceAsIntPtr(System.Guid clsid, System.Guid riid) => throw null; - public static object GetRuntimeInterfaceAsObject(System.Guid clsid, System.Guid riid) => throw null; - public static string GetSystemVersion() => throw null; - public static string SystemConfigurationFile { get => throw null; } - } - - public class SEHException : System.Runtime.InteropServices.ExternalException - { - public virtual bool CanResume() => throw null; - public SEHException() => throw null; - protected SEHException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SEHException(string message) => throw null; - public SEHException(string message, System.Exception inner) => throw null; - } - - public class SafeArrayRankMismatchException : System.SystemException - { - public SafeArrayRankMismatchException() => throw null; - protected SafeArrayRankMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SafeArrayRankMismatchException(string message) => throw null; - public SafeArrayRankMismatchException(string message, System.Exception inner) => throw null; - } - - public class SafeArrayTypeMismatchException : System.SystemException - { - public SafeArrayTypeMismatchException() => throw null; - protected SafeArrayTypeMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SafeArrayTypeMismatchException(string message) => throw null; - public SafeArrayTypeMismatchException(string message, System.Exception inner) => throw null; - } - - public class StandardOleMarshalObject : System.MarshalByRefObject - { - protected StandardOleMarshalObject() => throw null; - } - - public enum StringMarshalling : int - { - Custom = 0, - Utf16 = 2, - Utf8 = 1, - } - - public class TypeIdentifierAttribute : System.Attribute - { - public string Identifier { get => throw null; } - public string Scope { get => throw null; } - public TypeIdentifierAttribute() => throw null; - public TypeIdentifierAttribute(string scope, string identifier) => throw null; - } - - public class TypeLibFuncAttribute : System.Attribute - { - public TypeLibFuncAttribute(System.Runtime.InteropServices.TypeLibFuncFlags flags) => throw null; - public TypeLibFuncAttribute(System.Int16 flags) => throw null; - public System.Runtime.InteropServices.TypeLibFuncFlags Value { get => throw null; } - } - - [System.Flags] - public enum TypeLibFuncFlags : int - { - FBindable = 4, - FDefaultBind = 32, - FDefaultCollelem = 256, - FDisplayBind = 16, - FHidden = 64, - FImmediateBind = 4096, - FNonBrowsable = 1024, - FReplaceable = 2048, - FRequestEdit = 8, - FRestricted = 1, - FSource = 2, - FUiDefault = 512, - FUsesGetLastError = 128, - } - - public class TypeLibImportClassAttribute : System.Attribute - { - public TypeLibImportClassAttribute(System.Type importClass) => throw null; - public string Value { get => throw null; } - } - - public class TypeLibTypeAttribute : System.Attribute - { - public TypeLibTypeAttribute(System.Runtime.InteropServices.TypeLibTypeFlags flags) => throw null; - public TypeLibTypeAttribute(System.Int16 flags) => throw null; - public System.Runtime.InteropServices.TypeLibTypeFlags Value { get => throw null; } - } - - [System.Flags] - public enum TypeLibTypeFlags : int - { - FAggregatable = 1024, - FAppObject = 1, - FCanCreate = 2, - FControl = 32, - FDispatchable = 4096, - FDual = 64, - FHidden = 16, - FLicensed = 4, - FNonExtensible = 128, - FOleAutomation = 256, - FPreDeclId = 8, - FReplaceable = 2048, - FRestricted = 512, - FReverseBind = 8192, - } - - public class TypeLibVarAttribute : System.Attribute - { - public TypeLibVarAttribute(System.Runtime.InteropServices.TypeLibVarFlags flags) => throw null; - public TypeLibVarAttribute(System.Int16 flags) => throw null; - public System.Runtime.InteropServices.TypeLibVarFlags Value { get => throw null; } - } - - [System.Flags] - public enum TypeLibVarFlags : int - { - FBindable = 4, - FDefaultBind = 32, - FDefaultCollelem = 256, - FDisplayBind = 16, - FHidden = 64, - FImmediateBind = 4096, - FNonBrowsable = 1024, - FReadOnly = 1, - FReplaceable = 2048, - FRequestEdit = 8, - FRestricted = 128, - FSource = 2, - FUiDefault = 512, - } - - public class TypeLibVersionAttribute : System.Attribute - { - public int MajorVersion { get => throw null; } - public int MinorVersion { get => throw null; } - public TypeLibVersionAttribute(int major, int minor) => throw null; - } - - public class UnknownWrapper - { - public UnknownWrapper(object obj) => throw null; - public object WrappedObject { get => throw null; } - } - - public class UnmanagedCallConvAttribute : System.Attribute - { - public System.Type[] CallConvs; - public UnmanagedCallConvAttribute() => throw null; - } - - public class UnmanagedCallersOnlyAttribute : System.Attribute - { - public System.Type[] CallConvs; - public string EntryPoint; - public UnmanagedCallersOnlyAttribute() => throw null; - } - - public class UnmanagedFunctionPointerAttribute : System.Attribute - { - public bool BestFitMapping; - public System.Runtime.InteropServices.CallingConvention CallingConvention { get => throw null; } - public System.Runtime.InteropServices.CharSet CharSet; - public bool SetLastError; - public bool ThrowOnUnmappableChar; - public UnmanagedFunctionPointerAttribute(System.Runtime.InteropServices.CallingConvention callingConvention) => throw null; - } - - public enum VarEnum : int - { - VT_ARRAY = 8192, - VT_BLOB = 65, - VT_BLOB_OBJECT = 70, - VT_BOOL = 11, - VT_BSTR = 8, - VT_BYREF = 16384, - VT_CARRAY = 28, - VT_CF = 71, - VT_CLSID = 72, - VT_CY = 6, - VT_DATE = 7, - VT_DECIMAL = 14, - VT_DISPATCH = 9, - VT_EMPTY = 0, - VT_ERROR = 10, - VT_FILETIME = 64, - VT_HRESULT = 25, - VT_I1 = 16, - VT_I2 = 2, - VT_I4 = 3, - VT_I8 = 20, - VT_INT = 22, - VT_LPSTR = 30, - VT_LPWSTR = 31, - VT_NULL = 1, - VT_PTR = 26, - VT_R4 = 4, - VT_R8 = 5, - VT_RECORD = 36, - VT_SAFEARRAY = 27, - VT_STORAGE = 67, - VT_STORED_OBJECT = 69, - VT_STREAM = 66, - VT_STREAMED_OBJECT = 68, - VT_UI1 = 17, - VT_UI2 = 18, - VT_UI4 = 19, - VT_UI8 = 21, - VT_UINT = 23, - VT_UNKNOWN = 13, - VT_USERDEFINED = 29, - VT_VARIANT = 12, - VT_VECTOR = 4096, - VT_VOID = 24, - } - - public class VariantWrapper - { - public VariantWrapper(object obj) => throw null; - public object WrappedObject { get => throw null; } - } - - namespace ComTypes - { - [System.Flags] - public enum ADVF : int - { - ADVFCACHE_FORCEBUILTIN = 16, - ADVFCACHE_NOHANDLER = 8, - ADVFCACHE_ONSAVE = 32, - ADVF_DATAONSTOP = 64, - ADVF_NODATA = 1, - ADVF_ONLYONCE = 4, - ADVF_PRIMEFIRST = 2, - } - public struct BINDPTR { - // Stub generator skipped constructor - public System.IntPtr lpfuncdesc; - public System.IntPtr lptcomp; - public System.IntPtr lpvardesc; - } - - public struct BIND_OPTS - { - // Stub generator skipped constructor - public int cbStruct; - public int dwTickCountDeadline; - public int grfFlags; - public int grfMode; + public nint lpfuncdesc; + public nint lptcomp; + public nint lpvardesc; } - - public enum CALLCONV : int + public enum CALLCONV { CC_CDECL = 1, - CC_MACPASCAL = 3, - CC_MAX = 9, - CC_MPWCDECL = 7, - CC_MPWPASCAL = 8, CC_MSCPASCAL = 2, CC_PASCAL = 2, - CC_RESERVED = 5, + CC_MACPASCAL = 3, CC_STDCALL = 4, + CC_RESERVED = 5, CC_SYSCALL = 6, + CC_MPWCDECL = 7, + CC_MPWPASCAL = 8, + CC_MAX = 9, } - public struct CONNECTDATA { - // Stub generator skipped constructor public int dwCookie; public object pUnk; } - - public enum DATADIR : int + public enum DATADIR { DATADIR_GET = 1, DATADIR_SET = 2, } - - public enum DESCKIND : int + public enum DESCKIND { + DESCKIND_NONE = 0, DESCKIND_FUNCDESC = 1, + DESCKIND_VARDESC = 2, + DESCKIND_TYPECOMP = 3, DESCKIND_IMPLICITAPPOBJ = 4, DESCKIND_MAX = 5, - DESCKIND_NONE = 0, - DESCKIND_TYPECOMP = 3, - DESCKIND_VARDESC = 2, } - public struct DISPPARAMS { - // Stub generator skipped constructor public int cArgs; public int cNamedArgs; - public System.IntPtr rgdispidNamedArgs; - public System.IntPtr rgvarg; + public nint rgdispidNamedArgs; + public nint rgvarg; } - [System.Flags] - public enum DVASPECT : int + public enum DVASPECT { DVASPECT_CONTENT = 1, - DVASPECT_DOCPRINT = 8, - DVASPECT_ICON = 4, DVASPECT_THUMBNAIL = 2, + DVASPECT_ICON = 4, + DVASPECT_DOCPRINT = 8, } - public struct ELEMDESC { + public System.Runtime.InteropServices.ComTypes.ELEMDESC.DESCUNION desc; public struct DESCUNION { - // Stub generator skipped constructor public System.Runtime.InteropServices.ComTypes.IDLDESC idldesc; public System.Runtime.InteropServices.ComTypes.PARAMDESC paramdesc; } - - - // Stub generator skipped constructor - public System.Runtime.InteropServices.ComTypes.ELEMDESC.DESCUNION desc; public System.Runtime.InteropServices.ComTypes.TYPEDESC tdesc; } - public struct EXCEPINFO { - // Stub generator skipped constructor public string bstrDescription; public string bstrHelpFile; public string bstrSource; public int dwHelpContext; - public System.IntPtr pfnDeferredFillIn; - public System.IntPtr pvReserved; + public nint pfnDeferredFillIn; + public nint pvReserved; public int scode; - public System.Int16 wCode; - public System.Int16 wReserved; + public short wCode; + public short wReserved; } - public struct FILETIME { - // Stub generator skipped constructor public int dwHighDateTime; public int dwLowDateTime; } - public struct FORMATETC { - // Stub generator skipped constructor - public System.Int16 cfFormat; + public short cfFormat; public System.Runtime.InteropServices.ComTypes.DVASPECT dwAspect; public int lindex; - public System.IntPtr ptd; + public nint ptd; public System.Runtime.InteropServices.ComTypes.TYMED tymed; } - public struct FUNCDESC { - // Stub generator skipped constructor - public System.Int16 cParams; - public System.Int16 cParamsOpt; - public System.Int16 cScodes; public System.Runtime.InteropServices.ComTypes.CALLCONV callconv; + public short cParams; + public short cParamsOpt; + public short cScodes; public System.Runtime.InteropServices.ComTypes.ELEMDESC elemdescFunc; public System.Runtime.InteropServices.ComTypes.FUNCKIND funckind; public System.Runtime.InteropServices.ComTypes.INVOKEKIND invkind; - public System.IntPtr lprgelemdescParam; - public System.IntPtr lprgscode; + public nint lprgelemdescParam; + public nint lprgscode; public int memid; - public System.Int16 oVft; - public System.Int16 wFuncFlags; + public short oVft; + public short wFuncFlags; } - [System.Flags] public enum FUNCFLAGS : short { + FUNCFLAG_FRESTRICTED = 1, + FUNCFLAG_FSOURCE = 2, FUNCFLAG_FBINDABLE = 4, - FUNCFLAG_FDEFAULTBIND = 32, - FUNCFLAG_FDEFAULTCOLLELEM = 256, + FUNCFLAG_FREQUESTEDIT = 8, FUNCFLAG_FDISPLAYBIND = 16, + FUNCFLAG_FDEFAULTBIND = 32, FUNCFLAG_FHIDDEN = 64, - FUNCFLAG_FIMMEDIATEBIND = 4096, + FUNCFLAG_FUSESGETLASTERROR = 128, + FUNCFLAG_FDEFAULTCOLLELEM = 256, + FUNCFLAG_FUIDEFAULT = 512, FUNCFLAG_FNONBROWSABLE = 1024, FUNCFLAG_FREPLACEABLE = 2048, - FUNCFLAG_FREQUESTEDIT = 8, - FUNCFLAG_FRESTRICTED = 1, - FUNCFLAG_FSOURCE = 2, - FUNCFLAG_FUIDEFAULT = 512, - FUNCFLAG_FUSESGETLASTERROR = 128, + FUNCFLAG_FIMMEDIATEBIND = 4096, } - - public enum FUNCKIND : int + public enum FUNCKIND { - FUNC_DISPATCH = 4, - FUNC_NONVIRTUAL = 2, + FUNC_VIRTUAL = 0, FUNC_PUREVIRTUAL = 1, + FUNC_NONVIRTUAL = 2, FUNC_STATIC = 3, - FUNC_VIRTUAL = 0, + FUNC_DISPATCH = 4, } - public interface IAdviseSink { void OnClose(); @@ -1447,7 +399,6 @@ public interface IAdviseSink void OnSave(); void OnViewChange(int aspect, int index); } - public interface IBindCtx { void EnumObjectParam(out System.Runtime.InteropServices.ComTypes.IEnumString ppenum); @@ -1461,7 +412,6 @@ public interface IBindCtx int RevokeObjectParam(string pszKey); void SetBindOptions(ref System.Runtime.InteropServices.ComTypes.BIND_OPTS pbindopts); } - public interface IConnectionPoint { void Advise(object pUnkSink, out int pdwCookie); @@ -1470,30 +420,11 @@ public interface IConnectionPoint void GetConnectionPointContainer(out System.Runtime.InteropServices.ComTypes.IConnectionPointContainer ppCPC); void Unadvise(int dwCookie); } - public interface IConnectionPointContainer { void EnumConnectionPoints(out System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints ppEnum); void FindConnectionPoint(ref System.Guid riid, out System.Runtime.InteropServices.ComTypes.IConnectionPoint ppCP); } - - public struct IDLDESC - { - // Stub generator skipped constructor - public System.IntPtr dwReserved; - public System.Runtime.InteropServices.ComTypes.IDLFLAG wIDLFlags; - } - - [System.Flags] - public enum IDLFLAG : short - { - IDLFLAG_FIN = 1, - IDLFLAG_FLCID = 4, - IDLFLAG_FOUT = 2, - IDLFLAG_FRETVAL = 8, - IDLFLAG_NONE = 0, - } - public interface IDataObject { int DAdvise(ref System.Runtime.InteropServices.ComTypes.FORMATETC pFormatetc, System.Runtime.InteropServices.ComTypes.ADVF advf, System.Runtime.InteropServices.ComTypes.IAdviseSink adviseSink, out int connection); @@ -1506,23 +437,34 @@ public interface IDataObject int QueryGetData(ref System.Runtime.InteropServices.ComTypes.FORMATETC format); void SetData(ref System.Runtime.InteropServices.ComTypes.FORMATETC formatIn, ref System.Runtime.InteropServices.ComTypes.STGMEDIUM medium, bool release); } - + public struct IDLDESC + { + public nint dwReserved; + public System.Runtime.InteropServices.ComTypes.IDLFLAG wIDLFlags; + } + [System.Flags] + public enum IDLFLAG : short + { + IDLFLAG_NONE = 0, + IDLFLAG_FIN = 1, + IDLFLAG_FOUT = 2, + IDLFLAG_FLCID = 4, + IDLFLAG_FRETVAL = 8, + } public interface IEnumConnectionPoints { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumConnectionPoints ppenum); - int Next(int celt, System.Runtime.InteropServices.ComTypes.IConnectionPoint[] rgelt, System.IntPtr pceltFetched); + int Next(int celt, System.Runtime.InteropServices.ComTypes.IConnectionPoint[] rgelt, nint pceltFetched); void Reset(); int Skip(int celt); } - public interface IEnumConnections { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumConnections ppenum); - int Next(int celt, System.Runtime.InteropServices.ComTypes.CONNECTDATA[] rgelt, System.IntPtr pceltFetched); + int Next(int celt, System.Runtime.InteropServices.ComTypes.CONNECTDATA[] rgelt, nint pceltFetched); void Reset(); int Skip(int celt); } - public interface IEnumFORMATETC { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumFORMATETC newEnum); @@ -1530,15 +472,13 @@ public interface IEnumFORMATETC int Reset(); int Skip(int celt); } - public interface IEnumMoniker { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumMoniker ppenum); - int Next(int celt, System.Runtime.InteropServices.ComTypes.IMoniker[] rgelt, System.IntPtr pceltFetched); + int Next(int celt, System.Runtime.InteropServices.ComTypes.IMoniker[] rgelt, nint pceltFetched); void Reset(); int Skip(int celt); } - public interface IEnumSTATDATA { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumSTATDATA newEnum); @@ -1546,32 +486,20 @@ public interface IEnumSTATDATA int Reset(); int Skip(int celt); } - public interface IEnumString { void Clone(out System.Runtime.InteropServices.ComTypes.IEnumString ppenum); - int Next(int celt, string[] rgelt, System.IntPtr pceltFetched); + int Next(int celt, string[] rgelt, nint pceltFetched); void Reset(); int Skip(int celt); } - public interface IEnumVARIANT { System.Runtime.InteropServices.ComTypes.IEnumVARIANT Clone(); - int Next(int celt, object[] rgVar, System.IntPtr pceltFetched); + int Next(int celt, object[] rgVar, nint pceltFetched); int Reset(); int Skip(int celt); } - - [System.Flags] - public enum IMPLTYPEFLAGS : int - { - IMPLTYPEFLAG_FDEFAULT = 1, - IMPLTYPEFLAG_FDEFAULTVTABLE = 8, - IMPLTYPEFLAG_FRESTRICTED = 4, - IMPLTYPEFLAG_FSOURCE = 2, - } - public interface IMoniker { void BindToObject(System.Runtime.InteropServices.ComTypes.IBindCtx pbc, System.Runtime.InteropServices.ComTypes.IMoniker pmkToLeft, ref System.Guid riidResult, out object ppvResult); @@ -1581,7 +509,7 @@ public interface IMoniker void Enum(bool fForward, out System.Runtime.InteropServices.ComTypes.IEnumMoniker ppenumMoniker); void GetClassID(out System.Guid pClassID); void GetDisplayName(System.Runtime.InteropServices.ComTypes.IBindCtx pbc, System.Runtime.InteropServices.ComTypes.IMoniker pmkToLeft, out string ppszDisplayName); - void GetSizeMax(out System.Int64 pcbSize); + void GetSizeMax(out long pcbSize); void GetTimeOfLastChange(System.Runtime.InteropServices.ComTypes.IBindCtx pbc, System.Runtime.InteropServices.ComTypes.IMoniker pmkToLeft, out System.Runtime.InteropServices.ComTypes.FILETIME pFileTime); void Hash(out int pdwHash); void Inverse(out System.Runtime.InteropServices.ComTypes.IMoniker ppmk); @@ -1595,16 +523,22 @@ public interface IMoniker void RelativePathTo(System.Runtime.InteropServices.ComTypes.IMoniker pmkOther, out System.Runtime.InteropServices.ComTypes.IMoniker ppmkRelPath); void Save(System.Runtime.InteropServices.ComTypes.IStream pStm, bool fClearDirty); } - [System.Flags] - public enum INVOKEKIND : int + public enum IMPLTYPEFLAGS + { + IMPLTYPEFLAG_FDEFAULT = 1, + IMPLTYPEFLAG_FSOURCE = 2, + IMPLTYPEFLAG_FRESTRICTED = 4, + IMPLTYPEFLAG_FDEFAULTVTABLE = 8, + } + [System.Flags] + public enum INVOKEKIND { INVOKE_FUNC = 1, INVOKE_PROPERTYGET = 2, INVOKE_PROPERTYPUT = 4, INVOKE_PROPERTYPUTREF = 8, } - public interface IPersistFile { void GetClassID(out System.Guid pClassID); @@ -1614,7 +548,6 @@ public interface IPersistFile void Save(string pszFileName, bool fRemember); void SaveCompleted(string pszFileName); } - public interface IRunningObjectTable { void EnumRunning(out System.Runtime.InteropServices.ComTypes.IEnumMoniker ppenumMoniker); @@ -1625,67 +558,63 @@ public interface IRunningObjectTable int Register(int grfFlags, object punkObject, System.Runtime.InteropServices.ComTypes.IMoniker pmkObjectName); void Revoke(int dwRegister); } - public interface IStream { void Clone(out System.Runtime.InteropServices.ComTypes.IStream ppstm); void Commit(int grfCommitFlags); - void CopyTo(System.Runtime.InteropServices.ComTypes.IStream pstm, System.Int64 cb, System.IntPtr pcbRead, System.IntPtr pcbWritten); - void LockRegion(System.Int64 libOffset, System.Int64 cb, int dwLockType); - void Read(System.Byte[] pv, int cb, System.IntPtr pcbRead); + void CopyTo(System.Runtime.InteropServices.ComTypes.IStream pstm, long cb, nint pcbRead, nint pcbWritten); + void LockRegion(long libOffset, long cb, int dwLockType); + void Read(byte[] pv, int cb, nint pcbRead); void Revert(); - void Seek(System.Int64 dlibMove, int dwOrigin, System.IntPtr plibNewPosition); - void SetSize(System.Int64 libNewSize); + void Seek(long dlibMove, int dwOrigin, nint plibNewPosition); + void SetSize(long libNewSize); void Stat(out System.Runtime.InteropServices.ComTypes.STATSTG pstatstg, int grfStatFlag); - void UnlockRegion(System.Int64 libOffset, System.Int64 cb, int dwLockType); - void Write(System.Byte[] pv, int cb, System.IntPtr pcbWritten); + void UnlockRegion(long libOffset, long cb, int dwLockType); + void Write(byte[] pv, int cb, nint pcbWritten); } - public interface ITypeComp { - void Bind(string szName, int lHashVal, System.Int16 wFlags, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTInfo, out System.Runtime.InteropServices.ComTypes.DESCKIND pDescKind, out System.Runtime.InteropServices.ComTypes.BINDPTR pBindPtr); + void Bind(string szName, int lHashVal, short wFlags, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTInfo, out System.Runtime.InteropServices.ComTypes.DESCKIND pDescKind, out System.Runtime.InteropServices.ComTypes.BINDPTR pBindPtr); void BindType(string szName, int lHashVal, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTInfo, out System.Runtime.InteropServices.ComTypes.ITypeComp ppTComp); } - public interface ITypeInfo { - void AddressOfMember(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, out System.IntPtr ppv); + void AddressOfMember(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, out nint ppv); void CreateInstance(object pUnkOuter, ref System.Guid riid, out object ppvObj); void GetContainingTypeLib(out System.Runtime.InteropServices.ComTypes.ITypeLib ppTLB, out int pIndex); - void GetDllEntry(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, System.IntPtr pBstrDllName, System.IntPtr pBstrName, System.IntPtr pwOrdinal); + void GetDllEntry(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, nint pBstrDllName, nint pBstrName, nint pwOrdinal); void GetDocumentation(int index, out string strName, out string strDocString, out int dwHelpContext, out string strHelpFile); - void GetFuncDesc(int index, out System.IntPtr ppFuncDesc); + void GetFuncDesc(int index, out nint ppFuncDesc); void GetIDsOfNames(string[] rgszNames, int cNames, int[] pMemId); void GetImplTypeFlags(int index, out System.Runtime.InteropServices.ComTypes.IMPLTYPEFLAGS pImplTypeFlags); void GetMops(int memid, out string pBstrMops); void GetNames(int memid, string[] rgBstrNames, int cMaxNames, out int pcNames); void GetRefTypeInfo(int hRef, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTI); void GetRefTypeOfImplType(int index, out int href); - void GetTypeAttr(out System.IntPtr ppTypeAttr); + void GetTypeAttr(out nint ppTypeAttr); void GetTypeComp(out System.Runtime.InteropServices.ComTypes.ITypeComp ppTComp); - void GetVarDesc(int index, out System.IntPtr ppVarDesc); - void Invoke(object pvInstance, int memid, System.Int16 wFlags, ref System.Runtime.InteropServices.ComTypes.DISPPARAMS pDispParams, System.IntPtr pVarResult, System.IntPtr pExcepInfo, out int puArgErr); - void ReleaseFuncDesc(System.IntPtr pFuncDesc); - void ReleaseTypeAttr(System.IntPtr pTypeAttr); - void ReleaseVarDesc(System.IntPtr pVarDesc); + void GetVarDesc(int index, out nint ppVarDesc); + void Invoke(object pvInstance, int memid, short wFlags, ref System.Runtime.InteropServices.ComTypes.DISPPARAMS pDispParams, nint pVarResult, nint pExcepInfo, out int puArgErr); + void ReleaseFuncDesc(nint pFuncDesc); + void ReleaseTypeAttr(nint pTypeAttr); + void ReleaseVarDesc(nint pVarDesc); } - public interface ITypeInfo2 : System.Runtime.InteropServices.ComTypes.ITypeInfo { - void AddressOfMember(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, out System.IntPtr ppv); + void AddressOfMember(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, out nint ppv); void CreateInstance(object pUnkOuter, ref System.Guid riid, out object ppvObj); - void GetAllCustData(System.IntPtr pCustData); - void GetAllFuncCustData(int index, System.IntPtr pCustData); - void GetAllImplTypeCustData(int index, System.IntPtr pCustData); - void GetAllParamCustData(int indexFunc, int indexParam, System.IntPtr pCustData); - void GetAllVarCustData(int index, System.IntPtr pCustData); + void GetAllCustData(nint pCustData); + void GetAllFuncCustData(int index, nint pCustData); + void GetAllImplTypeCustData(int index, nint pCustData); + void GetAllParamCustData(int indexFunc, int indexParam, nint pCustData); + void GetAllVarCustData(int index, nint pCustData); void GetContainingTypeLib(out System.Runtime.InteropServices.ComTypes.ITypeLib ppTLB, out int pIndex); void GetCustData(ref System.Guid guid, out object pVarVal); - void GetDllEntry(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, System.IntPtr pBstrDllName, System.IntPtr pBstrName, System.IntPtr pwOrdinal); + void GetDllEntry(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, nint pBstrDllName, nint pBstrName, nint pwOrdinal); void GetDocumentation(int index, out string strName, out string strDocString, out int dwHelpContext, out string strHelpFile); void GetDocumentation2(int memid, out string pbstrHelpString, out int pdwHelpStringContext, out string pbstrHelpStringDll); void GetFuncCustData(int index, ref System.Guid guid, out object pVarVal); - void GetFuncDesc(int index, out System.IntPtr ppFuncDesc); + void GetFuncDesc(int index, out nint ppFuncDesc); void GetFuncIndexOfMemId(int memid, System.Runtime.InteropServices.ComTypes.INVOKEKIND invKind, out int pFuncIndex); void GetIDsOfNames(string[] rgszNames, int cNames, int[] pMemId); void GetImplTypeCustData(int index, ref System.Guid guid, out object pVarVal); @@ -1695,94 +624,84 @@ public interface ITypeInfo2 : System.Runtime.InteropServices.ComTypes.ITypeInfo void GetParamCustData(int indexFunc, int indexParam, ref System.Guid guid, out object pVarVal); void GetRefTypeInfo(int hRef, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTI); void GetRefTypeOfImplType(int index, out int href); - void GetTypeAttr(out System.IntPtr ppTypeAttr); + void GetTypeAttr(out nint ppTypeAttr); void GetTypeComp(out System.Runtime.InteropServices.ComTypes.ITypeComp ppTComp); void GetTypeFlags(out int pTypeFlags); void GetTypeKind(out System.Runtime.InteropServices.ComTypes.TYPEKIND pTypeKind); void GetVarCustData(int index, ref System.Guid guid, out object pVarVal); - void GetVarDesc(int index, out System.IntPtr ppVarDesc); + void GetVarDesc(int index, out nint ppVarDesc); void GetVarIndexOfMemId(int memid, out int pVarIndex); - void Invoke(object pvInstance, int memid, System.Int16 wFlags, ref System.Runtime.InteropServices.ComTypes.DISPPARAMS pDispParams, System.IntPtr pVarResult, System.IntPtr pExcepInfo, out int puArgErr); - void ReleaseFuncDesc(System.IntPtr pFuncDesc); - void ReleaseTypeAttr(System.IntPtr pTypeAttr); - void ReleaseVarDesc(System.IntPtr pVarDesc); + void Invoke(object pvInstance, int memid, short wFlags, ref System.Runtime.InteropServices.ComTypes.DISPPARAMS pDispParams, nint pVarResult, nint pExcepInfo, out int puArgErr); + void ReleaseFuncDesc(nint pFuncDesc); + void ReleaseTypeAttr(nint pTypeAttr); + void ReleaseVarDesc(nint pVarDesc); } - public interface ITypeLib { - void FindName(string szNameBuf, int lHashVal, System.Runtime.InteropServices.ComTypes.ITypeInfo[] ppTInfo, int[] rgMemId, ref System.Int16 pcFound); + void FindName(string szNameBuf, int lHashVal, System.Runtime.InteropServices.ComTypes.ITypeInfo[] ppTInfo, int[] rgMemId, ref short pcFound); void GetDocumentation(int index, out string strName, out string strDocString, out int dwHelpContext, out string strHelpFile); - void GetLibAttr(out System.IntPtr ppTLibAttr); + void GetLibAttr(out nint ppTLibAttr); void GetTypeComp(out System.Runtime.InteropServices.ComTypes.ITypeComp ppTComp); void GetTypeInfo(int index, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTI); int GetTypeInfoCount(); void GetTypeInfoOfGuid(ref System.Guid guid, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTInfo); void GetTypeInfoType(int index, out System.Runtime.InteropServices.ComTypes.TYPEKIND pTKind); bool IsName(string szNameBuf, int lHashVal); - void ReleaseTLibAttr(System.IntPtr pTLibAttr); + void ReleaseTLibAttr(nint pTLibAttr); } - public interface ITypeLib2 : System.Runtime.InteropServices.ComTypes.ITypeLib { - void FindName(string szNameBuf, int lHashVal, System.Runtime.InteropServices.ComTypes.ITypeInfo[] ppTInfo, int[] rgMemId, ref System.Int16 pcFound); - void GetAllCustData(System.IntPtr pCustData); + void FindName(string szNameBuf, int lHashVal, System.Runtime.InteropServices.ComTypes.ITypeInfo[] ppTInfo, int[] rgMemId, ref short pcFound); + void GetAllCustData(nint pCustData); void GetCustData(ref System.Guid guid, out object pVarVal); void GetDocumentation(int index, out string strName, out string strDocString, out int dwHelpContext, out string strHelpFile); void GetDocumentation2(int index, out string pbstrHelpString, out int pdwHelpStringContext, out string pbstrHelpStringDll); - void GetLibAttr(out System.IntPtr ppTLibAttr); - void GetLibStatistics(System.IntPtr pcUniqueNames, out int pcchUniqueNames); + void GetLibAttr(out nint ppTLibAttr); + void GetLibStatistics(nint pcUniqueNames, out int pcchUniqueNames); void GetTypeComp(out System.Runtime.InteropServices.ComTypes.ITypeComp ppTComp); void GetTypeInfo(int index, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTI); int GetTypeInfoCount(); void GetTypeInfoOfGuid(ref System.Guid guid, out System.Runtime.InteropServices.ComTypes.ITypeInfo ppTInfo); void GetTypeInfoType(int index, out System.Runtime.InteropServices.ComTypes.TYPEKIND pTKind); bool IsName(string szNameBuf, int lHashVal); - void ReleaseTLibAttr(System.IntPtr pTLibAttr); + void ReleaseTLibAttr(nint pTLibAttr); } - [System.Flags] public enum LIBFLAGS : short { + LIBFLAG_FRESTRICTED = 1, LIBFLAG_FCONTROL = 2, - LIBFLAG_FHASDISKIMAGE = 8, LIBFLAG_FHIDDEN = 4, - LIBFLAG_FRESTRICTED = 1, + LIBFLAG_FHASDISKIMAGE = 8, } - public struct PARAMDESC { - // Stub generator skipped constructor - public System.IntPtr lpVarValue; + public nint lpVarValue; public System.Runtime.InteropServices.ComTypes.PARAMFLAG wParamFlags; } - [System.Flags] public enum PARAMFLAG : short { - PARAMFLAG_FHASCUSTDATA = 64, - PARAMFLAG_FHASDEFAULT = 32, + PARAMFLAG_NONE = 0, PARAMFLAG_FIN = 1, - PARAMFLAG_FLCID = 4, - PARAMFLAG_FOPT = 16, PARAMFLAG_FOUT = 2, + PARAMFLAG_FLCID = 4, PARAMFLAG_FRETVAL = 8, - PARAMFLAG_NONE = 0, + PARAMFLAG_FOPT = 16, + PARAMFLAG_FHASDEFAULT = 32, + PARAMFLAG_FHASCUSTDATA = 64, } - public struct STATDATA { - // Stub generator skipped constructor - public System.Runtime.InteropServices.ComTypes.IAdviseSink advSink; public System.Runtime.InteropServices.ComTypes.ADVF advf; + public System.Runtime.InteropServices.ComTypes.IAdviseSink advSink; public int connection; public System.Runtime.InteropServices.ComTypes.FORMATETC formatetc; } - public struct STATSTG { - // Stub generator skipped constructor public System.Runtime.InteropServices.ComTypes.FILETIME atime; - public System.Int64 cbSize; + public long cbSize; public System.Guid clsid; public System.Runtime.InteropServices.ComTypes.FILETIME ctime; public int grfLocksSupported; @@ -1793,178 +712,575 @@ public struct STATSTG public int reserved; public int type; } - public struct STGMEDIUM { - // Stub generator skipped constructor public object pUnkForRelease; public System.Runtime.InteropServices.ComTypes.TYMED tymed; - public System.IntPtr unionmember; + public nint unionmember; } - - public enum SYSKIND : int + public enum SYSKIND { - SYS_MAC = 2, SYS_WIN16 = 0, SYS_WIN32 = 1, + SYS_MAC = 2, SYS_WIN64 = 3, } - [System.Flags] - public enum TYMED : int + public enum TYMED { - TYMED_ENHMF = 64, - TYMED_FILE = 2, - TYMED_GDI = 16, + TYMED_NULL = 0, TYMED_HGLOBAL = 1, - TYMED_ISTORAGE = 8, + TYMED_FILE = 2, TYMED_ISTREAM = 4, + TYMED_ISTORAGE = 8, + TYMED_GDI = 16, TYMED_MFPICT = 32, - TYMED_NULL = 0, + TYMED_ENHMF = 64, } - public struct TYPEATTR { - public const int MEMBER_ID_NIL = default; - // Stub generator skipped constructor - public System.Int16 cFuncs; - public System.Int16 cImplTypes; - public System.Int16 cVars; - public System.Int16 cbAlignment; + public short cbAlignment; public int cbSizeInstance; - public System.Int16 cbSizeVft; + public short cbSizeVft; + public short cFuncs; + public short cImplTypes; + public short cVars; public int dwReserved; public System.Guid guid; public System.Runtime.InteropServices.ComTypes.IDLDESC idldescType; public int lcid; - public System.IntPtr lpstrSchema; + public nint lpstrSchema; + public static int MEMBER_ID_NIL; public int memidConstructor; public int memidDestructor; public System.Runtime.InteropServices.ComTypes.TYPEDESC tdescAlias; public System.Runtime.InteropServices.ComTypes.TYPEKIND typekind; - public System.Int16 wMajorVerNum; - public System.Int16 wMinorVerNum; + public short wMajorVerNum; + public short wMinorVerNum; public System.Runtime.InteropServices.ComTypes.TYPEFLAGS wTypeFlags; } - public struct TYPEDESC { - // Stub generator skipped constructor - public System.IntPtr lpValue; - public System.Int16 vt; + public nint lpValue; + public short vt; } - [System.Flags] public enum TYPEFLAGS : short { - TYPEFLAG_FAGGREGATABLE = 1024, TYPEFLAG_FAPPOBJECT = 1, TYPEFLAG_FCANCREATE = 2, + TYPEFLAG_FLICENSED = 4, + TYPEFLAG_FPREDECLID = 8, + TYPEFLAG_FHIDDEN = 16, TYPEFLAG_FCONTROL = 32, - TYPEFLAG_FDISPATCHABLE = 4096, TYPEFLAG_FDUAL = 64, - TYPEFLAG_FHIDDEN = 16, - TYPEFLAG_FLICENSED = 4, TYPEFLAG_FNONEXTENSIBLE = 128, TYPEFLAG_FOLEAUTOMATION = 256, - TYPEFLAG_FPREDECLID = 8, - TYPEFLAG_FPROXY = 16384, - TYPEFLAG_FREPLACEABLE = 2048, TYPEFLAG_FRESTRICTED = 512, + TYPEFLAG_FAGGREGATABLE = 1024, + TYPEFLAG_FREPLACEABLE = 2048, + TYPEFLAG_FDISPATCHABLE = 4096, TYPEFLAG_FREVERSEBIND = 8192, + TYPEFLAG_FPROXY = 16384, } - - public enum TYPEKIND : int + public enum TYPEKIND { - TKIND_ALIAS = 6, - TKIND_COCLASS = 5, - TKIND_DISPATCH = 4, TKIND_ENUM = 0, - TKIND_INTERFACE = 3, - TKIND_MAX = 8, - TKIND_MODULE = 2, TKIND_RECORD = 1, + TKIND_MODULE = 2, + TKIND_INTERFACE = 3, + TKIND_DISPATCH = 4, + TKIND_COCLASS = 5, + TKIND_ALIAS = 6, TKIND_UNION = 7, + TKIND_MAX = 8, } - public struct TYPELIBATTR { - // Stub generator skipped constructor public System.Guid guid; public int lcid; public System.Runtime.InteropServices.ComTypes.SYSKIND syskind; public System.Runtime.InteropServices.ComTypes.LIBFLAGS wLibFlags; - public System.Int16 wMajorVerNum; - public System.Int16 wMinorVerNum; + public short wMajorVerNum; + public short wMinorVerNum; } - public struct VARDESC { + public System.Runtime.InteropServices.ComTypes.VARDESC.DESCUNION desc; public struct DESCUNION { - // Stub generator skipped constructor - public System.IntPtr lpvarValue; + public nint lpvarValue; public int oInst; } - - - // Stub generator skipped constructor - public System.Runtime.InteropServices.ComTypes.VARDESC.DESCUNION desc; public System.Runtime.InteropServices.ComTypes.ELEMDESC elemdescVar; public string lpstrSchema; public int memid; public System.Runtime.InteropServices.ComTypes.VARKIND varkind; - public System.Int16 wVarFlags; + public short wVarFlags; } - [System.Flags] public enum VARFLAGS : short { + VARFLAG_FREADONLY = 1, + VARFLAG_FSOURCE = 2, VARFLAG_FBINDABLE = 4, - VARFLAG_FDEFAULTBIND = 32, - VARFLAG_FDEFAULTCOLLELEM = 256, + VARFLAG_FREQUESTEDIT = 8, VARFLAG_FDISPLAYBIND = 16, + VARFLAG_FDEFAULTBIND = 32, VARFLAG_FHIDDEN = 64, - VARFLAG_FIMMEDIATEBIND = 4096, - VARFLAG_FNONBROWSABLE = 1024, - VARFLAG_FREADONLY = 1, - VARFLAG_FREPLACEABLE = 2048, - VARFLAG_FREQUESTEDIT = 8, VARFLAG_FRESTRICTED = 128, - VARFLAG_FSOURCE = 2, + VARFLAG_FDEFAULTCOLLELEM = 256, VARFLAG_FUIDEFAULT = 512, + VARFLAG_FNONBROWSABLE = 1024, + VARFLAG_FREPLACEABLE = 2048, + VARFLAG_FIMMEDIATEBIND = 4096, } - - public enum VARKIND : int + public enum VARKIND { - VAR_CONST = 2, - VAR_DISPATCH = 3, VAR_PERINSTANCE = 0, VAR_STATIC = 1, + VAR_CONST = 2, + VAR_DISPATCH = 3, } - + } + public sealed class ComUnregisterFunctionAttribute : System.Attribute + { + public ComUnregisterFunctionAttribute() => throw null; + } + public abstract class ComWrappers + { + public struct ComInterfaceDispatch + { + public static unsafe T GetInstance(System.Runtime.InteropServices.ComWrappers.ComInterfaceDispatch* dispatchPtr) where T : class => throw null; + public nint Vtable; + } + public struct ComInterfaceEntry + { + public System.Guid IID; + public nint Vtable; + } + protected abstract unsafe System.Runtime.InteropServices.ComWrappers.ComInterfaceEntry* ComputeVtables(object obj, System.Runtime.InteropServices.CreateComInterfaceFlags flags, out int count); + protected abstract object CreateObject(nint externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags); + protected ComWrappers() => throw null; + protected static void GetIUnknownImpl(out nint fpQueryInterface, out nint fpAddRef, out nint fpRelease) => throw null; + public nint GetOrCreateComInterfaceForObject(object instance, System.Runtime.InteropServices.CreateComInterfaceFlags flags) => throw null; + public object GetOrCreateObjectForComInstance(nint externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags) => throw null; + public object GetOrRegisterObjectForComInstance(nint externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags, object wrapper) => throw null; + public object GetOrRegisterObjectForComInstance(nint externalComObject, System.Runtime.InteropServices.CreateObjectFlags flags, object wrapper, nint inner) => throw null; + public static void RegisterForMarshalling(System.Runtime.InteropServices.ComWrappers instance) => throw null; + public static void RegisterForTrackerSupport(System.Runtime.InteropServices.ComWrappers instance) => throw null; + protected abstract void ReleaseObjects(System.Collections.IEnumerable objects); + } + [System.Flags] + public enum CreateComInterfaceFlags + { + None = 0, + CallerDefinedIUnknown = 1, + TrackerSupport = 2, + } + [System.Flags] + public enum CreateObjectFlags + { + None = 0, + TrackerObject = 1, + UniqueInstance = 2, + Aggregation = 4, + Unwrap = 8, + } + public struct CULong : System.IEquatable + { + public CULong(uint value) => throw null; + public CULong(nuint value) => throw null; + public override bool Equals(object o) => throw null; + public bool Equals(System.Runtime.InteropServices.CULong other) => throw null; + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + public nuint Value { get => throw null; } + } + public sealed class CurrencyWrapper + { + public CurrencyWrapper(decimal obj) => throw null; + public CurrencyWrapper(object obj) => throw null; + public decimal WrappedObject { get => throw null; } + } + public enum CustomQueryInterfaceMode + { + Ignore = 0, + Allow = 1, + } + public enum CustomQueryInterfaceResult + { + Handled = 0, + NotHandled = 1, + Failed = 2, + } + public sealed class DefaultCharSetAttribute : System.Attribute + { + public System.Runtime.InteropServices.CharSet CharSet { get => throw null; } + public DefaultCharSetAttribute(System.Runtime.InteropServices.CharSet charSet) => throw null; + } + public sealed class DefaultDllImportSearchPathsAttribute : System.Attribute + { + public DefaultDllImportSearchPathsAttribute(System.Runtime.InteropServices.DllImportSearchPath paths) => throw null; + public System.Runtime.InteropServices.DllImportSearchPath Paths { get => throw null; } + } + public sealed class DefaultParameterValueAttribute : System.Attribute + { + public DefaultParameterValueAttribute(object value) => throw null; + public object Value { get => throw null; } + } + public sealed class DispatchWrapper + { + public DispatchWrapper(object obj) => throw null; + public object WrappedObject { get => throw null; } + } + public sealed class DispIdAttribute : System.Attribute + { + public DispIdAttribute(int dispId) => throw null; + public int Value { get => throw null; } + } + public sealed class DllImportAttribute : System.Attribute + { + public bool BestFitMapping; + public System.Runtime.InteropServices.CallingConvention CallingConvention; + public System.Runtime.InteropServices.CharSet CharSet; + public DllImportAttribute(string dllName) => throw null; + public string EntryPoint; + public bool ExactSpelling; + public bool PreserveSig; + public bool SetLastError; + public bool ThrowOnUnmappableChar; + public string Value { get => throw null; } + } + public delegate nint DllImportResolver(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath); + [System.Flags] + public enum DllImportSearchPath + { + LegacyBehavior = 0, + AssemblyDirectory = 2, + UseDllDirectoryForDependencies = 256, + ApplicationDirectory = 512, + UserDirectories = 1024, + System32 = 2048, + SafeDirectories = 4096, + } + public sealed class DynamicInterfaceCastableImplementationAttribute : System.Attribute + { + public DynamicInterfaceCastableImplementationAttribute() => throw null; + } + public sealed class ErrorWrapper + { + public ErrorWrapper(System.Exception e) => throw null; + public ErrorWrapper(int errorCode) => throw null; + public ErrorWrapper(object errorCode) => throw null; + public int ErrorCode { get => throw null; } + } + public sealed class GuidAttribute : System.Attribute + { + public GuidAttribute(string guid) => throw null; + public string Value { get => throw null; } + } + public sealed class HandleCollector + { + public void Add() => throw null; + public int Count { get => throw null; } + public HandleCollector(string name, int initialThreshold) => throw null; + public HandleCollector(string name, int initialThreshold, int maximumThreshold) => throw null; + public int InitialThreshold { get => throw null; } + public int MaximumThreshold { get => throw null; } + public string Name { get => throw null; } + public void Remove() => throw null; + } + public struct HandleRef + { + public HandleRef(object wrapper, nint handle) => throw null; + public nint Handle { get => throw null; } + public static explicit operator nint(System.Runtime.InteropServices.HandleRef value) => throw null; + public static nint ToIntPtr(System.Runtime.InteropServices.HandleRef value) => throw null; + public object Wrapper { get => throw null; } + } + public interface ICustomAdapter + { + object GetUnderlyingObject(); + } + public interface ICustomFactory + { + System.MarshalByRefObject CreateInstance(System.Type serverType); + } + public interface ICustomMarshaler + { + void CleanUpManagedData(object ManagedObj); + void CleanUpNativeData(nint pNativeData); + int GetNativeDataSize(); + nint MarshalManagedToNative(object ManagedObj); + object MarshalNativeToManaged(nint pNativeData); + } + public interface ICustomQueryInterface + { + System.Runtime.InteropServices.CustomQueryInterfaceResult GetInterface(ref System.Guid iid, out nint ppv); + } + public interface IDynamicInterfaceCastable + { + System.RuntimeTypeHandle GetInterfaceImplementation(System.RuntimeTypeHandle interfaceType); + bool IsInterfaceImplemented(System.RuntimeTypeHandle interfaceType, bool throwIfNotImplemented); + } + public sealed class ImportedFromTypeLibAttribute : System.Attribute + { + public ImportedFromTypeLibAttribute(string tlbFile) => throw null; + public string Value { get => throw null; } + } + public sealed class InterfaceTypeAttribute : System.Attribute + { + public InterfaceTypeAttribute(short interfaceType) => throw null; + public InterfaceTypeAttribute(System.Runtime.InteropServices.ComInterfaceType interfaceType) => throw null; + public System.Runtime.InteropServices.ComInterfaceType Value { get => throw null; } + } + public class InvalidComObjectException : System.SystemException + { + public InvalidComObjectException() => throw null; + protected InvalidComObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidComObjectException(string message) => throw null; + public InvalidComObjectException(string message, System.Exception inner) => throw null; + } + public class InvalidOleVariantTypeException : System.SystemException + { + public InvalidOleVariantTypeException() => throw null; + protected InvalidOleVariantTypeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidOleVariantTypeException(string message) => throw null; + public InvalidOleVariantTypeException(string message, System.Exception inner) => throw null; + } + public sealed class LCIDConversionAttribute : System.Attribute + { + public LCIDConversionAttribute(int lcid) => throw null; + public int Value { get => throw null; } + } + public sealed class LibraryImportAttribute : System.Attribute + { + public LibraryImportAttribute(string libraryName) => throw null; + public string EntryPoint { get => throw null; set { } } + public string LibraryName { get => throw null; } + public bool SetLastError { get => throw null; set { } } + public System.Runtime.InteropServices.StringMarshalling StringMarshalling { get => throw null; set { } } + public System.Type StringMarshallingCustomType { get => throw null; set { } } + } + public sealed class ManagedToNativeComInteropStubAttribute : System.Attribute + { + public System.Type ClassType { get => throw null; } + public ManagedToNativeComInteropStubAttribute(System.Type classType, string methodName) => throw null; + public string MethodName { get => throw null; } + } + public static class Marshal + { + public static int AddRef(nint pUnk) => throw null; + public static nint AllocCoTaskMem(int cb) => throw null; + public static nint AllocHGlobal(int cb) => throw null; + public static nint AllocHGlobal(nint cb) => throw null; + public static bool AreComObjectsAvailableForCleanup() => throw null; + public static object BindToMoniker(string monikerName) => throw null; + public static void ChangeWrapperHandleStrength(object otp, bool fIsWeak) => throw null; + public static void CleanupUnusedObjectsInCurrentContext() => throw null; + public static void Copy(byte[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(char[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(double[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(short[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(int[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(long[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(nint source, byte[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, char[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, double[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, short[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, int[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, long[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, nint[] destination, int startIndex, int length) => throw null; + public static void Copy(nint source, float[] destination, int startIndex, int length) => throw null; + public static void Copy(nint[] source, int startIndex, nint destination, int length) => throw null; + public static void Copy(float[] source, int startIndex, nint destination, int length) => throw null; + public static nint CreateAggregatedObject(nint pOuter, object o) => throw null; + public static nint CreateAggregatedObject(nint pOuter, T o) => throw null; + public static object CreateWrapperOfType(object o, System.Type t) => throw null; + public static TWrapper CreateWrapperOfType(T o) => throw null; + public static void DestroyStructure(nint ptr, System.Type structuretype) => throw null; + public static void DestroyStructure(nint ptr) => throw null; + public static int FinalReleaseComObject(object o) => throw null; + public static void FreeBSTR(nint ptr) => throw null; + public static void FreeCoTaskMem(nint ptr) => throw null; + public static void FreeHGlobal(nint hglobal) => throw null; + public static System.Guid GenerateGuidForType(System.Type type) => throw null; + public static string GenerateProgIdForType(System.Type type) => throw null; + public static nint GetComInterfaceForObject(object o, System.Type T) => throw null; + public static nint GetComInterfaceForObject(object o, System.Type T, System.Runtime.InteropServices.CustomQueryInterfaceMode mode) => throw null; + public static nint GetComInterfaceForObject(T o) => throw null; + public static object GetComObjectData(object obj, object key) => throw null; + public static System.Delegate GetDelegateForFunctionPointer(nint ptr, System.Type t) => throw null; + public static TDelegate GetDelegateForFunctionPointer(nint ptr) => throw null; + public static int GetEndComSlot(System.Type t) => throw null; + public static int GetExceptionCode() => throw null; + public static System.Exception GetExceptionForHR(int errorCode) => throw null; + public static System.Exception GetExceptionForHR(int errorCode, nint errorInfo) => throw null; + public static nint GetExceptionPointers() => throw null; + public static nint GetFunctionPointerForDelegate(System.Delegate d) => throw null; + public static nint GetFunctionPointerForDelegate(TDelegate d) => throw null; + public static nint GetHINSTANCE(System.Reflection.Module m) => throw null; + public static int GetHRForException(System.Exception e) => throw null; + public static int GetHRForLastWin32Error() => throw null; + public static nint GetIDispatchForObject(object o) => throw null; + public static nint GetIUnknownForObject(object o) => throw null; + public static int GetLastPInvokeError() => throw null; + public static string GetLastPInvokeErrorMessage() => throw null; + public static int GetLastSystemError() => throw null; + public static int GetLastWin32Error() => throw null; + public static void GetNativeVariantForObject(object obj, nint pDstNativeVariant) => throw null; + public static void GetNativeVariantForObject(T obj, nint pDstNativeVariant) => throw null; + public static object GetObjectForIUnknown(nint pUnk) => throw null; + public static object GetObjectForNativeVariant(nint pSrcNativeVariant) => throw null; + public static T GetObjectForNativeVariant(nint pSrcNativeVariant) => throw null; + public static object[] GetObjectsForNativeVariants(nint aSrcNativeVariant, int cVars) => throw null; + public static T[] GetObjectsForNativeVariants(nint aSrcNativeVariant, int cVars) => throw null; + public static string GetPInvokeErrorMessage(int error) => throw null; + public static int GetStartComSlot(System.Type t) => throw null; + public static object GetTypedObjectForIUnknown(nint pUnk, System.Type t) => throw null; + public static System.Type GetTypeFromCLSID(System.Guid clsid) => throw null; + public static string GetTypeInfoName(System.Runtime.InteropServices.ComTypes.ITypeInfo typeInfo) => throw null; + public static object GetUniqueObjectForIUnknown(nint unknown) => throw null; + public static void InitHandle(System.Runtime.InteropServices.SafeHandle safeHandle, nint handle) => throw null; + public static bool IsComObject(object o) => throw null; + public static bool IsTypeVisibleFromCom(System.Type t) => throw null; + public static nint OffsetOf(System.Type t, string fieldName) => throw null; + public static nint OffsetOf(string fieldName) => throw null; + public static void Prelink(System.Reflection.MethodInfo m) => throw null; + public static void PrelinkAll(System.Type c) => throw null; + public static string PtrToStringAnsi(nint ptr) => throw null; + public static string PtrToStringAnsi(nint ptr, int len) => throw null; + public static string PtrToStringAuto(nint ptr) => throw null; + public static string PtrToStringAuto(nint ptr, int len) => throw null; + public static string PtrToStringBSTR(nint ptr) => throw null; + public static string PtrToStringUni(nint ptr) => throw null; + public static string PtrToStringUni(nint ptr, int len) => throw null; + public static string PtrToStringUTF8(nint ptr) => throw null; + public static string PtrToStringUTF8(nint ptr, int byteLen) => throw null; + public static void PtrToStructure(nint ptr, object structure) => throw null; + public static object PtrToStructure(nint ptr, System.Type structureType) => throw null; + public static T PtrToStructure(nint ptr) => throw null; + public static void PtrToStructure(nint ptr, T structure) => throw null; + public static int QueryInterface(nint pUnk, ref System.Guid iid, out nint ppv) => throw null; + public static byte ReadByte(nint ptr) => throw null; + public static byte ReadByte(nint ptr, int ofs) => throw null; + public static byte ReadByte(object ptr, int ofs) => throw null; + public static short ReadInt16(nint ptr) => throw null; + public static short ReadInt16(nint ptr, int ofs) => throw null; + public static short ReadInt16(object ptr, int ofs) => throw null; + public static int ReadInt32(nint ptr) => throw null; + public static int ReadInt32(nint ptr, int ofs) => throw null; + public static int ReadInt32(object ptr, int ofs) => throw null; + public static long ReadInt64(nint ptr) => throw null; + public static long ReadInt64(nint ptr, int ofs) => throw null; + public static long ReadInt64(object ptr, int ofs) => throw null; + public static nint ReadIntPtr(nint ptr) => throw null; + public static nint ReadIntPtr(nint ptr, int ofs) => throw null; + public static nint ReadIntPtr(object ptr, int ofs) => throw null; + public static nint ReAllocCoTaskMem(nint pv, int cb) => throw null; + public static nint ReAllocHGlobal(nint pv, nint cb) => throw null; + public static int Release(nint pUnk) => throw null; + public static int ReleaseComObject(object o) => throw null; + public static nint SecureStringToBSTR(System.Security.SecureString s) => throw null; + public static nint SecureStringToCoTaskMemAnsi(System.Security.SecureString s) => throw null; + public static nint SecureStringToCoTaskMemUnicode(System.Security.SecureString s) => throw null; + public static nint SecureStringToGlobalAllocAnsi(System.Security.SecureString s) => throw null; + public static nint SecureStringToGlobalAllocUnicode(System.Security.SecureString s) => throw null; + public static bool SetComObjectData(object obj, object key, object data) => throw null; + public static void SetLastPInvokeError(int error) => throw null; + public static void SetLastSystemError(int error) => throw null; + public static int SizeOf(object structure) => throw null; + public static int SizeOf(System.Type t) => throw null; + public static int SizeOf() => throw null; + public static int SizeOf(T structure) => throw null; + public static nint StringToBSTR(string s) => throw null; + public static nint StringToCoTaskMemAnsi(string s) => throw null; + public static nint StringToCoTaskMemAuto(string s) => throw null; + public static nint StringToCoTaskMemUni(string s) => throw null; + public static nint StringToCoTaskMemUTF8(string s) => throw null; + public static nint StringToHGlobalAnsi(string s) => throw null; + public static nint StringToHGlobalAuto(string s) => throw null; + public static nint StringToHGlobalUni(string s) => throw null; + public static void StructureToPtr(object structure, nint ptr, bool fDeleteOld) => throw null; + public static void StructureToPtr(T structure, nint ptr, bool fDeleteOld) => throw null; + public static int SystemDefaultCharSize; + public static int SystemMaxDBCSCharSize; + public static void ThrowExceptionForHR(int errorCode) => throw null; + public static void ThrowExceptionForHR(int errorCode, nint errorInfo) => throw null; + public static nint UnsafeAddrOfPinnedArrayElement(System.Array arr, int index) => throw null; + public static nint UnsafeAddrOfPinnedArrayElement(T[] arr, int index) => throw null; + public static void WriteByte(nint ptr, byte val) => throw null; + public static void WriteByte(nint ptr, int ofs, byte val) => throw null; + public static void WriteByte(object ptr, int ofs, byte val) => throw null; + public static void WriteInt16(nint ptr, char val) => throw null; + public static void WriteInt16(nint ptr, short val) => throw null; + public static void WriteInt16(nint ptr, int ofs, char val) => throw null; + public static void WriteInt16(nint ptr, int ofs, short val) => throw null; + public static void WriteInt16(object ptr, int ofs, char val) => throw null; + public static void WriteInt16(object ptr, int ofs, short val) => throw null; + public static void WriteInt32(nint ptr, int val) => throw null; + public static void WriteInt32(nint ptr, int ofs, int val) => throw null; + public static void WriteInt32(object ptr, int ofs, int val) => throw null; + public static void WriteInt64(nint ptr, int ofs, long val) => throw null; + public static void WriteInt64(nint ptr, long val) => throw null; + public static void WriteInt64(object ptr, int ofs, long val) => throw null; + public static void WriteIntPtr(nint ptr, int ofs, nint val) => throw null; + public static void WriteIntPtr(nint ptr, nint val) => throw null; + public static void WriteIntPtr(object ptr, int ofs, nint val) => throw null; + public static void ZeroFreeBSTR(nint s) => throw null; + public static void ZeroFreeCoTaskMemAnsi(nint s) => throw null; + public static void ZeroFreeCoTaskMemUnicode(nint s) => throw null; + public static void ZeroFreeCoTaskMemUTF8(nint s) => throw null; + public static void ZeroFreeGlobalAllocAnsi(nint s) => throw null; + public static void ZeroFreeGlobalAllocUnicode(nint s) => throw null; + } + public sealed class MarshalAsAttribute : System.Attribute + { + public System.Runtime.InteropServices.UnmanagedType ArraySubType; + public MarshalAsAttribute(short unmanagedType) => throw null; + public MarshalAsAttribute(System.Runtime.InteropServices.UnmanagedType unmanagedType) => throw null; + public int IidParameterIndex; + public string MarshalCookie; + public string MarshalType; + public System.Type MarshalTypeRef; + public System.Runtime.InteropServices.VarEnum SafeArraySubType; + public System.Type SafeArrayUserDefinedSubType; + public int SizeConst; + public short SizeParamIndex; + public System.Runtime.InteropServices.UnmanagedType Value { get => throw null; } + } + public class MarshalDirectiveException : System.SystemException + { + public MarshalDirectiveException() => throw null; + protected MarshalDirectiveException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MarshalDirectiveException(string message) => throw null; + public MarshalDirectiveException(string message, System.Exception inner) => throw null; } namespace Marshalling { public static class AnsiStringMarshaller { + public static unsafe string ConvertToManaged(byte* unmanaged) => throw null; + public static unsafe byte* ConvertToUnmanaged(string managed) => throw null; + public static unsafe void Free(byte* unmanaged) => throw null; public struct ManagedToUnmanagedIn { public static int BufferSize { get => throw null; } public void Free() => throw null; - public void FromManaged(string managed, System.Span buffer) => throw null; - // Stub generator skipped constructor - unsafe public System.Byte* ToUnmanaged() => throw null; + public void FromManaged(string managed, System.Span buffer) => throw null; + public unsafe byte* ToUnmanaged() => throw null; } - - - unsafe public static string ConvertToManaged(System.Byte* unmanaged) => throw null; - unsafe public static System.Byte* ConvertToUnmanaged(string managed) => throw null; - unsafe public static void Free(System.Byte* unmanaged) => throw null; } - public static class ArrayMarshaller where TUnmanagedElement : unmanaged { + public static unsafe T[] AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe TUnmanagedElement* AllocateContainerForUnmanagedElements(T[] managed, out int numElements) => throw null; + public static unsafe void Free(TUnmanagedElement* unmanaged) => throw null; + public static System.Span GetManagedValuesDestination(T[] managed) => throw null; + public static System.ReadOnlySpan GetManagedValuesSource(T[] managed) => throw null; + public static unsafe System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanagedValue, int numElements) => throw null; public struct ManagedToUnmanagedIn { public static int BufferSize { get => throw null; } @@ -1974,104 +1290,330 @@ public struct ManagedToUnmanagedIn public TUnmanagedElement GetPinnableReference() => throw null; public static T GetPinnableReference(T[] array) => throw null; public System.Span GetUnmanagedValuesDestination() => throw null; - // Stub generator skipped constructor - unsafe public TUnmanagedElement* ToUnmanaged() => throw null; + public unsafe TUnmanagedElement* ToUnmanaged() => throw null; } - - - unsafe public static T[] AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static TUnmanagedElement* AllocateContainerForUnmanagedElements(T[] managed, out int numElements) => throw null; - unsafe public static void Free(TUnmanagedElement* unmanaged) => throw null; - public static System.Span GetManagedValuesDestination(T[] managed) => throw null; - public static System.ReadOnlySpan GetManagedValuesSource(T[] managed) => throw null; - unsafe public static System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanagedValue, int numElements) => throw null; } - public static class BStrStringMarshaller { + public static unsafe string ConvertToManaged(ushort* unmanaged) => throw null; + public static unsafe ushort* ConvertToUnmanaged(string managed) => throw null; + public static unsafe void Free(ushort* unmanaged) => throw null; public struct ManagedToUnmanagedIn { public static int BufferSize { get => throw null; } public void Free() => throw null; - public void FromManaged(string managed, System.Span buffer) => throw null; - // Stub generator skipped constructor - unsafe public System.UInt16* ToUnmanaged() => throw null; + public void FromManaged(string managed, System.Span buffer) => throw null; + public unsafe ushort* ToUnmanaged() => throw null; } - - - unsafe public static string ConvertToManaged(System.UInt16* unmanaged) => throw null; - unsafe public static System.UInt16* ConvertToUnmanaged(string managed) => throw null; - unsafe public static void Free(System.UInt16* unmanaged) => throw null; - } - - public class MarshalUsingAttribute : System.Attribute - { - public int ConstantElementCount { get => throw null; set => throw null; } - public string CountElementName { get => throw null; set => throw null; } - public int ElementIndirectionDepth { get => throw null; set => throw null; } + } + public sealed class MarshalUsingAttribute : System.Attribute + { + public int ConstantElementCount { get => throw null; set { } } + public string CountElementName { get => throw null; set { } } public MarshalUsingAttribute() => throw null; public MarshalUsingAttribute(System.Type nativeType) => throw null; + public int ElementIndirectionDepth { get => throw null; set { } } public System.Type NativeType { get => throw null; } - public const string ReturnsCountValue = default; + public static string ReturnsCountValue; } - public static class PointerArrayMarshaller where T : unmanaged where TUnmanagedElement : unmanaged { + public static unsafe T*[] AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe TUnmanagedElement* AllocateContainerForUnmanagedElements(T*[] managed, out int numElements) => throw null; + public static unsafe void Free(TUnmanagedElement* unmanaged) => throw null; + public static unsafe System.Span GetManagedValuesDestination(T*[] managed) => throw null; + public static unsafe System.ReadOnlySpan GetManagedValuesSource(T*[] managed) => throw null; + public static unsafe System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanagedValue, int numElements) => throw null; public struct ManagedToUnmanagedIn { public static int BufferSize { get => throw null; } public void Free() => throw null; - unsafe public void FromManaged(T*[] array, System.Span buffer) => throw null; - public System.ReadOnlySpan GetManagedValuesSource() => throw null; + public unsafe void FromManaged(T*[] array, System.Span buffer) => throw null; + public System.ReadOnlySpan GetManagedValuesSource() => throw null; public TUnmanagedElement GetPinnableReference() => throw null; - unsafe public static System.Byte GetPinnableReference(T*[] array) => throw null; + public static unsafe byte GetPinnableReference(T*[] array) => throw null; public System.Span GetUnmanagedValuesDestination() => throw null; - // Stub generator skipped constructor - unsafe public TUnmanagedElement* ToUnmanaged() => throw null; + public unsafe TUnmanagedElement* ToUnmanaged() => throw null; } - - - unsafe public static T*[] AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static TUnmanagedElement* AllocateContainerForUnmanagedElements(T*[] managed, out int numElements) => throw null; - unsafe public static void Free(TUnmanagedElement* unmanaged) => throw null; - unsafe public static System.Span GetManagedValuesDestination(T*[] managed) => throw null; - unsafe public static System.ReadOnlySpan GetManagedValuesSource(T*[] managed) => throw null; - unsafe public static System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanagedValue, int numElements) => throw null; - } - + } public static class Utf16StringMarshaller { - unsafe public static string ConvertToManaged(System.UInt16* unmanaged) => throw null; - unsafe public static System.UInt16* ConvertToUnmanaged(string managed) => throw null; - unsafe public static void Free(System.UInt16* unmanaged) => throw null; - public static System.Char GetPinnableReference(string str) => throw null; + public static unsafe string ConvertToManaged(ushort* unmanaged) => throw null; + public static unsafe ushort* ConvertToUnmanaged(string managed) => throw null; + public static unsafe void Free(ushort* unmanaged) => throw null; + public static char GetPinnableReference(string str) => throw null; } - public static class Utf8StringMarshaller { + public static unsafe string ConvertToManaged(byte* unmanaged) => throw null; + public static unsafe byte* ConvertToUnmanaged(string managed) => throw null; + public static unsafe void Free(byte* unmanaged) => throw null; public struct ManagedToUnmanagedIn { public static int BufferSize { get => throw null; } public void Free() => throw null; - public void FromManaged(string managed, System.Span buffer) => throw null; - // Stub generator skipped constructor - unsafe public System.Byte* ToUnmanaged() => throw null; + public void FromManaged(string managed, System.Span buffer) => throw null; + public unsafe byte* ToUnmanaged() => throw null; } - - - unsafe public static string ConvertToManaged(System.Byte* unmanaged) => throw null; - unsafe public static System.Byte* ConvertToUnmanaged(string managed) => throw null; - unsafe public static void Free(System.Byte* unmanaged) => throw null; } - + } + public static class NativeLibrary + { + public static void Free(nint handle) => throw null; + public static nint GetExport(nint handle, string name) => throw null; + public static nint GetMainProgramHandle() => throw null; + public static nint Load(string libraryPath) => throw null; + public static nint Load(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath) => throw null; + public static void SetDllImportResolver(System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportResolver resolver) => throw null; + public static bool TryGetExport(nint handle, string name, out nint address) => throw null; + public static bool TryLoad(string libraryPath, out nint handle) => throw null; + public static bool TryLoad(string libraryName, System.Reflection.Assembly assembly, System.Runtime.InteropServices.DllImportSearchPath? searchPath, out nint handle) => throw null; + } + public static class NativeMemory + { + public static unsafe void* AlignedAlloc(nuint byteCount, nuint alignment) => throw null; + public static unsafe void AlignedFree(void* ptr) => throw null; + public static unsafe void* AlignedRealloc(void* ptr, nuint byteCount, nuint alignment) => throw null; + public static unsafe void* Alloc(nuint byteCount) => throw null; + public static unsafe void* Alloc(nuint elementCount, nuint elementSize) => throw null; + public static unsafe void* AllocZeroed(nuint byteCount) => throw null; + public static unsafe void* AllocZeroed(nuint elementCount, nuint elementSize) => throw null; + public static unsafe void Clear(void* ptr, nuint byteCount) => throw null; + public static unsafe void Copy(void* source, void* destination, nuint byteCount) => throw null; + public static unsafe void Fill(void* ptr, nuint byteCount, byte value) => throw null; + public static unsafe void Free(void* ptr) => throw null; + public static unsafe void* Realloc(void* ptr, nuint byteCount) => throw null; + } + public struct NFloat : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + { + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Abs(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Acos(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Acosh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.AcosPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Asin(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Asinh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.AsinPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Atan(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.Atan2(System.Runtime.InteropServices.NFloat y, System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.Atan2Pi(System.Runtime.InteropServices.NFloat y, System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Atanh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.AtanPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.BitDecrement(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.BitIncrement(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IRootFunctions.Cbrt(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Ceiling(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.Clamp(System.Runtime.InteropServices.NFloat value, System.Runtime.InteropServices.NFloat min, System.Runtime.InteropServices.NFloat max) => throw null; + public int CompareTo(object obj) => throw null; + public int CompareTo(System.Runtime.InteropServices.NFloat other) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.CopySign(System.Runtime.InteropServices.NFloat value, System.Runtime.InteropServices.NFloat sign) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Cos(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Cosh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.CosPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public NFloat(double value) => throw null; + public NFloat(float value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.E { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.InteropServices.NFloat other) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.Exp(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.Exp10(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.Exp10M1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.Exp2(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.Exp2M1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IExponentialFunctions.ExpM1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Floor(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.FusedMultiplyAdd(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right, System.Runtime.InteropServices.NFloat addend) => throw null; + int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; + int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IRootFunctions.Hypot(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.Ieee754Remainder(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static int System.Numerics.IFloatingPointIeee754.ILogB(System.Runtime.InteropServices.NFloat x) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.INumberBase.IsZero(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat newBase) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log10(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log10P1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IBinaryNumber.Log2(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log2(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.Log2P1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ILogarithmicFunctions.LogP1(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.Max(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.MaxMagnitude(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.MaxMagnitudeNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.MaxNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.Min(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.MinMagnitude(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.MinMagnitudeNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumber.MinNumber(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.One { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IAdditionOperators.operator +(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator &(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator |(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IAdditionOperators.operator checked +(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IDecrementOperators.operator checked --(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IDivisionOperators.operator checked /(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + public static explicit operator checked byte(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked char(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked short(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked int(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked long(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked System.Int128(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked nint(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked sbyte(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked ushort(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked uint(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked ulong(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked System.UInt128(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator checked nuint(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IIncrementOperators.operator checked ++(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplyOperators.operator checked *(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ISubtractionOperators.operator checked -(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryNegationOperators.operator checked -(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IDecrementOperators.operator --(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IDivisionOperators.operator /(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator ^(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + public static explicit operator System.Runtime.InteropServices.NFloat(decimal value) => throw null; + public static explicit operator System.Runtime.InteropServices.NFloat(double value) => throw null; + public static explicit operator System.Runtime.InteropServices.NFloat(System.Int128 value) => throw null; + public static explicit operator byte(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator char(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator decimal(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator System.Half(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator System.Int128(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator short(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator int(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator long(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator nint(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator sbyte(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator float(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator System.UInt128(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator ushort(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator uint(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator ulong(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator nuint(System.Runtime.InteropServices.NFloat value) => throw null; + public static explicit operator System.Runtime.InteropServices.NFloat(System.UInt128 value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(byte value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(char value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(short value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(int value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(long value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(nint value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(System.Half value) => throw null; + public static implicit operator double(System.Runtime.InteropServices.NFloat value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(sbyte value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(float value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(ushort value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(uint value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(ulong value) => throw null; + public static implicit operator System.Runtime.InteropServices.NFloat(nuint value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IIncrementOperators.operator ++(System.Runtime.InteropServices.NFloat value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IModulusOperators.operator %(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IMultiplyOperators.operator *(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IBitwiseOperators.operator ~(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ISubtractionOperators.operator -(System.Runtime.InteropServices.NFloat left, System.Runtime.InteropServices.NFloat right) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryNegationOperators.operator -(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IUnaryPlusOperators.operator +(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Runtime.InteropServices.NFloat System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.Runtime.InteropServices.NFloat Parse(string s) => throw null; + public static System.Runtime.InteropServices.NFloat Parse(string s, System.Globalization.NumberStyles style) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.Runtime.InteropServices.NFloat System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.Pi { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IPowerFunctions.Pow(System.Runtime.InteropServices.NFloat x, System.Runtime.InteropServices.NFloat y) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.ReciprocalEstimate(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.ReciprocalSqrtEstimate(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IRootFunctions.RootN(System.Runtime.InteropServices.NFloat x, int n) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Round(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Round(System.Runtime.InteropServices.NFloat x, int digits) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Round(System.Runtime.InteropServices.NFloat x, int digits, System.MidpointRounding mode) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Round(System.Runtime.InteropServices.NFloat x, System.MidpointRounding mode) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointIeee754.ScaleB(System.Runtime.InteropServices.NFloat x, int n) => throw null; + static int System.Numerics.INumber.Sign(System.Runtime.InteropServices.NFloat value) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Sin(System.Runtime.InteropServices.NFloat x) => throw null; + static (System.Runtime.InteropServices.NFloat Sin, System.Runtime.InteropServices.NFloat Cos) System.Numerics.ITrigonometricFunctions.SinCos(System.Runtime.InteropServices.NFloat x) => throw null; + static (System.Runtime.InteropServices.NFloat SinPi, System.Runtime.InteropServices.NFloat CosPi) System.Numerics.ITrigonometricFunctions.SinCosPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Sinh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.SinPi(System.Runtime.InteropServices.NFloat x) => throw null; + public static int Size { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.IRootFunctions.Sqrt(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Tan(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IHyperbolicFunctions.Tanh(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.TanPi(System.Runtime.InteropServices.NFloat x) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPointConstants.Tau { get => throw null; } + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + static System.Runtime.InteropServices.NFloat System.Numerics.IFloatingPoint.Truncate(System.Runtime.InteropServices.NFloat x) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Runtime.InteropServices.NFloat value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Runtime.InteropServices.NFloat result) => throw null; + public static bool TryParse(string s, out System.Runtime.InteropServices.NFloat result) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; + public double Value { get => throw null; } + static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Zero { get => throw null; } } namespace ObjectiveC { public static class ObjectiveCMarshal { - public enum MessageSendFunction : int + public static System.Runtime.InteropServices.GCHandle CreateReferenceTrackingHandle(object obj, out System.Span taggedMemory) => throw null; + public static unsafe void Initialize(delegate* unmanaged beginEndCallback, delegate* unmanaged isReferencedCallback, delegate* unmanaged trackedObjectEnteredFinalization, System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal.UnhandledExceptionPropagationHandler unhandledExceptionPropagationHandler) => throw null; + public enum MessageSendFunction { MsgSend = 0, MsgSendFpret = 1, @@ -2079,50 +1621,289 @@ public enum MessageSendFunction : int MsgSendSuper = 3, MsgSendSuperStret = 4, } - - - unsafe public delegate delegate* unmanaged UnhandledExceptionPropagationHandler(System.Exception exception, System.RuntimeMethodHandle lastMethod, out System.IntPtr context); - - - public static System.Runtime.InteropServices.GCHandle CreateReferenceTrackingHandle(object obj, out System.Span taggedMemory) => throw null; - unsafe public static void Initialize(delegate* unmanaged beginEndCallback, delegate* unmanaged isReferencedCallback, delegate* unmanaged trackedObjectEnteredFinalization, System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal.UnhandledExceptionPropagationHandler unhandledExceptionPropagationHandler) => throw null; - public static void SetMessageSendCallback(System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal.MessageSendFunction msgSendFunction, System.IntPtr func) => throw null; + public static void SetMessageSendCallback(System.Runtime.InteropServices.ObjectiveC.ObjectiveCMarshal.MessageSendFunction msgSendFunction, nint func) => throw null; public static void SetMessageSendPendingException(System.Exception exception) => throw null; + public unsafe delegate delegate* unmanaged UnhandledExceptionPropagationHandler(System.Exception exception, System.RuntimeMethodHandle lastMethod, out nint context); } - - public class ObjectiveCTrackedTypeAttribute : System.Attribute + public sealed class ObjectiveCTrackedTypeAttribute : System.Attribute { public ObjectiveCTrackedTypeAttribute() => throw null; } - + } + public sealed class OptionalAttribute : System.Attribute + { + public OptionalAttribute() => throw null; + } + public enum PosixSignal + { + SIGTSTP = -10, + SIGTTOU = -9, + SIGTTIN = -8, + SIGWINCH = -7, + SIGCONT = -6, + SIGCHLD = -5, + SIGTERM = -4, + SIGQUIT = -3, + SIGINT = -2, + SIGHUP = -1, + } + public sealed class PosixSignalContext + { + public bool Cancel { get => throw null; set { } } + public PosixSignalContext(System.Runtime.InteropServices.PosixSignal signal) => throw null; + public System.Runtime.InteropServices.PosixSignal Signal { get => throw null; } + } + public sealed class PosixSignalRegistration : System.IDisposable + { + public static System.Runtime.InteropServices.PosixSignalRegistration Create(System.Runtime.InteropServices.PosixSignal signal, System.Action handler) => throw null; + public void Dispose() => throw null; + } + public sealed class PreserveSigAttribute : System.Attribute + { + public PreserveSigAttribute() => throw null; + } + public sealed class PrimaryInteropAssemblyAttribute : System.Attribute + { + public PrimaryInteropAssemblyAttribute(int major, int minor) => throw null; + public int MajorVersion { get => throw null; } + public int MinorVersion { get => throw null; } + } + public sealed class ProgIdAttribute : System.Attribute + { + public ProgIdAttribute(string progId) => throw null; + public string Value { get => throw null; } + } + public static class RuntimeEnvironment + { + public static bool FromGlobalAccessCache(System.Reflection.Assembly a) => throw null; + public static string GetRuntimeDirectory() => throw null; + public static nint GetRuntimeInterfaceAsIntPtr(System.Guid clsid, System.Guid riid) => throw null; + public static object GetRuntimeInterfaceAsObject(System.Guid clsid, System.Guid riid) => throw null; + public static string GetSystemVersion() => throw null; + public static string SystemConfigurationFile { get => throw null; } + } + public class SafeArrayRankMismatchException : System.SystemException + { + public SafeArrayRankMismatchException() => throw null; + protected SafeArrayRankMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SafeArrayRankMismatchException(string message) => throw null; + public SafeArrayRankMismatchException(string message, System.Exception inner) => throw null; + } + public class SafeArrayTypeMismatchException : System.SystemException + { + public SafeArrayTypeMismatchException() => throw null; + protected SafeArrayTypeMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SafeArrayTypeMismatchException(string message) => throw null; + public SafeArrayTypeMismatchException(string message, System.Exception inner) => throw null; + } + public class SEHException : System.Runtime.InteropServices.ExternalException + { + public virtual bool CanResume() => throw null; + public SEHException() => throw null; + protected SEHException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SEHException(string message) => throw null; + public SEHException(string message, System.Exception inner) => throw null; + } + public class StandardOleMarshalObject : System.MarshalByRefObject + { + protected StandardOleMarshalObject() => throw null; + } + public enum StringMarshalling + { + Custom = 0, + Utf8 = 1, + Utf16 = 2, + } + public sealed class TypeIdentifierAttribute : System.Attribute + { + public TypeIdentifierAttribute() => throw null; + public TypeIdentifierAttribute(string scope, string identifier) => throw null; + public string Identifier { get => throw null; } + public string Scope { get => throw null; } + } + public sealed class TypeLibFuncAttribute : System.Attribute + { + public TypeLibFuncAttribute(short flags) => throw null; + public TypeLibFuncAttribute(System.Runtime.InteropServices.TypeLibFuncFlags flags) => throw null; + public System.Runtime.InteropServices.TypeLibFuncFlags Value { get => throw null; } + } + [System.Flags] + public enum TypeLibFuncFlags + { + FRestricted = 1, + FSource = 2, + FBindable = 4, + FRequestEdit = 8, + FDisplayBind = 16, + FDefaultBind = 32, + FHidden = 64, + FUsesGetLastError = 128, + FDefaultCollelem = 256, + FUiDefault = 512, + FNonBrowsable = 1024, + FReplaceable = 2048, + FImmediateBind = 4096, + } + public sealed class TypeLibImportClassAttribute : System.Attribute + { + public TypeLibImportClassAttribute(System.Type importClass) => throw null; + public string Value { get => throw null; } + } + public sealed class TypeLibTypeAttribute : System.Attribute + { + public TypeLibTypeAttribute(short flags) => throw null; + public TypeLibTypeAttribute(System.Runtime.InteropServices.TypeLibTypeFlags flags) => throw null; + public System.Runtime.InteropServices.TypeLibTypeFlags Value { get => throw null; } + } + [System.Flags] + public enum TypeLibTypeFlags + { + FAppObject = 1, + FCanCreate = 2, + FLicensed = 4, + FPreDeclId = 8, + FHidden = 16, + FControl = 32, + FDual = 64, + FNonExtensible = 128, + FOleAutomation = 256, + FRestricted = 512, + FAggregatable = 1024, + FReplaceable = 2048, + FDispatchable = 4096, + FReverseBind = 8192, + } + public sealed class TypeLibVarAttribute : System.Attribute + { + public TypeLibVarAttribute(short flags) => throw null; + public TypeLibVarAttribute(System.Runtime.InteropServices.TypeLibVarFlags flags) => throw null; + public System.Runtime.InteropServices.TypeLibVarFlags Value { get => throw null; } + } + [System.Flags] + public enum TypeLibVarFlags + { + FReadOnly = 1, + FSource = 2, + FBindable = 4, + FRequestEdit = 8, + FDisplayBind = 16, + FDefaultBind = 32, + FHidden = 64, + FRestricted = 128, + FDefaultCollelem = 256, + FUiDefault = 512, + FNonBrowsable = 1024, + FReplaceable = 2048, + FImmediateBind = 4096, + } + public sealed class TypeLibVersionAttribute : System.Attribute + { + public TypeLibVersionAttribute(int major, int minor) => throw null; + public int MajorVersion { get => throw null; } + public int MinorVersion { get => throw null; } + } + public sealed class UnknownWrapper + { + public UnknownWrapper(object obj) => throw null; + public object WrappedObject { get => throw null; } + } + public sealed class UnmanagedCallConvAttribute : System.Attribute + { + public System.Type[] CallConvs; + public UnmanagedCallConvAttribute() => throw null; + } + public sealed class UnmanagedCallersOnlyAttribute : System.Attribute + { + public System.Type[] CallConvs; + public UnmanagedCallersOnlyAttribute() => throw null; + public string EntryPoint; + } + public sealed class UnmanagedFunctionPointerAttribute : System.Attribute + { + public bool BestFitMapping; + public System.Runtime.InteropServices.CallingConvention CallingConvention { get => throw null; } + public System.Runtime.InteropServices.CharSet CharSet; + public UnmanagedFunctionPointerAttribute(System.Runtime.InteropServices.CallingConvention callingConvention) => throw null; + public bool SetLastError; + public bool ThrowOnUnmappableChar; + } + public enum VarEnum + { + VT_EMPTY = 0, + VT_NULL = 1, + VT_I2 = 2, + VT_I4 = 3, + VT_R4 = 4, + VT_R8 = 5, + VT_CY = 6, + VT_DATE = 7, + VT_BSTR = 8, + VT_DISPATCH = 9, + VT_ERROR = 10, + VT_BOOL = 11, + VT_VARIANT = 12, + VT_UNKNOWN = 13, + VT_DECIMAL = 14, + VT_I1 = 16, + VT_UI1 = 17, + VT_UI2 = 18, + VT_UI4 = 19, + VT_I8 = 20, + VT_UI8 = 21, + VT_INT = 22, + VT_UINT = 23, + VT_VOID = 24, + VT_HRESULT = 25, + VT_PTR = 26, + VT_SAFEARRAY = 27, + VT_CARRAY = 28, + VT_USERDEFINED = 29, + VT_LPSTR = 30, + VT_LPWSTR = 31, + VT_RECORD = 36, + VT_FILETIME = 64, + VT_BLOB = 65, + VT_STREAM = 66, + VT_STORAGE = 67, + VT_STREAMED_OBJECT = 68, + VT_STORED_OBJECT = 69, + VT_BLOB_OBJECT = 70, + VT_CF = 71, + VT_CLSID = 72, + VT_VECTOR = 4096, + VT_ARRAY = 8192, + VT_BYREF = 16384, + } + public sealed class VariantWrapper + { + public VariantWrapper(object obj) => throw null; + public object WrappedObject { get => throw null; } } } } namespace Security { - public class SecureString : System.IDisposable + public sealed class SecureString : System.IDisposable { - public void AppendChar(System.Char c) => throw null; + public void AppendChar(char c) => throw null; public void Clear() => throw null; public System.Security.SecureString Copy() => throw null; + public SecureString() => throw null; + public unsafe SecureString(char* value, int length) => throw null; public void Dispose() => throw null; - public void InsertAt(int index, System.Char c) => throw null; + public void InsertAt(int index, char c) => throw null; public bool IsReadOnly() => throw null; public int Length { get => throw null; } public void MakeReadOnly() => throw null; public void RemoveAt(int index) => throw null; - public SecureString() => throw null; - unsafe public SecureString(System.Char* value, int length) => throw null; - public void SetAt(int index, System.Char c) => throw null; + public void SetAt(int index, char c) => throw null; } - public static class SecureStringMarshal { - public static System.IntPtr SecureStringToCoTaskMemAnsi(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToCoTaskMemUnicode(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToGlobalAllocAnsi(System.Security.SecureString s) => throw null; - public static System.IntPtr SecureStringToGlobalAllocUnicode(System.Security.SecureString s) => throw null; + public static nint SecureStringToCoTaskMemAnsi(System.Security.SecureString s) => throw null; + public static nint SecureStringToCoTaskMemUnicode(System.Security.SecureString s) => throw null; + public static nint SecureStringToGlobalAllocAnsi(System.Security.SecureString s) => throw null; + public static nint SecureStringToGlobalAllocUnicode(System.Security.SecureString s) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Intrinsics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Intrinsics.cs index f210bdeba431..872599778c1d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Intrinsics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Intrinsics.cs @@ -1,686 +1,228 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Intrinsics, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Runtime { namespace Intrinsics { - public static class Vector128 - { - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 As(this System.Runtime.Intrinsics.Vector128 vector) where TFrom : struct where TTo : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsByte(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsDouble(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsInt16(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsInt32(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsInt64(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsNInt(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsNUInt(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsSByte(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsSingle(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsUInt16(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsUInt32(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsUInt64(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector2 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector3 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector4 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector2 AsVector2(this System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Numerics.Vector3 AsVector3(this System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Numerics.Vector4 AsVector4(this System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Numerics.Vector AsVector(this System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseAnd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseOr(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConditionalSelect(System.Runtime.Intrinsics.Vector128 condition, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt32(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, System.Span destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, T[] destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, T[] destination, int startIndex) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Byte e0, System.Byte e1, System.Byte e2, System.Byte e3, System.Byte e4, System.Byte e5, System.Byte e6, System.Byte e7, System.Byte e8, System.Byte e9, System.Byte e10, System.Byte e11, System.Byte e12, System.Byte e13, System.Byte e14, System.Byte e15) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(double value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(double e0, double e1) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(float value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(float e0, float e1, float e2, float e3) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(int value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(int e0, int e1, int e2, int e3) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Int64 e0, System.Int64 e1) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.SByte e0, System.SByte e1, System.SByte e2, System.SByte e3, System.SByte e4, System.SByte e5, System.SByte e6, System.SByte e7, System.SByte e8, System.SByte e9, System.SByte e10, System.SByte e11, System.SByte e12, System.SByte e13, System.SByte e14, System.SByte e15) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.Int16 e0, System.Int16 e1, System.Int16 e2, System.Int16 e3, System.Int16 e4, System.Int16 e5, System.Int16 e6, System.Int16 e7) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt32 e0, System.UInt32 e1, System.UInt32 e2, System.UInt32 e3) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt64 e0, System.UInt64 e1) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.UInt16 e0, System.UInt16 e1, System.UInt16 e2, System.UInt16 e3, System.UInt16 e4, System.UInt16 e5, System.UInt16 e6, System.UInt16 e7) => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(System.ReadOnlySpan values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(T[] values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Create(T[] values, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(double value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(float value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(int value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalar(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(double value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(float value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(int value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static T Dot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Equals(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool EqualsAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool EqualsAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.UInt32 ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static T GetElement(this System.Runtime.Intrinsics.Vector128 vector, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 GetLower(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 GetUpper(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 GreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool IsHardwareAccelerated { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 LessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool LessThanAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool LessThanAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 LessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 Load(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAligned(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; - public static System.Runtime.Intrinsics.Vector128 LoadUnsafe(ref T source) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 LoadUnsafe(ref T source, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(T left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, T right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 OnesComplement(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; - public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - unsafe public static void Store(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAligned(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector128 source, ref T destination) where T : struct => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector128 source, ref T destination, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - public static T Sum(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static T ToScalar(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 ToVector256(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 ToVector256Unsafe(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; - public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector128 vector, System.Span destination) where T : struct => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; - public static System.Runtime.Intrinsics.Vector128 WithElement(this System.Runtime.Intrinsics.Vector128 vector, int index, T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 WithLower(this System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector64 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 WithUpper(this System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector64 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; - } - - public struct Vector128 : System.IEquatable> where T : struct - { - public static bool operator !=(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator &(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator *(T left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator *(System.Runtime.Intrinsics.Vector128 left, T right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator *(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator +(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator +(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator -(System.Runtime.Intrinsics.Vector128 vector) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator -(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator /(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool operator ==(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AllBitsSet { get => throw null; } - public static int Count { get => throw null; } - public bool Equals(System.Runtime.Intrinsics.Vector128 other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static bool IsSupported { get => throw null; } - public T this[int index] { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public static System.Runtime.Intrinsics.Vector128 Zero { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 operator ^(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator |(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 operator ~(System.Runtime.Intrinsics.Vector128 vector) => throw null; - } - - public static class Vector256 - { - public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 As(this System.Runtime.Intrinsics.Vector256 vector) where TFrom : struct where TTo : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsByte(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsDouble(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsInt16(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsInt32(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsInt64(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsNInt(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsNUInt(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsSByte(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsSingle(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsUInt16(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsUInt32(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsUInt64(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 AsVector256(this System.Numerics.Vector value) where T : struct => throw null; - public static System.Numerics.Vector AsVector(this System.Runtime.Intrinsics.Vector256 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 BitwiseAnd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 BitwiseOr(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConditionalSelect(System.Runtime.Intrinsics.Vector256 condition, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToDouble(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToDouble(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToInt32(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToInt64(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToSingle(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToSingle(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToUInt32(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToUInt64(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, System.Span destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, T[] destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, T[] destination, int startIndex) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Byte e0, System.Byte e1, System.Byte e2, System.Byte e3, System.Byte e4, System.Byte e5, System.Byte e6, System.Byte e7, System.Byte e8, System.Byte e9, System.Byte e10, System.Byte e11, System.Byte e12, System.Byte e13, System.Byte e14, System.Byte e15, System.Byte e16, System.Byte e17, System.Byte e18, System.Byte e19, System.Byte e20, System.Byte e21, System.Byte e22, System.Byte e23, System.Byte e24, System.Byte e25, System.Byte e26, System.Byte e27, System.Byte e28, System.Byte e29, System.Byte e30, System.Byte e31) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(double value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(double e0, double e1, double e2, double e3) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(float value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(float e0, float e1, float e2, float e3, float e4, float e5, float e6, float e7) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(int value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(int e0, int e1, int e2, int e3, int e4, int e5, int e6, int e7) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Int64 e0, System.Int64 e1, System.Int64 e2, System.Int64 e3) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.SByte e0, System.SByte e1, System.SByte e2, System.SByte e3, System.SByte e4, System.SByte e5, System.SByte e6, System.SByte e7, System.SByte e8, System.SByte e9, System.SByte e10, System.SByte e11, System.SByte e12, System.SByte e13, System.SByte e14, System.SByte e15, System.SByte e16, System.SByte e17, System.SByte e18, System.SByte e19, System.SByte e20, System.SByte e21, System.SByte e22, System.SByte e23, System.SByte e24, System.SByte e25, System.SByte e26, System.SByte e27, System.SByte e28, System.SByte e29, System.SByte e30, System.SByte e31) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.Int16 e0, System.Int16 e1, System.Int16 e2, System.Int16 e3, System.Int16 e4, System.Int16 e5, System.Int16 e6, System.Int16 e7, System.Int16 e8, System.Int16 e9, System.Int16 e10, System.Int16 e11, System.Int16 e12, System.Int16 e13, System.Int16 e14, System.Int16 e15) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt32 e0, System.UInt32 e1, System.UInt32 e2, System.UInt32 e3, System.UInt32 e4, System.UInt32 e5, System.UInt32 e6, System.UInt32 e7) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt64 e0, System.UInt64 e1, System.UInt64 e2, System.UInt64 e3) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.UInt16 e0, System.UInt16 e1, System.UInt16 e2, System.UInt16 e3, System.UInt16 e4, System.UInt16 e5, System.UInt16 e6, System.UInt16 e7, System.UInt16 e8, System.UInt16 e9, System.UInt16 e10, System.UInt16 e11, System.UInt16 e12, System.UInt16 e13, System.UInt16 e14, System.UInt16 e15) => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(System.ReadOnlySpan values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(T[] values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Create(T[] values, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(double value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(float value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(int value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalar(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(double value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(float value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(int value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Divide(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static T Dot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Equals(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool EqualsAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool EqualsAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.UInt32 ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static T GetElement(this System.Runtime.Intrinsics.Vector256 vector, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 GetLower(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 GetUpper(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 GreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool IsHardwareAccelerated { get => throw null; } - public static System.Runtime.Intrinsics.Vector256 LessThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool LessThanAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool LessThanAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 LessThanOrEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 Load(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAligned(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; - public static System.Runtime.Intrinsics.Vector256 LoadUnsafe(ref T source) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 LoadUnsafe(ref T source, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Multiply(T left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, T right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; - public static System.Runtime.Intrinsics.Vector256 Negate(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 OnesComplement(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; - public static System.Runtime.Intrinsics.Vector256 Sqrt(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - unsafe public static void Store(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAligned(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector256 source, ref T destination) where T : struct => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector256 source, ref T destination, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - public static T Sum(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static T ToScalar(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; - public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector256 vector, System.Span destination) where T : struct => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static (System.Runtime.Intrinsics.Vector256, System.Runtime.Intrinsics.Vector256) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; - public static System.Runtime.Intrinsics.Vector256 WithElement(this System.Runtime.Intrinsics.Vector256 vector, int index, T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 WithLower(this System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 WithUpper(this System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; - } - - public struct Vector256 : System.IEquatable> where T : struct - { - public static bool operator !=(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator &(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator *(T left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator *(System.Runtime.Intrinsics.Vector256 left, T right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator *(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator +(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator +(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator -(System.Runtime.Intrinsics.Vector256 vector) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator -(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator /(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool operator ==(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AllBitsSet { get => throw null; } - public static int Count { get => throw null; } - public bool Equals(System.Runtime.Intrinsics.Vector256 other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static bool IsSupported { get => throw null; } - public T this[int index] { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public static System.Runtime.Intrinsics.Vector256 Zero { get => throw null; } - public static System.Runtime.Intrinsics.Vector256 operator ^(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator |(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 operator ~(System.Runtime.Intrinsics.Vector256 vector) => throw null; - } - - public static class Vector64 - { - public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AndNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 As(this System.Runtime.Intrinsics.Vector64 vector) where TFrom : struct where TTo : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsByte(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsDouble(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsInt16(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsInt32(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsInt64(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsNInt(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsNUInt(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsSByte(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsSingle(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsUInt16(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsUInt32(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 AsUInt64(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseAnd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseOr(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Ceiling(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 Ceiling(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConditionalSelect(System.Runtime.Intrinsics.Vector64 condition, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToDouble(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToDouble(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt32(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, System.Span destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, T[] destination) where T : struct => throw null; - public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, T[] destination, int startIndex) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.Byte e0, System.Byte e1, System.Byte e2, System.Byte e3, System.Byte e4, System.Byte e5, System.Byte e6, System.Byte e7) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(double value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(float value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(float e0, float e1) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(int value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(int e0, int e1) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.SByte e0, System.SByte e1, System.SByte e2, System.SByte e3, System.SByte e4, System.SByte e5, System.SByte e6, System.SByte e7) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.Int16 e0, System.Int16 e1, System.Int16 e2, System.Int16 e3) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UInt32 e0, System.UInt32 e1) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.UInt16 e0, System.UInt16 e1, System.UInt16 e2, System.UInt16 e3) => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(System.ReadOnlySpan values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(T[] values) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Create(T[] values, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(double value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(float value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(int value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalar(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.IntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.UIntPtr value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(float value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(int value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Divide(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static T Dot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Equals(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool EqualsAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool EqualsAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.UInt32 ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Floor(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 Floor(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static T GetElement(this System.Runtime.Intrinsics.Vector64 vector, int index) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 GreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool IsHardwareAccelerated { get => throw null; } - public static System.Runtime.Intrinsics.Vector64 LessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool LessThanAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool LessThanAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 LessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 Load(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAligned(T* source) where T : unmanaged => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; - public static System.Runtime.Intrinsics.Vector64 LoadUnsafe(ref T source) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 LoadUnsafe(ref T source, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(T left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, T right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; - public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 OnesComplement(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; - public static System.Runtime.Intrinsics.Vector64 Sqrt(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - unsafe public static void Store(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAligned(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; - unsafe public static void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector64 source, ref T destination) where T : struct => throw null; - public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector64 source, ref T destination, System.UIntPtr elementOffset) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - public static T Sum(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static T ToScalar(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 ToVector128(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector128 ToVector128Unsafe(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; - public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector64 vector, System.Span destination) where T : struct => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; - public static System.Runtime.Intrinsics.Vector64 WithElement(this System.Runtime.Intrinsics.Vector64 vector, int index, T value) where T : struct => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; - } - - public struct Vector64 : System.IEquatable> where T : struct - { - public static bool operator !=(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator &(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator *(T left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator *(System.Runtime.Intrinsics.Vector64 left, T right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator *(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator +(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator +(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator -(System.Runtime.Intrinsics.Vector64 vector) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator -(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator /(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static bool operator ==(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AllBitsSet { get => throw null; } - public static int Count { get => throw null; } - public bool Equals(System.Runtime.Intrinsics.Vector64 other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static bool IsSupported { get => throw null; } - public T this[int index] { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public static System.Runtime.Intrinsics.Vector64 Zero { get => throw null; } - public static System.Runtime.Intrinsics.Vector64 operator ^(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator |(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 operator ~(System.Runtime.Intrinsics.Vector64 vector) => throw null; - } - namespace Arm { public abstract class AdvSimd : System.Runtime.Intrinsics.Arm.ArmBase { + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 { public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; @@ -696,278 +238,283 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddAcrossWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 AddPairwiseScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - internal Arm64() => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqualScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareTestScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTestScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTestScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTestScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTestScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToDoubleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToDoubleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToDoubleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToDoubleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToDoubleUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToSingleLower(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToSingleRoundToOddLower(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToSingleRoundToOddUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToSingleUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Divide(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(double value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.UInt64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector128 value, System.Byte valueIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value, System.Byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertSelectedScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector128 value, byte valueIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 InsertSelectedScalar(System.Runtime.Intrinsics.Vector64 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value, byte valueIndex) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.UInt64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64NonTemporal(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64NonTemporal(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairScalarVector64NonTemporal(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.Byte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(double* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.Int64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.SByte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.Int16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.UInt64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128(System.UInt16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.Byte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(double* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.Int64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.SByte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.Int16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.UInt64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector128, System.Runtime.Intrinsics.Vector128) LoadPairVector128NonTemporal(System.UInt16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.Byte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(double* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.Int64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.SByte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.Int16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.UInt64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64(System.UInt16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.Byte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(double* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(float* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(int* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.Int64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.SByte* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.Int16* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.UInt32* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.UInt64* address) => throw null; - unsafe public static (System.Runtime.Intrinsics.Vector64, System.Runtime.Intrinsics.Vector64) LoadPairVector64NonTemporal(System.UInt16* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(ulong* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64NonTemporal(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64NonTemporal(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairScalarVector64NonTemporal(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(byte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(double* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(short* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(long* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(sbyte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(ushort* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128(ulong* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(byte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(double* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(short* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(long* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(sbyte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(ushort* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector128 Value1, System.Runtime.Intrinsics.Vector128 Value2) LoadPairVector128NonTemporal(ulong* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(byte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(double* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(short* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(long* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(sbyte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(ushort* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64(ulong* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(byte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(double* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(short* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(int* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(long* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(sbyte* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(float* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(ushort* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(uint* address) => throw null; + public static unsafe (System.Runtime.Intrinsics.Vector64 Value1, System.Runtime.Intrinsics.Vector64 Value2) LoadPairVector64NonTemporal(ulong* address) => throw null; public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxNumber(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumberAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxNumberPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -975,30 +522,30 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector64 MaxNumberPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumberPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumberPairwiseScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MaxPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxPairwiseScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinAcross(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 MinNumber(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumberAcross(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 MinNumberPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -1006,74 +553,74 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector64 MinNumberPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumberPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumberPairwiseScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinPairwise(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinPairwiseScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MinPairwiseScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 MinScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndAddSaturateScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndAddSaturateScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndSubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndSubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndAddSaturateScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndAddSaturateScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndSubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningAndSubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningSaturateScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingWideningScalarBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyExtended(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyExtended(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyExtended(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyExtendedScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHighScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateSaturateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalEstimateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalEstimateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; @@ -1088,569 +635,357 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector128 ReciprocalStep(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalStepScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalStepScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElementBits(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElementBits(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElementBits(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElementBits(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElementBits(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElementBits(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElementBits(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElementBits(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToNearest(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Sqrt(System.Runtime.Intrinsics.Vector64 value) => throw null; - unsafe public static void StorePair(System.Byte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.Byte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(double* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(double* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(float* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(int* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.Int64* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.Int64* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.SByte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.SByte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.Int16* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.Int16* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.UInt32* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.UInt32* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.UInt64* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.UInt64* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePair(System.UInt16* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePair(System.UInt16* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Byte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Byte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(double* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(double* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(float* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(int* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Int64* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Int64* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.SByte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.SByte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Int16* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.Int16* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt32* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt32* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt64* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt64* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt16* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; - unsafe public static void StorePairNonTemporal(System.UInt16* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalar(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalar(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalar(System.UInt32* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalarNonTemporal(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalarNonTemporal(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; - unsafe public static void StorePairScalarNonTemporal(System.UInt32* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(byte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(byte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(double* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(double* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(short* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(short* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(int* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(long* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(long* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(sbyte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(sbyte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(float* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(ushort* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(ushort* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(uint* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(uint* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePair(ulong* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePair(ulong* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(byte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(byte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(double* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(double* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(short* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(short* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(int* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(long* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(long* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(sbyte* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(sbyte* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(float* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(ushort* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(ushort* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(uint* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(uint* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairNonTemporal(ulong* address, System.Runtime.Intrinsics.Vector128 value1, System.Runtime.Intrinsics.Vector128 value2) => throw null; + public static unsafe void StorePairNonTemporal(ulong* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalar(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalar(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalar(uint* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalarNonTemporal(int* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalarNonTemporal(float* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; + public static unsafe void StorePairScalarNonTemporal(uint* address, System.Runtime.Intrinsics.Vector64 value1, System.Runtime.Intrinsics.Vector64 value2) => throw null; public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 TransposeOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 TransposeOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipEven(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipEven(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnzipOdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector128 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector128 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector128 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector128 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector128 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 UnzipOdd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector128 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector128 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector128 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector128 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector128 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector128 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZipLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 ZipLow(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; } - - - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteCompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteCompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifference(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifference(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AbsoluteDifferenceAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AbsoluteDifferenceWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWidening(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWidening(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningAndAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddPairwiseWideningScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 AddScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - internal AdvSimd() => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 And(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseClear(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseClear(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseSelect(System.Runtime.Intrinsics.Vector128 select, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseSelect(System.Runtime.Intrinsics.Vector64 select, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Ceiling(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 CeilingScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 CeilingScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareTest(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 CompareTest(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToInt32RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; @@ -1667,162 +1002,162 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector64 ConvertToInt32RoundToZero(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToInt32RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ConvertToSingleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToSingleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToEven(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToZero(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToSingleScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundAwayFromZero(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToEven(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToEven(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToEvenScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToNegativeInfinity(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToNegativeInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToPositiveInfinityScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32RoundToZero(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToZero(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 DivideScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 DivideScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateSelectedScalarToVector128(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateSelectedScalarToVector64(System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(short value) => throw null; public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(int value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(System.UInt16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(System.Byte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector128 DuplicateToVector128(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(short value) => throw null; public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(int value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(System.SByte value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(System.Int16 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(System.UInt32 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(System.UInt16 value) => throw null; - public static System.Byte Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static double Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static float Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static int Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.Int64 Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.SByte Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.Int16 Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.UInt32 Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.UInt64 Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.UInt16 Extract(System.Runtime.Intrinsics.Vector128 vector, System.Byte index) => throw null; - public static System.Byte Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static float Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static int Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static System.SByte Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static System.Int16 Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static System.UInt32 Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static System.UInt16 Extract(System.Runtime.Intrinsics.Vector64 vector, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(float value) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector64 DuplicateToVector64(uint value) => throw null; + public static byte Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static double Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static short Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static int Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static long Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static sbyte Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static float Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static ushort Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static uint Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static ulong Extract(System.Runtime.Intrinsics.Vector128 vector, byte index) => throw null; + public static byte Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static short Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static int Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static sbyte Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static float Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static ushort Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static uint Extract(System.Runtime.Intrinsics.Vector64 vector, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector64 ExtractVector64(System.Runtime.Intrinsics.Vector64 upper, System.Runtime.Intrinsics.Vector64 lower, byte index) => throw null; public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Floor(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 FloorScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 FloorScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedAddRoundedHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedMultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplyAddNegatedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; @@ -1835,566 +1170,566 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractNegatedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedMultiplySubtractScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 FusedSubtractHalving(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.Byte data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, double data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, float data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, int data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.Int64 data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.SByte data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.Int16 data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.UInt32 data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.UInt64 data) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, System.Byte index, System.UInt16 data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, System.Byte data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, float data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, int data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, System.SByte data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, System.Int16 data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, System.UInt32 data) => throw null; - public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, System.Byte index, System.UInt16 data) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, System.Byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 FusedSubtractHalving(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, byte data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, double data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, short data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, int data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, long data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, sbyte data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, float data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, ushort data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, uint data) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 vector, byte index, ulong data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, byte data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, short data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, int data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, sbyte data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, float data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, ushort data) => throw null; + public static System.Runtime.Intrinsics.Vector64 Insert(System.Runtime.Intrinsics.Vector64 vector, byte index, uint data) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 InsertScalar(System.Runtime.Intrinsics.Vector128 result, byte resultIndex, System.Runtime.Intrinsics.Vector64 value) => throw null; public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 LeadingSignCount(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 LeadingSignCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingSignCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingSignCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingSignCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingSignCount(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 LeadingSignCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingSignCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingSignCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingSignCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 LeadingZeroCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, System.Byte index, System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte index, System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector64 LoadVector64(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 LeadingZeroCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector128 value, byte index, ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndInsertScalar(System.Runtime.Intrinsics.Vector64 value, byte index, uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndReplicateToVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAndReplicateToVector64(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadVector64(ulong* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxNumber(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumber(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumberScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxNumberScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MaxPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MinNumber(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumber(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumberScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinNumberScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MinPairwise(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddByScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyAddBySelectedScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyBySelectedScalarWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningLowerBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerByScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateLowerBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperByScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningSaturateUpperBySelectedScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperByScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyDoublingWideningUpperBySelectedScalarAndSubtractSaturate(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingByScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingSaturateHigh(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyScalarBySelectedScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtract(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractByScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplySubtractBySelectedScalar(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningLowerAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningUpperAndSubtract(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 NegateSaturate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 NegateSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 NegateSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 NegateSaturate(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 NegateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 NegateScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Not(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Not(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Or(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 OrNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 PolynomialMultiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 PolynomialMultiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PopCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 PopCount(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 PopCount(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 PopCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 OrNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 PolynomialMultiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 PolynomialMultiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PopCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 PopCount(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 PopCount(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 PopCount(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReciprocalEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReciprocalEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReciprocalEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReciprocalEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReciprocalSquareRootEstimate(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalSquareRootStep(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalSquareRootStep(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalStep(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector64 ReciprocalStep(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement16(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement32(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement32(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement16(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement32(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement32(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ReverseElement8(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ReverseElement8(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundAwayFromZero(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 RoundAwayFromZero(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 RoundAwayFromZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; @@ -2415,715 +1750,1332 @@ public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 public static System.Runtime.Intrinsics.Vector64 RoundToZero(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 RoundToZeroScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftArithmeticScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsigned(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalSaturateUnsignedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningLower(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalWideningUpper(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogical(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte shift) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturate(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalSaturateScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLogicalScalar(System.Runtime.Intrinsics.Vector64 value, System.Runtime.Intrinsics.Vector64 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsert(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightAndInsertScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte shift) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUnsignedUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticRoundedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmeticScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRounded(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAdd(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedAddScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedNarrowingSaturateLower(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingSaturateUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalRoundedNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalRoundedScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogicalScalar(System.Runtime.Intrinsics.Vector64 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 SignExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector64 SqrtScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; public static System.Runtime.Intrinsics.Vector64 SqrtScalar(System.Runtime.Intrinsics.Vector64 value) => throw null; - unsafe public static void Store(System.Byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.Byte* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(double* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(float* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(int* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.Int64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.Int64* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.SByte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.SByte* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.Int16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.Int16* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.UInt32* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt32* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.UInt64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt64* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void Store(System.UInt16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt16* address, System.Runtime.Intrinsics.Vector64 source) => throw null; - unsafe public static void StoreSelectedScalar(System.Byte* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.Byte* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(double* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(float* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(float* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(int* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(int* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.Int64* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.SByte* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.SByte* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.Int16* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.Int16* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.UInt32* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.UInt32* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.UInt64* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.UInt16* address, System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - unsafe public static void StoreSelectedScalar(System.UInt16* address, System.Runtime.Intrinsics.Vector64 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static unsafe void Store(byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(byte* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(double* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(short* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(short* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(int* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(long* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(long* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(sbyte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(sbyte* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(float* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(ushort* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(ushort* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(uint* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(uint* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void Store(ulong* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(ulong* address, System.Runtime.Intrinsics.Vector64 source) => throw null; + public static unsafe void StoreSelectedScalar(byte* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(byte* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(double* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(short* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(short* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(int* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(int* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(long* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(sbyte* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(sbyte* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(float* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(float* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(ushort* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(ushort* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(uint* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(uint* address, System.Runtime.Intrinsics.Vector64 value, byte index) => throw null; + public static unsafe void StoreSelectedScalar(ulong* address, System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractRoundedHighNarrowingLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractRoundedHighNarrowingUpper(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturate(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractSaturateScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector64 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector64 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector64 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector64 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector64 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 SubtractScalar(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector64 VectorTableLookup(System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector64 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector64 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector64 VectorTableLookupExtension(System.Runtime.Intrinsics.Vector64 defaultValues, System.Runtime.Intrinsics.Vector128 table, System.Runtime.Intrinsics.Vector64 byteIndexes) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningLower(System.Runtime.Intrinsics.Vector64 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ZeroExtendWideningUpper(System.Runtime.Intrinsics.Vector128 value) => throw null; } - public abstract class Aes : System.Runtime.Intrinsics.Arm.ArmBase { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector128 Decrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 Encrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 InverseMixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Decrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 Encrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 InverseMixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 MixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningLower(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PolynomialMultiplyWideningUpper(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; } - public abstract class ArmBase { public abstract class Arm64 { - internal Arm64() => throw null; public static bool IsSupported { get => throw null; } public static int LeadingSignCount(int value) => throw null; - public static int LeadingSignCount(System.Int64 value) => throw null; - public static int LeadingZeroCount(System.Int64 value) => throw null; - public static int LeadingZeroCount(System.UInt64 value) => throw null; - public static System.Int64 MultiplyHigh(System.Int64 left, System.Int64 right) => throw null; - public static System.UInt64 MultiplyHigh(System.UInt64 left, System.UInt64 right) => throw null; - public static System.Int64 ReverseElementBits(System.Int64 value) => throw null; - public static System.UInt64 ReverseElementBits(System.UInt64 value) => throw null; + public static int LeadingSignCount(long value) => throw null; + public static int LeadingZeroCount(long value) => throw null; + public static int LeadingZeroCount(ulong value) => throw null; + public static long MultiplyHigh(long left, long right) => throw null; + public static ulong MultiplyHigh(ulong left, ulong right) => throw null; + public static long ReverseElementBits(long value) => throw null; + public static ulong ReverseElementBits(ulong value) => throw null; } - - - internal ArmBase() => throw null; public static bool IsSupported { get => throw null; } public static int LeadingZeroCount(int value) => throw null; - public static int LeadingZeroCount(System.UInt32 value) => throw null; + public static int LeadingZeroCount(uint value) => throw null; public static int ReverseElementBits(int value) => throw null; - public static System.UInt32 ReverseElementBits(System.UInt32 value) => throw null; + public static uint ReverseElementBits(uint value) => throw null; public static void Yield() => throw null; } - public abstract class Crc32 : System.Runtime.Intrinsics.Arm.ArmBase { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 { - public static System.UInt32 ComputeCrc32(System.UInt32 crc, System.UInt64 data) => throw null; - public static System.UInt32 ComputeCrc32C(System.UInt32 crc, System.UInt64 data) => throw null; + public static uint ComputeCrc32(uint crc, ulong data) => throw null; + public static uint ComputeCrc32C(uint crc, ulong data) => throw null; public static bool IsSupported { get => throw null; } } - - - public static System.UInt32 ComputeCrc32(System.UInt32 crc, System.Byte data) => throw null; - public static System.UInt32 ComputeCrc32(System.UInt32 crc, System.UInt32 data) => throw null; - public static System.UInt32 ComputeCrc32(System.UInt32 crc, System.UInt16 data) => throw null; - public static System.UInt32 ComputeCrc32C(System.UInt32 crc, System.Byte data) => throw null; - public static System.UInt32 ComputeCrc32C(System.UInt32 crc, System.UInt32 data) => throw null; - public static System.UInt32 ComputeCrc32C(System.UInt32 crc, System.UInt16 data) => throw null; + public static uint ComputeCrc32(uint crc, byte data) => throw null; + public static uint ComputeCrc32(uint crc, ushort data) => throw null; + public static uint ComputeCrc32(uint crc, uint data) => throw null; + public static uint ComputeCrc32C(uint crc, byte data) => throw null; + public static uint ComputeCrc32C(uint crc, ushort data) => throw null; + public static uint ComputeCrc32C(uint crc, uint data) => throw null; public static bool IsSupported { get => throw null; } } - public abstract class Dp : System.Runtime.Intrinsics.Arm.AdvSimd { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.AdvSimd.Arm64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProduct(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProduct(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightScaledIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProduct(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProduct(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightScaledIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 DotProductBySelectedQuadruplet(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightScaledIndex) => throw null; public static bool IsSupported { get => throw null; } } - public abstract class Rdm : System.Runtime.Intrinsics.Arm.AdvSimd { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.AdvSimd.Arm64 { public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHighScalar(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingScalarBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; } - - public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, System.Byte rightIndex) => throw null; - public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, System.Byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndAddSaturateHigh(System.Runtime.Intrinsics.Vector64 addend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector128 minuend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector128 right, byte rightIndex) => throw null; + public static System.Runtime.Intrinsics.Vector64 MultiplyRoundedDoublingBySelectedScalarAndSubtractSaturateHigh(System.Runtime.Intrinsics.Vector64 minuend, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right, byte rightIndex) => throw null; } - public abstract class Sha1 : System.Runtime.Intrinsics.Arm.ArmBase { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector64 FixedRotate(System.Runtime.Intrinsics.Vector64 hash_e) => throw null; - public static System.Runtime.Intrinsics.Vector128 HashUpdateChoose(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; - public static System.Runtime.Intrinsics.Vector128 HashUpdateMajority(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; - public static System.Runtime.Intrinsics.Vector128 HashUpdateParity(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; + public static System.Runtime.Intrinsics.Vector64 FixedRotate(System.Runtime.Intrinsics.Vector64 hash_e) => throw null; + public static System.Runtime.Intrinsics.Vector128 HashUpdateChoose(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; + public static System.Runtime.Intrinsics.Vector128 HashUpdateMajority(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; + public static System.Runtime.Intrinsics.Vector128 HashUpdateParity(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector64 hash_e, System.Runtime.Intrinsics.Vector128 wk) => throw null; public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate0(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w4_7, System.Runtime.Intrinsics.Vector128 w8_11) => throw null; - public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate1(System.Runtime.Intrinsics.Vector128 tw0_3, System.Runtime.Intrinsics.Vector128 w12_15) => throw null; + public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate0(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w4_7, System.Runtime.Intrinsics.Vector128 w8_11) => throw null; + public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate1(System.Runtime.Intrinsics.Vector128 tw0_3, System.Runtime.Intrinsics.Vector128 w12_15) => throw null; } - public abstract class Sha256 : System.Runtime.Intrinsics.Arm.ArmBase { public abstract class Arm64 : System.Runtime.Intrinsics.Arm.ArmBase.Arm64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector128 HashUpdate1(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector128 hash_efgh, System.Runtime.Intrinsics.Vector128 wk) => throw null; - public static System.Runtime.Intrinsics.Vector128 HashUpdate2(System.Runtime.Intrinsics.Vector128 hash_efgh, System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector128 wk) => throw null; + public static System.Runtime.Intrinsics.Vector128 HashUpdate1(System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector128 hash_efgh, System.Runtime.Intrinsics.Vector128 wk) => throw null; + public static System.Runtime.Intrinsics.Vector128 HashUpdate2(System.Runtime.Intrinsics.Vector128 hash_efgh, System.Runtime.Intrinsics.Vector128 hash_abcd, System.Runtime.Intrinsics.Vector128 wk) => throw null; public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate0(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w4_7) => throw null; - public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate1(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w8_11, System.Runtime.Intrinsics.Vector128 w12_15) => throw null; + public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate0(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w4_7) => throw null; + public static System.Runtime.Intrinsics.Vector128 ScheduleUpdate1(System.Runtime.Intrinsics.Vector128 w0_3, System.Runtime.Intrinsics.Vector128 w8_11, System.Runtime.Intrinsics.Vector128 w12_15) => throw null; } - + } + public static class Vector128 + { + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 As(this System.Runtime.Intrinsics.Vector128 vector) where TFrom : struct where TTo : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsByte(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsDouble(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsInt16(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsInt32(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsInt64(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsNInt(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsNUInt(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsSByte(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsSingle(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsUInt16(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsUInt32(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsUInt64(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Numerics.Vector AsVector(this System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector2 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector3 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector4 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AsVector128(this System.Numerics.Vector value) where T : struct => throw null; + public static System.Numerics.Vector2 AsVector2(this System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Numerics.Vector3 AsVector3(this System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Numerics.Vector4 AsVector4(this System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseAnd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 BitwiseOr(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConditionalSelect(System.Runtime.Intrinsics.Vector128 condition, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToDouble(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt32(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToInt64(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToSingle(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt32(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToUInt64(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, System.Span destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, T[] destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector128 vector, T[] destination, int startIndex) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(byte e0, byte e1, byte e2, byte e3, byte e4, byte e5, byte e6, byte e7, byte e8, byte e9, byte e10, byte e11, byte e12, byte e13, byte e14, byte e15) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(double value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(double e0, double e1) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(short value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(short e0, short e1, short e2, short e3, short e4, short e5, short e6, short e7) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(int value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(int e0, int e1, int e2, int e3) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(long e0, long e1) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(sbyte e0, sbyte e1, sbyte e2, sbyte e3, sbyte e4, sbyte e5, sbyte e6, sbyte e7, sbyte e8, sbyte e9, sbyte e10, sbyte e11, sbyte e12, sbyte e13, sbyte e14, sbyte e15) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(float e0, float e1, float e2, float e3) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(ushort e0, ushort e1, ushort e2, ushort e3, ushort e4, ushort e5, ushort e6, ushort e7) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(uint e0, uint e1, uint e2, uint e3) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(ulong e0, ulong e1) => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(System.ReadOnlySpan values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(T[] values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Create(T[] values, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(double value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(short value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(int value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalar(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(double value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(short value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(int value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(float value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector128 CreateScalarUnsafe(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static T Dot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Equals(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool EqualsAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool EqualsAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static uint ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static T GetElement(this System.Runtime.Intrinsics.Vector128 vector, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 GetLower(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 GetUpper(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 GreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool IsHardwareAccelerated { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 LessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool LessThanAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool LessThanAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 LessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 Load(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAligned(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; + public static System.Runtime.Intrinsics.Vector128 LoadUnsafe(ref T source) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 LoadUnsafe(ref T source, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, T right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(T left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Narrow(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector128 Negate(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 OnesComplement(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeft(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector128 indices) => throw null; + public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static unsafe void Store(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAligned(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector128 source, T* destination) where T : unmanaged => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector128 source, ref T destination) where T : struct => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector128 source, ref T destination, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + public static T Sum(System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static T ToScalar(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 ToVector256(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 ToVector256Unsafe(this System.Runtime.Intrinsics.Vector128 vector) where T : struct => throw null; + public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector128 vector, System.Span destination) where T : struct => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static (System.Runtime.Intrinsics.Vector128 Lower, System.Runtime.Intrinsics.Vector128 Upper) Widen(System.Runtime.Intrinsics.Vector128 source) => throw null; + public static System.Runtime.Intrinsics.Vector128 WithElement(this System.Runtime.Intrinsics.Vector128 vector, int index, T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 WithLower(this System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector64 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 WithUpper(this System.Runtime.Intrinsics.Vector128 vector, System.Runtime.Intrinsics.Vector64 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) where T : struct => throw null; + } + public struct Vector128 : System.IEquatable> where T : struct + { + public static System.Runtime.Intrinsics.Vector128 AllBitsSet { get => throw null; } + public static int Count { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.Intrinsics.Vector128 other) => throw null; + public override int GetHashCode() => throw null; + public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 operator +(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator &(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator |(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator /(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool operator ==(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator ^(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool operator !=(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator *(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator *(System.Runtime.Intrinsics.Vector128 left, T right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator *(T left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator ~(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator -(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator -(System.Runtime.Intrinsics.Vector128 vector) => throw null; + public static System.Runtime.Intrinsics.Vector128 operator +(System.Runtime.Intrinsics.Vector128 value) => throw null; + public T this[int index] { get => throw null; } + public override string ToString() => throw null; + public static System.Runtime.Intrinsics.Vector128 Zero { get => throw null; } + } + public static class Vector256 + { + public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 As(this System.Runtime.Intrinsics.Vector256 vector) where TFrom : struct where TTo : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsByte(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsDouble(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsInt16(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsInt32(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsInt64(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsNInt(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsNUInt(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsSByte(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsSingle(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsUInt16(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsUInt32(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsUInt64(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Numerics.Vector AsVector(this System.Runtime.Intrinsics.Vector256 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 AsVector256(this System.Numerics.Vector value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 BitwiseAnd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 BitwiseOr(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConditionalSelect(System.Runtime.Intrinsics.Vector256 condition, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToDouble(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToDouble(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToInt32(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToInt64(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToSingle(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToSingle(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToUInt32(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToUInt64(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, System.Span destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, T[] destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector256 vector, T[] destination, int startIndex) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(byte e0, byte e1, byte e2, byte e3, byte e4, byte e5, byte e6, byte e7, byte e8, byte e9, byte e10, byte e11, byte e12, byte e13, byte e14, byte e15, byte e16, byte e17, byte e18, byte e19, byte e20, byte e21, byte e22, byte e23, byte e24, byte e25, byte e26, byte e27, byte e28, byte e29, byte e30, byte e31) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(double value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(double e0, double e1, double e2, double e3) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(short value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(short e0, short e1, short e2, short e3, short e4, short e5, short e6, short e7, short e8, short e9, short e10, short e11, short e12, short e13, short e14, short e15) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(int value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(int e0, int e1, int e2, int e3, int e4, int e5, int e6, int e7) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(long value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(long e0, long e1, long e2, long e3) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.Runtime.Intrinsics.Vector128 lower, System.Runtime.Intrinsics.Vector128 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(sbyte e0, sbyte e1, sbyte e2, sbyte e3, sbyte e4, sbyte e5, sbyte e6, sbyte e7, sbyte e8, sbyte e9, sbyte e10, sbyte e11, sbyte e12, sbyte e13, sbyte e14, sbyte e15, sbyte e16, sbyte e17, sbyte e18, sbyte e19, sbyte e20, sbyte e21, sbyte e22, sbyte e23, sbyte e24, sbyte e25, sbyte e26, sbyte e27, sbyte e28, sbyte e29, sbyte e30, sbyte e31) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(float value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(float e0, float e1, float e2, float e3, float e4, float e5, float e6, float e7) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(ushort e0, ushort e1, ushort e2, ushort e3, ushort e4, ushort e5, ushort e6, ushort e7, ushort e8, ushort e9, ushort e10, ushort e11, ushort e12, ushort e13, ushort e14, ushort e15) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(uint e0, uint e1, uint e2, uint e3, uint e4, uint e5, uint e6, uint e7) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(ulong e0, ulong e1, ulong e2, ulong e3) => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(System.ReadOnlySpan values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(T[] values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Create(T[] values, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(double value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(short value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(int value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(long value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(float value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalar(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(double value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(short value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(int value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(long value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(float value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector256 CreateScalarUnsafe(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Divide(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static T Dot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Equals(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool EqualsAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool EqualsAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static uint ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static T GetElement(this System.Runtime.Intrinsics.Vector256 vector, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 GetLower(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 GetUpper(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 GreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool IsHardwareAccelerated { get => throw null; } + public static System.Runtime.Intrinsics.Vector256 LessThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool LessThanAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool LessThanAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 LessThanOrEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 Load(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAligned(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; + public static System.Runtime.Intrinsics.Vector256 LoadUnsafe(ref T source) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 LoadUnsafe(ref T source, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, T right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Multiply(T left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Narrow(System.Runtime.Intrinsics.Vector256 lower, System.Runtime.Intrinsics.Vector256 upper) => throw null; + public static System.Runtime.Intrinsics.Vector256 Negate(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 OnesComplement(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeft(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector256 indices) => throw null; + public static System.Runtime.Intrinsics.Vector256 Sqrt(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static unsafe void Store(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAligned(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector256 source, T* destination) where T : unmanaged => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector256 source, ref T destination) where T : struct => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector256 source, ref T destination, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + public static T Sum(System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static T ToScalar(this System.Runtime.Intrinsics.Vector256 vector) where T : struct => throw null; + public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector256 vector, System.Span destination) where T : struct => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static (System.Runtime.Intrinsics.Vector256 Lower, System.Runtime.Intrinsics.Vector256 Upper) Widen(System.Runtime.Intrinsics.Vector256 source) => throw null; + public static System.Runtime.Intrinsics.Vector256 WithElement(this System.Runtime.Intrinsics.Vector256 vector, int index, T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 WithLower(this System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 WithUpper(this System.Runtime.Intrinsics.Vector256 vector, System.Runtime.Intrinsics.Vector128 value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) where T : struct => throw null; + } + public struct Vector256 : System.IEquatable> where T : struct + { + public static System.Runtime.Intrinsics.Vector256 AllBitsSet { get => throw null; } + public static int Count { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.Intrinsics.Vector256 other) => throw null; + public override int GetHashCode() => throw null; + public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector256 operator +(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator &(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator |(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator /(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool operator ==(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator ^(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool operator !=(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator *(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator *(System.Runtime.Intrinsics.Vector256 left, T right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator *(T left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator ~(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator -(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator -(System.Runtime.Intrinsics.Vector256 vector) => throw null; + public static System.Runtime.Intrinsics.Vector256 operator +(System.Runtime.Intrinsics.Vector256 value) => throw null; + public T this[int index] { get => throw null; } + public override string ToString() => throw null; + public static System.Runtime.Intrinsics.Vector256 Zero { get => throw null; } + } + public static class Vector64 + { + public static System.Runtime.Intrinsics.Vector64 Abs(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Add(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AndNot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 As(this System.Runtime.Intrinsics.Vector64 vector) where TFrom : struct where TTo : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsByte(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsDouble(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsInt16(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsInt32(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsInt64(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsNInt(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsNUInt(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsSByte(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsSingle(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsUInt16(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsUInt32(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 AsUInt64(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseAnd(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 BitwiseOr(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Ceiling(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 Ceiling(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConditionalSelect(System.Runtime.Intrinsics.Vector64 condition, System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToDouble(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToDouble(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt32(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToInt64(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToSingle(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt32(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 ConvertToUInt64(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, System.Span destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, T[] destination) where T : struct => throw null; + public static void CopyTo(this System.Runtime.Intrinsics.Vector64 vector, T[] destination, int startIndex) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(byte e0, byte e1, byte e2, byte e3, byte e4, byte e5, byte e6, byte e7) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(double value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(short value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(short e0, short e1, short e2, short e3) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(int value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(int e0, int e1) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(long value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(sbyte e0, sbyte e1, sbyte e2, sbyte e3, sbyte e4, sbyte e5, sbyte e6, sbyte e7) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(float value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(float e0, float e1) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(ushort e0, ushort e1, ushort e2, ushort e3) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(uint e0, uint e1) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(System.ReadOnlySpan values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(T[] values) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Create(T[] values, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(double value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(short value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(int value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(long value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(float value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalar(ulong value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(byte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(short value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(int value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(nint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(nuint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(sbyte value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(float value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(ushort value) => throw null; + public static System.Runtime.Intrinsics.Vector64 CreateScalarUnsafe(uint value) => throw null; + public static System.Runtime.Intrinsics.Vector64 Divide(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static T Dot(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Equals(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool EqualsAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool EqualsAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static uint ExtractMostSignificantBits(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Floor(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 Floor(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static T GetElement(this System.Runtime.Intrinsics.Vector64 vector, int index) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 GreaterThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool GreaterThanAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool GreaterThanAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 GreaterThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool GreaterThanOrEqualAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool IsHardwareAccelerated { get => throw null; } + public static System.Runtime.Intrinsics.Vector64 LessThan(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool LessThanAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool LessThanAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 LessThanOrEqual(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool LessThanOrEqualAll(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static bool LessThanOrEqualAny(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 Load(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAligned(T* source) where T : unmanaged => throw null; + public static unsafe System.Runtime.Intrinsics.Vector64 LoadAlignedNonTemporal(T* source) where T : unmanaged => throw null; + public static System.Runtime.Intrinsics.Vector64 LoadUnsafe(ref T source) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 LoadUnsafe(ref T source, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Max(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Min(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(System.Runtime.Intrinsics.Vector64 left, T right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Multiply(T left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Narrow(System.Runtime.Intrinsics.Vector64 lower, System.Runtime.Intrinsics.Vector64 upper) => throw null; + public static System.Runtime.Intrinsics.Vector64 Negate(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 OnesComplement(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftLeft(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 ShiftRightLogical(System.Runtime.Intrinsics.Vector64 vector, int shiftCount) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Shuffle(System.Runtime.Intrinsics.Vector64 vector, System.Runtime.Intrinsics.Vector64 indices) => throw null; + public static System.Runtime.Intrinsics.Vector64 Sqrt(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static unsafe void Store(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAligned(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; + public static unsafe void StoreAlignedNonTemporal(this System.Runtime.Intrinsics.Vector64 source, T* destination) where T : unmanaged => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector64 source, ref T destination) where T : struct => throw null; + public static void StoreUnsafe(this System.Runtime.Intrinsics.Vector64 source, ref T destination, nuint elementOffset) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Subtract(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + public static T Sum(System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static T ToScalar(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 ToVector128(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector128 ToVector128Unsafe(this System.Runtime.Intrinsics.Vector64 vector) where T : struct => throw null; + public static bool TryCopyTo(this System.Runtime.Intrinsics.Vector64 vector, System.Span destination) where T : struct => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static (System.Runtime.Intrinsics.Vector64 Lower, System.Runtime.Intrinsics.Vector64 Upper) Widen(System.Runtime.Intrinsics.Vector64 source) => throw null; + public static System.Runtime.Intrinsics.Vector64 WithElement(this System.Runtime.Intrinsics.Vector64 vector, int index, T value) where T : struct => throw null; + public static System.Runtime.Intrinsics.Vector64 Xor(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) where T : struct => throw null; + } + public struct Vector64 : System.IEquatable> where T : struct + { + public static System.Runtime.Intrinsics.Vector64 AllBitsSet { get => throw null; } + public static int Count { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.Intrinsics.Vector64 other) => throw null; + public override int GetHashCode() => throw null; + public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector64 operator +(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator &(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator |(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator /(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static bool operator ==(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator ^(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static bool operator !=(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator *(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator *(System.Runtime.Intrinsics.Vector64 left, T right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator *(T left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator ~(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator -(System.Runtime.Intrinsics.Vector64 left, System.Runtime.Intrinsics.Vector64 right) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator -(System.Runtime.Intrinsics.Vector64 vector) => throw null; + public static System.Runtime.Intrinsics.Vector64 operator +(System.Runtime.Intrinsics.Vector64 value) => throw null; + public T this[int index] { get => throw null; } + public override string ToString() => throw null; + public static System.Runtime.Intrinsics.Vector64 Zero { get => throw null; } } namespace X86 { public abstract class Aes : System.Runtime.Intrinsics.X86.Sse2 { + public static System.Runtime.Intrinsics.Vector128 Decrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 DecryptLast(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 Encrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 EncryptLast(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; + public static System.Runtime.Intrinsics.Vector128 InverseMixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 KeygenAssist(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.Sse2.X64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector128 Decrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 DecryptLast(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 Encrypt(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 EncryptLast(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 roundKey) => throw null; - public static System.Runtime.Intrinsics.Vector128 InverseMixColumns(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 KeygenAssist(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; } - public abstract class Avx : System.Runtime.Intrinsics.X86.Sse42 { - public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 - { - public static bool IsSupported { get => throw null; } - internal X64() => throw null; - } - - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 AddSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; @@ -3132,16 +3084,15 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - internal Avx() => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(float* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(double* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(float* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(float* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(double* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(float* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(float* address) => throw null; public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 Ceiling(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Compare(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.X86.FloatComparisonMode mode) => throw null; @@ -3177,80 +3128,80 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32WithTruncation(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Single(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Double(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Double(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Double(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32WithTruncation(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Single(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 Divide(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Divide(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 DotProduct(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 DotProduct(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; public static System.Runtime.Intrinsics.Vector256 DuplicateEvenIndexed(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 DuplicateEvenIndexed(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 DuplicateOddIndexed(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 Floor(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalAdd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalAdd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadDquVector256(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadVector256(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(double* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(double* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(float* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(float* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static void MaskStore(double* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(double* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void MaskStore(float* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(float* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadDquVector256(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadVector256(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(double* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(double* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(float* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(float* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe void MaskStore(double* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(double* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void MaskStore(float* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(float* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; @@ -3261,23 +3212,23 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Permute(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Permute(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 PermuteVar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Permute(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Permute(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 PermuteVar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 control) => throw null; public static System.Runtime.Intrinsics.Vector128 PermuteVar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 control) => throw null; - public static System.Runtime.Intrinsics.Vector256 PermuteVar(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; + public static System.Runtime.Intrinsics.Vector256 PermuteVar(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; public static System.Runtime.Intrinsics.Vector256 PermuteVar(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; public static System.Runtime.Intrinsics.Vector256 Reciprocal(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 ReciprocalSqrt(System.Runtime.Intrinsics.Vector256 value) => throw null; @@ -3291,601 +3242,583 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 public static System.Runtime.Intrinsics.Vector256 RoundToPositiveInfinity(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 RoundToZero(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 RoundToZero(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; public static System.Runtime.Intrinsics.Vector256 Sqrt(System.Runtime.Intrinsics.Vector256 value) => throw null; public static System.Runtime.Intrinsics.Vector256 Sqrt(System.Runtime.Intrinsics.Vector256 value) => throw null; - unsafe public static void Store(System.Byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.Int64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.SByte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.Int16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.UInt32* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.UInt64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void Store(System.UInt16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.Byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.Int64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.SByte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.Int16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.UInt32* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.UInt64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAligned(System.UInt16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Int64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.SByte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Int16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt32* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt64* address, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt16* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(short* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(long* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(sbyte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(ushort* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(uint* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void Store(ulong* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(short* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(long* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(sbyte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(ushort* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(uint* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAligned(ulong* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(byte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(double* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(short* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(int* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(long* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(sbyte* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(float* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(ushort* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(uint* address, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(ulong* address, System.Runtime.Intrinsics.Vector256 source) => throw null; public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 + { + public static bool IsSupported { get => throw null; } + } public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; } - public abstract class Avx2 : System.Runtime.Intrinsics.X86.Avx { - public abstract class X64 : System.Runtime.Intrinsics.X86.Avx.X64 - { - public static bool IsSupported { get => throw null; } - internal X64() => throw null; - } - - - public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Abs(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Add(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AlignRight(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 And(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Average(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Average(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - internal Avx2() => throw null; - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 AndNot(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Average(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Average(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Blend(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 BlendVariable(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(byte* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(short* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(int* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(long* source) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Byte* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(int* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Int64* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.SByte* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Int16* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.UInt32* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.UInt64* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.UInt16* source) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(sbyte* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(ushort* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(uint* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 BroadcastScalarToVector128(ulong* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(byte* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(short* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(int* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(long* source) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Byte* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(int* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Int64* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.SByte* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Int16* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.UInt32* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.UInt64* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.UInt16* source) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(sbyte* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(ushort* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(uint* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastScalarToVector256(ulong* source) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 BroadcastVector128ToVector256(ulong* address) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareEqual(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 CompareGreaterThan(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static int ConvertToInt32(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.UInt32 ConvertToUInt32(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.SByte* address) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, System.Byte index) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, double* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, System.Int64* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 GatherVector128(System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(double* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(System.Int64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(System.Int64* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(System.UInt32* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Byte scale) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 GatherVector256(System.UInt64* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Byte scale) => throw null; + public static uint ConvertToUInt32(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(byte* address) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int16(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(short* address) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int32(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(int* address) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 ConvertToVector256Int64(uint* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 ExtractVector128(System.Runtime.Intrinsics.Vector256 value, byte index) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, long* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, long* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, uint* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, uint* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, uint* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherMaskVector128(System.Runtime.Intrinsics.Vector128 source, ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector128 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, double* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, double* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, int* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, long* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, long* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, float* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, uint* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherMaskVector256(System.Runtime.Intrinsics.Vector256 source, ulong* baseAddress, System.Runtime.Intrinsics.Vector256 index, System.Runtime.Intrinsics.Vector256 mask, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(int* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(long* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(long* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(float* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(uint* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(uint* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(uint* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 GatherVector128(ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(double* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(double* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(int* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(long* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(long* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(float* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(uint* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(ulong* baseAddress, System.Runtime.Intrinsics.Vector128 index, byte scale) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 GatherVector256(ulong* baseAddress, System.Runtime.Intrinsics.Vector256 index, byte scale) => throw null; + public static System.Runtime.Intrinsics.Vector256 HorizontalAdd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalAdd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 HorizontalAdd(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 HorizontalAddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 HorizontalAddSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 HorizontalSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 HorizontalSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 HorizontalSubtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 HorizontalSubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 HorizontalSubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector256 InsertVector128(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(System.UInt16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(int* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(int* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(System.Int64* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(System.Int64* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(System.UInt32* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(System.UInt32* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 MaskLoad(System.UInt64* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector256 MaskLoad(System.UInt64* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; - unsafe public static void MaskStore(int* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(int* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void MaskStore(System.Int64* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(System.Int64* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void MaskStore(System.UInt32* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(System.UInt32* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; - unsafe public static void MaskStore(System.UInt64* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void MaskStore(System.UInt64* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 LoadAlignedVector256NonTemporal(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(int* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(int* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(long* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(long* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(uint* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(uint* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 MaskLoad(ulong* address, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector256 MaskLoad(ulong* address, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static unsafe void MaskStore(int* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(int* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void MaskStore(long* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(long* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void MaskStore(uint* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(uint* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static unsafe void MaskStore(ulong* address, System.Runtime.Intrinsics.Vector128 mask, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void MaskStore(ulong* address, System.Runtime.Intrinsics.Vector256 mask, System.Runtime.Intrinsics.Vector256 source) => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Max(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static int MoveMask(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static int MoveMask(System.Runtime.Intrinsics.Vector256 value) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultipleSumAbsoluteDifferences(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyHighRoundScale(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Min(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static int MoveMask(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static int MoveMask(System.Runtime.Intrinsics.Vector256 value) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultipleSumAbsoluteDifferences(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Multiply(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyHighRoundScale(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 PackSignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 PackSignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 PermuteVar8x32(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Or(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 PackSignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 PackSignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute2x128(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Permute4x64(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; public static System.Runtime.Intrinsics.Vector256 PermuteVar8x32(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; - public static System.Runtime.Intrinsics.Vector256 PermuteVar8x32(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; + public static System.Runtime.Intrinsics.Vector256 PermuteVar8x32(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; + public static System.Runtime.Intrinsics.Vector256 PermuteVar8x32(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftLeftLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmeticVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmeticVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightArithmeticVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 mask) => throw null; - public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShuffleHigh(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShuffleHigh(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShuffleLow(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector256 ShuffleLow(System.Runtime.Intrinsics.Vector256 value, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector256 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShiftRightLogicalVariable(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 count) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, System.Runtime.Intrinsics.Vector256 mask) => throw null; + public static System.Runtime.Intrinsics.Vector256 Shuffle(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShuffleHigh(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShuffleHigh(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShuffleLow(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 ShuffleLow(System.Runtime.Intrinsics.Vector256 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector256 Sign(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Sign(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Sign(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Sign(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Sign(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 SumAbsoluteDifferences(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Subtract(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 SubtractSaturate(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 SumAbsoluteDifferences(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackHigh(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 UnpackLow(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Avx.X64 + { + public static bool IsSupported { get => throw null; } + } + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 Xor(System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; } - public abstract class AvxVnni : System.Runtime.Intrinsics.X86.Avx2 { + public static bool IsSupported { get => throw null; } + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; + public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.Avx2.X64 { public static bool IsSupported { get => throw null; } } - - - public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAdd(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector128 addend, System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; - public static System.Runtime.Intrinsics.Vector256 MultiplyWideningAndAddSaturate(System.Runtime.Intrinsics.Vector256 addend, System.Runtime.Intrinsics.Vector256 left, System.Runtime.Intrinsics.Vector256 right) => throw null; } - public abstract class Bmi1 : System.Runtime.Intrinsics.X86.X86Base { + public static uint AndNot(uint left, uint right) => throw null; + public static uint BitFieldExtract(uint value, byte start, byte length) => throw null; + public static uint BitFieldExtract(uint value, ushort control) => throw null; + public static uint ExtractLowestSetBit(uint value) => throw null; + public static uint GetMaskUpToLowestSetBit(uint value) => throw null; + public static bool IsSupported { get => throw null; } + public static uint ResetLowestSetBit(uint value) => throw null; + public static uint TrailingZeroCount(uint value) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 { - public static System.UInt64 AndNot(System.UInt64 left, System.UInt64 right) => throw null; - public static System.UInt64 BitFieldExtract(System.UInt64 value, System.Byte start, System.Byte length) => throw null; - public static System.UInt64 BitFieldExtract(System.UInt64 value, System.UInt16 control) => throw null; - public static System.UInt64 ExtractLowestSetBit(System.UInt64 value) => throw null; - public static System.UInt64 GetMaskUpToLowestSetBit(System.UInt64 value) => throw null; + public static ulong AndNot(ulong left, ulong right) => throw null; + public static ulong BitFieldExtract(ulong value, byte start, byte length) => throw null; + public static ulong BitFieldExtract(ulong value, ushort control) => throw null; + public static ulong ExtractLowestSetBit(ulong value) => throw null; + public static ulong GetMaskUpToLowestSetBit(ulong value) => throw null; public static bool IsSupported { get => throw null; } - public static System.UInt64 ResetLowestSetBit(System.UInt64 value) => throw null; - public static System.UInt64 TrailingZeroCount(System.UInt64 value) => throw null; + public static ulong ResetLowestSetBit(ulong value) => throw null; + public static ulong TrailingZeroCount(ulong value) => throw null; } - - - public static System.UInt32 AndNot(System.UInt32 left, System.UInt32 right) => throw null; - public static System.UInt32 BitFieldExtract(System.UInt32 value, System.Byte start, System.Byte length) => throw null; - public static System.UInt32 BitFieldExtract(System.UInt32 value, System.UInt16 control) => throw null; - public static System.UInt32 ExtractLowestSetBit(System.UInt32 value) => throw null; - public static System.UInt32 GetMaskUpToLowestSetBit(System.UInt32 value) => throw null; - public static bool IsSupported { get => throw null; } - public static System.UInt32 ResetLowestSetBit(System.UInt32 value) => throw null; - public static System.UInt32 TrailingZeroCount(System.UInt32 value) => throw null; } - public abstract class Bmi2 : System.Runtime.Intrinsics.X86.X86Base { + public static bool IsSupported { get => throw null; } + public static uint MultiplyNoFlags(uint left, uint right) => throw null; + public static unsafe uint MultiplyNoFlags(uint left, uint right, uint* low) => throw null; + public static uint ParallelBitDeposit(uint value, uint mask) => throw null; + public static uint ParallelBitExtract(uint value, uint mask) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 { public static bool IsSupported { get => throw null; } - public static System.UInt64 MultiplyNoFlags(System.UInt64 left, System.UInt64 right) => throw null; - unsafe public static System.UInt64 MultiplyNoFlags(System.UInt64 left, System.UInt64 right, System.UInt64* low) => throw null; - public static System.UInt64 ParallelBitDeposit(System.UInt64 value, System.UInt64 mask) => throw null; - public static System.UInt64 ParallelBitExtract(System.UInt64 value, System.UInt64 mask) => throw null; - public static System.UInt64 ZeroHighBits(System.UInt64 value, System.UInt64 index) => throw null; + public static ulong MultiplyNoFlags(ulong left, ulong right) => throw null; + public static unsafe ulong MultiplyNoFlags(ulong left, ulong right, ulong* low) => throw null; + public static ulong ParallelBitDeposit(ulong value, ulong mask) => throw null; + public static ulong ParallelBitExtract(ulong value, ulong mask) => throw null; + public static ulong ZeroHighBits(ulong value, ulong index) => throw null; } - - - public static bool IsSupported { get => throw null; } - public static System.UInt32 MultiplyNoFlags(System.UInt32 left, System.UInt32 right) => throw null; - unsafe public static System.UInt32 MultiplyNoFlags(System.UInt32 left, System.UInt32 right, System.UInt32* low) => throw null; - public static System.UInt32 ParallelBitDeposit(System.UInt32 value, System.UInt32 mask) => throw null; - public static System.UInt32 ParallelBitExtract(System.UInt32 value, System.UInt32 mask) => throw null; - public static System.UInt32 ZeroHighBits(System.UInt32 value, System.UInt32 index) => throw null; + public static uint ZeroHighBits(uint value, uint index) => throw null; } - public enum FloatComparisonMode : byte { OrderedEqualNonSignaling = 0, - OrderedEqualSignaling = 16, + OrderedLessThanSignaling = 1, + OrderedLessThanOrEqualSignaling = 2, + UnorderedNonSignaling = 3, + UnorderedNotEqualNonSignaling = 4, + UnorderedNotLessThanSignaling = 5, + UnorderedNotLessThanOrEqualSignaling = 6, + OrderedNonSignaling = 7, + UnorderedEqualNonSignaling = 8, + UnorderedNotGreaterThanOrEqualSignaling = 9, + UnorderedNotGreaterThanSignaling = 10, OrderedFalseNonSignaling = 11, - OrderedFalseSignaling = 27, - OrderedGreaterThanNonSignaling = 30, - OrderedGreaterThanOrEqualNonSignaling = 29, + OrderedNotEqualNonSignaling = 12, OrderedGreaterThanOrEqualSignaling = 13, OrderedGreaterThanSignaling = 14, + UnorderedTrueNonSignaling = 15, + OrderedEqualSignaling = 16, OrderedLessThanNonSignaling = 17, OrderedLessThanOrEqualNonSignaling = 18, - OrderedLessThanOrEqualSignaling = 2, - OrderedLessThanSignaling = 1, - OrderedNonSignaling = 7, - OrderedNotEqualNonSignaling = 12, - OrderedNotEqualSignaling = 28, - OrderedSignaling = 23, - UnorderedEqualNonSignaling = 8, - UnorderedEqualSignaling = 24, - UnorderedNonSignaling = 3, - UnorderedNotEqualNonSignaling = 4, + UnorderedSignaling = 19, UnorderedNotEqualSignaling = 20, - UnorderedNotGreaterThanNonSignaling = 26, - UnorderedNotGreaterThanOrEqualNonSignaling = 25, - UnorderedNotGreaterThanOrEqualSignaling = 9, - UnorderedNotGreaterThanSignaling = 10, UnorderedNotLessThanNonSignaling = 21, UnorderedNotLessThanOrEqualNonSignaling = 22, - UnorderedNotLessThanOrEqualSignaling = 6, - UnorderedNotLessThanSignaling = 5, - UnorderedSignaling = 19, - UnorderedTrueNonSignaling = 15, + OrderedSignaling = 23, + UnorderedEqualSignaling = 24, + UnorderedNotGreaterThanOrEqualNonSignaling = 25, + UnorderedNotGreaterThanNonSignaling = 26, + OrderedFalseSignaling = 27, + OrderedNotEqualSignaling = 28, + OrderedGreaterThanOrEqualNonSignaling = 29, + OrderedGreaterThanNonSignaling = 30, UnorderedTrueSignaling = 31, } - public abstract class Fma : System.Runtime.Intrinsics.X86.Avx { - public abstract class X64 : System.Runtime.Intrinsics.X86.Avx.X64 - { - public static bool IsSupported { get => throw null; } - } - - public static bool IsSupported { get => throw null; } public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 a, System.Runtime.Intrinsics.Vector128 b, System.Runtime.Intrinsics.Vector128 c) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyAdd(System.Runtime.Intrinsics.Vector128 a, System.Runtime.Intrinsics.Vector128 b, System.Runtime.Intrinsics.Vector128 c) => throw null; @@ -3919,59 +3852,43 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Avx.X64 public static System.Runtime.Intrinsics.Vector128 MultiplySubtractNegatedScalar(System.Runtime.Intrinsics.Vector128 a, System.Runtime.Intrinsics.Vector128 b, System.Runtime.Intrinsics.Vector128 c) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplySubtractScalar(System.Runtime.Intrinsics.Vector128 a, System.Runtime.Intrinsics.Vector128 b, System.Runtime.Intrinsics.Vector128 c) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplySubtractScalar(System.Runtime.Intrinsics.Vector128 a, System.Runtime.Intrinsics.Vector128 b, System.Runtime.Intrinsics.Vector128 c) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Avx.X64 + { + public static bool IsSupported { get => throw null; } + } } - public abstract class Lzcnt : System.Runtime.Intrinsics.X86.X86Base { + public static bool IsSupported { get => throw null; } + public static uint LeadingZeroCount(uint value) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 { public static bool IsSupported { get => throw null; } - public static System.UInt64 LeadingZeroCount(System.UInt64 value) => throw null; + public static ulong LeadingZeroCount(ulong value) => throw null; } - - - public static bool IsSupported { get => throw null; } - public static System.UInt32 LeadingZeroCount(System.UInt32 value) => throw null; } - public abstract class Pclmulqdq : System.Runtime.Intrinsics.X86.Sse2 { + public static System.Runtime.Intrinsics.Vector128 CarrylessMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 CarrylessMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static bool IsSupported { get => throw null; } public abstract class X64 : System.Runtime.Intrinsics.X86.Sse2.X64 { public static bool IsSupported { get => throw null; } } - - - public static System.Runtime.Intrinsics.Vector128 CarrylessMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 CarrylessMultiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static bool IsSupported { get => throw null; } } - public abstract class Popcnt : System.Runtime.Intrinsics.X86.Sse42 { + public static bool IsSupported { get => throw null; } + public static uint PopCount(uint value) => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.Sse42.X64 { public static bool IsSupported { get => throw null; } - public static System.UInt64 PopCount(System.UInt64 value) => throw null; + public static ulong PopCount(ulong value) => throw null; } - - - public static bool IsSupported { get => throw null; } - public static System.UInt32 PopCount(System.UInt32 value) => throw null; } - public abstract class Sse : System.Runtime.Intrinsics.X86.X86Base { - public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 - { - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Single(System.Runtime.Intrinsics.Vector128 upper, System.Int64 value) => throw null; - public static System.Int64 ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Int64 ConvertToInt64WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static bool IsSupported { get => throw null; } - internal X64() => throw null; - } - - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AddScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -4018,11 +3935,11 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 DivideScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadHigh(System.Runtime.Intrinsics.Vector128 lower, float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadLow(System.Runtime.Intrinsics.Vector128 upper, float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(float* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadHigh(System.Runtime.Intrinsics.Vector128 lower, float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadLow(System.Runtime.Intrinsics.Vector128 upper, float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(float* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(float* address) => throw null; public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -4034,103 +3951,92 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - unsafe public static void Prefetch0(void* address) => throw null; - unsafe public static void Prefetch1(void* address) => throw null; - unsafe public static void Prefetch2(void* address) => throw null; - unsafe public static void PrefetchNonTemporal(void* address) => throw null; + public static unsafe void Prefetch0(void* address) => throw null; + public static unsafe void Prefetch1(void* address) => throw null; + public static unsafe void Prefetch2(void* address) => throw null; + public static unsafe void PrefetchNonTemporal(void* address) => throw null; public static System.Runtime.Intrinsics.Vector128 Reciprocal(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalSqrt(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalSqrtScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ReciprocalSqrtScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 SqrtScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 SqrtScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - internal Sse() => throw null; - unsafe public static void Store(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; public static void StoreFence() => throw null; - unsafe public static void StoreHigh(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreLow(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreScalar(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreHigh(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreLow(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreScalar(float* address, System.Runtime.Intrinsics.Vector128 source) => throw null; public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 SubtractScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 + { + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Single(System.Runtime.Intrinsics.Vector128 upper, long value) => throw null; + public static long ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static long ConvertToInt64WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static bool IsSupported { get => throw null; } + } public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; } - public abstract class Sse2 : System.Runtime.Intrinsics.X86.Sse { - public abstract class X64 : System.Runtime.Intrinsics.X86.Sse.X64 - { - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Double(System.Runtime.Intrinsics.Vector128 upper, System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Int64(System.Int64 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128UInt64(System.UInt64 value) => throw null; - public static System.Int64 ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Int64 ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Int64 ConvertToInt64WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.UInt64 ConvertToUInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static bool IsSupported { get => throw null; } - unsafe public static void StoreNonTemporal(System.Int64* address, System.Int64 value) => throw null; - unsafe public static void StoreNonTemporal(System.UInt64* address, System.UInt64 value) => throw null; - internal X64() => throw null; - } - - - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Add(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AddScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 And(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Average(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Average(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 AndNot(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Average(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Average(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareGreaterThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareLessThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareNotEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareNotGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -4163,17 +4069,17 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse.X64 public static bool CompareScalarUnorderedLessThanOrEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool CompareScalarUnorderedNotEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 CompareUnordered(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Double(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Double(System.Runtime.Intrinsics.Vector128 upper, int value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Double(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Int32(int value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Single(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128UInt32(System.UInt32 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128UInt32(uint value) => throw null; public static int ConvertToInt32(System.Runtime.Intrinsics.Vector128 value) => throw null; public static int ConvertToInt32(System.Runtime.Intrinsics.Vector128 value) => throw null; public static int ConvertToInt32WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.UInt32 ConvertToUInt32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Double(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static uint ConvertToUInt32(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Double(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Double(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; @@ -4182,217 +4088,221 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse.X64 public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Single(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Divide(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 DivideScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.UInt16 Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.Int16 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.UInt16 data, System.Byte index) => throw null; + public static ushort Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, short data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, ushort data, byte index) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(System.UInt16* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128(ulong* address) => throw null; public static void LoadFence() => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadHigh(System.Runtime.Intrinsics.Vector128 lower, double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadLow(System.Runtime.Intrinsics.Vector128 upper, double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadScalarVector128(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadVector128(System.UInt16* address) => throw null; - unsafe public static void MaskMove(System.Runtime.Intrinsics.Vector128 source, System.Runtime.Intrinsics.Vector128 mask, System.Byte* address) => throw null; - unsafe public static void MaskMove(System.Runtime.Intrinsics.Vector128 source, System.Runtime.Intrinsics.Vector128 mask, System.SByte* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadHigh(System.Runtime.Intrinsics.Vector128 lower, double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadLow(System.Runtime.Intrinsics.Vector128 upper, double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadScalarVector128(ulong* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadVector128(ulong* address) => throw null; + public static unsafe void MaskMove(System.Runtime.Intrinsics.Vector128 source, System.Runtime.Intrinsics.Vector128 mask, byte* address) => throw null; + public static unsafe void MaskMove(System.Runtime.Intrinsics.Vector128 source, System.Runtime.Intrinsics.Vector128 mask, sbyte* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MaxScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static void MemoryFence() => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MinScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static int MoveMask(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static int MoveMask(System.Runtime.Intrinsics.Vector128 value) => throw null; public static int MoveMask(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static int MoveMask(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static int MoveMask(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 MoveScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 MoveScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 MoveScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 MoveScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 MoveScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PackSignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PackSignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Or(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PackSignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PackSignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftLeftLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightArithmetic(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Byte count) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, System.Byte numBytes) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShuffleHigh(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShuffleHigh(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShuffleLow(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 ShuffleLow(System.Runtime.Intrinsics.Vector128 value, System.Byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, byte count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 count) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShiftRightLogical128BitLane(System.Runtime.Intrinsics.Vector128 value, byte numBytes) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShuffleHigh(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShuffleHigh(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShuffleLow(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 ShuffleLow(System.Runtime.Intrinsics.Vector128 value, byte control) => throw null; public static System.Runtime.Intrinsics.Vector128 Sqrt(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 SqrtScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 SqrtScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - internal Sse2() => throw null; - unsafe public static void Store(System.Byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.Int64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.SByte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.Int16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt32* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void Store(System.UInt16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.Byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.Int64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.SByte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.Int16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.UInt32* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.UInt64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAligned(System.UInt16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Int64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.SByte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.Int16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt32* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreAlignedNonTemporal(System.UInt16* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreHigh(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreLow(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreNonTemporal(int* address, int value) => throw null; - unsafe public static void StoreNonTemporal(System.UInt32* address, System.UInt32 value) => throw null; - unsafe public static void StoreScalar(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreScalar(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreScalar(System.Int64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreScalar(System.UInt32* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - unsafe public static void StoreScalar(System.UInt64* address, System.Runtime.Intrinsics.Vector128 source) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static unsafe void Store(byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(short* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(long* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(sbyte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(ushort* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(uint* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void Store(ulong* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(short* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(long* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(sbyte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(ushort* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(uint* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAligned(ulong* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(byte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(short* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(long* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(sbyte* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(ushort* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(uint* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreAlignedNonTemporal(ulong* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreHigh(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreLow(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreNonTemporal(int* address, int value) => throw null; + public static unsafe void StoreNonTemporal(uint* address, uint value) => throw null; + public static unsafe void StoreScalar(double* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreScalar(int* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreScalar(long* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreScalar(uint* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static unsafe void StoreScalar(ulong* address, System.Runtime.Intrinsics.Vector128 source) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Subtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 SubtractScalar(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 SumAbsoluteDifferences(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 SumAbsoluteDifferences(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackHigh(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 UnpackLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Sse.X64 + { + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Double(System.Runtime.Intrinsics.Vector128 upper, long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128Int64(long value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertScalarToVector128UInt64(ulong value) => throw null; + public static long ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static long ConvertToInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static long ConvertToInt64WithTruncation(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static ulong ConvertToUInt64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static bool IsSupported { get => throw null; } + public static unsafe void StoreNonTemporal(long* address, long value) => throw null; + public static unsafe void StoreNonTemporal(ulong* address, ulong value) => throw null; + } + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Xor(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; } - public abstract class Sse3 : System.Runtime.Intrinsics.X86.Sse2 { - public abstract class X64 : System.Runtime.Intrinsics.X86.Sse2.X64 - { - public static bool IsSupported { get => throw null; } - internal X64() => throw null; - } - - public static System.Runtime.Intrinsics.Vector128 AddSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 AddSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 HorizontalAdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; @@ -4400,120 +4310,111 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Sse2.X64 public static System.Runtime.Intrinsics.Vector128 HorizontalSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 HorizontalSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAndDuplicateToVector128(double* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadDquVector128(System.UInt16* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAndDuplicateToVector128(double* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadDquVector128(ulong* address) => throw null; public static System.Runtime.Intrinsics.Vector128 MoveAndDuplicate(System.Runtime.Intrinsics.Vector128 source) => throw null; public static System.Runtime.Intrinsics.Vector128 MoveHighAndDuplicate(System.Runtime.Intrinsics.Vector128 source) => throw null; public static System.Runtime.Intrinsics.Vector128 MoveLowAndDuplicate(System.Runtime.Intrinsics.Vector128 source) => throw null; - internal Sse3() => throw null; - } - - public abstract class Sse41 : System.Runtime.Intrinsics.X86.Ssse3 - { - public abstract class X64 : System.Runtime.Intrinsics.X86.Ssse3.X64 + public abstract class X64 : System.Runtime.Intrinsics.X86.Sse2.X64 { - public static System.Int64 Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.UInt64 Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.Int64 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.UInt64 data, System.Byte index) => throw null; public static bool IsSupported { get => throw null; } - internal X64() => throw null; } - - - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + } + public abstract class Sse41 : System.Runtime.Intrinsics.X86.Ssse3 + { + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 Blend(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 BlendVariable(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Runtime.Intrinsics.Vector128 mask) => throw null; public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Ceiling(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 CeilingScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 CeilingScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 CeilingScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 CeilingScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.SByte* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.UInt16* address) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte control) => throw null; - public static System.Byte Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static float Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static int Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; - public static System.UInt32 Extract(System.Runtime.Intrinsics.Vector128 value, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 CompareEqual(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(byte* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int16(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(short* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int32(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(int* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 ConvertToVector128Int64(uint* address) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static System.Runtime.Intrinsics.Vector128 DotProduct(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte control) => throw null; + public static byte Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static int Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static float Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static uint Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 Floor(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 FloorScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 FloorScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 FloorScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 FloorScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.Byte data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, int data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.SByte data, System.Byte index) => throw null; - public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.UInt32 data, System.Byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, byte data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, int data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, sbyte data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, uint data, byte index) => throw null; public static bool IsSupported { get => throw null; } - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.Byte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(int* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.Int64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.SByte* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.Int16* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.UInt32* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.UInt64* address) => throw null; - unsafe public static System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(System.UInt16* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(byte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(short* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(int* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(long* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(sbyte* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(ushort* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(uint* address) => throw null; + public static unsafe System.Runtime.Intrinsics.Vector128 LoadAlignedVector128NonTemporal(ulong* address) => throw null; public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Max(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MinHorizontal(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultipleSumAbsoluteDifferences(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Min(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MinHorizontal(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultipleSumAbsoluteDifferences(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 Multiply(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyLow(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 PackUnsignedSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundCurrentDirection(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundCurrentDirection(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundCurrentDirectionScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; @@ -4544,115 +4445,103 @@ public abstract class X64 : System.Runtime.Intrinsics.X86.Ssse3.X64 public static System.Runtime.Intrinsics.Vector128 RoundToZeroScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToZeroScalar(System.Runtime.Intrinsics.Vector128 value) => throw null; public static System.Runtime.Intrinsics.Vector128 RoundToZeroScalar(System.Runtime.Intrinsics.Vector128 upper, System.Runtime.Intrinsics.Vector128 value) => throw null; - internal Sse41() => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestNotZAndNotC(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static bool TestZ(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Ssse3.X64 + { + public static long Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static ulong Extract(System.Runtime.Intrinsics.Vector128 value, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, long data, byte index) => throw null; + public static System.Runtime.Intrinsics.Vector128 Insert(System.Runtime.Intrinsics.Vector128 value, ulong data, byte index) => throw null; + public static bool IsSupported { get => throw null; } + } } - public abstract class Sse42 : System.Runtime.Intrinsics.X86.Sse41 { + public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static uint Crc32(uint crc, byte data) => throw null; + public static uint Crc32(uint crc, ushort data) => throw null; + public static uint Crc32(uint crc, uint data) => throw null; + public static bool IsSupported { get => throw null; } public abstract class X64 : System.Runtime.Intrinsics.X86.Sse41.X64 { - public static System.UInt64 Crc32(System.UInt64 crc, System.UInt64 data) => throw null; + public static ulong Crc32(ulong crc, ulong data) => throw null; public static bool IsSupported { get => throw null; } - internal X64() => throw null; } - - - public static System.Runtime.Intrinsics.Vector128 CompareGreaterThan(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.UInt32 Crc32(System.UInt32 crc, System.Byte data) => throw null; - public static System.UInt32 Crc32(System.UInt32 crc, System.UInt32 data) => throw null; - public static System.UInt32 Crc32(System.UInt32 crc, System.UInt16 data) => throw null; - public static bool IsSupported { get => throw null; } - internal Sse42() => throw null; } - public abstract class Ssse3 : System.Runtime.Intrinsics.X86.Sse3 { - public abstract class X64 : System.Runtime.Intrinsics.X86.Sse3.X64 - { - public static bool IsSupported { get => throw null; } - internal X64() => throw null; - } - - - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, System.Byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 Abs(System.Runtime.Intrinsics.Vector128 value) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 AlignRight(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right, byte mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 HorizontalAdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 HorizontalAdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 HorizontalAdd(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 HorizontalAddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 HorizontalAddSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 HorizontalSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 HorizontalSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 HorizontalSubtract(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 HorizontalSubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 HorizontalSubtractSaturate(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static bool IsSupported { get => throw null; } - public static System.Runtime.Intrinsics.Vector128 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 MultiplyHighRoundScale(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; - public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyAddAdjacent(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 MultiplyHighRoundScale(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 Shuffle(System.Runtime.Intrinsics.Vector128 value, System.Runtime.Intrinsics.Vector128 mask) => throw null; + public static System.Runtime.Intrinsics.Vector128 Sign(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; public static System.Runtime.Intrinsics.Vector128 Sign(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Sign(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - public static System.Runtime.Intrinsics.Vector128 Sign(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; - internal Ssse3() => throw null; + public static System.Runtime.Intrinsics.Vector128 Sign(System.Runtime.Intrinsics.Vector128 left, System.Runtime.Intrinsics.Vector128 right) => throw null; + public abstract class X64 : System.Runtime.Intrinsics.X86.Sse3.X64 + { + public static bool IsSupported { get => throw null; } + } } - public abstract class X86Base { + public static (int Eax, int Ebx, int Ecx, int Edx) CpuId(int functionId, int subFunctionId) => throw null; + public static bool IsSupported { get => throw null; } + public static void Pause() => throw null; public abstract class X64 { public static bool IsSupported { get => throw null; } - internal X64() => throw null; } - - - public static (int, int, int, int) CpuId(int functionId, int subFunctionId) => throw null; - public static bool IsSupported { get => throw null; } - public static void Pause() => throw null; - internal X86Base() => throw null; } - public abstract class X86Serialize : System.Runtime.Intrinsics.X86.X86Base { + public static bool IsSupported { get => throw null; } + public static void Serialize() => throw null; public abstract class X64 : System.Runtime.Intrinsics.X86.X86Base.X64 { public static bool IsSupported { get => throw null; } } - - - public static bool IsSupported { get => throw null; } - public static void Serialize() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs index 46db4a1d80b9..54ecb7b6aa57 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs @@ -1,67 +1,57 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Loader, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Reflection { namespace Metadata { - public static class AssemblyExtensions + public static partial class AssemblyExtensions { - unsafe public static bool TryGetRawMetadata(this System.Reflection.Assembly assembly, out System.Byte* blob, out int length) => throw null; + public static unsafe bool TryGetRawMetadata(this System.Reflection.Assembly assembly, out byte* blob, out int length) => throw null; } - - public class MetadataUpdateHandlerAttribute : System.Attribute + public sealed class MetadataUpdateHandlerAttribute : System.Attribute { - public System.Type HandlerType { get => throw null; } public MetadataUpdateHandlerAttribute(System.Type handlerType) => throw null; + public System.Type HandlerType { get => throw null; } } - public static class MetadataUpdater { - public static void ApplyUpdate(System.Reflection.Assembly assembly, System.ReadOnlySpan metadataDelta, System.ReadOnlySpan ilDelta, System.ReadOnlySpan pdbDelta) => throw null; + public static void ApplyUpdate(System.Reflection.Assembly assembly, System.ReadOnlySpan metadataDelta, System.ReadOnlySpan ilDelta, System.ReadOnlySpan pdbDelta) => throw null; public static bool IsSupported { get => throw null; } } - } } namespace Runtime { namespace CompilerServices { - public class CreateNewOnMetadataUpdateAttribute : System.Attribute + public sealed class CreateNewOnMetadataUpdateAttribute : System.Attribute { public CreateNewOnMetadataUpdateAttribute() => throw null; } - public class MetadataUpdateOriginalTypeAttribute : System.Attribute { public MetadataUpdateOriginalTypeAttribute(System.Type originalType) => throw null; public System.Type OriginalType { get => throw null; } } - } namespace Loader { - public class AssemblyDependencyResolver + public sealed class AssemblyDependencyResolver { public AssemblyDependencyResolver(string componentAssemblyPath) => throw null; public string ResolveAssemblyToPath(System.Reflection.AssemblyName assemblyName) => throw null; public string ResolveUnmanagedDllToPath(string unmanagedDllName) => throw null; } - public class AssemblyLoadContext { + public static System.Collections.Generic.IEnumerable All { get => throw null; } + public System.Collections.Generic.IEnumerable Assemblies { get => throw null; } public struct ContextualReflectionScope : System.IDisposable { - // Stub generator skipped constructor public void Dispose() => throw null; } - - - public static System.Collections.Generic.IEnumerable All { get => throw null; } - public System.Collections.Generic.IEnumerable Assemblies { get => throw null; } protected AssemblyLoadContext() => throw null; protected AssemblyLoadContext(bool isCollectible) => throw null; public AssemblyLoadContext(string name, bool isCollectible = default(bool)) => throw null; @@ -78,19 +68,17 @@ public struct ContextualReflectionScope : System.IDisposable public System.Reflection.Assembly LoadFromNativeImagePath(string nativeImagePath, string assemblyPath) => throw null; public System.Reflection.Assembly LoadFromStream(System.IO.Stream assembly) => throw null; public System.Reflection.Assembly LoadFromStream(System.IO.Stream assembly, System.IO.Stream assemblySymbols) => throw null; - protected virtual System.IntPtr LoadUnmanagedDll(string unmanagedDllName) => throw null; - protected System.IntPtr LoadUnmanagedDllFromPath(string unmanagedDllPath) => throw null; + protected virtual nint LoadUnmanagedDll(string unmanagedDllName) => throw null; + protected nint LoadUnmanagedDllFromPath(string unmanagedDllPath) => throw null; public string Name { get => throw null; } - public event System.Func Resolving; - public event System.Func ResolvingUnmanagedDll; + public event System.Func Resolving { add { } remove { } } + public event System.Func ResolvingUnmanagedDll { add { } remove { } } public void SetProfileOptimizationRoot(string directoryPath) => throw null; public void StartProfileOptimization(string profile) => throw null; public override string ToString() => throw null; public void Unload() => throw null; - public event System.Action Unloading; - // ERR: Stub generator didn't handle member: ~AssemblyLoadContext + public event System.Action Unloading { add { } remove { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs index a271d3609e04..df8fa8495683 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs @@ -1,127 +1,82 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Numerics, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Numerics { - public struct BigInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators + public struct BigInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber { - static bool System.Numerics.IEqualityOperators.operator !=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator !=(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator !=(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator !=(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator !=(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IModulusOperators.operator %(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; - static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator &(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IMultiplyOperators.operator *(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IUnaryPlusOperators.operator +(System.Numerics.BigInteger value) => throw null; - static System.Numerics.BigInteger System.Numerics.IAdditionOperators.operator +(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IIncrementOperators.operator ++(System.Numerics.BigInteger value) => throw null; - static System.Numerics.BigInteger System.Numerics.IUnaryNegationOperators.operator -(System.Numerics.BigInteger value) => throw null; - static System.Numerics.BigInteger System.Numerics.ISubtractionOperators.operator -(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IDecrementOperators.operator --(System.Numerics.BigInteger value) => throw null; - static System.Numerics.BigInteger System.Numerics.IDivisionOperators.operator /(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator <(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator <(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator <(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator <(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator <<(System.Numerics.BigInteger value, int shift) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator <=(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator <=(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator <=(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator <=(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator ==(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator ==(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator ==(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator ==(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator >(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator >(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator >(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator >(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool operator >=(System.Numerics.BigInteger left, System.Int64 right) => throw null; - public static bool operator >=(System.Numerics.BigInteger left, System.UInt64 right) => throw null; - public static bool operator >=(System.Int64 left, System.Numerics.BigInteger right) => throw null; - public static bool operator >=(System.UInt64 left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator >>(System.Numerics.BigInteger value, int shift) => throw null; - static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator >>>(System.Numerics.BigInteger value, int shiftAmount) => throw null; - public static System.Numerics.BigInteger Abs(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.Abs(System.Numerics.BigInteger value) => throw null; public static System.Numerics.BigInteger Add(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; static System.Numerics.BigInteger System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } static System.Numerics.BigInteger System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - // Stub generator skipped constructor - public BigInteger(System.Byte[] value) => throw null; - public BigInteger(System.ReadOnlySpan value, bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; - public BigInteger(System.Decimal value) => throw null; - public BigInteger(double value) => throw null; - public BigInteger(float value) => throw null; - public BigInteger(int value) => throw null; - public BigInteger(System.Int64 value) => throw null; - public BigInteger(System.UInt32 value) => throw null; - public BigInteger(System.UInt64 value) => throw null; - public static System.Numerics.BigInteger Clamp(System.Numerics.BigInteger value, System.Numerics.BigInteger min, System.Numerics.BigInteger max) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.Clamp(System.Numerics.BigInteger value, System.Numerics.BigInteger min, System.Numerics.BigInteger max) => throw null; public static int Compare(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public int CompareTo(long other) => throw null; public int CompareTo(System.Numerics.BigInteger other) => throw null; - public int CompareTo(System.Int64 other) => throw null; public int CompareTo(object obj) => throw null; - public int CompareTo(System.UInt64 other) => throw null; - public static System.Numerics.BigInteger CopySign(System.Numerics.BigInteger value, System.Numerics.BigInteger sign) => throw null; + public int CompareTo(ulong other) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.CopySign(System.Numerics.BigInteger value, System.Numerics.BigInteger sign) => throw null; static System.Numerics.BigInteger System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; static System.Numerics.BigInteger System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; static System.Numerics.BigInteger System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - static (System.Numerics.BigInteger, System.Numerics.BigInteger) System.Numerics.IBinaryInteger.DivRem(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static System.Numerics.BigInteger DivRem(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor, out System.Numerics.BigInteger remainder) => throw null; + public BigInteger(byte[] value) => throw null; + public BigInteger(decimal value) => throw null; + public BigInteger(double value) => throw null; + public BigInteger(int value) => throw null; + public BigInteger(long value) => throw null; + public BigInteger(System.ReadOnlySpan value, bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; + public BigInteger(float value) => throw null; + public BigInteger(uint value) => throw null; + public BigInteger(ulong value) => throw null; public static System.Numerics.BigInteger Divide(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; + static (System.Numerics.BigInteger Quotient, System.Numerics.BigInteger Remainder) System.Numerics.IBinaryInteger.DivRem(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static System.Numerics.BigInteger DivRem(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor, out System.Numerics.BigInteger remainder) => throw null; + public bool Equals(long other) => throw null; public bool Equals(System.Numerics.BigInteger other) => throw null; - public bool Equals(System.Int64 other) => throw null; public override bool Equals(object obj) => throw null; - public bool Equals(System.UInt64 other) => throw null; - public System.Int64 GetBitLength() => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public bool Equals(ulong other) => throw null; + public long GetBitLength() => throw null; public int GetByteCount(bool isUnsigned = default(bool)) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; public override int GetHashCode() => throw null; int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; public static System.Numerics.BigInteger GreatestCommonDivisor(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static bool IsCanonical(System.Numerics.BigInteger value) => throw null; - public static bool IsComplexNumber(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.Numerics.BigInteger value) => throw null; public bool IsEven { get => throw null; } - public static bool IsEvenInteger(System.Numerics.BigInteger value) => throw null; - public static bool IsFinite(System.Numerics.BigInteger value) => throw null; - public static bool IsImaginaryNumber(System.Numerics.BigInteger value) => throw null; - public static bool IsInfinity(System.Numerics.BigInteger value) => throw null; - public static bool IsInteger(System.Numerics.BigInteger value) => throw null; - public static bool IsNaN(System.Numerics.BigInteger value) => throw null; - public static bool IsNegative(System.Numerics.BigInteger value) => throw null; - public static bool IsNegativeInfinity(System.Numerics.BigInteger value) => throw null; - public static bool IsNormal(System.Numerics.BigInteger value) => throw null; - public static bool IsOddInteger(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.Numerics.BigInteger value) => throw null; public bool IsOne { get => throw null; } - public static bool IsPositive(System.Numerics.BigInteger value) => throw null; - public static bool IsPositiveInfinity(System.Numerics.BigInteger value) => throw null; - public static bool IsPow2(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(System.Numerics.BigInteger value) => throw null; public bool IsPowerOfTwo { get => throw null; } - public static bool IsRealNumber(System.Numerics.BigInteger value) => throw null; - public static bool IsSubnormal(System.Numerics.BigInteger value) => throw null; - public bool IsZero { get => throw null; } + static bool System.Numerics.INumberBase.IsRealNumber(System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.Numerics.BigInteger value) => throw null; static bool System.Numerics.INumberBase.IsZero(System.Numerics.BigInteger value) => throw null; - public static System.Numerics.BigInteger LeadingZeroCount(System.Numerics.BigInteger value) => throw null; + public bool IsZero { get => throw null; } + static System.Numerics.BigInteger System.Numerics.IBinaryInteger.LeadingZeroCount(System.Numerics.BigInteger value) => throw null; public static double Log(System.Numerics.BigInteger value) => throw null; public static double Log(System.Numerics.BigInteger value, double baseValue) => throw null; public static double Log10(System.Numerics.BigInteger value) => throw null; - public static System.Numerics.BigInteger Log2(System.Numerics.BigInteger value) => throw null; - public static System.Numerics.BigInteger Max(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static System.Numerics.BigInteger MaxMagnitude(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; - public static System.Numerics.BigInteger MaxMagnitudeNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; - public static System.Numerics.BigInteger MaxNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; - public static System.Numerics.BigInteger Min(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static System.Numerics.BigInteger MinMagnitude(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; - public static System.Numerics.BigInteger MinMagnitudeNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; - public static System.Numerics.BigInteger MinNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.IBinaryNumber.Log2(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.Max(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.MaxMagnitude(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.MaxMagnitudeNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.MaxNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.Min(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.MinMagnitude(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.MinMagnitudeNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; + static System.Numerics.BigInteger System.Numerics.INumber.MinNumber(System.Numerics.BigInteger x, System.Numerics.BigInteger y) => throw null; public static System.Numerics.BigInteger MinusOne { get => throw null; } public static System.Numerics.BigInteger ModPow(System.Numerics.BigInteger value, System.Numerics.BigInteger exponent, System.Numerics.BigInteger modulus) => throw null; static System.Numerics.BigInteger System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } @@ -129,127 +84,150 @@ public struct BigInteger : System.IComparable, System.IComparable throw null; static System.Numerics.BigInteger System.Numerics.ISignedNumber.NegativeOne { get => throw null; } static System.Numerics.BigInteger System.Numerics.INumberBase.One { get => throw null; } - public static System.Numerics.BigInteger Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Numerics.BigInteger Parse(System.ReadOnlySpan value, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Numerics.BigInteger System.Numerics.IAdditionOperators.operator +(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator &(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator |(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IDecrementOperators.operator --(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.IDivisionOperators.operator /(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; + public static bool operator ==(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator ==(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator ==(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator ==(ulong left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator ^(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static explicit operator System.Numerics.BigInteger(decimal value) => throw null; + public static explicit operator System.Numerics.BigInteger(double value) => throw null; + public static explicit operator System.Numerics.BigInteger(System.Half value) => throw null; + public static explicit operator byte(System.Numerics.BigInteger value) => throw null; + public static explicit operator char(System.Numerics.BigInteger value) => throw null; + public static explicit operator decimal(System.Numerics.BigInteger value) => throw null; + public static explicit operator double(System.Numerics.BigInteger value) => throw null; + public static explicit operator System.Half(System.Numerics.BigInteger value) => throw null; + public static explicit operator System.Int128(System.Numerics.BigInteger value) => throw null; + public static explicit operator short(System.Numerics.BigInteger value) => throw null; + public static explicit operator int(System.Numerics.BigInteger value) => throw null; + public static explicit operator long(System.Numerics.BigInteger value) => throw null; + public static explicit operator nint(System.Numerics.BigInteger value) => throw null; + public static explicit operator sbyte(System.Numerics.BigInteger value) => throw null; + public static explicit operator float(System.Numerics.BigInteger value) => throw null; + public static explicit operator System.UInt128(System.Numerics.BigInteger value) => throw null; + public static explicit operator ushort(System.Numerics.BigInteger value) => throw null; + public static explicit operator uint(System.Numerics.BigInteger value) => throw null; + public static explicit operator ulong(System.Numerics.BigInteger value) => throw null; + public static explicit operator nuint(System.Numerics.BigInteger value) => throw null; + public static explicit operator System.Numerics.BigInteger(System.Numerics.Complex value) => throw null; + public static explicit operator System.Numerics.BigInteger(float value) => throw null; + public static bool operator >(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator >(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator >(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator >(ulong left, System.Numerics.BigInteger right) => throw null; + public static bool operator >=(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator >=(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator >=(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator >=(ulong left, System.Numerics.BigInteger right) => throw null; + public static implicit operator System.Numerics.BigInteger(byte value) => throw null; + public static implicit operator System.Numerics.BigInteger(char value) => throw null; + public static implicit operator System.Numerics.BigInteger(System.Int128 value) => throw null; + public static implicit operator System.Numerics.BigInteger(short value) => throw null; + public static implicit operator System.Numerics.BigInteger(int value) => throw null; + public static implicit operator System.Numerics.BigInteger(long value) => throw null; + public static implicit operator System.Numerics.BigInteger(nint value) => throw null; + public static implicit operator System.Numerics.BigInteger(sbyte value) => throw null; + public static implicit operator System.Numerics.BigInteger(System.UInt128 value) => throw null; + public static implicit operator System.Numerics.BigInteger(ushort value) => throw null; + public static implicit operator System.Numerics.BigInteger(uint value) => throw null; + public static implicit operator System.Numerics.BigInteger(ulong value) => throw null; + public static implicit operator System.Numerics.BigInteger(nuint value) => throw null; + static System.Numerics.BigInteger System.Numerics.IIncrementOperators.operator ++(System.Numerics.BigInteger value) => throw null; + public static bool operator !=(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator !=(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator !=(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator !=(ulong left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator <<(System.Numerics.BigInteger value, int shift) => throw null; + public static bool operator <(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator <(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator <(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator <(ulong left, System.Numerics.BigInteger right) => throw null; + public static bool operator <=(long left, System.Numerics.BigInteger right) => throw null; + public static bool operator <=(System.Numerics.BigInteger left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + public static bool operator <=(System.Numerics.BigInteger left, ulong right) => throw null; + public static bool operator <=(ulong left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IModulusOperators.operator %(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; + static System.Numerics.BigInteger System.Numerics.IMultiplyOperators.operator *(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator ~(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator >>(System.Numerics.BigInteger value, int shift) => throw null; + static System.Numerics.BigInteger System.Numerics.ISubtractionOperators.operator -(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; + static System.Numerics.BigInteger System.Numerics.IUnaryNegationOperators.operator -(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.IUnaryPlusOperators.operator +(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.IShiftOperators.operator >>>(System.Numerics.BigInteger value, int shiftAmount) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.Parse(System.ReadOnlySpan value, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Numerics.BigInteger System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; public static System.Numerics.BigInteger Parse(string value) => throw null; - public static System.Numerics.BigInteger Parse(string value, System.IFormatProvider provider) => throw null; public static System.Numerics.BigInteger Parse(string value, System.Globalization.NumberStyles style) => throw null; - public static System.Numerics.BigInteger Parse(string value, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Numerics.BigInteger PopCount(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.INumberBase.Parse(string value, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.Numerics.BigInteger System.IParsable.Parse(string value, System.IFormatProvider provider) => throw null; + static System.Numerics.BigInteger System.Numerics.IBinaryInteger.PopCount(System.Numerics.BigInteger value) => throw null; public static System.Numerics.BigInteger Pow(System.Numerics.BigInteger value, int exponent) => throw null; static int System.Numerics.INumberBase.Radix { get => throw null; } public static System.Numerics.BigInteger Remainder(System.Numerics.BigInteger dividend, System.Numerics.BigInteger divisor) => throw null; - public static System.Numerics.BigInteger RotateLeft(System.Numerics.BigInteger value, int rotateAmount) => throw null; - public static System.Numerics.BigInteger RotateRight(System.Numerics.BigInteger value, int rotateAmount) => throw null; - public int Sign { get => throw null; } + static System.Numerics.BigInteger System.Numerics.IBinaryInteger.RotateLeft(System.Numerics.BigInteger value, int rotateAmount) => throw null; + static System.Numerics.BigInteger System.Numerics.IBinaryInteger.RotateRight(System.Numerics.BigInteger value, int rotateAmount) => throw null; static int System.Numerics.INumber.Sign(System.Numerics.BigInteger value) => throw null; + public int Sign { get => throw null; } public static System.Numerics.BigInteger Subtract(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public System.Byte[] ToByteArray() => throw null; - public System.Byte[] ToByteArray(bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; + public byte[] ToByteArray() => throw null; + public byte[] ToByteArray(bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; public override string ToString() => throw null; public string ToString(System.IFormatProvider provider) => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.Numerics.BigInteger TrailingZeroCount(System.Numerics.BigInteger value) => throw null; + static System.Numerics.BigInteger System.Numerics.IBinaryInteger.TrailingZeroCount(System.Numerics.BigInteger value) => throw null; static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Numerics.BigInteger result) => throw null; static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Numerics.BigInteger result) => throw null; static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Numerics.BigInteger result) => throw null; static bool System.Numerics.INumberBase.TryConvertToChecked(System.Numerics.BigInteger value, out TOther result) => throw null; static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Numerics.BigInteger value, out TOther result) => throw null; static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Numerics.BigInteger value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; - public static bool TryParse(System.ReadOnlySpan value, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; - public static bool TryParse(System.ReadOnlySpan value, out System.Numerics.BigInteger result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; - public static bool TryParse(string value, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan value, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; + public static bool TryParse(System.ReadOnlySpan value, out System.Numerics.BigInteger result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string value, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Numerics.BigInteger result) => throw null; public static bool TryParse(string value, out System.Numerics.BigInteger result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Numerics.BigInteger value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Numerics.BigInteger value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - public bool TryWriteBytes(System.Span destination, out int bytesWritten, bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Numerics.BigInteger value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Numerics.BigInteger value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + public bool TryWriteBytes(System.Span destination, out int bytesWritten, bool isUnsigned = default(bool), bool isBigEndian = default(bool)) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static System.Numerics.BigInteger System.Numerics.INumberBase.Zero { get => throw null; } - static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator ^(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - public static explicit operator System.Byte(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Char(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Decimal(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Half(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Int128(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Int16(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Int64(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.IntPtr(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.SByte(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.UInt128(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.UInt16(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.UInt32(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.UInt64(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.UIntPtr(System.Numerics.BigInteger value) => throw null; - public static explicit operator double(System.Numerics.BigInteger value) => throw null; - public static explicit operator float(System.Numerics.BigInteger value) => throw null; - public static explicit operator int(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Numerics.BigInteger(System.Numerics.Complex value) => throw null; - public static explicit operator System.Numerics.BigInteger(System.Half value) => throw null; - public static explicit operator System.Numerics.BigInteger(System.Decimal value) => throw null; - public static explicit operator System.Numerics.BigInteger(double value) => throw null; - public static explicit operator System.Numerics.BigInteger(float value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.Int128 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.IntPtr value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.UInt128 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.UIntPtr value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.Byte value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.Char value) => throw null; - public static implicit operator System.Numerics.BigInteger(int value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.Int64 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.SByte value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.Int16 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.UInt32 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.UInt64 value) => throw null; - public static implicit operator System.Numerics.BigInteger(System.UInt16 value) => throw null; - static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator |(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; - static System.Numerics.BigInteger System.Numerics.IBitwiseOperators.operator ~(System.Numerics.BigInteger value) => throw null; } - - public struct Complex : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators + public struct Complex : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.ISignedNumber { - static bool System.Numerics.IEqualityOperators.operator !=(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - static System.Numerics.Complex System.Numerics.IMultiplyOperators.operator *(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex operator *(System.Numerics.Complex left, double right) => throw null; - public static System.Numerics.Complex operator *(double left, System.Numerics.Complex right) => throw null; - static System.Numerics.Complex System.Numerics.IUnaryPlusOperators.operator +(System.Numerics.Complex value) => throw null; - static System.Numerics.Complex System.Numerics.IAdditionOperators.operator +(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex operator +(System.Numerics.Complex left, double right) => throw null; - public static System.Numerics.Complex operator +(double left, System.Numerics.Complex right) => throw null; - static System.Numerics.Complex System.Numerics.IIncrementOperators.operator ++(System.Numerics.Complex value) => throw null; - static System.Numerics.Complex System.Numerics.IUnaryNegationOperators.operator -(System.Numerics.Complex value) => throw null; - static System.Numerics.Complex System.Numerics.ISubtractionOperators.operator -(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex operator -(System.Numerics.Complex left, double right) => throw null; - public static System.Numerics.Complex operator -(double left, System.Numerics.Complex right) => throw null; - static System.Numerics.Complex System.Numerics.IDecrementOperators.operator --(System.Numerics.Complex value) => throw null; - static System.Numerics.Complex System.Numerics.IDivisionOperators.operator /(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex operator /(System.Numerics.Complex left, double right) => throw null; - public static System.Numerics.Complex operator /(double left, System.Numerics.Complex right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; public static double Abs(System.Numerics.Complex value) => throw null; static System.Numerics.Complex System.Numerics.INumberBase.Abs(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Acos(System.Numerics.Complex value) => throw null; - public static System.Numerics.Complex Add(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex Add(System.Numerics.Complex left, double right) => throw null; public static System.Numerics.Complex Add(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex Add(System.Numerics.Complex left, double right) => throw null; + public static System.Numerics.Complex Add(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; static System.Numerics.Complex System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } public static System.Numerics.Complex Asin(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Atan(System.Numerics.Complex value) => throw null; - // Stub generator skipped constructor - public Complex(double real, double imaginary) => throw null; public static System.Numerics.Complex Conjugate(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Cos(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Cosh(System.Numerics.Complex value) => throw null; static System.Numerics.Complex System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; static System.Numerics.Complex System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; static System.Numerics.Complex System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static System.Numerics.Complex Divide(System.Numerics.Complex dividend, System.Numerics.Complex divisor) => throw null; - public static System.Numerics.Complex Divide(System.Numerics.Complex dividend, double divisor) => throw null; + public Complex(double real, double imaginary) => throw null; public static System.Numerics.Complex Divide(double dividend, System.Numerics.Complex divisor) => throw null; + public static System.Numerics.Complex Divide(System.Numerics.Complex dividend, double divisor) => throw null; + public static System.Numerics.Complex Divide(System.Numerics.Complex dividend, System.Numerics.Complex divisor) => throw null; public bool Equals(System.Numerics.Complex value) => throw null; public override bool Equals(object obj) => throw null; public static System.Numerics.Complex Exp(System.Numerics.Complex value) => throw null; @@ -258,56 +236,92 @@ public struct Complex : System.IEquatable, System.IForm public double Imaginary { get => throw null; } public static System.Numerics.Complex ImaginaryOne; public static System.Numerics.Complex Infinity; - public static bool IsCanonical(System.Numerics.Complex value) => throw null; - public static bool IsComplexNumber(System.Numerics.Complex value) => throw null; - public static bool IsEvenInteger(System.Numerics.Complex value) => throw null; - public static bool IsFinite(System.Numerics.Complex value) => throw null; - public static bool IsImaginaryNumber(System.Numerics.Complex value) => throw null; - public static bool IsInfinity(System.Numerics.Complex value) => throw null; - public static bool IsInteger(System.Numerics.Complex value) => throw null; - public static bool IsNaN(System.Numerics.Complex value) => throw null; - public static bool IsNegative(System.Numerics.Complex value) => throw null; - public static bool IsNegativeInfinity(System.Numerics.Complex value) => throw null; - public static bool IsNormal(System.Numerics.Complex value) => throw null; - public static bool IsOddInteger(System.Numerics.Complex value) => throw null; - public static bool IsPositive(System.Numerics.Complex value) => throw null; - public static bool IsPositiveInfinity(System.Numerics.Complex value) => throw null; - public static bool IsRealNumber(System.Numerics.Complex value) => throw null; - public static bool IsSubnormal(System.Numerics.Complex value) => throw null; - public static bool IsZero(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.Numerics.Complex value) => throw null; + static bool System.Numerics.INumberBase.IsZero(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Log(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Log(System.Numerics.Complex value, double baseValue) => throw null; public static System.Numerics.Complex Log10(System.Numerics.Complex value) => throw null; public double Magnitude { get => throw null; } - public static System.Numerics.Complex MaxMagnitude(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; - public static System.Numerics.Complex MaxMagnitudeNumber(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; - public static System.Numerics.Complex MinMagnitude(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; - public static System.Numerics.Complex MinMagnitudeNumber(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.MaxMagnitude(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.MaxMagnitudeNumber(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.MinMagnitude(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.MinMagnitudeNumber(System.Numerics.Complex x, System.Numerics.Complex y) => throw null; static System.Numerics.Complex System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public static System.Numerics.Complex Multiply(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex Multiply(System.Numerics.Complex left, double right) => throw null; public static System.Numerics.Complex Multiply(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex Multiply(System.Numerics.Complex left, double right) => throw null; + public static System.Numerics.Complex Multiply(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; public static System.Numerics.Complex NaN; public static System.Numerics.Complex Negate(System.Numerics.Complex value) => throw null; static System.Numerics.Complex System.Numerics.ISignedNumber.NegativeOne { get => throw null; } public static System.Numerics.Complex One; static System.Numerics.Complex System.Numerics.INumberBase.One { get => throw null; } - public static System.Numerics.Complex Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Numerics.Complex Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Numerics.Complex Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Numerics.Complex Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + public static System.Numerics.Complex operator +(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator +(System.Numerics.Complex left, double right) => throw null; + static System.Numerics.Complex System.Numerics.IAdditionOperators.operator +(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + static System.Numerics.Complex System.Numerics.IDecrementOperators.operator --(System.Numerics.Complex value) => throw null; + public static System.Numerics.Complex operator /(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator /(System.Numerics.Complex left, double right) => throw null; + static System.Numerics.Complex System.Numerics.IDivisionOperators.operator /(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + public static explicit operator System.Numerics.Complex(decimal value) => throw null; + public static explicit operator System.Numerics.Complex(System.Int128 value) => throw null; + public static explicit operator System.Numerics.Complex(System.Numerics.BigInteger value) => throw null; + public static explicit operator System.Numerics.Complex(System.UInt128 value) => throw null; + public static implicit operator System.Numerics.Complex(byte value) => throw null; + public static implicit operator System.Numerics.Complex(char value) => throw null; + public static implicit operator System.Numerics.Complex(double value) => throw null; + public static implicit operator System.Numerics.Complex(System.Half value) => throw null; + public static implicit operator System.Numerics.Complex(short value) => throw null; + public static implicit operator System.Numerics.Complex(int value) => throw null; + public static implicit operator System.Numerics.Complex(long value) => throw null; + public static implicit operator System.Numerics.Complex(nint value) => throw null; + public static implicit operator System.Numerics.Complex(sbyte value) => throw null; + public static implicit operator System.Numerics.Complex(float value) => throw null; + public static implicit operator System.Numerics.Complex(ushort value) => throw null; + public static implicit operator System.Numerics.Complex(uint value) => throw null; + public static implicit operator System.Numerics.Complex(ulong value) => throw null; + public static implicit operator System.Numerics.Complex(nuint value) => throw null; + static System.Numerics.Complex System.Numerics.IIncrementOperators.operator ++(System.Numerics.Complex value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator *(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator *(System.Numerics.Complex left, double right) => throw null; + static System.Numerics.Complex System.Numerics.IMultiplyOperators.operator *(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator -(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex operator -(System.Numerics.Complex left, double right) => throw null; + static System.Numerics.Complex System.Numerics.ISubtractionOperators.operator -(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; + static System.Numerics.Complex System.Numerics.IUnaryNegationOperators.operator -(System.Numerics.Complex value) => throw null; + static System.Numerics.Complex System.Numerics.IUnaryPlusOperators.operator +(System.Numerics.Complex value) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.Numerics.Complex System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + static System.Numerics.Complex System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.Numerics.Complex System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; public double Phase { get => throw null; } - public static System.Numerics.Complex Pow(System.Numerics.Complex value, System.Numerics.Complex power) => throw null; public static System.Numerics.Complex Pow(System.Numerics.Complex value, double power) => throw null; + public static System.Numerics.Complex Pow(System.Numerics.Complex value, System.Numerics.Complex power) => throw null; static int System.Numerics.INumberBase.Radix { get => throw null; } public double Real { get => throw null; } public static System.Numerics.Complex Reciprocal(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Sin(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Sinh(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Sqrt(System.Numerics.Complex value) => throw null; - public static System.Numerics.Complex Subtract(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; - public static System.Numerics.Complex Subtract(System.Numerics.Complex left, double right) => throw null; public static System.Numerics.Complex Subtract(double left, System.Numerics.Complex right) => throw null; + public static System.Numerics.Complex Subtract(System.Numerics.Complex left, double right) => throw null; + public static System.Numerics.Complex Subtract(System.Numerics.Complex left, System.Numerics.Complex right) => throw null; public static System.Numerics.Complex Tan(System.Numerics.Complex value) => throw null; public static System.Numerics.Complex Tanh(System.Numerics.Complex value) => throw null; public override string ToString() => throw null; @@ -320,32 +334,13 @@ public struct Complex : System.IEquatable, System.IForm static bool System.Numerics.INumberBase.TryConvertToChecked(System.Numerics.Complex value, out TOther result) => throw null; static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Numerics.Complex value, out TOther result) => throw null; static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Numerics.Complex value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Numerics.Complex result) => throw null; public static System.Numerics.Complex Zero; static System.Numerics.Complex System.Numerics.INumberBase.Zero { get => throw null; } - public static explicit operator System.Numerics.Complex(System.Numerics.BigInteger value) => throw null; - public static explicit operator System.Numerics.Complex(System.Int128 value) => throw null; - public static explicit operator System.Numerics.Complex(System.UInt128 value) => throw null; - public static explicit operator System.Numerics.Complex(System.Decimal value) => throw null; - public static implicit operator System.Numerics.Complex(System.Half value) => throw null; - public static implicit operator System.Numerics.Complex(System.IntPtr value) => throw null; - public static implicit operator System.Numerics.Complex(System.UIntPtr value) => throw null; - public static implicit operator System.Numerics.Complex(System.Byte value) => throw null; - public static implicit operator System.Numerics.Complex(System.Char value) => throw null; - public static implicit operator System.Numerics.Complex(double value) => throw null; - public static implicit operator System.Numerics.Complex(float value) => throw null; - public static implicit operator System.Numerics.Complex(int value) => throw null; - public static implicit operator System.Numerics.Complex(System.Int64 value) => throw null; - public static implicit operator System.Numerics.Complex(System.SByte value) => throw null; - public static implicit operator System.Numerics.Complex(System.Int16 value) => throw null; - public static implicit operator System.Numerics.Complex(System.UInt32 value) => throw null; - public static implicit operator System.Numerics.Complex(System.UInt64 value) => throw null; - public static implicit operator System.Numerics.Complex(System.UInt16 value) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Formatters.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Formatters.cs index 13a21e51b745..7a086d12e3da 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Formatters.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Formatters.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Serialization.Formatters, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime @@ -11,57 +10,95 @@ public abstract class Formatter : System.Runtime.Serialization.IFormatter { public abstract System.Runtime.Serialization.SerializationBinder Binder { get; set; } public abstract System.Runtime.Serialization.StreamingContext Context { get; set; } - public abstract object Deserialize(System.IO.Stream serializationStream); protected Formatter() => throw null; - protected virtual object GetNext(out System.Int64 objID) => throw null; - protected virtual System.Int64 Schedule(object obj) => throw null; + public abstract object Deserialize(System.IO.Stream serializationStream); + protected virtual object GetNext(out long objID) => throw null; + protected System.Runtime.Serialization.ObjectIDGenerator m_idGenerator; + protected System.Collections.Queue m_objectQueue; + protected virtual long Schedule(object obj) => throw null; public abstract void Serialize(System.IO.Stream serializationStream, object graph); public abstract System.Runtime.Serialization.ISurrogateSelector SurrogateSelector { get; set; } protected abstract void WriteArray(object obj, string name, System.Type memberType); protected abstract void WriteBoolean(bool val, string name); - protected abstract void WriteByte(System.Byte val, string name); - protected abstract void WriteChar(System.Char val, string name); + protected abstract void WriteByte(byte val, string name); + protected abstract void WriteChar(char val, string name); protected abstract void WriteDateTime(System.DateTime val, string name); - protected abstract void WriteDecimal(System.Decimal val, string name); + protected abstract void WriteDecimal(decimal val, string name); protected abstract void WriteDouble(double val, string name); - protected abstract void WriteInt16(System.Int16 val, string name); + protected abstract void WriteInt16(short val, string name); protected abstract void WriteInt32(int val, string name); - protected abstract void WriteInt64(System.Int64 val, string name); + protected abstract void WriteInt64(long val, string name); protected virtual void WriteMember(string memberName, object data) => throw null; protected abstract void WriteObjectRef(object obj, string name, System.Type memberType); - protected abstract void WriteSByte(System.SByte val, string name); + protected abstract void WriteSByte(sbyte val, string name); protected abstract void WriteSingle(float val, string name); protected abstract void WriteTimeSpan(System.TimeSpan val, string name); - protected abstract void WriteUInt16(System.UInt16 val, string name); - protected abstract void WriteUInt32(System.UInt32 val, string name); - protected abstract void WriteUInt64(System.UInt64 val, string name); + protected abstract void WriteUInt16(ushort val, string name); + protected abstract void WriteUInt32(uint val, string name); + protected abstract void WriteUInt64(ulong val, string name); protected abstract void WriteValueType(object obj, string name, System.Type memberType); - protected System.Runtime.Serialization.ObjectIDGenerator m_idGenerator; - protected System.Collections.Queue m_objectQueue; } - public class FormatterConverter : System.Runtime.Serialization.IFormatterConverter { public object Convert(object value, System.Type type) => throw null; public object Convert(object value, System.TypeCode typeCode) => throw null; public FormatterConverter() => throw null; public bool ToBoolean(object value) => throw null; - public System.Byte ToByte(object value) => throw null; - public System.Char ToChar(object value) => throw null; + public byte ToByte(object value) => throw null; + public char ToChar(object value) => throw null; public System.DateTime ToDateTime(object value) => throw null; - public System.Decimal ToDecimal(object value) => throw null; + public decimal ToDecimal(object value) => throw null; public double ToDouble(object value) => throw null; - public System.Int16 ToInt16(object value) => throw null; + public short ToInt16(object value) => throw null; public int ToInt32(object value) => throw null; - public System.Int64 ToInt64(object value) => throw null; - public System.SByte ToSByte(object value) => throw null; + public long ToInt64(object value) => throw null; + public sbyte ToSByte(object value) => throw null; public float ToSingle(object value) => throw null; public string ToString(object value) => throw null; - public System.UInt16 ToUInt16(object value) => throw null; - public System.UInt32 ToUInt32(object value) => throw null; - public System.UInt64 ToUInt64(object value) => throw null; + public ushort ToUInt16(object value) => throw null; + public uint ToUInt32(object value) => throw null; + public ulong ToUInt64(object value) => throw null; + } + namespace Formatters + { + namespace Binary + { + public sealed class BinaryFormatter : System.Runtime.Serialization.IFormatter + { + public System.Runtime.Serialization.Formatters.FormatterAssemblyStyle AssemblyFormat { get => throw null; set { } } + public System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set { } } + public System.Runtime.Serialization.StreamingContext Context { get => throw null; set { } } + public BinaryFormatter() => throw null; + public BinaryFormatter(System.Runtime.Serialization.ISurrogateSelector selector, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Deserialize(System.IO.Stream serializationStream) => throw null; + public System.Runtime.Serialization.Formatters.TypeFilterLevel FilterLevel { get => throw null; set { } } + public void Serialize(System.IO.Stream serializationStream, object graph) => throw null; + public System.Runtime.Serialization.ISurrogateSelector SurrogateSelector { get => throw null; set { } } + public System.Runtime.Serialization.Formatters.FormatterTypeStyle TypeFormat { get => throw null; set { } } + } + } + public enum FormatterAssemblyStyle + { + Simple = 0, + Full = 1, + } + public enum FormatterTypeStyle + { + TypesWhenNeeded = 0, + TypesAlways = 1, + XsdString = 2, + } + public interface IFieldInfo + { + string[] FieldNames { get; set; } + System.Type[] FieldTypes { get; set; } + } + public enum TypeFilterLevel + { + Low = 2, + Full = 3, + } } - public static class FormatterServices { public static void CheckTypeSecurity(System.Type t, System.Runtime.Serialization.Formatters.TypeFilterLevel securityLevel) => throw null; @@ -74,7 +111,6 @@ public static class FormatterServices public static object GetUninitializedObject(System.Type type) => throw null; public static object PopulateObjectMembers(object obj, System.Reflection.MemberInfo[] members, object[] data) => throw null; } - public interface IFormatter { System.Runtime.Serialization.SerializationBinder Binder { get; set; } @@ -83,112 +119,59 @@ public interface IFormatter void Serialize(System.IO.Stream serializationStream, object graph); System.Runtime.Serialization.ISurrogateSelector SurrogateSelector { get; set; } } - public interface ISerializationSurrogate { void GetObjectData(object obj, System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context); object SetObjectData(object obj, System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context, System.Runtime.Serialization.ISurrogateSelector selector); } - public interface ISurrogateSelector { void ChainSelector(System.Runtime.Serialization.ISurrogateSelector selector); System.Runtime.Serialization.ISurrogateSelector GetNextSelector(); System.Runtime.Serialization.ISerializationSurrogate GetSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context, out System.Runtime.Serialization.ISurrogateSelector selector); } - public class ObjectIDGenerator { - public virtual System.Int64 GetId(object obj, out bool firstTime) => throw null; - public virtual System.Int64 HasId(object obj, out bool firstTime) => throw null; public ObjectIDGenerator() => throw null; + public virtual long GetId(object obj, out bool firstTime) => throw null; + public virtual long HasId(object obj, out bool firstTime) => throw null; } - public class ObjectManager { - public virtual void DoFixups() => throw null; - public virtual object GetObject(System.Int64 objectID) => throw null; public ObjectManager(System.Runtime.Serialization.ISurrogateSelector selector, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual void DoFixups() => throw null; + public virtual object GetObject(long objectID) => throw null; public virtual void RaiseDeserializationEvent() => throw null; public void RaiseOnDeserializingEvent(object obj) => throw null; - public virtual void RecordArrayElementFixup(System.Int64 arrayToBeFixed, int[] indices, System.Int64 objectRequired) => throw null; - public virtual void RecordArrayElementFixup(System.Int64 arrayToBeFixed, int index, System.Int64 objectRequired) => throw null; - public virtual void RecordDelayedFixup(System.Int64 objectToBeFixed, string memberName, System.Int64 objectRequired) => throw null; - public virtual void RecordFixup(System.Int64 objectToBeFixed, System.Reflection.MemberInfo member, System.Int64 objectRequired) => throw null; - public virtual void RegisterObject(object obj, System.Int64 objectID) => throw null; - public void RegisterObject(object obj, System.Int64 objectID, System.Runtime.Serialization.SerializationInfo info) => throw null; - public void RegisterObject(object obj, System.Int64 objectID, System.Runtime.Serialization.SerializationInfo info, System.Int64 idOfContainingObj, System.Reflection.MemberInfo member) => throw null; - public void RegisterObject(object obj, System.Int64 objectID, System.Runtime.Serialization.SerializationInfo info, System.Int64 idOfContainingObj, System.Reflection.MemberInfo member, int[] arrayIndex) => throw null; + public virtual void RecordArrayElementFixup(long arrayToBeFixed, int index, long objectRequired) => throw null; + public virtual void RecordArrayElementFixup(long arrayToBeFixed, int[] indices, long objectRequired) => throw null; + public virtual void RecordDelayedFixup(long objectToBeFixed, string memberName, long objectRequired) => throw null; + public virtual void RecordFixup(long objectToBeFixed, System.Reflection.MemberInfo member, long objectRequired) => throw null; + public virtual void RegisterObject(object obj, long objectID) => throw null; + public void RegisterObject(object obj, long objectID, System.Runtime.Serialization.SerializationInfo info) => throw null; + public void RegisterObject(object obj, long objectID, System.Runtime.Serialization.SerializationInfo info, long idOfContainingObj, System.Reflection.MemberInfo member) => throw null; + public void RegisterObject(object obj, long objectID, System.Runtime.Serialization.SerializationInfo info, long idOfContainingObj, System.Reflection.MemberInfo member, int[] arrayIndex) => throw null; } - public abstract class SerializationBinder { public virtual void BindToName(System.Type serializedType, out string assemblyName, out string typeName) => throw null; public abstract System.Type BindToType(string assemblyName, string typeName); protected SerializationBinder() => throw null; } - - public class SerializationObjectManager + public sealed class SerializationObjectManager { + public SerializationObjectManager(System.Runtime.Serialization.StreamingContext context) => throw null; public void RaiseOnSerializedEvent() => throw null; public void RegisterObject(object obj) => throw null; - public SerializationObjectManager(System.Runtime.Serialization.StreamingContext context) => throw null; } - public class SurrogateSelector : System.Runtime.Serialization.ISurrogateSelector { public virtual void AddSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context, System.Runtime.Serialization.ISerializationSurrogate surrogate) => throw null; public virtual void ChainSelector(System.Runtime.Serialization.ISurrogateSelector selector) => throw null; + public SurrogateSelector() => throw null; public virtual System.Runtime.Serialization.ISurrogateSelector GetNextSelector() => throw null; public virtual System.Runtime.Serialization.ISerializationSurrogate GetSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context, out System.Runtime.Serialization.ISurrogateSelector selector) => throw null; public virtual void RemoveSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context) => throw null; - public SurrogateSelector() => throw null; - } - - namespace Formatters - { - public enum FormatterAssemblyStyle : int - { - Full = 1, - Simple = 0, - } - - public enum FormatterTypeStyle : int - { - TypesAlways = 1, - TypesWhenNeeded = 0, - XsdString = 2, - } - - public interface IFieldInfo - { - string[] FieldNames { get; set; } - System.Type[] FieldTypes { get; set; } - } - - public enum TypeFilterLevel : int - { - Full = 3, - Low = 2, - } - - namespace Binary - { - public class BinaryFormatter : System.Runtime.Serialization.IFormatter - { - public System.Runtime.Serialization.Formatters.FormatterAssemblyStyle AssemblyFormat { get => throw null; set => throw null; } - public BinaryFormatter() => throw null; - public BinaryFormatter(System.Runtime.Serialization.ISurrogateSelector selector, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Runtime.Serialization.SerializationBinder Binder { get => throw null; set => throw null; } - public System.Runtime.Serialization.StreamingContext Context { get => throw null; set => throw null; } - public object Deserialize(System.IO.Stream serializationStream) => throw null; - public System.Runtime.Serialization.Formatters.TypeFilterLevel FilterLevel { get => throw null; set => throw null; } - public void Serialize(System.IO.Stream serializationStream, object graph) => throw null; - public System.Runtime.Serialization.ISurrogateSelector SurrogateSelector { get => throw null; set => throw null; } - public System.Runtime.Serialization.Formatters.FormatterTypeStyle TypeFormat { get => throw null; set => throw null; } - } - - } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Json.cs index d7a217a318b2..92b2bb50d972 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Json.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Serialization.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime @@ -11,29 +10,27 @@ public class DateTimeFormat { public DateTimeFormat(string formatString) => throw null; public DateTimeFormat(string formatString, System.IFormatProvider formatProvider) => throw null; - public System.Globalization.DateTimeStyles DateTimeStyles { get => throw null; set => throw null; } + public System.Globalization.DateTimeStyles DateTimeStyles { get => throw null; set { } } public System.IFormatProvider FormatProvider { get => throw null; } public string FormatString { get => throw null; } } - - public enum EmitTypeInformation : int + public enum EmitTypeInformation { - Always = 1, AsNeeded = 0, + Always = 1, Never = 2, } - namespace Json { - public class DataContractJsonSerializer : System.Runtime.Serialization.XmlObjectSerializer + public sealed class DataContractJsonSerializer : System.Runtime.Serialization.XmlObjectSerializer { public DataContractJsonSerializer(System.Type type) => throw null; - public DataContractJsonSerializer(System.Type type, System.Runtime.Serialization.Json.DataContractJsonSerializerSettings settings) => throw null; public DataContractJsonSerializer(System.Type type, System.Collections.Generic.IEnumerable knownTypes) => throw null; - public DataContractJsonSerializer(System.Type type, System.Xml.XmlDictionaryString rootName) => throw null; - public DataContractJsonSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Collections.Generic.IEnumerable knownTypes) => throw null; + public DataContractJsonSerializer(System.Type type, System.Runtime.Serialization.Json.DataContractJsonSerializerSettings settings) => throw null; public DataContractJsonSerializer(System.Type type, string rootName) => throw null; public DataContractJsonSerializer(System.Type type, string rootName, System.Collections.Generic.IEnumerable knownTypes) => throw null; + public DataContractJsonSerializer(System.Type type, System.Xml.XmlDictionaryString rootName) => throw null; + public DataContractJsonSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Collections.Generic.IEnumerable knownTypes) => throw null; public System.Runtime.Serialization.DateTimeFormat DateTimeFormat { get => throw null; } public System.Runtime.Serialization.EmitTypeInformation EmitTypeInformation { get => throw null; } public System.Runtime.Serialization.ISerializationSurrogateProvider GetSerializationSurrogateProvider() => throw null; @@ -60,36 +57,32 @@ public class DataContractJsonSerializer : System.Runtime.Serialization.XmlObject public override void WriteStartObject(System.Xml.XmlDictionaryWriter writer, object graph) => throw null; public override void WriteStartObject(System.Xml.XmlWriter writer, object graph) => throw null; } - public class DataContractJsonSerializerSettings { public DataContractJsonSerializerSettings() => throw null; - public System.Runtime.Serialization.DateTimeFormat DateTimeFormat { get => throw null; set => throw null; } - public System.Runtime.Serialization.EmitTypeInformation EmitTypeInformation { get => throw null; set => throw null; } - public bool IgnoreExtensionDataObject { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable KnownTypes { get => throw null; set => throw null; } - public int MaxItemsInObjectGraph { get => throw null; set => throw null; } - public string RootName { get => throw null; set => throw null; } - public bool SerializeReadOnlyTypes { get => throw null; set => throw null; } - public bool UseSimpleDictionaryFormat { get => throw null; set => throw null; } + public System.Runtime.Serialization.DateTimeFormat DateTimeFormat { get => throw null; set { } } + public System.Runtime.Serialization.EmitTypeInformation EmitTypeInformation { get => throw null; set { } } + public bool IgnoreExtensionDataObject { get => throw null; set { } } + public System.Collections.Generic.IEnumerable KnownTypes { get => throw null; set { } } + public int MaxItemsInObjectGraph { get => throw null; set { } } + public string RootName { get => throw null; set { } } + public bool SerializeReadOnlyTypes { get => throw null; set { } } + public bool UseSimpleDictionaryFormat { get => throw null; set { } } } - public interface IXmlJsonReaderInitializer { - void SetInput(System.Byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); + void SetInput(byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); void SetInput(System.IO.Stream stream, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); } - public interface IXmlJsonWriterInitializer { void SetOutput(System.IO.Stream stream, System.Text.Encoding encoding, bool ownsStream); } - public static class JsonReaderWriterFactory { - public static System.Xml.XmlDictionaryReader CreateJsonReader(System.Byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateJsonReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; - public static System.Xml.XmlDictionaryReader CreateJsonReader(System.Byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateJsonReader(byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; + public static System.Xml.XmlDictionaryReader CreateJsonReader(byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateJsonReader(byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateJsonReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; public static System.Xml.XmlDictionaryReader CreateJsonReader(System.IO.Stream stream, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryWriter CreateJsonWriter(System.IO.Stream stream) => throw null; @@ -98,7 +91,6 @@ public static class JsonReaderWriterFactory public static System.Xml.XmlDictionaryWriter CreateJsonWriter(System.IO.Stream stream, System.Text.Encoding encoding, bool ownsStream, bool indent) => throw null; public static System.Xml.XmlDictionaryWriter CreateJsonWriter(System.IO.Stream stream, System.Text.Encoding encoding, bool ownsStream, bool indent, string indentChars) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Primitives.cs index b803f1ffcb28..a03bf2aa7fca 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Primitives.cs @@ -1,71 +1,75 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Serialization.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime { namespace Serialization { - public class CollectionDataContractAttribute : System.Attribute + public sealed class CollectionDataContractAttribute : System.Attribute { public CollectionDataContractAttribute() => throw null; public bool IsItemNameSetExplicitly { get => throw null; } public bool IsKeyNameSetExplicitly { get => throw null; } public bool IsNameSetExplicitly { get => throw null; } public bool IsNamespaceSetExplicitly { get => throw null; } - public bool IsReference { get => throw null; set => throw null; } + public bool IsReference { get => throw null; set { } } public bool IsReferenceSetExplicitly { get => throw null; } public bool IsValueNameSetExplicitly { get => throw null; } - public string ItemName { get => throw null; set => throw null; } - public string KeyName { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public string ValueName { get => throw null; set => throw null; } + public string ItemName { get => throw null; set { } } + public string KeyName { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public string ValueName { get => throw null; set { } } } - - public class ContractNamespaceAttribute : System.Attribute + public sealed class ContractNamespaceAttribute : System.Attribute { - public string ClrNamespace { get => throw null; set => throw null; } + public string ClrNamespace { get => throw null; set { } } public string ContractNamespace { get => throw null; } public ContractNamespaceAttribute(string contractNamespace) => throw null; } - - public class DataContractAttribute : System.Attribute + public sealed class DataContractAttribute : System.Attribute { public DataContractAttribute() => throw null; public bool IsNameSetExplicitly { get => throw null; } public bool IsNamespaceSetExplicitly { get => throw null; } - public bool IsReference { get => throw null; set => throw null; } + public bool IsReference { get => throw null; set { } } public bool IsReferenceSetExplicitly { get => throw null; } - public string Name { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public string Namespace { get => throw null; set { } } } - - public class DataMemberAttribute : System.Attribute + public sealed class DataMemberAttribute : System.Attribute { public DataMemberAttribute() => throw null; - public bool EmitDefaultValue { get => throw null; set => throw null; } + public bool EmitDefaultValue { get => throw null; set { } } public bool IsNameSetExplicitly { get => throw null; } - public bool IsRequired { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } + public bool IsRequired { get => throw null; set { } } + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } } - - public class EnumMemberAttribute : System.Attribute + public sealed class EnumMemberAttribute : System.Attribute { public EnumMemberAttribute() => throw null; public bool IsValueSetExplicitly { get => throw null; } - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } + } + public sealed class IgnoreDataMemberAttribute : System.Attribute + { + public IgnoreDataMemberAttribute() => throw null; + } + public class InvalidDataContractException : System.Exception + { + public InvalidDataContractException() => throw null; + protected InvalidDataContractException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidDataContractException(string message) => throw null; + public InvalidDataContractException(string message, System.Exception innerException) => throw null; } - public interface ISerializationSurrogateProvider { object GetDeserializedObject(object obj, System.Type targetType); object GetObjectToSerialize(object obj, System.Type targetType); System.Type GetSurrogateType(System.Type type); } - public interface ISerializationSurrogateProvider2 : System.Runtime.Serialization.ISerializationSurrogateProvider { object GetCustomDataToExport(System.Reflection.MemberInfo memberInfo, System.Type dataContractType); @@ -73,28 +77,13 @@ public interface ISerializationSurrogateProvider2 : System.Runtime.Serialization void GetKnownCustomDataTypes(System.Collections.ObjectModel.Collection customDataTypes); System.Type GetReferencedTypeOnImport(string typeName, string typeNamespace, object customData); } - - public class IgnoreDataMemberAttribute : System.Attribute - { - public IgnoreDataMemberAttribute() => throw null; - } - - public class InvalidDataContractException : System.Exception + public sealed class KnownTypeAttribute : System.Attribute { - public InvalidDataContractException() => throw null; - protected InvalidDataContractException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidDataContractException(string message) => throw null; - public InvalidDataContractException(string message, System.Exception innerException) => throw null; - } - - public class KnownTypeAttribute : System.Attribute - { - public KnownTypeAttribute(System.Type type) => throw null; public KnownTypeAttribute(string methodName) => throw null; + public KnownTypeAttribute(System.Type type) => throw null; public string MethodName { get => throw null; } public System.Type Type { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Xml.cs index c68f9be0b74b..efd436012bbc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.Xml.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime.Serialization.Xml, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Runtime @@ -13,17 +12,71 @@ public abstract class DataContractResolver public abstract System.Type ResolveName(string typeName, string typeNamespace, System.Type declaredType, System.Runtime.Serialization.DataContractResolver knownTypeResolver); public abstract bool TryResolveType(System.Type type, System.Type declaredType, System.Runtime.Serialization.DataContractResolver knownTypeResolver, out System.Xml.XmlDictionaryString typeName, out System.Xml.XmlDictionaryString typeNamespace); } - - public class DataContractSerializer : System.Runtime.Serialization.XmlObjectSerializer + namespace DataContracts + { + public abstract class DataContract + { + public virtual System.Runtime.Serialization.DataContracts.DataContract BaseContract { get => throw null; } + public virtual string ContractType { get => throw null; } + public virtual System.Collections.ObjectModel.ReadOnlyCollection DataMembers { get => throw null; } + public virtual System.Xml.XmlQualifiedName GetArrayTypeName(bool isNullable) => throw null; + public static System.Runtime.Serialization.DataContracts.DataContract GetBuiltInDataContract(string name, string ns) => throw null; + public static System.Xml.XmlQualifiedName GetXmlName(System.Type type) => throw null; + public virtual bool IsBuiltInDataContract { get => throw null; } + public virtual bool IsDictionaryLike(out string keyName, out string valueName, out string itemName) => throw null; + public virtual bool IsISerializable { get => throw null; } + public virtual bool IsReference { get => throw null; } + public virtual bool IsValueType { get => throw null; } + public virtual System.Collections.Generic.Dictionary KnownDataContracts { get => throw null; } + public virtual System.Type OriginalUnderlyingType { get => throw null; } + public virtual System.Xml.XmlDictionaryString TopLevelElementName { get => throw null; } + public virtual System.Xml.XmlDictionaryString TopLevelElementNamespace { get => throw null; } + public virtual System.Type UnderlyingType { get => throw null; } + public virtual System.Xml.XmlQualifiedName XmlName { get => throw null; } + } + public sealed class DataContractSet + { + public System.Collections.Generic.Dictionary Contracts { get => throw null; } + public DataContractSet(System.Runtime.Serialization.DataContracts.DataContractSet dataContractSet) => throw null; + public DataContractSet(System.Runtime.Serialization.ISerializationSurrogateProvider dataContractSurrogate, System.Collections.Generic.IEnumerable referencedTypes, System.Collections.Generic.IEnumerable referencedCollectionTypes) => throw null; + public System.Runtime.Serialization.DataContracts.DataContract GetDataContract(System.Type type) => throw null; + public System.Runtime.Serialization.DataContracts.DataContract GetDataContract(System.Xml.XmlQualifiedName key) => throw null; + public System.Type GetReferencedType(System.Xml.XmlQualifiedName xmlName, System.Runtime.Serialization.DataContracts.DataContract dataContract, out System.Runtime.Serialization.DataContracts.DataContract referencedContract, out object[] genericParameters, bool? supportGenericTypes = default(bool?)) => throw null; + public void ImportSchemaSet(System.Xml.Schema.XmlSchemaSet schemaSet, System.Collections.Generic.IEnumerable typeNames, bool importXmlDataType) => throw null; + public System.Collections.Generic.List ImportSchemaSet(System.Xml.Schema.XmlSchemaSet schemaSet, System.Collections.Generic.IEnumerable elements, bool importXmlDataType) => throw null; + public System.Collections.Generic.Dictionary KnownTypesForObject { get => throw null; } + public System.Collections.Generic.Dictionary ProcessedContracts { get => throw null; } + public System.Collections.Hashtable SurrogateData { get => throw null; } + } + public sealed class DataMember + { + public bool EmitDefaultValue { get => throw null; } + public bool IsNullable { get => throw null; } + public bool IsRequired { get => throw null; } + public System.Runtime.Serialization.DataContracts.DataContract MemberTypeContract { get => throw null; } + public string Name { get => throw null; } + public long Order { get => throw null; } + } + public sealed class XmlDataContract : System.Runtime.Serialization.DataContracts.DataContract + { + public bool HasRoot { get => throw null; } + public bool IsAnonymous { get => throw null; } + public bool IsTopLevelElementNullable { get => throw null; } + public bool IsTypeDefinedOnImport { get => throw null; set { } } + public bool IsValueType { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaType XsdType { get => throw null; } + } + } + public sealed class DataContractSerializer : System.Runtime.Serialization.XmlObjectSerializer { - public System.Runtime.Serialization.DataContractResolver DataContractResolver { get => throw null; } public DataContractSerializer(System.Type type) => throw null; - public DataContractSerializer(System.Type type, System.Runtime.Serialization.DataContractSerializerSettings settings) => throw null; public DataContractSerializer(System.Type type, System.Collections.Generic.IEnumerable knownTypes) => throw null; - public DataContractSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Xml.XmlDictionaryString rootNamespace) => throw null; - public DataContractSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Xml.XmlDictionaryString rootNamespace, System.Collections.Generic.IEnumerable knownTypes) => throw null; + public DataContractSerializer(System.Type type, System.Runtime.Serialization.DataContractSerializerSettings settings) => throw null; public DataContractSerializer(System.Type type, string rootName, string rootNamespace) => throw null; public DataContractSerializer(System.Type type, string rootName, string rootNamespace, System.Collections.Generic.IEnumerable knownTypes) => throw null; + public DataContractSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Xml.XmlDictionaryString rootNamespace) => throw null; + public DataContractSerializer(System.Type type, System.Xml.XmlDictionaryString rootName, System.Xml.XmlDictionaryString rootNamespace, System.Collections.Generic.IEnumerable knownTypes) => throw null; + public System.Runtime.Serialization.DataContractResolver DataContractResolver { get => throw null; } public bool IgnoreExtensionDataObject { get => throw null; } public override bool IsStartObject(System.Xml.XmlDictionaryReader reader) => throw null; public override bool IsStartObject(System.Xml.XmlReader reader) => throw null; @@ -44,50 +97,39 @@ public class DataContractSerializer : System.Runtime.Serialization.XmlObjectSeri public override void WriteStartObject(System.Xml.XmlDictionaryWriter writer, object graph) => throw null; public override void WriteStartObject(System.Xml.XmlWriter writer, object graph) => throw null; } - - public static class DataContractSerializerExtensions + public static partial class DataContractSerializerExtensions { public static System.Runtime.Serialization.ISerializationSurrogateProvider GetSerializationSurrogateProvider(this System.Runtime.Serialization.DataContractSerializer serializer) => throw null; public static void SetSerializationSurrogateProvider(this System.Runtime.Serialization.DataContractSerializer serializer, System.Runtime.Serialization.ISerializationSurrogateProvider provider) => throw null; } - public class DataContractSerializerSettings { - public System.Runtime.Serialization.DataContractResolver DataContractResolver { get => throw null; set => throw null; } public DataContractSerializerSettings() => throw null; - public bool IgnoreExtensionDataObject { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable KnownTypes { get => throw null; set => throw null; } - public int MaxItemsInObjectGraph { get => throw null; set => throw null; } - public bool PreserveObjectReferences { get => throw null; set => throw null; } - public System.Xml.XmlDictionaryString RootName { get => throw null; set => throw null; } - public System.Xml.XmlDictionaryString RootNamespace { get => throw null; set => throw null; } - public bool SerializeReadOnlyTypes { get => throw null; set => throw null; } + public System.Runtime.Serialization.DataContractResolver DataContractResolver { get => throw null; set { } } + public bool IgnoreExtensionDataObject { get => throw null; set { } } + public System.Collections.Generic.IEnumerable KnownTypes { get => throw null; set { } } + public int MaxItemsInObjectGraph { get => throw null; set { } } + public bool PreserveObjectReferences { get => throw null; set { } } + public System.Xml.XmlDictionaryString RootName { get => throw null; set { } } + public System.Xml.XmlDictionaryString RootNamespace { get => throw null; set { } } + public bool SerializeReadOnlyTypes { get => throw null; set { } } } - public class ExportOptions { - public System.Runtime.Serialization.ISerializationSurrogateProvider DataContractSurrogate { get => throw null; set => throw null; } public ExportOptions() => throw null; + public System.Runtime.Serialization.ISerializationSurrogateProvider DataContractSurrogate { get => throw null; set { } } public System.Collections.ObjectModel.Collection KnownTypes { get => throw null; } } - - public class ExtensionDataObject + public sealed class ExtensionDataObject { } - public interface IExtensibleDataObject { System.Runtime.Serialization.ExtensionDataObject ExtensionData { get; set; } } - - public static class XPathQueryGenerator - { - public static string CreateFromDataContractSerializer(System.Type type, System.Reflection.MemberInfo[] pathToMember, System.Text.StringBuilder rootElementXpath, out System.Xml.XmlNamespaceManager namespaces) => throw null; - public static string CreateFromDataContractSerializer(System.Type type, System.Reflection.MemberInfo[] pathToMember, out System.Xml.XmlNamespaceManager namespaces) => throw null; - } - public abstract class XmlObjectSerializer { + protected XmlObjectSerializer() => throw null; public abstract bool IsStartObject(System.Xml.XmlDictionaryReader reader); public virtual bool IsStartObject(System.Xml.XmlReader reader) => throw null; public virtual object ReadObject(System.IO.Stream stream) => throw null; @@ -104,97 +146,33 @@ public abstract class XmlObjectSerializer public virtual void WriteObjectContent(System.Xml.XmlWriter writer, object graph) => throw null; public abstract void WriteStartObject(System.Xml.XmlDictionaryWriter writer, object graph); public virtual void WriteStartObject(System.Xml.XmlWriter writer, object graph) => throw null; - protected XmlObjectSerializer() => throw null; } - public static class XmlSerializableServices { public static void AddDefaultSchema(System.Xml.Schema.XmlSchemaSet schemas, System.Xml.XmlQualifiedName typeQName) => throw null; public static System.Xml.XmlNode[] ReadNodes(System.Xml.XmlReader xmlReader) => throw null; public static void WriteNodes(System.Xml.XmlWriter xmlWriter, System.Xml.XmlNode[] nodes) => throw null; } - + public static class XPathQueryGenerator + { + public static string CreateFromDataContractSerializer(System.Type type, System.Reflection.MemberInfo[] pathToMember, System.Text.StringBuilder rootElementXpath, out System.Xml.XmlNamespaceManager namespaces) => throw null; + public static string CreateFromDataContractSerializer(System.Type type, System.Reflection.MemberInfo[] pathToMember, out System.Xml.XmlNamespaceManager namespaces) => throw null; + } public class XsdDataContractExporter { public bool CanExport(System.Collections.Generic.ICollection assemblies) => throw null; public bool CanExport(System.Collections.Generic.ICollection types) => throw null; public bool CanExport(System.Type type) => throw null; + public XsdDataContractExporter() => throw null; + public XsdDataContractExporter(System.Xml.Schema.XmlSchemaSet schemas) => throw null; public void Export(System.Collections.Generic.ICollection assemblies) => throw null; public void Export(System.Collections.Generic.ICollection types) => throw null; public void Export(System.Type type) => throw null; public System.Xml.XmlQualifiedName GetRootElementName(System.Type type) => throw null; public System.Xml.Schema.XmlSchemaType GetSchemaType(System.Type type) => throw null; public System.Xml.XmlQualifiedName GetSchemaTypeName(System.Type type) => throw null; - public System.Runtime.Serialization.ExportOptions Options { get => throw null; set => throw null; } + public System.Runtime.Serialization.ExportOptions Options { get => throw null; set { } } public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; } - public XsdDataContractExporter() => throw null; - public XsdDataContractExporter(System.Xml.Schema.XmlSchemaSet schemas) => throw null; - } - - namespace DataContracts - { - public abstract class DataContract - { - public virtual System.Runtime.Serialization.DataContracts.DataContract BaseContract { get => throw null; } - public virtual string ContractType { get => throw null; } - internal DataContract(System.Runtime.Serialization.DataContracts.DataContractCriticalHelper helper) => throw null; - public virtual System.Collections.ObjectModel.ReadOnlyCollection DataMembers { get => throw null; } - public virtual System.Xml.XmlQualifiedName GetArrayTypeName(bool isNullable) => throw null; - public static System.Runtime.Serialization.DataContracts.DataContract GetBuiltInDataContract(string name, string ns) => throw null; - public static System.Xml.XmlQualifiedName GetXmlName(System.Type type) => throw null; - public virtual bool IsBuiltInDataContract { get => throw null; } - public virtual bool IsDictionaryLike(out string keyName, out string valueName, out string itemName) => throw null; - public virtual bool IsISerializable { get => throw null; } - public virtual bool IsReference { get => throw null; } - public virtual bool IsValueType { get => throw null; } - public virtual System.Collections.Generic.Dictionary KnownDataContracts { get => throw null; } - public virtual System.Type OriginalUnderlyingType { get => throw null; } - public virtual System.Xml.XmlDictionaryString TopLevelElementName { get => throw null; } - public virtual System.Xml.XmlDictionaryString TopLevelElementNamespace { get => throw null; } - public virtual System.Type UnderlyingType { get => throw null; } - public virtual System.Xml.XmlQualifiedName XmlName { get => throw null; } - } - - internal abstract class DataContractCriticalHelper - { - } - - public class DataContractSet - { - public System.Collections.Generic.Dictionary Contracts { get => throw null; } - public DataContractSet(System.Runtime.Serialization.DataContracts.DataContractSet dataContractSet) => throw null; - public DataContractSet(System.Runtime.Serialization.ISerializationSurrogateProvider dataContractSurrogate, System.Collections.Generic.IEnumerable referencedTypes, System.Collections.Generic.IEnumerable referencedCollectionTypes) => throw null; - public System.Runtime.Serialization.DataContracts.DataContract GetDataContract(System.Type type) => throw null; - public System.Runtime.Serialization.DataContracts.DataContract GetDataContract(System.Xml.XmlQualifiedName key) => throw null; - public System.Type GetReferencedType(System.Xml.XmlQualifiedName xmlName, System.Runtime.Serialization.DataContracts.DataContract dataContract, out System.Runtime.Serialization.DataContracts.DataContract referencedContract, out object[] genericParameters, bool? supportGenericTypes = default(bool?)) => throw null; - public void ImportSchemaSet(System.Xml.Schema.XmlSchemaSet schemaSet, System.Collections.Generic.IEnumerable typeNames, bool importXmlDataType) => throw null; - public System.Collections.Generic.List ImportSchemaSet(System.Xml.Schema.XmlSchemaSet schemaSet, System.Collections.Generic.IEnumerable elements, bool importXmlDataType) => throw null; - public System.Collections.Generic.Dictionary KnownTypesForObject { get => throw null; } - public System.Collections.Generic.Dictionary ProcessedContracts { get => throw null; } - public System.Collections.Hashtable SurrogateData { get => throw null; } - } - - public class DataMember - { - public bool EmitDefaultValue { get => throw null; } - public bool IsNullable { get => throw null; } - public bool IsRequired { get => throw null; } - public System.Runtime.Serialization.DataContracts.DataContract MemberTypeContract { get => throw null; } - public string Name { get => throw null; } - public System.Int64 Order { get => throw null; } - } - - public class XmlDataContract : System.Runtime.Serialization.DataContracts.DataContract - { - public bool HasRoot { get => throw null; } - public bool IsAnonymous { get => throw null; } - public bool IsTopLevelElementNullable { get => throw null; } - public bool IsTypeDefinedOnImport { get => throw null; set => throw null; } - public bool IsValueType { get => throw null; set => throw null; } - internal XmlDataContract(System.Type type) : base(default(System.Runtime.Serialization.DataContracts.DataContractCriticalHelper)) => throw null; - public System.Xml.Schema.XmlSchemaType XsdType { get => throw null; } - } - } } } @@ -205,255 +183,239 @@ public interface IFragmentCapableXmlDictionaryWriter bool CanFragment { get; } void EndFragment(); void StartFragment(System.IO.Stream stream, bool generateSelfContainedTextFragment); - void WriteFragment(System.Byte[] buffer, int offset, int count); + void WriteFragment(byte[] buffer, int offset, int count); } - public interface IStreamProvider { System.IO.Stream GetStream(); void ReleaseStream(System.IO.Stream stream); } - public interface IXmlBinaryReaderInitializer { - void SetInput(System.Byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose); + void SetInput(byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose); void SetInput(System.IO.Stream stream, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose); } - public interface IXmlBinaryWriterInitializer { void SetOutput(System.IO.Stream stream, System.Xml.IXmlDictionary dictionary, System.Xml.XmlBinaryWriterSession session, bool ownsStream); } - public interface IXmlDictionary { - bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result); bool TryLookup(int key, out System.Xml.XmlDictionaryString result); bool TryLookup(string value, out System.Xml.XmlDictionaryString result); + bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result); } - public interface IXmlTextReaderInitializer { - void SetInput(System.Byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); + void SetInput(byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); void SetInput(System.IO.Stream stream, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose); } - public interface IXmlTextWriterInitializer { void SetOutput(System.IO.Stream stream, System.Text.Encoding encoding, bool ownsStream); } - public delegate void OnXmlDictionaryReaderClose(System.Xml.XmlDictionaryReader reader); - public class UniqueId { - public static bool operator !=(System.Xml.UniqueId id1, System.Xml.UniqueId id2) => throw null; - public static bool operator ==(System.Xml.UniqueId id1, System.Xml.UniqueId id2) => throw null; public int CharArrayLength { get => throw null; } + public UniqueId() => throw null; + public UniqueId(byte[] guid) => throw null; + public UniqueId(byte[] guid, int offset) => throw null; + public UniqueId(char[] chars, int offset, int count) => throw null; + public UniqueId(System.Guid guid) => throw null; + public UniqueId(string value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsGuid { get => throw null; } - public int ToCharArray(System.Char[] chars, int offset) => throw null; + public static bool operator ==(System.Xml.UniqueId id1, System.Xml.UniqueId id2) => throw null; + public static bool operator !=(System.Xml.UniqueId id1, System.Xml.UniqueId id2) => throw null; + public int ToCharArray(char[] chars, int offset) => throw null; public override string ToString() => throw null; - public bool TryGetGuid(System.Byte[] buffer, int offset) => throw null; + public bool TryGetGuid(byte[] buffer, int offset) => throw null; public bool TryGetGuid(out System.Guid guid) => throw null; - public UniqueId() => throw null; - public UniqueId(System.Byte[] guid) => throw null; - public UniqueId(System.Byte[] guid, int offset) => throw null; - public UniqueId(System.Char[] chars, int offset, int count) => throw null; - public UniqueId(System.Guid guid) => throw null; - public UniqueId(string value) => throw null; } - public class XmlBinaryReaderSession : System.Xml.IXmlDictionary { public System.Xml.XmlDictionaryString Add(int id, string value) => throw null; public void Clear() => throw null; - public bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result) => throw null; + public XmlBinaryReaderSession() => throw null; public bool TryLookup(int key, out System.Xml.XmlDictionaryString result) => throw null; public bool TryLookup(string value, out System.Xml.XmlDictionaryString result) => throw null; - public XmlBinaryReaderSession() => throw null; + public bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result) => throw null; } - public class XmlBinaryWriterSession { + public XmlBinaryWriterSession() => throw null; public void Reset() => throw null; public virtual bool TryAdd(System.Xml.XmlDictionaryString value, out int key) => throw null; - public XmlBinaryWriterSession() => throw null; } - public class XmlDictionary : System.Xml.IXmlDictionary { public virtual System.Xml.XmlDictionaryString Add(string value) => throw null; + public XmlDictionary() => throw null; + public XmlDictionary(int capacity) => throw null; public static System.Xml.IXmlDictionary Empty { get => throw null; } - public virtual bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result) => throw null; public virtual bool TryLookup(int key, out System.Xml.XmlDictionaryString result) => throw null; public virtual bool TryLookup(string value, out System.Xml.XmlDictionaryString result) => throw null; - public XmlDictionary() => throw null; - public XmlDictionary(int capacity) => throw null; + public virtual bool TryLookup(System.Xml.XmlDictionaryString value, out System.Xml.XmlDictionaryString result) => throw null; } - public abstract class XmlDictionaryReader : System.Xml.XmlReader { public virtual bool CanCanonicalize { get => throw null; } - public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.Byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.Byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.Byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session) => throw null; - public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.Byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; - public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.Byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateBinaryReader(byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateBinaryReader(byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session) => throw null; + public static System.Xml.XmlDictionaryReader CreateBinaryReader(byte[] buffer, int offset, int count, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; + public static System.Xml.XmlDictionaryReader CreateBinaryReader(byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateBinaryReader(byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.IO.Stream stream, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.IO.Stream stream, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session) => throw null; public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.IO.Stream stream, System.Xml.IXmlDictionary dictionary, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.XmlBinaryReaderSession session, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; public static System.Xml.XmlDictionaryReader CreateBinaryReader(System.IO.Stream stream, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateDictionaryReader(System.Xml.XmlReader reader) => throw null; - public static System.Xml.XmlDictionaryReader CreateMtomReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateMtomReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateMtomReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateMtomReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas, int maxBufferSize, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; + public static System.Xml.XmlDictionaryReader CreateMtomReader(byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateMtomReader(byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateMtomReader(byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas, int maxBufferSize, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; + public static System.Xml.XmlDictionaryReader CreateMtomReader(byte[] buffer, int offset, int count, System.Text.Encoding[] encodings, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateMtomReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateMtomReader(System.IO.Stream stream, System.Text.Encoding[] encodings, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateMtomReader(System.IO.Stream stream, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateMtomReader(System.IO.Stream stream, System.Text.Encoding[] encodings, string contentType, System.Xml.XmlDictionaryReaderQuotas quotas, int maxBufferSize, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; - public static System.Xml.XmlDictionaryReader CreateTextReader(System.Byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReader CreateTextReader(System.Byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; - public static System.Xml.XmlDictionaryReader CreateTextReader(System.Byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateMtomReader(System.IO.Stream stream, System.Text.Encoding[] encodings, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateTextReader(byte[] buffer, int offset, int count, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; + public static System.Xml.XmlDictionaryReader CreateTextReader(byte[] buffer, int offset, int count, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public static System.Xml.XmlDictionaryReader CreateTextReader(byte[] buffer, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; public static System.Xml.XmlDictionaryReader CreateTextReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Xml.XmlDictionaryReaderQuotas quotas, System.Xml.OnXmlDictionaryReaderClose onClose) => throw null; public static System.Xml.XmlDictionaryReader CreateTextReader(System.IO.Stream stream, System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + protected XmlDictionaryReader() => throw null; public virtual void EndCanonicalization() => throw null; public virtual string GetAttribute(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void GetNonAtomizedNames(out string localName, out string namespaceUri) => throw null; public virtual int IndexOfLocalName(string[] localNames, string namespaceUri) => throw null; public virtual int IndexOfLocalName(System.Xml.XmlDictionaryString[] localNames, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public virtual bool IsLocalName(System.Xml.XmlDictionaryString localName) => throw null; public virtual bool IsLocalName(string localName) => throw null; - public virtual bool IsNamespaceUri(System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual bool IsLocalName(System.Xml.XmlDictionaryString localName) => throw null; public virtual bool IsNamespaceUri(string namespaceUri) => throw null; + public virtual bool IsNamespaceUri(System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual bool IsStartArray(out System.Type type) => throw null; public virtual bool IsStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; protected bool IsTextNode(System.Xml.XmlNodeType nodeType) => throw null; public virtual void MoveToStartElement() => throw null; - public virtual void MoveToStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void MoveToStartElement(string name) => throw null; public virtual void MoveToStartElement(string localName, string namespaceUri) => throw null; + public virtual void MoveToStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual System.Xml.XmlDictionaryReaderQuotas Quotas { get => throw null; } - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, bool[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.DateTime[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Decimal[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, double[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Guid[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Int16[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, int[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Int64[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, float[] array, int offset, int count) => throw null; - public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, bool[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, System.DateTime[] array, int offset, int count) => throw null; - public virtual int ReadArray(string localName, string namespaceUri, System.Decimal[] array, int offset, int count) => throw null; + public virtual int ReadArray(string localName, string namespaceUri, decimal[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, double[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, System.Guid[] array, int offset, int count) => throw null; - public virtual int ReadArray(string localName, string namespaceUri, System.Int16[] array, int offset, int count) => throw null; + public virtual int ReadArray(string localName, string namespaceUri, short[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, int[] array, int offset, int count) => throw null; - public virtual int ReadArray(string localName, string namespaceUri, System.Int64[] array, int offset, int count) => throw null; + public virtual int ReadArray(string localName, string namespaceUri, long[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, float[] array, int offset, int count) => throw null; public virtual int ReadArray(string localName, string namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; - public virtual bool[] ReadBooleanArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, bool[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.DateTime[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, decimal[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, double[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Guid[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, short[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, int[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, long[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, float[] array, int offset, int count) => throw null; + public virtual int ReadArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; public virtual bool[] ReadBooleanArray(string localName, string namespaceUri) => throw null; + public virtual bool[] ReadBooleanArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public override object ReadContentAs(System.Type type, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; - public virtual System.Byte[] ReadContentAsBase64() => throw null; - public virtual System.Byte[] ReadContentAsBinHex() => throw null; - protected System.Byte[] ReadContentAsBinHex(int maxByteArrayContentLength) => throw null; - public virtual int ReadContentAsChars(System.Char[] chars, int offset, int count) => throw null; - public override System.Decimal ReadContentAsDecimal() => throw null; + public virtual byte[] ReadContentAsBase64() => throw null; + public virtual byte[] ReadContentAsBinHex() => throw null; + protected byte[] ReadContentAsBinHex(int maxByteArrayContentLength) => throw null; + public virtual int ReadContentAsChars(char[] chars, int offset, int count) => throw null; + public override decimal ReadContentAsDecimal() => throw null; public override float ReadContentAsFloat() => throw null; public virtual System.Guid ReadContentAsGuid() => throw null; public virtual void ReadContentAsQualifiedName(out string localName, out string namespaceUri) => throw null; public override string ReadContentAsString() => throw null; + protected string ReadContentAsString(int maxStringContentLength) => throw null; public virtual string ReadContentAsString(string[] strings, out int index) => throw null; public virtual string ReadContentAsString(System.Xml.XmlDictionaryString[] strings, out int index) => throw null; - protected string ReadContentAsString(int maxStringContentLength) => throw null; public virtual System.TimeSpan ReadContentAsTimeSpan() => throw null; public virtual System.Xml.UniqueId ReadContentAsUniqueId() => throw null; - public virtual System.DateTime[] ReadDateTimeArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual System.DateTime[] ReadDateTimeArray(string localName, string namespaceUri) => throw null; - public virtual System.Decimal[] ReadDecimalArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public virtual System.Decimal[] ReadDecimalArray(string localName, string namespaceUri) => throw null; - public virtual double[] ReadDoubleArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual System.DateTime[] ReadDateTimeArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual decimal[] ReadDecimalArray(string localName, string namespaceUri) => throw null; + public virtual decimal[] ReadDecimalArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual double[] ReadDoubleArray(string localName, string namespaceUri) => throw null; - public virtual System.Byte[] ReadElementContentAsBase64() => throw null; - public virtual System.Byte[] ReadElementContentAsBinHex() => throw null; + public virtual double[] ReadDoubleArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual byte[] ReadElementContentAsBase64() => throw null; + public virtual byte[] ReadElementContentAsBinHex() => throw null; public override bool ReadElementContentAsBoolean() => throw null; public override System.DateTime ReadElementContentAsDateTime() => throw null; - public override System.Decimal ReadElementContentAsDecimal() => throw null; + public override decimal ReadElementContentAsDecimal() => throw null; public override double ReadElementContentAsDouble() => throw null; public override float ReadElementContentAsFloat() => throw null; public virtual System.Guid ReadElementContentAsGuid() => throw null; public override int ReadElementContentAsInt() => throw null; - public override System.Int64 ReadElementContentAsLong() => throw null; + public override long ReadElementContentAsLong() => throw null; public override string ReadElementContentAsString() => throw null; public virtual System.TimeSpan ReadElementContentAsTimeSpan() => throw null; public virtual System.Xml.UniqueId ReadElementContentAsUniqueId() => throw null; public virtual void ReadFullStartElement() => throw null; - public virtual void ReadFullStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void ReadFullStartElement(string name) => throw null; public virtual void ReadFullStartElement(string localName, string namespaceUri) => throw null; - public virtual System.Guid[] ReadGuidArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual void ReadFullStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual System.Guid[] ReadGuidArray(string localName, string namespaceUri) => throw null; - public virtual System.Int16[] ReadInt16Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public virtual System.Int16[] ReadInt16Array(string localName, string namespaceUri) => throw null; - public virtual int[] ReadInt32Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual System.Guid[] ReadGuidArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual short[] ReadInt16Array(string localName, string namespaceUri) => throw null; + public virtual short[] ReadInt16Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual int[] ReadInt32Array(string localName, string namespaceUri) => throw null; - public virtual System.Int64[] ReadInt64Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public virtual System.Int64[] ReadInt64Array(string localName, string namespaceUri) => throw null; - public virtual float[] ReadSingleArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual int[] ReadInt32Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual long[] ReadInt64Array(string localName, string namespaceUri) => throw null; + public virtual long[] ReadInt64Array(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual float[] ReadSingleArray(string localName, string namespaceUri) => throw null; + public virtual float[] ReadSingleArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void ReadStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public override string ReadString() => throw null; protected string ReadString(int maxStringContentLength) => throw null; - public virtual System.TimeSpan[] ReadTimeSpanArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual System.TimeSpan[] ReadTimeSpanArray(string localName, string namespaceUri) => throw null; - public virtual int ReadValueAsBase64(System.Byte[] buffer, int offset, int count) => throw null; + public virtual System.TimeSpan[] ReadTimeSpanArray(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual int ReadValueAsBase64(byte[] buffer, int offset, int count) => throw null; public virtual void StartCanonicalization(System.IO.Stream stream, bool includeComments, string[] inclusivePrefixes) => throw null; public virtual bool TryGetArrayLength(out int count) => throw null; public virtual bool TryGetBase64ContentLength(out int length) => throw null; public virtual bool TryGetLocalNameAsDictionaryString(out System.Xml.XmlDictionaryString localName) => throw null; public virtual bool TryGetNamespaceUriAsDictionaryString(out System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual bool TryGetValueAsDictionaryString(out System.Xml.XmlDictionaryString value) => throw null; - protected XmlDictionaryReader() => throw null; } - + public sealed class XmlDictionaryReaderQuotas + { + public void CopyTo(System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; + public XmlDictionaryReaderQuotas() => throw null; + public static System.Xml.XmlDictionaryReaderQuotas Max { get => throw null; } + public int MaxArrayLength { get => throw null; set { } } + public int MaxBytesPerRead { get => throw null; set { } } + public int MaxDepth { get => throw null; set { } } + public int MaxNameTableCharCount { get => throw null; set { } } + public int MaxStringContentLength { get => throw null; set { } } + public System.Xml.XmlDictionaryReaderQuotaTypes ModifiedQuotas { get => throw null; } + } [System.Flags] - public enum XmlDictionaryReaderQuotaTypes : int + public enum XmlDictionaryReaderQuotaTypes { + MaxDepth = 1, + MaxStringContentLength = 2, MaxArrayLength = 4, MaxBytesPerRead = 8, - MaxDepth = 1, MaxNameTableCharCount = 16, - MaxStringContentLength = 2, } - - public class XmlDictionaryReaderQuotas - { - public void CopyTo(System.Xml.XmlDictionaryReaderQuotas quotas) => throw null; - public static System.Xml.XmlDictionaryReaderQuotas Max { get => throw null; } - public int MaxArrayLength { get => throw null; set => throw null; } - public int MaxBytesPerRead { get => throw null; set => throw null; } - public int MaxDepth { get => throw null; set => throw null; } - public int MaxNameTableCharCount { get => throw null; set => throw null; } - public int MaxStringContentLength { get => throw null; set => throw null; } - public System.Xml.XmlDictionaryReaderQuotaTypes ModifiedQuotas { get => throw null; } - public XmlDictionaryReaderQuotas() => throw null; - } - public class XmlDictionaryString { + public XmlDictionaryString(System.Xml.IXmlDictionary dictionary, string value, int key) => throw null; public System.Xml.IXmlDictionary Dictionary { get => throw null; } public static System.Xml.XmlDictionaryString Empty { get => throw null; } public int Key { get => throw null; } public override string ToString() => throw null; public string Value { get => throw null; } - public XmlDictionaryString(System.Xml.IXmlDictionary dictionary, string value, int key) => throw null; } - public abstract class XmlDictionaryWriter : System.Xml.XmlWriter { public virtual bool CanCanonicalize { get => throw null; } @@ -467,54 +429,53 @@ public abstract class XmlDictionaryWriter : System.Xml.XmlWriter public static System.Xml.XmlDictionaryWriter CreateTextWriter(System.IO.Stream stream) => throw null; public static System.Xml.XmlDictionaryWriter CreateTextWriter(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; public static System.Xml.XmlDictionaryWriter CreateTextWriter(System.IO.Stream stream, System.Text.Encoding encoding, bool ownsStream) => throw null; + protected XmlDictionaryWriter() => throw null; public virtual void EndCanonicalization() => throw null; public virtual void StartCanonicalization(System.IO.Stream stream, bool includeComments, string[] inclusivePrefixes) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, bool[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.DateTime[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Decimal[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, double[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Guid[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Int16[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, int[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Int64[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, float[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, bool[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.DateTime[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.Decimal[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, string localName, string namespaceUri, decimal[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, double[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.Guid[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.Int16[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, string localName, string namespaceUri, short[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, int[] array, int offset, int count) => throw null; - public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.Int64[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, string localName, string namespaceUri, long[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, float[] array, int offset, int count) => throw null; public virtual void WriteArray(string prefix, string localName, string namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; - public void WriteAttributeString(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, bool[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.DateTime[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, decimal[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, double[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.Guid[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, short[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, int[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, long[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, float[] array, int offset, int count) => throw null; + public virtual void WriteArray(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, System.TimeSpan[] array, int offset, int count) => throw null; public void WriteAttributeString(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; - public override System.Threading.Tasks.Task WriteBase64Async(System.Byte[] buffer, int index, int count) => throw null; - public void WriteElementString(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; + public void WriteAttributeString(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; + public override System.Threading.Tasks.Task WriteBase64Async(byte[] buffer, int index, int count) => throw null; public void WriteElementString(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; + public void WriteElementString(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri, string value) => throw null; public virtual void WriteNode(System.Xml.XmlDictionaryReader reader, bool defattr) => throw null; public override void WriteNode(System.Xml.XmlReader reader, bool defattr) => throw null; public virtual void WriteQualifiedName(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public void WriteStartAttribute(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void WriteStartAttribute(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; - public void WriteStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public void WriteStartAttribute(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void WriteStartElement(string prefix, System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public void WriteStartElement(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString namespaceUri) => throw null; public virtual void WriteString(System.Xml.XmlDictionaryString value) => throw null; protected virtual void WriteTextNode(System.Xml.XmlDictionaryReader reader, bool isAttribute) => throw null; public virtual void WriteValue(System.Guid value) => throw null; - public virtual void WriteValue(System.Xml.IStreamProvider value) => throw null; public virtual void WriteValue(System.TimeSpan value) => throw null; + public virtual void WriteValue(System.Xml.IStreamProvider value) => throw null; public virtual void WriteValue(System.Xml.UniqueId value) => throw null; public virtual void WriteValue(System.Xml.XmlDictionaryString value) => throw null; public virtual System.Threading.Tasks.Task WriteValueAsync(System.Xml.IStreamProvider value) => throw null; - public virtual void WriteXmlAttribute(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString value) => throw null; public virtual void WriteXmlAttribute(string localName, string value) => throw null; - public virtual void WriteXmlnsAttribute(string prefix, System.Xml.XmlDictionaryString namespaceUri) => throw null; + public virtual void WriteXmlAttribute(System.Xml.XmlDictionaryString localName, System.Xml.XmlDictionaryString value) => throw null; public virtual void WriteXmlnsAttribute(string prefix, string namespaceUri) => throw null; - protected XmlDictionaryWriter() => throw null; + public virtual void WriteXmlnsAttribute(string prefix, System.Xml.XmlDictionaryString namespaceUri) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs new file mode 100644 index 000000000000..44765cb9b33c --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Runtime.Serialization, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs index fbe44d3c8fb4..305922a7e0b1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Runtime, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 @@ -9,44 +8,38 @@ namespace SafeHandles { public abstract class CriticalHandleMinusOneIsInvalid : System.Runtime.InteropServices.CriticalHandle { - protected CriticalHandleMinusOneIsInvalid() : base(default(System.IntPtr)) => throw null; + protected CriticalHandleMinusOneIsInvalid() : base(default(nint)) => throw null; public override bool IsInvalid { get => throw null; } } - public abstract class CriticalHandleZeroOrMinusOneIsInvalid : System.Runtime.InteropServices.CriticalHandle { - protected CriticalHandleZeroOrMinusOneIsInvalid() : base(default(System.IntPtr)) => throw null; + protected CriticalHandleZeroOrMinusOneIsInvalid() : base(default(nint)) => throw null; public override bool IsInvalid { get => throw null; } } - - public class SafeFileHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeFileHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { + public SafeFileHandle() : base(default(bool)) => throw null; + public SafeFileHandle(nint preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; public bool IsAsync { get => throw null; } public override bool IsInvalid { get => throw null; } protected override bool ReleaseHandle() => throw null; - public SafeFileHandle() : base(default(bool)) => throw null; - public SafeFileHandle(System.IntPtr preexistingHandle, bool ownsHandle) : base(default(bool)) => throw null; } - public abstract class SafeHandleMinusOneIsInvalid : System.Runtime.InteropServices.SafeHandle { + protected SafeHandleMinusOneIsInvalid(bool ownsHandle) : base(default(nint), default(bool)) => throw null; public override bool IsInvalid { get => throw null; } - protected SafeHandleMinusOneIsInvalid(bool ownsHandle) : base(default(System.IntPtr), default(bool)) => throw null; } - public abstract class SafeHandleZeroOrMinusOneIsInvalid : System.Runtime.InteropServices.SafeHandle { + protected SafeHandleZeroOrMinusOneIsInvalid(bool ownsHandle) : base(default(nint), default(bool)) => throw null; public override bool IsInvalid { get => throw null; } - protected SafeHandleZeroOrMinusOneIsInvalid(bool ownsHandle) : base(default(System.IntPtr), default(bool)) => throw null; } - - public class SafeWaitHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeWaitHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { - protected override bool ReleaseHandle() => throw null; public SafeWaitHandle() : base(default(bool)) => throw null; - public SafeWaitHandle(System.IntPtr existingHandle, bool ownsHandle) : base(default(bool)) => throw null; + public SafeWaitHandle(nint existingHandle, bool ownsHandle) : base(default(bool)) => throw null; + protected override bool ReleaseHandle() => throw null; } - } } } @@ -59,67 +52,48 @@ public class AccessViolationException : System.SystemException public AccessViolationException(string message) => throw null; public AccessViolationException(string message, System.Exception innerException) => throw null; } - public delegate void Action(); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15, T16 arg16); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11); - + public delegate void Action(T obj); public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4); - - public delegate void Action(T1 arg1, T2 arg2, T3 arg3); - + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15, T16 arg16); public delegate void Action(T1 arg1, T2 arg2); - - public delegate void Action(T obj); - + public delegate void Action(T1 arg1, T2 arg2, T3 arg3); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8); + public delegate void Action(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9); public static class Activator { + public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName) => throw null; + public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, object[] activationAttributes) => throw null; public static object CreateInstance(System.Type type) => throw null; - public static object CreateInstance(System.Type type, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture) => throw null; - public static object CreateInstance(System.Type type, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; - public static object CreateInstance(System.Type type, object[] args, object[] activationAttributes) => throw null; public static object CreateInstance(System.Type type, bool nonPublic) => throw null; public static object CreateInstance(System.Type type, params object[] args) => throw null; - public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName) => throw null; - public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, object[] activationAttributes) => throw null; - public static System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public static object CreateInstance(System.Type type, object[] args, object[] activationAttributes) => throw null; + public static object CreateInstance(System.Type type, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture) => throw null; + public static object CreateInstance(System.Type type, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; public static T CreateInstance() => throw null; public static System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName) => throw null; - public static System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public static System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public static System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, object[] activationAttributes) => throw null; } - public class AggregateException : System.Exception { public AggregateException() => throw null; public AggregateException(System.Collections.Generic.IEnumerable innerExceptions) => throw null; - protected AggregateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public AggregateException(params System.Exception[] innerExceptions) => throw null; + protected AggregateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public AggregateException(string message) => throw null; - public AggregateException(string message, System.Exception innerException) => throw null; public AggregateException(string message, System.Collections.Generic.IEnumerable innerExceptions) => throw null; + public AggregateException(string message, System.Exception innerException) => throw null; public AggregateException(string message, params System.Exception[] innerExceptions) => throw null; public System.AggregateException Flatten() => throw null; public override System.Exception GetBaseException() => throw null; @@ -129,7 +103,6 @@ public class AggregateException : System.Exception public override string Message { get => throw null; } public override string ToString() => throw null; } - public static class AppContext { public static string BaseDirectory { get => throw null; } @@ -139,39 +112,38 @@ public static class AppContext public static string TargetFrameworkName { get => throw null; } public static bool TryGetSwitch(string switchName, out bool isEnabled) => throw null; } - - public class AppDomain : System.MarshalByRefObject + public sealed class AppDomain : System.MarshalByRefObject { public void AppendPrivatePath(string path) => throw null; public string ApplyPolicy(string assemblyName) => throw null; - public event System.AssemblyLoadEventHandler AssemblyLoad; - public event System.ResolveEventHandler AssemblyResolve; + public event System.AssemblyLoadEventHandler AssemblyLoad { add { } remove { } } + public event System.ResolveEventHandler AssemblyResolve { add { } remove { } } public string BaseDirectory { get => throw null; } public void ClearPrivatePath() => throw null; public void ClearShadowCopyPath() => throw null; public static System.AppDomain CreateDomain(string friendlyName) => throw null; public System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName) => throw null; - public System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, object[] activationAttributes) => throw null; public System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public System.Runtime.Remoting.ObjectHandle CreateInstance(string assemblyName, string typeName, object[] activationAttributes) => throw null; public object CreateInstanceAndUnwrap(string assemblyName, string typeName) => throw null; - public object CreateInstanceAndUnwrap(string assemblyName, string typeName, object[] activationAttributes) => throw null; public object CreateInstanceAndUnwrap(string assemblyName, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public object CreateInstanceAndUnwrap(string assemblyName, string typeName, object[] activationAttributes) => throw null; public System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName) => throw null; - public System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public System.Runtime.Remoting.ObjectHandle CreateInstanceFrom(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName) => throw null; - public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; + public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public static System.AppDomain CurrentDomain { get => throw null; } - public event System.EventHandler DomainUnload; + public event System.EventHandler DomainUnload { add { } remove { } } public string DynamicDirectory { get => throw null; } public int ExecuteAssembly(string assemblyFile) => throw null; public int ExecuteAssembly(string assemblyFile, string[] args) => throw null; - public int ExecuteAssembly(string assemblyFile, string[] args, System.Byte[] hashValue, System.Configuration.Assemblies.AssemblyHashAlgorithm hashAlgorithm) => throw null; + public int ExecuteAssembly(string assemblyFile, string[] args, byte[] hashValue, System.Configuration.Assemblies.AssemblyHashAlgorithm hashAlgorithm) => throw null; public int ExecuteAssemblyByName(System.Reflection.AssemblyName assemblyName, params string[] args) => throw null; public int ExecuteAssemblyByName(string assemblyName) => throw null; public int ExecuteAssemblyByName(string assemblyName, params string[] args) => throw null; - public event System.EventHandler FirstChanceException; + public event System.EventHandler FirstChanceException { add { } remove { } } public string FriendlyName { get => throw null; } public System.Reflection.Assembly[] GetAssemblies() => throw null; public static int GetCurrentThreadId() => throw null; @@ -182,21 +154,21 @@ public class AppDomain : System.MarshalByRefObject public bool IsFinalizingForUnload() => throw null; public bool IsFullyTrusted { get => throw null; } public bool IsHomogenous { get => throw null; } + public System.Reflection.Assembly Load(byte[] rawAssembly) => throw null; + public System.Reflection.Assembly Load(byte[] rawAssembly, byte[] rawSymbolStore) => throw null; public System.Reflection.Assembly Load(System.Reflection.AssemblyName assemblyRef) => throw null; - public System.Reflection.Assembly Load(System.Byte[] rawAssembly) => throw null; - public System.Reflection.Assembly Load(System.Byte[] rawAssembly, System.Byte[] rawSymbolStore) => throw null; public System.Reflection.Assembly Load(string assemblyString) => throw null; - public static bool MonitoringIsEnabled { get => throw null; set => throw null; } - public System.Int64 MonitoringSurvivedMemorySize { get => throw null; } - public static System.Int64 MonitoringSurvivedProcessMemorySize { get => throw null; } - public System.Int64 MonitoringTotalAllocatedMemorySize { get => throw null; } + public static bool MonitoringIsEnabled { get => throw null; set { } } + public long MonitoringSurvivedMemorySize { get => throw null; } + public static long MonitoringSurvivedProcessMemorySize { get => throw null; } + public long MonitoringTotalAllocatedMemorySize { get => throw null; } public System.TimeSpan MonitoringTotalProcessorTime { get => throw null; } public System.Security.PermissionSet PermissionSet { get => throw null; } - public event System.EventHandler ProcessExit; - public event System.ResolveEventHandler ReflectionOnlyAssemblyResolve; + public event System.EventHandler ProcessExit { add { } remove { } } + public event System.ResolveEventHandler ReflectionOnlyAssemblyResolve { add { } remove { } } public System.Reflection.Assembly[] ReflectionOnlyGetAssemblies() => throw null; public string RelativeSearchPath { get => throw null; } - public event System.ResolveEventHandler ResourceResolve; + public event System.ResolveEventHandler ResourceResolve { add { } remove { } } public void SetCachePath(string path) => throw null; public void SetData(string name, object data) => throw null; public void SetDynamicBase(string path) => throw null; @@ -207,17 +179,15 @@ public class AppDomain : System.MarshalByRefObject public System.AppDomainSetup SetupInformation { get => throw null; } public bool ShadowCopyFiles { get => throw null; } public override string ToString() => throw null; - public event System.ResolveEventHandler TypeResolve; - public event System.UnhandledExceptionEventHandler UnhandledException; + public event System.ResolveEventHandler TypeResolve { add { } remove { } } + public event System.UnhandledExceptionEventHandler UnhandledException { add { } remove { } } public static void Unload(System.AppDomain domain) => throw null; } - - public class AppDomainSetup + public sealed class AppDomainSetup { public string ApplicationBase { get => throw null; } public string TargetFrameworkName { get => throw null; } } - public class AppDomainUnloadedException : System.SystemException { public AppDomainUnloadedException() => throw null; @@ -225,7 +195,6 @@ public class AppDomainUnloadedException : System.SystemException public AppDomainUnloadedException(string message) => throw null; public AppDomainUnloadedException(string message, System.Exception innerException) => throw null; } - public class ApplicationException : System.Exception { public ApplicationException() => throw null; @@ -233,26 +202,23 @@ public class ApplicationException : System.Exception public ApplicationException(string message) => throw null; public ApplicationException(string message, System.Exception innerException) => throw null; } - - public class ApplicationId + public sealed class ApplicationId { - public ApplicationId(System.Byte[] publicKeyToken, string name, System.Version version, string processorArchitecture, string culture) => throw null; public System.ApplicationId Copy() => throw null; + public ApplicationId(byte[] publicKeyToken, string name, System.Version version, string processorArchitecture, string culture) => throw null; public string Culture { get => throw null; } public override bool Equals(object o) => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } public string ProcessorArchitecture { get => throw null; } - public System.Byte[] PublicKeyToken { get => throw null; } + public byte[] PublicKeyToken { get => throw null; } public override string ToString() => throw null; public System.Version Version { get => throw null; } } - public struct ArgIterator { - // Stub generator skipped constructor public ArgIterator(System.RuntimeArgumentHandle arglist) => throw null; - unsafe public ArgIterator(System.RuntimeArgumentHandle arglist, void* ptr) => throw null; + public unsafe ArgIterator(System.RuntimeArgumentHandle arglist, void* ptr) => throw null; public void End() => throw null; public override bool Equals(object o) => throw null; public override int GetHashCode() => throw null; @@ -261,7 +227,6 @@ public struct ArgIterator public System.RuntimeTypeHandle GetNextArgType() => throw null; public int GetRemainingCount() => throw null; } - public class ArgumentException : System.SystemException { public ArgumentException() => throw null; @@ -275,7 +240,6 @@ public class ArgumentException : System.SystemException public virtual string ParamName { get => throw null; } public static void ThrowIfNullOrEmpty(string argument, string paramName = default(string)) => throw null; } - public class ArgumentNullException : System.ArgumentException { public ArgumentNullException() => throw null; @@ -283,10 +247,9 @@ public class ArgumentNullException : System.ArgumentException public ArgumentNullException(string paramName) => throw null; public ArgumentNullException(string message, System.Exception innerException) => throw null; public ArgumentNullException(string paramName, string message) => throw null; - unsafe public static void ThrowIfNull(void* argument, string paramName = default(string)) => throw null; public static void ThrowIfNull(object argument, string paramName = default(string)) => throw null; + public static unsafe void ThrowIfNull(void* argument, string paramName = default(string)) => throw null; } - public class ArgumentOutOfRangeException : System.ArgumentException { public virtual object ActualValue { get => throw null; } @@ -299,7 +262,6 @@ public class ArgumentOutOfRangeException : System.ArgumentException public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public override string Message { get => throw null; } } - public class ArithmeticException : System.SystemException { public ArithmeticException() => throw null; @@ -307,7 +269,6 @@ public class ArithmeticException : System.SystemException public ArithmeticException(string message) => throw null; public ArithmeticException(string message, System.Exception innerException) => throw null; } - public abstract class Array : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.ICloneable { int System.Collections.IList.Add(object value) => throw null; @@ -316,31 +277,31 @@ public abstract class Array : System.Collections.ICollection, System.Collections public static int BinarySearch(System.Array array, int index, int length, object value, System.Collections.IComparer comparer) => throw null; public static int BinarySearch(System.Array array, object value) => throw null; public static int BinarySearch(System.Array array, object value, System.Collections.IComparer comparer) => throw null; - public static int BinarySearch(T[] array, T value) => throw null; - public static int BinarySearch(T[] array, T value, System.Collections.Generic.IComparer comparer) => throw null; public static int BinarySearch(T[] array, int index, int length, T value) => throw null; public static int BinarySearch(T[] array, int index, int length, T value, System.Collections.Generic.IComparer comparer) => throw null; - void System.Collections.IList.Clear() => throw null; + public static int BinarySearch(T[] array, T value) => throw null; + public static int BinarySearch(T[] array, T value, System.Collections.Generic.IComparer comparer) => throw null; public static void Clear(System.Array array) => throw null; public static void Clear(System.Array array, int index, int length) => throw null; + void System.Collections.IList.Clear() => throw null; public object Clone() => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; public static void ConstrainedCopy(System.Array sourceArray, int sourceIndex, System.Array destinationArray, int destinationIndex, int length) => throw null; bool System.Collections.IList.Contains(object value) => throw null; public static TOutput[] ConvertAll(TInput[] array, System.Converter converter) => throw null; public static void Copy(System.Array sourceArray, System.Array destinationArray, int length) => throw null; - public static void Copy(System.Array sourceArray, System.Array destinationArray, System.Int64 length) => throw null; + public static void Copy(System.Array sourceArray, System.Array destinationArray, long length) => throw null; public static void Copy(System.Array sourceArray, int sourceIndex, System.Array destinationArray, int destinationIndex, int length) => throw null; - public static void Copy(System.Array sourceArray, System.Int64 sourceIndex, System.Array destinationArray, System.Int64 destinationIndex, System.Int64 length) => throw null; + public static void Copy(System.Array sourceArray, long sourceIndex, System.Array destinationArray, long destinationIndex, long length) => throw null; public void CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Array array, System.Int64 index) => throw null; + public void CopyTo(System.Array array, long index) => throw null; int System.Collections.ICollection.Count { get => throw null; } - public static System.Array CreateInstance(System.Type elementType, int[] lengths, int[] lowerBounds) => throw null; public static System.Array CreateInstance(System.Type elementType, int length) => throw null; public static System.Array CreateInstance(System.Type elementType, int length1, int length2) => throw null; public static System.Array CreateInstance(System.Type elementType, int length1, int length2, int length3) => throw null; public static System.Array CreateInstance(System.Type elementType, params int[] lengths) => throw null; - public static System.Array CreateInstance(System.Type elementType, params System.Int64[] lengths) => throw null; + public static System.Array CreateInstance(System.Type elementType, int[] lengths, int[] lowerBounds) => throw null; + public static System.Array CreateInstance(System.Type elementType, params long[] lengths) => throw null; public static T[] Empty() => throw null; bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; public static bool Exists(T[] array, System.Predicate match) => throw null; @@ -348,41 +309,41 @@ public abstract class Array : System.Collections.ICollection, System.Collections public static void Fill(T[] array, T value, int startIndex, int count) => throw null; public static T Find(T[] array, System.Predicate match) => throw null; public static T[] FindAll(T[] array, System.Predicate match) => throw null; - public static int FindIndex(T[] array, System.Predicate match) => throw null; - public static int FindIndex(T[] array, int startIndex, System.Predicate match) => throw null; public static int FindIndex(T[] array, int startIndex, int count, System.Predicate match) => throw null; + public static int FindIndex(T[] array, int startIndex, System.Predicate match) => throw null; + public static int FindIndex(T[] array, System.Predicate match) => throw null; public static T FindLast(T[] array, System.Predicate match) => throw null; - public static int FindLastIndex(T[] array, System.Predicate match) => throw null; - public static int FindLastIndex(T[] array, int startIndex, System.Predicate match) => throw null; public static int FindLastIndex(T[] array, int startIndex, int count, System.Predicate match) => throw null; + public static int FindLastIndex(T[] array, int startIndex, System.Predicate match) => throw null; + public static int FindLastIndex(T[] array, System.Predicate match) => throw null; public static void ForEach(T[] array, System.Action action) => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; public int GetLength(int dimension) => throw null; - public System.Int64 GetLongLength(int dimension) => throw null; + public long GetLongLength(int dimension) => throw null; public int GetLowerBound(int dimension) => throw null; public int GetUpperBound(int dimension) => throw null; public object GetValue(int index) => throw null; public object GetValue(int index1, int index2) => throw null; public object GetValue(int index1, int index2, int index3) => throw null; - public object GetValue(System.Int64 index) => throw null; - public object GetValue(System.Int64 index1, System.Int64 index2) => throw null; - public object GetValue(System.Int64 index1, System.Int64 index2, System.Int64 index3) => throw null; public object GetValue(params int[] indices) => throw null; - public object GetValue(params System.Int64[] indices) => throw null; + public object GetValue(long index) => throw null; + public object GetValue(long index1, long index2) => throw null; + public object GetValue(long index1, long index2, long index3) => throw null; + public object GetValue(params long[] indices) => throw null; public static int IndexOf(System.Array array, object value) => throw null; public static int IndexOf(System.Array array, object value, int startIndex) => throw null; public static int IndexOf(System.Array array, object value, int startIndex, int count) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; public static int IndexOf(T[] array, T value) => throw null; public static int IndexOf(T[] array, T value, int startIndex) => throw null; public static int IndexOf(T[] array, T value, int startIndex, int count) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; public void Initialize() => throw null; void System.Collections.IList.Insert(int index, object value) => throw null; public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public static int LastIndexOf(System.Array array, object value) => throw null; public static int LastIndexOf(System.Array array, object value, int startIndex) => throw null; public static int LastIndexOf(System.Array array, object value, int startIndex, int count) => throw null; @@ -390,7 +351,7 @@ public abstract class Array : System.Collections.ICollection, System.Collections public static int LastIndexOf(T[] array, T value, int startIndex) => throw null; public static int LastIndexOf(T[] array, T value, int startIndex, int count) => throw null; public int Length { get => throw null; } - public System.Int64 LongLength { get => throw null; } + public long LongLength { get => throw null; } public static int MaxLength { get => throw null; } public int Rank { get => throw null; } void System.Collections.IList.Remove(object value) => throw null; @@ -403,11 +364,11 @@ public abstract class Array : System.Collections.ICollection, System.Collections public void SetValue(object value, int index) => throw null; public void SetValue(object value, int index1, int index2) => throw null; public void SetValue(object value, int index1, int index2, int index3) => throw null; - public void SetValue(object value, System.Int64 index) => throw null; - public void SetValue(object value, System.Int64 index1, System.Int64 index2) => throw null; - public void SetValue(object value, System.Int64 index1, System.Int64 index2, System.Int64 index3) => throw null; public void SetValue(object value, params int[] indices) => throw null; - public void SetValue(object value, params System.Int64[] indices) => throw null; + public void SetValue(object value, long index) => throw null; + public void SetValue(object value, long index1, long index2) => throw null; + public void SetValue(object value, long index1, long index2, long index3) => throw null; + public void SetValue(object value, params long[] indices) => throw null; public static void Sort(System.Array array) => throw null; public static void Sort(System.Array keys, System.Array items) => throw null; public static void Sort(System.Array keys, System.Array items, System.Collections.IComparer comparer) => throw null; @@ -417,8 +378,8 @@ public abstract class Array : System.Collections.ICollection, System.Collections public static void Sort(System.Array array, int index, int length) => throw null; public static void Sort(System.Array array, int index, int length, System.Collections.IComparer comparer) => throw null; public static void Sort(T[] array) => throw null; - public static void Sort(T[] array, System.Comparison comparison) => throw null; public static void Sort(T[] array, System.Collections.Generic.IComparer comparer) => throw null; + public static void Sort(T[] array, System.Comparison comparison) => throw null; public static void Sort(T[] array, int index, int length) => throw null; public static void Sort(T[] array, int index, int length, System.Collections.Generic.IComparer comparer) => throw null; public static void Sort(TKey[] keys, TValue[] items) => throw null; @@ -428,34 +389,27 @@ public abstract class Array : System.Collections.ICollection, System.Collections public object SyncRoot { get => throw null; } public static bool TrueForAll(T[] array, System.Predicate match) => throw null; } - - public struct ArraySegment : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable + public struct ArraySegment : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - public T Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public bool MoveNext() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - } - - - public static bool operator !=(System.ArraySegment a, System.ArraySegment b) => throw null; - public static bool operator ==(System.ArraySegment a, System.ArraySegment b) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; public T[] Array { get => throw null; } - // Stub generator skipped constructor - public ArraySegment(T[] array) => throw null; - public ArraySegment(T[] array, int offset, int count) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; bool System.Collections.Generic.ICollection.Contains(T item) => throw null; public void CopyTo(System.ArraySegment destination) => throw null; public void CopyTo(T[] destination) => throw null; public void CopyTo(T[] destination, int destinationIndex) => throw null; public int Count { get => throw null; } + public ArraySegment(T[] array) => throw null; + public ArraySegment(T[] array, int offset, int count) => throw null; public static System.ArraySegment Empty { get => throw null; } + public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public T Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } public bool Equals(System.ArraySegment obj) => throw null; public override bool Equals(object obj) => throw null; public System.ArraySegment.Enumerator GetEnumerator() => throw null; @@ -465,18 +419,19 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col int System.Collections.Generic.IList.IndexOf(T item) => throw null; void System.Collections.Generic.IList.Insert(int index, T item) => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public T this[int index] { get => throw null; set => throw null; } - T System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } + T System.Collections.Generic.IList.this[int index] { get => throw null; set { } } T System.Collections.Generic.IReadOnlyList.this[int index] { get => throw null; } public int Offset { get => throw null; } + public static bool operator ==(System.ArraySegment a, System.ArraySegment b) => throw null; + public static implicit operator System.ArraySegment(T[] array) => throw null; + public static bool operator !=(System.ArraySegment a, System.ArraySegment b) => throw null; bool System.Collections.Generic.ICollection.Remove(T item) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; public System.ArraySegment Slice(int index) => throw null; public System.ArraySegment Slice(int index, int count) => throw null; + public T this[int index] { get => throw null; set { } } public T[] ToArray() => throw null; - public static implicit operator System.ArraySegment(T[] array) => throw null; } - public class ArrayTypeMismatchException : System.SystemException { public ArrayTypeMismatchException() => throw null; @@ -484,17 +439,13 @@ public class ArrayTypeMismatchException : System.SystemException public ArrayTypeMismatchException(string message) => throw null; public ArrayTypeMismatchException(string message, System.Exception innerException) => throw null; } - public class AssemblyLoadEventArgs : System.EventArgs { public AssemblyLoadEventArgs(System.Reflection.Assembly loadedAssembly) => throw null; public System.Reflection.Assembly LoadedAssembly { get => throw null; } } - public delegate void AssemblyLoadEventHandler(object sender, System.AssemblyLoadEventArgs args); - public delegate void AsyncCallback(System.IAsyncResult ar); - public abstract class Attribute { protected Attribute() => throw null; @@ -508,21 +459,21 @@ public abstract class Attribute public static System.Attribute GetCustomAttribute(System.Reflection.ParameterInfo element, System.Type attributeType) => throw null; public static System.Attribute GetCustomAttribute(System.Reflection.ParameterInfo element, System.Type attributeType, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Assembly element) => throw null; + public static System.Attribute[] GetCustomAttributes(System.Reflection.Assembly element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Assembly element, System.Type attributeType) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Assembly element, System.Type attributeType, bool inherit) => throw null; - public static System.Attribute[] GetCustomAttributes(System.Reflection.Assembly element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.MemberInfo element) => throw null; + public static System.Attribute[] GetCustomAttributes(System.Reflection.MemberInfo element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.MemberInfo element, System.Type attributeType) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.MemberInfo element, System.Type attributeType, bool inherit) => throw null; - public static System.Attribute[] GetCustomAttributes(System.Reflection.MemberInfo element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Module element) => throw null; + public static System.Attribute[] GetCustomAttributes(System.Reflection.Module element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Module element, System.Type attributeType) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.Module element, System.Type attributeType, bool inherit) => throw null; - public static System.Attribute[] GetCustomAttributes(System.Reflection.Module element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.ParameterInfo element) => throw null; + public static System.Attribute[] GetCustomAttributes(System.Reflection.ParameterInfo element, bool inherit) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.ParameterInfo element, System.Type attributeType) => throw null; public static System.Attribute[] GetCustomAttributes(System.Reflection.ParameterInfo element, System.Type attributeType, bool inherit) => throw null; - public static System.Attribute[] GetCustomAttributes(System.Reflection.ParameterInfo element, bool inherit) => throw null; public override int GetHashCode() => throw null; public virtual bool IsDefaultAttribute() => throw null; public static bool IsDefined(System.Reflection.Assembly element, System.Type attributeType) => throw null; @@ -536,36 +487,33 @@ public abstract class Attribute public virtual bool Match(object obj) => throw null; public virtual object TypeId { get => throw null; } } - [System.Flags] - public enum AttributeTargets : int + public enum AttributeTargets { - All = 32767, Assembly = 1, + Module = 2, Class = 4, - Constructor = 32, - Delegate = 4096, + Struct = 8, Enum = 16, - Event = 512, + Constructor = 32, + Method = 64, + Property = 128, Field = 256, - GenericParameter = 16384, + Event = 512, Interface = 1024, - Method = 64, - Module = 2, Parameter = 2048, - Property = 128, + Delegate = 4096, ReturnValue = 8192, - Struct = 8, + GenericParameter = 16384, + All = 32767, } - - public class AttributeUsageAttribute : System.Attribute + public sealed class AttributeUsageAttribute : System.Attribute { - public bool AllowMultiple { get => throw null; set => throw null; } + public bool AllowMultiple { get => throw null; set { } } public AttributeUsageAttribute(System.AttributeTargets validOn) => throw null; - public bool Inherited { get => throw null; set => throw null; } + public bool Inherited { get => throw null; set { } } public System.AttributeTargets ValidOn { get => throw null; } } - public class BadImageFormatException : System.SystemException { public BadImageFormatException() => throw null; @@ -580,81 +528,77 @@ public class BadImageFormatException : System.SystemException public override string Message { get => throw null; } public override string ToString() => throw null; } - [System.Flags] - public enum Base64FormattingOptions : int + public enum Base64FormattingOptions { - InsertLineBreaks = 1, None = 0, + InsertLineBreaks = 1, } - public static class BitConverter { - public static System.Int64 DoubleToInt64Bits(double value) => throw null; - public static System.UInt64 DoubleToUInt64Bits(double value) => throw null; - public static System.Byte[] GetBytes(System.Half value) => throw null; - public static System.Byte[] GetBytes(bool value) => throw null; - public static System.Byte[] GetBytes(System.Char value) => throw null; - public static System.Byte[] GetBytes(double value) => throw null; - public static System.Byte[] GetBytes(float value) => throw null; - public static System.Byte[] GetBytes(int value) => throw null; - public static System.Byte[] GetBytes(System.Int64 value) => throw null; - public static System.Byte[] GetBytes(System.Int16 value) => throw null; - public static System.Byte[] GetBytes(System.UInt32 value) => throw null; - public static System.Byte[] GetBytes(System.UInt64 value) => throw null; - public static System.Byte[] GetBytes(System.UInt16 value) => throw null; - public static System.Int16 HalfToInt16Bits(System.Half value) => throw null; - public static System.UInt16 HalfToUInt16Bits(System.Half value) => throw null; - public static System.Half Int16BitsToHalf(System.Int16 value) => throw null; + public static long DoubleToInt64Bits(double value) => throw null; + public static ulong DoubleToUInt64Bits(double value) => throw null; + public static byte[] GetBytes(bool value) => throw null; + public static byte[] GetBytes(char value) => throw null; + public static byte[] GetBytes(double value) => throw null; + public static byte[] GetBytes(System.Half value) => throw null; + public static byte[] GetBytes(short value) => throw null; + public static byte[] GetBytes(int value) => throw null; + public static byte[] GetBytes(long value) => throw null; + public static byte[] GetBytes(float value) => throw null; + public static byte[] GetBytes(ushort value) => throw null; + public static byte[] GetBytes(uint value) => throw null; + public static byte[] GetBytes(ulong value) => throw null; + public static short HalfToInt16Bits(System.Half value) => throw null; + public static ushort HalfToUInt16Bits(System.Half value) => throw null; + public static System.Half Int16BitsToHalf(short value) => throw null; public static float Int32BitsToSingle(int value) => throw null; - public static double Int64BitsToDouble(System.Int64 value) => throw null; + public static double Int64BitsToDouble(long value) => throw null; public static bool IsLittleEndian; public static int SingleToInt32Bits(float value) => throw null; - public static System.UInt32 SingleToUInt32Bits(float value) => throw null; - public static bool ToBoolean(System.Byte[] value, int startIndex) => throw null; - public static bool ToBoolean(System.ReadOnlySpan value) => throw null; - public static System.Char ToChar(System.Byte[] value, int startIndex) => throw null; - public static System.Char ToChar(System.ReadOnlySpan value) => throw null; - public static double ToDouble(System.Byte[] value, int startIndex) => throw null; - public static double ToDouble(System.ReadOnlySpan value) => throw null; - public static System.Half ToHalf(System.Byte[] value, int startIndex) => throw null; - public static System.Half ToHalf(System.ReadOnlySpan value) => throw null; - public static System.Int16 ToInt16(System.Byte[] value, int startIndex) => throw null; - public static System.Int16 ToInt16(System.ReadOnlySpan value) => throw null; - public static int ToInt32(System.Byte[] value, int startIndex) => throw null; - public static int ToInt32(System.ReadOnlySpan value) => throw null; - public static System.Int64 ToInt64(System.Byte[] value, int startIndex) => throw null; - public static System.Int64 ToInt64(System.ReadOnlySpan value) => throw null; - public static float ToSingle(System.Byte[] value, int startIndex) => throw null; - public static float ToSingle(System.ReadOnlySpan value) => throw null; - public static string ToString(System.Byte[] value) => throw null; - public static string ToString(System.Byte[] value, int startIndex) => throw null; - public static string ToString(System.Byte[] value, int startIndex, int length) => throw null; - public static System.UInt16 ToUInt16(System.Byte[] value, int startIndex) => throw null; - public static System.UInt16 ToUInt16(System.ReadOnlySpan value) => throw null; - public static System.UInt32 ToUInt32(System.Byte[] value, int startIndex) => throw null; - public static System.UInt32 ToUInt32(System.ReadOnlySpan value) => throw null; - public static System.UInt64 ToUInt64(System.Byte[] value, int startIndex) => throw null; - public static System.UInt64 ToUInt64(System.ReadOnlySpan value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.Half value) => throw null; - public static bool TryWriteBytes(System.Span destination, bool value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.Char value) => throw null; - public static bool TryWriteBytes(System.Span destination, double value) => throw null; - public static bool TryWriteBytes(System.Span destination, float value) => throw null; - public static bool TryWriteBytes(System.Span destination, int value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.Int64 value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.Int16 value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.UInt32 value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.UInt64 value) => throw null; - public static bool TryWriteBytes(System.Span destination, System.UInt16 value) => throw null; - public static System.Half UInt16BitsToHalf(System.UInt16 value) => throw null; - public static float UInt32BitsToSingle(System.UInt32 value) => throw null; - public static double UInt64BitsToDouble(System.UInt64 value) => throw null; - } - + public static uint SingleToUInt32Bits(float value) => throw null; + public static bool ToBoolean(byte[] value, int startIndex) => throw null; + public static bool ToBoolean(System.ReadOnlySpan value) => throw null; + public static char ToChar(byte[] value, int startIndex) => throw null; + public static char ToChar(System.ReadOnlySpan value) => throw null; + public static double ToDouble(byte[] value, int startIndex) => throw null; + public static double ToDouble(System.ReadOnlySpan value) => throw null; + public static System.Half ToHalf(byte[] value, int startIndex) => throw null; + public static System.Half ToHalf(System.ReadOnlySpan value) => throw null; + public static short ToInt16(byte[] value, int startIndex) => throw null; + public static short ToInt16(System.ReadOnlySpan value) => throw null; + public static int ToInt32(byte[] value, int startIndex) => throw null; + public static int ToInt32(System.ReadOnlySpan value) => throw null; + public static long ToInt64(byte[] value, int startIndex) => throw null; + public static long ToInt64(System.ReadOnlySpan value) => throw null; + public static float ToSingle(byte[] value, int startIndex) => throw null; + public static float ToSingle(System.ReadOnlySpan value) => throw null; + public static string ToString(byte[] value) => throw null; + public static string ToString(byte[] value, int startIndex) => throw null; + public static string ToString(byte[] value, int startIndex, int length) => throw null; + public static ushort ToUInt16(byte[] value, int startIndex) => throw null; + public static ushort ToUInt16(System.ReadOnlySpan value) => throw null; + public static uint ToUInt32(byte[] value, int startIndex) => throw null; + public static uint ToUInt32(System.ReadOnlySpan value) => throw null; + public static ulong ToUInt64(byte[] value, int startIndex) => throw null; + public static ulong ToUInt64(System.ReadOnlySpan value) => throw null; + public static bool TryWriteBytes(System.Span destination, bool value) => throw null; + public static bool TryWriteBytes(System.Span destination, char value) => throw null; + public static bool TryWriteBytes(System.Span destination, double value) => throw null; + public static bool TryWriteBytes(System.Span destination, System.Half value) => throw null; + public static bool TryWriteBytes(System.Span destination, short value) => throw null; + public static bool TryWriteBytes(System.Span destination, int value) => throw null; + public static bool TryWriteBytes(System.Span destination, long value) => throw null; + public static bool TryWriteBytes(System.Span destination, float value) => throw null; + public static bool TryWriteBytes(System.Span destination, ushort value) => throw null; + public static bool TryWriteBytes(System.Span destination, uint value) => throw null; + public static bool TryWriteBytes(System.Span destination, ulong value) => throw null; + public static System.Half UInt16BitsToHalf(ushort value) => throw null; + public static float UInt32BitsToSingle(uint value) => throw null; + public static double UInt64BitsToDouble(ulong value) => throw null; + } public struct Boolean : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable { - // Stub generator skipped constructor public int CompareTo(bool value) => throw null; public int CompareTo(object obj) => throw null; public bool Equals(bool obj) => throw null; @@ -662,180 +606,231 @@ public struct Boolean : System.IComparable, System.IComparable, System.ICo public static string FalseString; public override int GetHashCode() => throw null; public System.TypeCode GetTypeCode() => throw null; - public static bool Parse(System.ReadOnlySpan value) => throw null; + public static bool Parse(System.ReadOnlySpan value) => throw null; public static bool Parse(string value) => throw null; bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; public override string ToString() => throw null; public string ToString(System.IFormatProvider provider) => throw null; object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; public static string TrueString; - public bool TryFormat(System.Span destination, out int charsWritten) => throw null; - public static bool TryParse(System.ReadOnlySpan value, out bool result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten) => throw null; + public static bool TryParse(System.ReadOnlySpan value, out bool result) => throw null; public static bool TryParse(string value, out bool result) => throw null; } - public static class Buffer { public static void BlockCopy(System.Array src, int srcOffset, System.Array dst, int dstOffset, int count) => throw null; public static int ByteLength(System.Array array) => throw null; - public static System.Byte GetByte(System.Array array, int index) => throw null; - unsafe public static void MemoryCopy(void* source, void* destination, System.Int64 destinationSizeInBytes, System.Int64 sourceBytesToCopy) => throw null; - unsafe public static void MemoryCopy(void* source, void* destination, System.UInt64 destinationSizeInBytes, System.UInt64 sourceBytesToCopy) => throw null; - public static void SetByte(System.Array array, int index, System.Byte value) => throw null; - } - - public struct Byte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IModulusOperators.operator %(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IBitwiseOperators.operator &(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IMultiplyOperators.operator *(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IUnaryPlusOperators.operator +(System.Byte value) => throw null; - static System.Byte System.Numerics.IAdditionOperators.operator +(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IIncrementOperators.operator ++(System.Byte value) => throw null; - static System.Byte System.Numerics.IUnaryNegationOperators.operator -(System.Byte value) => throw null; - static System.Byte System.Numerics.ISubtractionOperators.operator -(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IDecrementOperators.operator --(System.Byte value) => throw null; - static System.Byte System.Numerics.IDivisionOperators.operator /(System.Byte left, System.Byte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IShiftOperators.operator <<(System.Byte value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Byte left, System.Byte right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Byte left, System.Byte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Byte left, System.Byte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IShiftOperators.operator >>(System.Byte value, int shiftAmount) => throw null; - static System.Byte System.Numerics.IShiftOperators.operator >>>(System.Byte value, int shiftAmount) => throw null; - public static System.Byte Abs(System.Byte value) => throw null; - static System.Byte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Byte System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - // Stub generator skipped constructor - public static System.Byte Clamp(System.Byte value, System.Byte min, System.Byte max) => throw null; - public int CompareTo(System.Byte value) => throw null; + public static byte GetByte(System.Array array, int index) => throw null; + public static unsafe void MemoryCopy(void* source, void* destination, long destinationSizeInBytes, long sourceBytesToCopy) => throw null; + public static unsafe void MemoryCopy(void* source, void* destination, ulong destinationSizeInBytes, ulong sourceBytesToCopy) => throw null; + public static void SetByte(System.Array array, int index, byte value) => throw null; + } + namespace Buffers + { + public abstract class ArrayPool + { + public static System.Buffers.ArrayPool Create() => throw null; + public static System.Buffers.ArrayPool Create(int maxArrayLength, int maxArraysPerBucket) => throw null; + protected ArrayPool() => throw null; + public abstract T[] Rent(int minimumLength); + public abstract void Return(T[] array, bool clearArray = default(bool)); + public static System.Buffers.ArrayPool Shared { get => throw null; } + } + public interface IMemoryOwner : System.IDisposable + { + System.Memory Memory { get; } + } + public interface IPinnable + { + System.Buffers.MemoryHandle Pin(int elementIndex); + void Unpin(); + } + public struct MemoryHandle : System.IDisposable + { + public unsafe MemoryHandle(void* pointer, System.Runtime.InteropServices.GCHandle handle = default(System.Runtime.InteropServices.GCHandle), System.Buffers.IPinnable pinnable = default(System.Buffers.IPinnable)) => throw null; + public void Dispose() => throw null; + public unsafe void* Pointer { get => throw null; } + } + public abstract class MemoryManager : System.Buffers.IMemoryOwner, System.IDisposable, System.Buffers.IPinnable + { + protected System.Memory CreateMemory(int length) => throw null; + protected System.Memory CreateMemory(int start, int length) => throw null; + protected MemoryManager() => throw null; + protected abstract void Dispose(bool disposing); + void System.IDisposable.Dispose() => throw null; + public abstract System.Span GetSpan(); + public virtual System.Memory Memory { get => throw null; } + public abstract System.Buffers.MemoryHandle Pin(int elementIndex = default(int)); + protected virtual bool TryGetArray(out System.ArraySegment segment) => throw null; + public abstract void Unpin(); + } + public enum OperationStatus + { + Done = 0, + DestinationTooSmall = 1, + NeedMoreData = 2, + InvalidData = 3, + } + public delegate void ReadOnlySpanAction(System.ReadOnlySpan span, TArg arg); + public delegate void SpanAction(System.Span span, TArg arg); + namespace Text + { + public static class Base64 + { + public static System.Buffers.OperationStatus DecodeFromUtf8(System.ReadOnlySpan utf8, System.Span bytes, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; + public static System.Buffers.OperationStatus DecodeFromUtf8InPlace(System.Span buffer, out int bytesWritten) => throw null; + public static System.Buffers.OperationStatus EncodeToUtf8(System.ReadOnlySpan bytes, System.Span utf8, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; + public static System.Buffers.OperationStatus EncodeToUtf8InPlace(System.Span buffer, int dataLength, out int bytesWritten) => throw null; + public static int GetMaxDecodedFromUtf8Length(int length) => throw null; + public static int GetMaxEncodedToUtf8Length(int length) => throw null; + } + } + } + public struct Byte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static byte System.Numerics.INumberBase.Abs(byte value) => throw null; + static byte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static byte System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static byte System.Numerics.INumber.Clamp(byte value, byte min, byte max) => throw null; + public int CompareTo(byte value) => throw null; public int CompareTo(object value) => throw null; - public static System.Byte CopySign(System.Byte value, System.Byte sign) => throw null; - static System.Byte System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Byte System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Byte System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.Byte, System.Byte) DivRem(System.Byte left, System.Byte right) => throw null; - public bool Equals(System.Byte obj) => throw null; + static byte System.Numerics.INumber.CopySign(byte value, byte sign) => throw null; + static byte System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static byte System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static byte System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (byte Quotient, byte Remainder) System.Numerics.IBinaryInteger.DivRem(byte left, byte right) => throw null; + public bool Equals(byte obj) => throw null; public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.Byte value) => throw null; - public static bool IsComplexNumber(System.Byte value) => throw null; - public static bool IsEvenInteger(System.Byte value) => throw null; - public static bool IsFinite(System.Byte value) => throw null; - public static bool IsImaginaryNumber(System.Byte value) => throw null; - public static bool IsInfinity(System.Byte value) => throw null; - public static bool IsInteger(System.Byte value) => throw null; - public static bool IsNaN(System.Byte value) => throw null; - public static bool IsNegative(System.Byte value) => throw null; - public static bool IsNegativeInfinity(System.Byte value) => throw null; - public static bool IsNormal(System.Byte value) => throw null; - public static bool IsOddInteger(System.Byte value) => throw null; - public static bool IsPositive(System.Byte value) => throw null; - public static bool IsPositiveInfinity(System.Byte value) => throw null; - public static bool IsPow2(System.Byte value) => throw null; - public static bool IsRealNumber(System.Byte value) => throw null; - public static bool IsSubnormal(System.Byte value) => throw null; - public static bool IsZero(System.Byte value) => throw null; - public static System.Byte LeadingZeroCount(System.Byte value) => throw null; - public static System.Byte Log2(System.Byte value) => throw null; - public static System.Byte Max(System.Byte x, System.Byte y) => throw null; - public static System.Byte MaxMagnitude(System.Byte x, System.Byte y) => throw null; - public static System.Byte MaxMagnitudeNumber(System.Byte x, System.Byte y) => throw null; - public static System.Byte MaxNumber(System.Byte x, System.Byte y) => throw null; - public const System.Byte MaxValue = default; - static System.Byte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Byte Min(System.Byte x, System.Byte y) => throw null; - public static System.Byte MinMagnitude(System.Byte x, System.Byte y) => throw null; - public static System.Byte MinMagnitudeNumber(System.Byte x, System.Byte y) => throw null; - public static System.Byte MinNumber(System.Byte x, System.Byte y) => throw null; - public const System.Byte MinValue = default; - static System.Byte System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Byte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Byte System.Numerics.INumberBase.One { get => throw null; } - public static System.Byte Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Byte Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Byte Parse(string s) => throw null; - public static System.Byte Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Byte Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Byte Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Byte PopCount(System.Byte value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Byte RotateLeft(System.Byte value, int rotateAmount) => throw null; - public static System.Byte RotateRight(System.Byte value, int rotateAmount) => throw null; - public static int Sign(System.Byte value) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(byte value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(byte value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(byte value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(byte value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(byte value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(byte value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(byte value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(byte value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(byte value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(byte value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(byte value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(byte value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(byte value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(byte value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(byte value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(byte value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(byte value) => throw null; + static bool System.Numerics.INumberBase.IsZero(byte value) => throw null; + static byte System.Numerics.IBinaryInteger.LeadingZeroCount(byte value) => throw null; + static byte System.Numerics.IBinaryNumber.Log2(byte value) => throw null; + static byte System.Numerics.INumber.Max(byte x, byte y) => throw null; + static byte System.Numerics.INumberBase.MaxMagnitude(byte x, byte y) => throw null; + static byte System.Numerics.INumberBase.MaxMagnitudeNumber(byte x, byte y) => throw null; + static byte System.Numerics.INumber.MaxNumber(byte x, byte y) => throw null; + public static byte MaxValue; + static byte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static byte System.Numerics.INumber.Min(byte x, byte y) => throw null; + static byte System.Numerics.INumberBase.MinMagnitude(byte x, byte y) => throw null; + static byte System.Numerics.INumberBase.MinMagnitudeNumber(byte x, byte y) => throw null; + static byte System.Numerics.INumber.MinNumber(byte x, byte y) => throw null; + public static byte MinValue; + static byte System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static byte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static byte System.Numerics.INumberBase.One { get => throw null; } + static byte System.Numerics.IAdditionOperators.operator +(byte left, byte right) => throw null; + static byte System.Numerics.IBitwiseOperators.operator &(byte left, byte right) => throw null; + static byte System.Numerics.IBitwiseOperators.operator |(byte left, byte right) => throw null; + static byte System.Numerics.IAdditionOperators.operator checked +(byte left, byte right) => throw null; + static byte System.Numerics.IDecrementOperators.operator checked --(byte value) => throw null; + static byte System.Numerics.IIncrementOperators.operator checked ++(byte value) => throw null; + static byte System.Numerics.IMultiplyOperators.operator checked *(byte left, byte right) => throw null; + static byte System.Numerics.ISubtractionOperators.operator checked -(byte left, byte right) => throw null; + static byte System.Numerics.IUnaryNegationOperators.operator checked -(byte value) => throw null; + static byte System.Numerics.IDecrementOperators.operator --(byte value) => throw null; + static byte System.Numerics.IDivisionOperators.operator /(byte left, byte right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(byte left, byte right) => throw null; + static byte System.Numerics.IBitwiseOperators.operator ^(byte left, byte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(byte left, byte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(byte left, byte right) => throw null; + static byte System.Numerics.IIncrementOperators.operator ++(byte value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(byte left, byte right) => throw null; + static byte System.Numerics.IShiftOperators.operator <<(byte value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(byte left, byte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(byte left, byte right) => throw null; + static byte System.Numerics.IModulusOperators.operator %(byte left, byte right) => throw null; + static byte System.Numerics.IMultiplyOperators.operator *(byte left, byte right) => throw null; + static byte System.Numerics.IBitwiseOperators.operator ~(byte value) => throw null; + static byte System.Numerics.IShiftOperators.operator >>(byte value, int shiftAmount) => throw null; + static byte System.Numerics.ISubtractionOperators.operator -(byte left, byte right) => throw null; + static byte System.Numerics.IUnaryNegationOperators.operator -(byte value) => throw null; + static byte System.Numerics.IUnaryPlusOperators.operator +(byte value) => throw null; + static byte System.Numerics.IShiftOperators.operator >>>(byte value, int shiftAmount) => throw null; + static byte System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static byte System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static byte Parse(string s) => throw null; + public static byte Parse(string s, System.Globalization.NumberStyles style) => throw null; + static byte System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static byte System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static byte System.Numerics.IBinaryInteger.PopCount(byte value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static byte System.Numerics.IBinaryInteger.RotateLeft(byte value, int rotateAmount) => throw null; + static byte System.Numerics.IBinaryInteger.RotateRight(byte value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(byte value) => throw null; bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; public override string ToString() => throw null; public string ToString(System.IFormatProvider provider) => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider provider) => throw null; object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.Byte TrailingZeroCount(System.Byte value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Byte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Byte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Byte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Byte value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Byte value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Byte value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Byte result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Byte result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Byte result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Byte result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Byte result) => throw null; - public static bool TryParse(string s, out System.Byte result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Byte value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Byte value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Byte System.Numerics.INumberBase.Zero { get => throw null; } - static System.Byte System.Numerics.IBitwiseOperators.operator ^(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IMultiplyOperators.operator checked *(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IAdditionOperators.operator checked +(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IIncrementOperators.operator checked ++(System.Byte value) => throw null; - static System.Byte System.Numerics.IUnaryNegationOperators.operator checked -(System.Byte value) => throw null; - static System.Byte System.Numerics.ISubtractionOperators.operator checked -(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IDecrementOperators.operator checked --(System.Byte value) => throw null; - static System.Byte System.Numerics.IBitwiseOperators.operator |(System.Byte left, System.Byte right) => throw null; - static System.Byte System.Numerics.IBitwiseOperators.operator ~(System.Byte value) => throw null; - } - - public class CLSCompliantAttribute : System.Attribute - { - public CLSCompliantAttribute(bool isCompliant) => throw null; - public bool IsCompliant { get => throw null; } + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static byte System.Numerics.IBinaryInteger.TrailingZeroCount(byte value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out byte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out byte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out byte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(byte value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(byte value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(byte value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out byte result) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out byte result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out byte result) => throw null; + public static bool TryParse(string s, out byte result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out byte result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out byte result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out byte value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out byte value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static byte System.Numerics.INumberBase.Zero { get => throw null; } } - public class CannotUnloadAppDomainException : System.SystemException { public CannotUnloadAppDomainException() => throw null; @@ -843,9732 +838,6629 @@ public class CannotUnloadAppDomainException : System.SystemException public CannotUnloadAppDomainException(string message) => throw null; public CannotUnloadAppDomainException(string message, System.Exception innerException) => throw null; } - - public struct Char : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IModulusOperators.operator %(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IBitwiseOperators.operator &(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IMultiplyOperators.operator *(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IUnaryPlusOperators.operator +(System.Char value) => throw null; - static System.Char System.Numerics.IAdditionOperators.operator +(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IIncrementOperators.operator ++(System.Char value) => throw null; - static System.Char System.Numerics.IUnaryNegationOperators.operator -(System.Char value) => throw null; - static System.Char System.Numerics.ISubtractionOperators.operator -(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IDecrementOperators.operator --(System.Char value) => throw null; - static System.Char System.Numerics.IDivisionOperators.operator /(System.Char left, System.Char right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IShiftOperators.operator <<(System.Char value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Char left, System.Char right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Char left, System.Char right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Char left, System.Char right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IShiftOperators.operator >>(System.Char value, int shiftAmount) => throw null; - static System.Char System.Numerics.IShiftOperators.operator >>>(System.Char value, int shiftAmount) => throw null; - public static System.Char Abs(System.Char value) => throw null; - static System.Char System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Char System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - // Stub generator skipped constructor - public int CompareTo(System.Char value) => throw null; + public struct Char : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static char System.Numerics.INumberBase.Abs(char value) => throw null; + static char System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static char System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + public int CompareTo(char value) => throw null; public int CompareTo(object value) => throw null; public static string ConvertFromUtf32(int utf32) => throw null; - public static int ConvertToUtf32(System.Char highSurrogate, System.Char lowSurrogate) => throw null; + public static int ConvertToUtf32(char highSurrogate, char lowSurrogate) => throw null; public static int ConvertToUtf32(string s, int index) => throw null; - public bool Equals(System.Char obj) => throw null; + public bool Equals(char obj) => throw null; public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; public override int GetHashCode() => throw null; - public static double GetNumericValue(System.Char c) => throw null; + public static double GetNumericValue(char c) => throw null; public static double GetNumericValue(string s, int index) => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; public System.TypeCode GetTypeCode() => throw null; - public static System.Globalization.UnicodeCategory GetUnicodeCategory(System.Char c) => throw null; + public static System.Globalization.UnicodeCategory GetUnicodeCategory(char c) => throw null; public static System.Globalization.UnicodeCategory GetUnicodeCategory(string s, int index) => throw null; - public static bool IsAscii(System.Char c) => throw null; - public static bool IsAsciiDigit(System.Char c) => throw null; - public static bool IsAsciiHexDigit(System.Char c) => throw null; - public static bool IsAsciiHexDigitLower(System.Char c) => throw null; - public static bool IsAsciiHexDigitUpper(System.Char c) => throw null; - public static bool IsAsciiLetter(System.Char c) => throw null; - public static bool IsAsciiLetterLower(System.Char c) => throw null; - public static bool IsAsciiLetterOrDigit(System.Char c) => throw null; - public static bool IsAsciiLetterUpper(System.Char c) => throw null; - public static bool IsBetween(System.Char c, System.Char minInclusive, System.Char maxInclusive) => throw null; - public static bool IsCanonical(System.Char value) => throw null; - public static bool IsComplexNumber(System.Char value) => throw null; - public static bool IsControl(System.Char c) => throw null; + public static bool IsAscii(char c) => throw null; + public static bool IsAsciiDigit(char c) => throw null; + public static bool IsAsciiHexDigit(char c) => throw null; + public static bool IsAsciiHexDigitLower(char c) => throw null; + public static bool IsAsciiHexDigitUpper(char c) => throw null; + public static bool IsAsciiLetter(char c) => throw null; + public static bool IsAsciiLetterLower(char c) => throw null; + public static bool IsAsciiLetterOrDigit(char c) => throw null; + public static bool IsAsciiLetterUpper(char c) => throw null; + public static bool IsBetween(char c, char minInclusive, char maxInclusive) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(char value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(char value) => throw null; + public static bool IsControl(char c) => throw null; public static bool IsControl(string s, int index) => throw null; - public static bool IsDigit(System.Char c) => throw null; + public static bool IsDigit(char c) => throw null; public static bool IsDigit(string s, int index) => throw null; - public static bool IsEvenInteger(System.Char value) => throw null; - public static bool IsFinite(System.Char value) => throw null; - public static bool IsHighSurrogate(System.Char c) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(char value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(char value) => throw null; + public static bool IsHighSurrogate(char c) => throw null; public static bool IsHighSurrogate(string s, int index) => throw null; - public static bool IsImaginaryNumber(System.Char value) => throw null; - public static bool IsInfinity(System.Char value) => throw null; - public static bool IsInteger(System.Char value) => throw null; - public static bool IsLetter(System.Char c) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(char value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(char value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(char value) => throw null; + public static bool IsLetter(char c) => throw null; public static bool IsLetter(string s, int index) => throw null; - public static bool IsLetterOrDigit(System.Char c) => throw null; + public static bool IsLetterOrDigit(char c) => throw null; public static bool IsLetterOrDigit(string s, int index) => throw null; - public static bool IsLowSurrogate(System.Char c) => throw null; - public static bool IsLowSurrogate(string s, int index) => throw null; - public static bool IsLower(System.Char c) => throw null; + public static bool IsLower(char c) => throw null; public static bool IsLower(string s, int index) => throw null; - public static bool IsNaN(System.Char value) => throw null; - public static bool IsNegative(System.Char value) => throw null; - public static bool IsNegativeInfinity(System.Char value) => throw null; - public static bool IsNormal(System.Char value) => throw null; - public static bool IsNumber(System.Char c) => throw null; + public static bool IsLowSurrogate(char c) => throw null; + public static bool IsLowSurrogate(string s, int index) => throw null; + static bool System.Numerics.INumberBase.IsNaN(char value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(char value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(char value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(char value) => throw null; + public static bool IsNumber(char c) => throw null; public static bool IsNumber(string s, int index) => throw null; - public static bool IsOddInteger(System.Char value) => throw null; - public static bool IsPositive(System.Char value) => throw null; - public static bool IsPositiveInfinity(System.Char value) => throw null; - public static bool IsPow2(System.Char value) => throw null; - public static bool IsPunctuation(System.Char c) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(char value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(char value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(char value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(char value) => throw null; + public static bool IsPunctuation(char c) => throw null; public static bool IsPunctuation(string s, int index) => throw null; - public static bool IsRealNumber(System.Char value) => throw null; - public static bool IsSeparator(System.Char c) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(char value) => throw null; + public static bool IsSeparator(char c) => throw null; public static bool IsSeparator(string s, int index) => throw null; - public static bool IsSubnormal(System.Char value) => throw null; - public static bool IsSurrogate(System.Char c) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(char value) => throw null; + public static bool IsSurrogate(char c) => throw null; public static bool IsSurrogate(string s, int index) => throw null; - public static bool IsSurrogatePair(System.Char highSurrogate, System.Char lowSurrogate) => throw null; + public static bool IsSurrogatePair(char highSurrogate, char lowSurrogate) => throw null; public static bool IsSurrogatePair(string s, int index) => throw null; - public static bool IsSymbol(System.Char c) => throw null; + public static bool IsSymbol(char c) => throw null; public static bool IsSymbol(string s, int index) => throw null; - public static bool IsUpper(System.Char c) => throw null; + public static bool IsUpper(char c) => throw null; public static bool IsUpper(string s, int index) => throw null; - public static bool IsWhiteSpace(System.Char c) => throw null; + public static bool IsWhiteSpace(char c) => throw null; public static bool IsWhiteSpace(string s, int index) => throw null; - public static bool IsZero(System.Char value) => throw null; - public static System.Char LeadingZeroCount(System.Char value) => throw null; - public static System.Char Log2(System.Char value) => throw null; - public static System.Char MaxMagnitude(System.Char x, System.Char y) => throw null; - public static System.Char MaxMagnitudeNumber(System.Char x, System.Char y) => throw null; - public const System.Char MaxValue = default; - static System.Char System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Char MinMagnitude(System.Char x, System.Char y) => throw null; - public static System.Char MinMagnitudeNumber(System.Char x, System.Char y) => throw null; - public const System.Char MinValue = default; - static System.Char System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Char System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Char System.Numerics.INumberBase.One { get => throw null; } - public static System.Char Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Char Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Char Parse(string s) => throw null; - public static System.Char Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Char Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Char PopCount(System.Char value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Char RotateLeft(System.Char value, int rotateAmount) => throw null; - public static System.Char RotateRight(System.Char value, int rotateAmount) => throw null; + static bool System.Numerics.INumberBase.IsZero(char value) => throw null; + static char System.Numerics.IBinaryInteger.LeadingZeroCount(char value) => throw null; + static char System.Numerics.IBinaryNumber.Log2(char value) => throw null; + static char System.Numerics.INumberBase.MaxMagnitude(char x, char y) => throw null; + static char System.Numerics.INumberBase.MaxMagnitudeNumber(char x, char y) => throw null; + public static char MaxValue; + static char System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static char System.Numerics.INumberBase.MinMagnitude(char x, char y) => throw null; + static char System.Numerics.INumberBase.MinMagnitudeNumber(char x, char y) => throw null; + public static char MinValue; + static char System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static char System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static char System.Numerics.INumberBase.One { get => throw null; } + static char System.Numerics.IAdditionOperators.operator +(char left, char right) => throw null; + static char System.Numerics.IBitwiseOperators.operator &(char left, char right) => throw null; + static char System.Numerics.IBitwiseOperators.operator |(char left, char right) => throw null; + static char System.Numerics.IAdditionOperators.operator checked +(char left, char right) => throw null; + static char System.Numerics.IDecrementOperators.operator checked --(char value) => throw null; + static char System.Numerics.IIncrementOperators.operator checked ++(char value) => throw null; + static char System.Numerics.IMultiplyOperators.operator checked *(char left, char right) => throw null; + static char System.Numerics.ISubtractionOperators.operator checked -(char left, char right) => throw null; + static char System.Numerics.IUnaryNegationOperators.operator checked -(char value) => throw null; + static char System.Numerics.IDecrementOperators.operator --(char value) => throw null; + static char System.Numerics.IDivisionOperators.operator /(char left, char right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(char left, char right) => throw null; + static char System.Numerics.IBitwiseOperators.operator ^(char left, char right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(char left, char right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(char left, char right) => throw null; + static char System.Numerics.IIncrementOperators.operator ++(char value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(char left, char right) => throw null; + static char System.Numerics.IShiftOperators.operator <<(char value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(char left, char right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(char left, char right) => throw null; + static char System.Numerics.IModulusOperators.operator %(char left, char right) => throw null; + static char System.Numerics.IMultiplyOperators.operator *(char left, char right) => throw null; + static char System.Numerics.IBitwiseOperators.operator ~(char value) => throw null; + static char System.Numerics.IShiftOperators.operator >>(char value, int shiftAmount) => throw null; + static char System.Numerics.ISubtractionOperators.operator -(char left, char right) => throw null; + static char System.Numerics.IUnaryNegationOperators.operator -(char value) => throw null; + static char System.Numerics.IUnaryPlusOperators.operator +(char value) => throw null; + static char System.Numerics.IShiftOperators.operator >>>(char value, int shiftAmount) => throw null; + public static char Parse(string s) => throw null; + static char System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static char System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + static char System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static char System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static char System.Numerics.IBinaryInteger.PopCount(char value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static char System.Numerics.IBinaryInteger.RotateLeft(char value, int rotateAmount) => throw null; + static char System.Numerics.IBinaryInteger.RotateRight(char value, int rotateAmount) => throw null; bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - public static System.Char ToLower(System.Char c) => throw null; - public static System.Char ToLower(System.Char c, System.Globalization.CultureInfo culture) => throw null; - public static System.Char ToLowerInvariant(System.Char c) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + public static char ToLower(char c) => throw null; + public static char ToLower(char c, System.Globalization.CultureInfo culture) => throw null; + public static char ToLowerInvariant(char c) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + string System.IFormattable.ToString(string format, System.IFormatProvider formatProvider) => throw null; public override string ToString() => throw null; + public static string ToString(char c) => throw null; public string ToString(System.IFormatProvider provider) => throw null; - public static string ToString(System.Char c) => throw null; - string System.IFormattable.ToString(string format, System.IFormatProvider formatProvider) => throw null; object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.Char ToUpper(System.Char c) => throw null; - public static System.Char ToUpper(System.Char c, System.Globalization.CultureInfo culture) => throw null; - public static System.Char ToUpperInvariant(System.Char c) => throw null; - public static System.Char TrailingZeroCount(System.Char value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Char result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Char result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Char result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Char value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Char value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Char value, out TOther result) => throw null; - bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Char result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Char result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Char result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Char result) => throw null; - public static bool TryParse(string s, out System.Char result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Char value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Char value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Char System.Numerics.INumberBase.Zero { get => throw null; } - static System.Char System.Numerics.IBitwiseOperators.operator ^(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IMultiplyOperators.operator checked *(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IAdditionOperators.operator checked +(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IIncrementOperators.operator checked ++(System.Char value) => throw null; - static System.Char System.Numerics.IUnaryNegationOperators.operator checked -(System.Char value) => throw null; - static System.Char System.Numerics.ISubtractionOperators.operator checked -(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IDecrementOperators.operator checked --(System.Char value) => throw null; - static System.Char System.Numerics.IBitwiseOperators.operator |(System.Char left, System.Char right) => throw null; - static System.Char System.Numerics.IBitwiseOperators.operator ~(System.Char value) => throw null; - } - - public class CharEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.ICloneable, System.IDisposable + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public static char ToUpper(char c) => throw null; + public static char ToUpper(char c, System.Globalization.CultureInfo culture) => throw null; + public static char ToUpperInvariant(char c) => throw null; + static char System.Numerics.IBinaryInteger.TrailingZeroCount(char value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out char result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out char result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out char result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(char value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(char value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(char value, out TOther result) => throw null; + bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out char result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out char result) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out char result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out char result) => throw null; + public static bool TryParse(string s, out char result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out char value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out char value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static char System.Numerics.INumberBase.Zero { get => throw null; } + } + public sealed class CharEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.ICloneable { public object Clone() => throw null; - public System.Char Current { get => throw null; } + public char Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - public delegate int Comparison(T x, T y); - - public abstract class ContextBoundObject : System.MarshalByRefObject + public sealed class CLSCompliantAttribute : System.Attribute { - protected ContextBoundObject() => throw null; + public CLSCompliantAttribute(bool isCompliant) => throw null; + public bool IsCompliant { get => throw null; } } - - public class ContextMarshalException : System.SystemException + namespace CodeDom { - public ContextMarshalException() => throw null; - protected ContextMarshalException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public ContextMarshalException(string message) => throw null; - public ContextMarshalException(string message, System.Exception inner) => throw null; + namespace Compiler + { + public sealed class GeneratedCodeAttribute : System.Attribute + { + public GeneratedCodeAttribute(string tool, string version) => throw null; + public string Tool { get => throw null; } + public string Version { get => throw null; } + } + public class IndentedTextWriter : System.IO.TextWriter + { + public override void Close() => throw null; + public IndentedTextWriter(System.IO.TextWriter writer) => throw null; + public IndentedTextWriter(System.IO.TextWriter writer, string tabString) => throw null; + public static string DefaultTabString; + public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public override System.Text.Encoding Encoding { get => throw null; } + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync() => throw null; + public int Indent { get => throw null; set { } } + public System.IO.TextWriter InnerWriter { get => throw null; } + public override string NewLine { get => throw null; set { } } + protected virtual void OutputTabs() => throw null; + protected virtual System.Threading.Tasks.Task OutputTabsAsync() => throw null; + public override void Write(bool value) => throw null; + public override void Write(char value) => throw null; + public override void Write(char[] buffer) => throw null; + public override void Write(char[] buffer, int index, int count) => throw null; + public override void Write(double value) => throw null; + public override void Write(int value) => throw null; + public override void Write(long value) => throw null; + public override void Write(object value) => throw null; + public override void Write(float value) => throw null; + public override void Write(string s) => throw null; + public override void Write(string format, object arg0) => throw null; + public override void Write(string format, object arg0, object arg1) => throw null; + public override void Write(string format, params object[] arg) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteLine() => throw null; + public override void WriteLine(bool value) => throw null; + public override void WriteLine(char value) => throw null; + public override void WriteLine(char[] buffer) => throw null; + public override void WriteLine(char[] buffer, int index, int count) => throw null; + public override void WriteLine(double value) => throw null; + public override void WriteLine(int value) => throw null; + public override void WriteLine(long value) => throw null; + public override void WriteLine(object value) => throw null; + public override void WriteLine(float value) => throw null; + public override void WriteLine(string s) => throw null; + public override void WriteLine(string format, object arg0) => throw null; + public override void WriteLine(string format, object arg0, object arg1) => throw null; + public override void WriteLine(string format, params object[] arg) => throw null; + public override void WriteLine(uint value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync() => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void WriteLineNoTabs(string s) => throw null; + public System.Threading.Tasks.Task WriteLineNoTabsAsync(string s) => throw null; + } + } } - - public class ContextStaticAttribute : System.Attribute + namespace Collections { - public ContextStaticAttribute() => throw null; - } - - public static class Convert - { - public static object ChangeType(object value, System.Type conversionType) => throw null; - public static object ChangeType(object value, System.Type conversionType, System.IFormatProvider provider) => throw null; - public static object ChangeType(object value, System.TypeCode typeCode) => throw null; - public static object ChangeType(object value, System.TypeCode typeCode, System.IFormatProvider provider) => throw null; - public static object DBNull; - public static System.Byte[] FromBase64CharArray(System.Char[] inArray, int offset, int length) => throw null; - public static System.Byte[] FromBase64String(string s) => throw null; - public static System.Byte[] FromHexString(System.ReadOnlySpan chars) => throw null; - public static System.Byte[] FromHexString(string s) => throw null; - public static System.TypeCode GetTypeCode(object value) => throw null; - public static bool IsDBNull(object value) => throw null; - public static int ToBase64CharArray(System.Byte[] inArray, int offsetIn, int length, System.Char[] outArray, int offsetOut) => throw null; - public static int ToBase64CharArray(System.Byte[] inArray, int offsetIn, int length, System.Char[] outArray, int offsetOut, System.Base64FormattingOptions options) => throw null; - public static string ToBase64String(System.Byte[] inArray) => throw null; - public static string ToBase64String(System.Byte[] inArray, System.Base64FormattingOptions options) => throw null; - public static string ToBase64String(System.Byte[] inArray, int offset, int length) => throw null; - public static string ToBase64String(System.Byte[] inArray, int offset, int length, System.Base64FormattingOptions options) => throw null; - public static string ToBase64String(System.ReadOnlySpan bytes, System.Base64FormattingOptions options = default(System.Base64FormattingOptions)) => throw null; - public static bool ToBoolean(System.DateTime value) => throw null; - public static bool ToBoolean(bool value) => throw null; - public static bool ToBoolean(System.Byte value) => throw null; - public static bool ToBoolean(System.Char value) => throw null; - public static bool ToBoolean(System.Decimal value) => throw null; - public static bool ToBoolean(double value) => throw null; - public static bool ToBoolean(float value) => throw null; - public static bool ToBoolean(int value) => throw null; - public static bool ToBoolean(System.Int64 value) => throw null; - public static bool ToBoolean(object value) => throw null; - public static bool ToBoolean(object value, System.IFormatProvider provider) => throw null; - public static bool ToBoolean(System.SByte value) => throw null; - public static bool ToBoolean(System.Int16 value) => throw null; - public static bool ToBoolean(string value) => throw null; - public static bool ToBoolean(string value, System.IFormatProvider provider) => throw null; - public static bool ToBoolean(System.UInt32 value) => throw null; - public static bool ToBoolean(System.UInt64 value) => throw null; - public static bool ToBoolean(System.UInt16 value) => throw null; - public static System.Byte ToByte(System.DateTime value) => throw null; - public static System.Byte ToByte(bool value) => throw null; - public static System.Byte ToByte(System.Byte value) => throw null; - public static System.Byte ToByte(System.Char value) => throw null; - public static System.Byte ToByte(System.Decimal value) => throw null; - public static System.Byte ToByte(double value) => throw null; - public static System.Byte ToByte(float value) => throw null; - public static System.Byte ToByte(int value) => throw null; - public static System.Byte ToByte(System.Int64 value) => throw null; - public static System.Byte ToByte(object value) => throw null; - public static System.Byte ToByte(object value, System.IFormatProvider provider) => throw null; - public static System.Byte ToByte(System.SByte value) => throw null; - public static System.Byte ToByte(System.Int16 value) => throw null; - public static System.Byte ToByte(string value) => throw null; - public static System.Byte ToByte(string value, System.IFormatProvider provider) => throw null; - public static System.Byte ToByte(string value, int fromBase) => throw null; - public static System.Byte ToByte(System.UInt32 value) => throw null; - public static System.Byte ToByte(System.UInt64 value) => throw null; - public static System.Byte ToByte(System.UInt16 value) => throw null; - public static System.Char ToChar(System.DateTime value) => throw null; - public static System.Char ToChar(bool value) => throw null; - public static System.Char ToChar(System.Byte value) => throw null; - public static System.Char ToChar(System.Char value) => throw null; - public static System.Char ToChar(System.Decimal value) => throw null; - public static System.Char ToChar(double value) => throw null; - public static System.Char ToChar(float value) => throw null; - public static System.Char ToChar(int value) => throw null; - public static System.Char ToChar(System.Int64 value) => throw null; - public static System.Char ToChar(object value) => throw null; - public static System.Char ToChar(object value, System.IFormatProvider provider) => throw null; - public static System.Char ToChar(System.SByte value) => throw null; - public static System.Char ToChar(System.Int16 value) => throw null; - public static System.Char ToChar(string value) => throw null; - public static System.Char ToChar(string value, System.IFormatProvider provider) => throw null; - public static System.Char ToChar(System.UInt32 value) => throw null; - public static System.Char ToChar(System.UInt64 value) => throw null; - public static System.Char ToChar(System.UInt16 value) => throw null; - public static System.DateTime ToDateTime(System.DateTime value) => throw null; - public static System.DateTime ToDateTime(bool value) => throw null; - public static System.DateTime ToDateTime(System.Byte value) => throw null; - public static System.DateTime ToDateTime(System.Char value) => throw null; - public static System.DateTime ToDateTime(System.Decimal value) => throw null; - public static System.DateTime ToDateTime(double value) => throw null; - public static System.DateTime ToDateTime(float value) => throw null; - public static System.DateTime ToDateTime(int value) => throw null; - public static System.DateTime ToDateTime(System.Int64 value) => throw null; - public static System.DateTime ToDateTime(object value) => throw null; - public static System.DateTime ToDateTime(object value, System.IFormatProvider provider) => throw null; - public static System.DateTime ToDateTime(System.SByte value) => throw null; - public static System.DateTime ToDateTime(System.Int16 value) => throw null; - public static System.DateTime ToDateTime(string value) => throw null; - public static System.DateTime ToDateTime(string value, System.IFormatProvider provider) => throw null; - public static System.DateTime ToDateTime(System.UInt32 value) => throw null; - public static System.DateTime ToDateTime(System.UInt64 value) => throw null; - public static System.DateTime ToDateTime(System.UInt16 value) => throw null; - public static System.Decimal ToDecimal(System.DateTime value) => throw null; - public static System.Decimal ToDecimal(bool value) => throw null; - public static System.Decimal ToDecimal(System.Byte value) => throw null; - public static System.Decimal ToDecimal(System.Char value) => throw null; - public static System.Decimal ToDecimal(System.Decimal value) => throw null; - public static System.Decimal ToDecimal(double value) => throw null; - public static System.Decimal ToDecimal(float value) => throw null; - public static System.Decimal ToDecimal(int value) => throw null; - public static System.Decimal ToDecimal(System.Int64 value) => throw null; - public static System.Decimal ToDecimal(object value) => throw null; - public static System.Decimal ToDecimal(object value, System.IFormatProvider provider) => throw null; - public static System.Decimal ToDecimal(System.SByte value) => throw null; - public static System.Decimal ToDecimal(System.Int16 value) => throw null; - public static System.Decimal ToDecimal(string value) => throw null; - public static System.Decimal ToDecimal(string value, System.IFormatProvider provider) => throw null; - public static System.Decimal ToDecimal(System.UInt32 value) => throw null; - public static System.Decimal ToDecimal(System.UInt64 value) => throw null; - public static System.Decimal ToDecimal(System.UInt16 value) => throw null; - public static double ToDouble(System.DateTime value) => throw null; - public static double ToDouble(bool value) => throw null; - public static double ToDouble(System.Byte value) => throw null; - public static double ToDouble(System.Char value) => throw null; - public static double ToDouble(System.Decimal value) => throw null; - public static double ToDouble(double value) => throw null; - public static double ToDouble(float value) => throw null; - public static double ToDouble(int value) => throw null; - public static double ToDouble(System.Int64 value) => throw null; - public static double ToDouble(object value) => throw null; - public static double ToDouble(object value, System.IFormatProvider provider) => throw null; - public static double ToDouble(System.SByte value) => throw null; - public static double ToDouble(System.Int16 value) => throw null; - public static double ToDouble(string value) => throw null; - public static double ToDouble(string value, System.IFormatProvider provider) => throw null; - public static double ToDouble(System.UInt32 value) => throw null; - public static double ToDouble(System.UInt64 value) => throw null; - public static double ToDouble(System.UInt16 value) => throw null; - public static string ToHexString(System.Byte[] inArray) => throw null; - public static string ToHexString(System.Byte[] inArray, int offset, int length) => throw null; - public static string ToHexString(System.ReadOnlySpan bytes) => throw null; - public static System.Int16 ToInt16(System.DateTime value) => throw null; - public static System.Int16 ToInt16(bool value) => throw null; - public static System.Int16 ToInt16(System.Byte value) => throw null; - public static System.Int16 ToInt16(System.Char value) => throw null; - public static System.Int16 ToInt16(System.Decimal value) => throw null; - public static System.Int16 ToInt16(double value) => throw null; - public static System.Int16 ToInt16(float value) => throw null; - public static System.Int16 ToInt16(int value) => throw null; - public static System.Int16 ToInt16(System.Int64 value) => throw null; - public static System.Int16 ToInt16(object value) => throw null; - public static System.Int16 ToInt16(object value, System.IFormatProvider provider) => throw null; - public static System.Int16 ToInt16(System.SByte value) => throw null; - public static System.Int16 ToInt16(System.Int16 value) => throw null; - public static System.Int16 ToInt16(string value) => throw null; - public static System.Int16 ToInt16(string value, System.IFormatProvider provider) => throw null; - public static System.Int16 ToInt16(string value, int fromBase) => throw null; - public static System.Int16 ToInt16(System.UInt32 value) => throw null; - public static System.Int16 ToInt16(System.UInt64 value) => throw null; - public static System.Int16 ToInt16(System.UInt16 value) => throw null; - public static int ToInt32(System.DateTime value) => throw null; - public static int ToInt32(bool value) => throw null; - public static int ToInt32(System.Byte value) => throw null; - public static int ToInt32(System.Char value) => throw null; - public static int ToInt32(System.Decimal value) => throw null; - public static int ToInt32(double value) => throw null; - public static int ToInt32(float value) => throw null; - public static int ToInt32(int value) => throw null; - public static int ToInt32(System.Int64 value) => throw null; - public static int ToInt32(object value) => throw null; - public static int ToInt32(object value, System.IFormatProvider provider) => throw null; - public static int ToInt32(System.SByte value) => throw null; - public static int ToInt32(System.Int16 value) => throw null; - public static int ToInt32(string value) => throw null; - public static int ToInt32(string value, System.IFormatProvider provider) => throw null; - public static int ToInt32(string value, int fromBase) => throw null; - public static int ToInt32(System.UInt32 value) => throw null; - public static int ToInt32(System.UInt64 value) => throw null; - public static int ToInt32(System.UInt16 value) => throw null; - public static System.Int64 ToInt64(System.DateTime value) => throw null; - public static System.Int64 ToInt64(bool value) => throw null; - public static System.Int64 ToInt64(System.Byte value) => throw null; - public static System.Int64 ToInt64(System.Char value) => throw null; - public static System.Int64 ToInt64(System.Decimal value) => throw null; - public static System.Int64 ToInt64(double value) => throw null; - public static System.Int64 ToInt64(float value) => throw null; - public static System.Int64 ToInt64(int value) => throw null; - public static System.Int64 ToInt64(System.Int64 value) => throw null; - public static System.Int64 ToInt64(object value) => throw null; - public static System.Int64 ToInt64(object value, System.IFormatProvider provider) => throw null; - public static System.Int64 ToInt64(System.SByte value) => throw null; - public static System.Int64 ToInt64(System.Int16 value) => throw null; - public static System.Int64 ToInt64(string value) => throw null; - public static System.Int64 ToInt64(string value, System.IFormatProvider provider) => throw null; - public static System.Int64 ToInt64(string value, int fromBase) => throw null; - public static System.Int64 ToInt64(System.UInt32 value) => throw null; - public static System.Int64 ToInt64(System.UInt64 value) => throw null; - public static System.Int64 ToInt64(System.UInt16 value) => throw null; - public static System.SByte ToSByte(System.DateTime value) => throw null; - public static System.SByte ToSByte(bool value) => throw null; - public static System.SByte ToSByte(System.Byte value) => throw null; - public static System.SByte ToSByte(System.Char value) => throw null; - public static System.SByte ToSByte(System.Decimal value) => throw null; - public static System.SByte ToSByte(double value) => throw null; - public static System.SByte ToSByte(float value) => throw null; - public static System.SByte ToSByte(int value) => throw null; - public static System.SByte ToSByte(System.Int64 value) => throw null; - public static System.SByte ToSByte(object value) => throw null; - public static System.SByte ToSByte(object value, System.IFormatProvider provider) => throw null; - public static System.SByte ToSByte(System.SByte value) => throw null; - public static System.SByte ToSByte(System.Int16 value) => throw null; - public static System.SByte ToSByte(string value) => throw null; - public static System.SByte ToSByte(string value, System.IFormatProvider provider) => throw null; - public static System.SByte ToSByte(string value, int fromBase) => throw null; - public static System.SByte ToSByte(System.UInt32 value) => throw null; - public static System.SByte ToSByte(System.UInt64 value) => throw null; - public static System.SByte ToSByte(System.UInt16 value) => throw null; - public static float ToSingle(System.DateTime value) => throw null; - public static float ToSingle(bool value) => throw null; - public static float ToSingle(System.Byte value) => throw null; - public static float ToSingle(System.Char value) => throw null; - public static float ToSingle(System.Decimal value) => throw null; - public static float ToSingle(double value) => throw null; - public static float ToSingle(float value) => throw null; - public static float ToSingle(int value) => throw null; - public static float ToSingle(System.Int64 value) => throw null; - public static float ToSingle(object value) => throw null; - public static float ToSingle(object value, System.IFormatProvider provider) => throw null; - public static float ToSingle(System.SByte value) => throw null; - public static float ToSingle(System.Int16 value) => throw null; - public static float ToSingle(string value) => throw null; - public static float ToSingle(string value, System.IFormatProvider provider) => throw null; - public static float ToSingle(System.UInt32 value) => throw null; - public static float ToSingle(System.UInt64 value) => throw null; - public static float ToSingle(System.UInt16 value) => throw null; - public static string ToString(System.DateTime value) => throw null; - public static string ToString(System.DateTime value, System.IFormatProvider provider) => throw null; - public static string ToString(bool value) => throw null; - public static string ToString(bool value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Byte value) => throw null; - public static string ToString(System.Byte value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Byte value, int toBase) => throw null; - public static string ToString(System.Char value) => throw null; - public static string ToString(System.Char value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Decimal value) => throw null; - public static string ToString(System.Decimal value, System.IFormatProvider provider) => throw null; - public static string ToString(double value) => throw null; - public static string ToString(double value, System.IFormatProvider provider) => throw null; - public static string ToString(float value) => throw null; - public static string ToString(float value, System.IFormatProvider provider) => throw null; - public static string ToString(int value) => throw null; - public static string ToString(int value, System.IFormatProvider provider) => throw null; - public static string ToString(int value, int toBase) => throw null; - public static string ToString(System.Int64 value) => throw null; - public static string ToString(System.Int64 value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Int64 value, int toBase) => throw null; - public static string ToString(object value) => throw null; - public static string ToString(object value, System.IFormatProvider provider) => throw null; - public static string ToString(System.SByte value) => throw null; - public static string ToString(System.SByte value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Int16 value) => throw null; - public static string ToString(System.Int16 value, System.IFormatProvider provider) => throw null; - public static string ToString(System.Int16 value, int toBase) => throw null; - public static string ToString(string value) => throw null; - public static string ToString(string value, System.IFormatProvider provider) => throw null; - public static string ToString(System.UInt32 value) => throw null; - public static string ToString(System.UInt32 value, System.IFormatProvider provider) => throw null; - public static string ToString(System.UInt64 value) => throw null; - public static string ToString(System.UInt64 value, System.IFormatProvider provider) => throw null; - public static string ToString(System.UInt16 value) => throw null; - public static string ToString(System.UInt16 value, System.IFormatProvider provider) => throw null; - public static System.UInt16 ToUInt16(System.DateTime value) => throw null; - public static System.UInt16 ToUInt16(bool value) => throw null; - public static System.UInt16 ToUInt16(System.Byte value) => throw null; - public static System.UInt16 ToUInt16(System.Char value) => throw null; - public static System.UInt16 ToUInt16(System.Decimal value) => throw null; - public static System.UInt16 ToUInt16(double value) => throw null; - public static System.UInt16 ToUInt16(float value) => throw null; - public static System.UInt16 ToUInt16(int value) => throw null; - public static System.UInt16 ToUInt16(System.Int64 value) => throw null; - public static System.UInt16 ToUInt16(object value) => throw null; - public static System.UInt16 ToUInt16(object value, System.IFormatProvider provider) => throw null; - public static System.UInt16 ToUInt16(System.SByte value) => throw null; - public static System.UInt16 ToUInt16(System.Int16 value) => throw null; - public static System.UInt16 ToUInt16(string value) => throw null; - public static System.UInt16 ToUInt16(string value, System.IFormatProvider provider) => throw null; - public static System.UInt16 ToUInt16(string value, int fromBase) => throw null; - public static System.UInt16 ToUInt16(System.UInt32 value) => throw null; - public static System.UInt16 ToUInt16(System.UInt64 value) => throw null; - public static System.UInt16 ToUInt16(System.UInt16 value) => throw null; - public static System.UInt32 ToUInt32(System.DateTime value) => throw null; - public static System.UInt32 ToUInt32(bool value) => throw null; - public static System.UInt32 ToUInt32(System.Byte value) => throw null; - public static System.UInt32 ToUInt32(System.Char value) => throw null; - public static System.UInt32 ToUInt32(System.Decimal value) => throw null; - public static System.UInt32 ToUInt32(double value) => throw null; - public static System.UInt32 ToUInt32(float value) => throw null; - public static System.UInt32 ToUInt32(int value) => throw null; - public static System.UInt32 ToUInt32(System.Int64 value) => throw null; - public static System.UInt32 ToUInt32(object value) => throw null; - public static System.UInt32 ToUInt32(object value, System.IFormatProvider provider) => throw null; - public static System.UInt32 ToUInt32(System.SByte value) => throw null; - public static System.UInt32 ToUInt32(System.Int16 value) => throw null; - public static System.UInt32 ToUInt32(string value) => throw null; - public static System.UInt32 ToUInt32(string value, System.IFormatProvider provider) => throw null; - public static System.UInt32 ToUInt32(string value, int fromBase) => throw null; - public static System.UInt32 ToUInt32(System.UInt32 value) => throw null; - public static System.UInt32 ToUInt32(System.UInt64 value) => throw null; - public static System.UInt32 ToUInt32(System.UInt16 value) => throw null; - public static System.UInt64 ToUInt64(System.DateTime value) => throw null; - public static System.UInt64 ToUInt64(bool value) => throw null; - public static System.UInt64 ToUInt64(System.Byte value) => throw null; - public static System.UInt64 ToUInt64(System.Char value) => throw null; - public static System.UInt64 ToUInt64(System.Decimal value) => throw null; - public static System.UInt64 ToUInt64(double value) => throw null; - public static System.UInt64 ToUInt64(float value) => throw null; - public static System.UInt64 ToUInt64(int value) => throw null; - public static System.UInt64 ToUInt64(System.Int64 value) => throw null; - public static System.UInt64 ToUInt64(object value) => throw null; - public static System.UInt64 ToUInt64(object value, System.IFormatProvider provider) => throw null; - public static System.UInt64 ToUInt64(System.SByte value) => throw null; - public static System.UInt64 ToUInt64(System.Int16 value) => throw null; - public static System.UInt64 ToUInt64(string value) => throw null; - public static System.UInt64 ToUInt64(string value, System.IFormatProvider provider) => throw null; - public static System.UInt64 ToUInt64(string value, int fromBase) => throw null; - public static System.UInt64 ToUInt64(System.UInt32 value) => throw null; - public static System.UInt64 ToUInt64(System.UInt64 value) => throw null; - public static System.UInt64 ToUInt64(System.UInt16 value) => throw null; - public static bool TryFromBase64Chars(System.ReadOnlySpan chars, System.Span bytes, out int bytesWritten) => throw null; - public static bool TryFromBase64String(string s, System.Span bytes, out int bytesWritten) => throw null; - public static bool TryToBase64Chars(System.ReadOnlySpan bytes, System.Span chars, out int charsWritten, System.Base64FormattingOptions options = default(System.Base64FormattingOptions)) => throw null; - } - - public delegate TOutput Converter(TInput input); - - public class DBNull : System.IConvertible, System.Runtime.Serialization.ISerializable - { - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.TypeCode GetTypeCode() => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.DBNull Value; - } - - public struct DateOnly : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable - { - public static bool operator !=(System.DateOnly left, System.DateOnly right) => throw null; - public static bool operator <(System.DateOnly left, System.DateOnly right) => throw null; - public static bool operator <=(System.DateOnly left, System.DateOnly right) => throw null; - public static bool operator ==(System.DateOnly left, System.DateOnly right) => throw null; - public static bool operator >(System.DateOnly left, System.DateOnly right) => throw null; - public static bool operator >=(System.DateOnly left, System.DateOnly right) => throw null; - public System.DateOnly AddDays(int value) => throw null; - public System.DateOnly AddMonths(int value) => throw null; - public System.DateOnly AddYears(int value) => throw null; - public int CompareTo(System.DateOnly value) => throw null; - public int CompareTo(object value) => throw null; - // Stub generator skipped constructor - public DateOnly(int year, int month, int day) => throw null; - public DateOnly(int year, int month, int day, System.Globalization.Calendar calendar) => throw null; - public int Day { get => throw null; } - public int DayNumber { get => throw null; } - public System.DayOfWeek DayOfWeek { get => throw null; } - public int DayOfYear { get => throw null; } - public bool Equals(System.DateOnly value) => throw null; - public override bool Equals(object value) => throw null; - public static System.DateOnly FromDateTime(System.DateTime dateTime) => throw null; - public static System.DateOnly FromDayNumber(int dayNumber) => throw null; - public override int GetHashCode() => throw null; - public static System.DateOnly MaxValue { get => throw null; } - public static System.DateOnly MinValue { get => throw null; } - public int Month { get => throw null; } - public static System.DateOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.DateOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateOnly Parse(string s) => throw null; - public static System.DateOnly Parse(string s, System.IFormatProvider provider) => throw null; - public static System.DateOnly Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateOnly ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateOnly ParseExact(System.ReadOnlySpan s, string[] formats) => throw null; - public static System.DateOnly ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateOnly ParseExact(string s, string[] formats) => throw null; - public static System.DateOnly ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateOnly ParseExact(string s, string format) => throw null; - public static System.DateOnly ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public System.DateTime ToDateTime(System.TimeOnly time) => throw null; - public System.DateTime ToDateTime(System.TimeOnly time, System.DateTimeKind kind) => throw null; - public string ToLongDateString() => throw null; - public string ToShortDateString() => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateOnly result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.DateOnly result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.DateOnly result) => throw null; - public static bool TryParse(string s, out System.DateOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, out System.DateOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, out System.DateOnly result) => throw null; - public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParseExact(string s, string[] formats, out System.DateOnly result) => throw null; - public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; - public static bool TryParseExact(string s, string format, out System.DateOnly result) => throw null; - public int Year { get => throw null; } - } - - public struct DateTime : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.DateTime d1, System.DateTime d2) => throw null; - public static System.DateTime operator +(System.DateTime d, System.TimeSpan t) => throw null; - public static System.TimeSpan operator -(System.DateTime d1, System.DateTime d2) => throw null; - public static System.DateTime operator -(System.DateTime d, System.TimeSpan t) => throw null; - public static bool operator <(System.DateTime t1, System.DateTime t2) => throw null; - public static bool operator <=(System.DateTime t1, System.DateTime t2) => throw null; - public static bool operator ==(System.DateTime d1, System.DateTime d2) => throw null; - public static bool operator >(System.DateTime t1, System.DateTime t2) => throw null; - public static bool operator >=(System.DateTime t1, System.DateTime t2) => throw null; - public System.DateTime Add(System.TimeSpan value) => throw null; - public System.DateTime AddDays(double value) => throw null; - public System.DateTime AddHours(double value) => throw null; - public System.DateTime AddMicroseconds(double value) => throw null; - public System.DateTime AddMilliseconds(double value) => throw null; - public System.DateTime AddMinutes(double value) => throw null; - public System.DateTime AddMonths(int months) => throw null; - public System.DateTime AddSeconds(double value) => throw null; - public System.DateTime AddTicks(System.Int64 value) => throw null; - public System.DateTime AddYears(int value) => throw null; - public static int Compare(System.DateTime t1, System.DateTime t2) => throw null; - public int CompareTo(System.DateTime value) => throw null; - public int CompareTo(object value) => throw null; - public System.DateTime Date { get => throw null; } - // Stub generator skipped constructor - public DateTime(int year, int month, int day) => throw null; - public DateTime(int year, int month, int day, System.Globalization.Calendar calendar) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, System.Globalization.Calendar calendar) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, System.DateTimeKind kind) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar, System.DateTimeKind kind) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.DateTimeKind kind) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar, System.DateTimeKind kind) => throw null; - public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.DateTimeKind kind) => throw null; - public DateTime(System.Int64 ticks) => throw null; - public DateTime(System.Int64 ticks, System.DateTimeKind kind) => throw null; - public int Day { get => throw null; } - public System.DayOfWeek DayOfWeek { get => throw null; } - public int DayOfYear { get => throw null; } - public static int DaysInMonth(int year, int month) => throw null; - public bool Equals(System.DateTime value) => throw null; - public static bool Equals(System.DateTime t1, System.DateTime t2) => throw null; - public override bool Equals(object value) => throw null; - public static System.DateTime FromBinary(System.Int64 dateData) => throw null; - public static System.DateTime FromFileTime(System.Int64 fileTime) => throw null; - public static System.DateTime FromFileTimeUtc(System.Int64 fileTime) => throw null; - public static System.DateTime FromOADate(double d) => throw null; - public string[] GetDateTimeFormats() => throw null; - public string[] GetDateTimeFormats(System.IFormatProvider provider) => throw null; - public string[] GetDateTimeFormats(System.Char format) => throw null; - public string[] GetDateTimeFormats(System.Char format, System.IFormatProvider provider) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.TypeCode GetTypeCode() => throw null; - public int Hour { get => throw null; } - public bool IsDaylightSavingTime() => throw null; - public static bool IsLeapYear(int year) => throw null; - public System.DateTimeKind Kind { get => throw null; } - public static System.DateTime MaxValue; - public int Microsecond { get => throw null; } - public int Millisecond { get => throw null; } - public static System.DateTime MinValue; - public int Minute { get => throw null; } - public int Month { get => throw null; } - public int Nanosecond { get => throw null; } - public static System.DateTime Now { get => throw null; } - public static System.DateTime Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.DateTime Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTime Parse(string s) => throw null; - public static System.DateTime Parse(string s, System.IFormatProvider provider) => throw null; - public static System.DateTime Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles) => throw null; - public static System.DateTime ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTime ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTime ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style) => throw null; - public static System.DateTime ParseExact(string s, string format, System.IFormatProvider provider) => throw null; - public static System.DateTime ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style) => throw null; - public int Second { get => throw null; } - public static System.DateTime SpecifyKind(System.DateTime value, System.DateTimeKind kind) => throw null; - public System.TimeSpan Subtract(System.DateTime value) => throw null; - public System.DateTime Subtract(System.TimeSpan value) => throw null; - public System.Int64 Ticks { get => throw null; } - public System.TimeSpan TimeOfDay { get => throw null; } - public System.Int64 ToBinary() => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - public System.Int64 ToFileTime() => throw null; - public System.Int64 ToFileTimeUtc() => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - public System.DateTime ToLocalTime() => throw null; - public string ToLongDateString() => throw null; - public string ToLongTimeString() => throw null; - public double ToOADate() => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - public string ToShortDateString() => throw null; - public string ToShortTimeString() => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public System.DateTime ToUniversalTime() => throw null; - public static System.DateTime Today { get => throw null; } - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles, out System.DateTime result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateTime result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.DateTime result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles, out System.DateTime result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.DateTime result) => throw null; - public static bool TryParse(string s, out System.DateTime result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; - public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; - public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; - public static System.DateTime UnixEpoch; - public static System.DateTime UtcNow { get => throw null; } - public int Year { get => throw null; } - } - - public enum DateTimeKind : int - { - Local = 2, - Unspecified = 0, - Utc = 1, - } - - public struct DateTimeOffset : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static System.DateTimeOffset operator +(System.DateTimeOffset dateTimeOffset, System.TimeSpan timeSpan) => throw null; - public static System.TimeSpan operator -(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static System.DateTimeOffset operator -(System.DateTimeOffset dateTimeOffset, System.TimeSpan timeSpan) => throw null; - public static bool operator <(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static bool operator <=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static bool operator ==(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static bool operator >(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public static bool operator >=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; - public System.DateTimeOffset Add(System.TimeSpan timeSpan) => throw null; - public System.DateTimeOffset AddDays(double days) => throw null; - public System.DateTimeOffset AddHours(double hours) => throw null; - public System.DateTimeOffset AddMicroseconds(double microseconds) => throw null; - public System.DateTimeOffset AddMilliseconds(double milliseconds) => throw null; - public System.DateTimeOffset AddMinutes(double minutes) => throw null; - public System.DateTimeOffset AddMonths(int months) => throw null; - public System.DateTimeOffset AddSeconds(double seconds) => throw null; - public System.DateTimeOffset AddTicks(System.Int64 ticks) => throw null; - public System.DateTimeOffset AddYears(int years) => throw null; - public static int Compare(System.DateTimeOffset first, System.DateTimeOffset second) => throw null; - public int CompareTo(System.DateTimeOffset other) => throw null; - int System.IComparable.CompareTo(object obj) => throw null; - public System.DateTime Date { get => throw null; } - public System.DateTime DateTime { get => throw null; } - // Stub generator skipped constructor - public DateTimeOffset(System.DateTime dateTime) => throw null; - public DateTimeOffset(System.DateTime dateTime, System.TimeSpan offset) => throw null; - public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, System.TimeSpan offset) => throw null; - public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar, System.TimeSpan offset) => throw null; - public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, System.TimeSpan offset) => throw null; - public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar, System.TimeSpan offset) => throw null; - public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.TimeSpan offset) => throw null; - public DateTimeOffset(System.Int64 ticks, System.TimeSpan offset) => throw null; - public int Day { get => throw null; } - public System.DayOfWeek DayOfWeek { get => throw null; } - public int DayOfYear { get => throw null; } - public bool Equals(System.DateTimeOffset other) => throw null; - public static bool Equals(System.DateTimeOffset first, System.DateTimeOffset second) => throw null; - public override bool Equals(object obj) => throw null; - public bool EqualsExact(System.DateTimeOffset other) => throw null; - public static System.DateTimeOffset FromFileTime(System.Int64 fileTime) => throw null; - public static System.DateTimeOffset FromUnixTimeMilliseconds(System.Int64 milliseconds) => throw null; - public static System.DateTimeOffset FromUnixTimeSeconds(System.Int64 seconds) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public int Hour { get => throw null; } - public System.DateTime LocalDateTime { get => throw null; } - public static System.DateTimeOffset MaxValue; - public int Microsecond { get => throw null; } - public int Millisecond { get => throw null; } - public static System.DateTimeOffset MinValue; - public int Minute { get => throw null; } - public int Month { get => throw null; } - public int Nanosecond { get => throw null; } - public static System.DateTimeOffset Now { get => throw null; } - public System.TimeSpan Offset { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public static System.DateTimeOffset Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.DateTimeOffset Parse(System.ReadOnlySpan input, System.IFormatProvider formatProvider = default(System.IFormatProvider), System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTimeOffset Parse(string input) => throw null; - public static System.DateTimeOffset Parse(string input, System.IFormatProvider formatProvider) => throw null; - public static System.DateTimeOffset Parse(string input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; - public static System.DateTimeOffset ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTimeOffset ParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.DateTimeOffset ParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; - public static System.DateTimeOffset ParseExact(string input, string format, System.IFormatProvider formatProvider) => throw null; - public static System.DateTimeOffset ParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; - public int Second { get => throw null; } - public System.TimeSpan Subtract(System.DateTimeOffset value) => throw null; - public System.DateTimeOffset Subtract(System.TimeSpan value) => throw null; - public System.Int64 Ticks { get => throw null; } - public System.TimeSpan TimeOfDay { get => throw null; } - public System.Int64 ToFileTime() => throw null; - public System.DateTimeOffset ToLocalTime() => throw null; - public System.DateTimeOffset ToOffset(System.TimeSpan offset) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider formatProvider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider formatProvider) => throw null; - public System.DateTimeOffset ToUniversalTime() => throw null; - public System.Int64 ToUnixTimeMilliseconds() => throw null; - public System.Int64 ToUnixTimeSeconds() => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateTimeOffset result) => throw null; - public static bool TryParse(System.ReadOnlySpan input, out System.DateTimeOffset result) => throw null; - public static bool TryParse(string input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.DateTimeOffset result) => throw null; - public static bool TryParse(string input, out System.DateTimeOffset result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; - public static System.DateTimeOffset UnixEpoch; - public System.DateTime UtcDateTime { get => throw null; } - public static System.DateTimeOffset UtcNow { get => throw null; } - public System.Int64 UtcTicks { get => throw null; } - public int Year { get => throw null; } - public static implicit operator System.DateTimeOffset(System.DateTime dateTime) => throw null; - } - - public enum DayOfWeek : int - { - Friday = 5, - Monday = 1, - Saturday = 6, - Sunday = 0, - Thursday = 4, - Tuesday = 2, - Wednesday = 3, - } - - public struct Decimal : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IModulusOperators.operator %(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IMultiplyOperators.operator *(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IUnaryPlusOperators.operator +(System.Decimal d) => throw null; - static System.Decimal System.Numerics.IAdditionOperators.operator +(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IIncrementOperators.operator ++(System.Decimal d) => throw null; - static System.Decimal System.Numerics.IUnaryNegationOperators.operator -(System.Decimal d) => throw null; - static System.Decimal System.Numerics.ISubtractionOperators.operator -(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IDecrementOperators.operator --(System.Decimal d) => throw null; - static System.Decimal System.Numerics.IDivisionOperators.operator /(System.Decimal d1, System.Decimal d2) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Decimal d1, System.Decimal d2) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Decimal d1, System.Decimal d2) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Decimal d1, System.Decimal d2) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Decimal d1, System.Decimal d2) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Decimal d1, System.Decimal d2) => throw null; - public static System.Decimal Abs(System.Decimal value) => throw null; - public static System.Decimal Add(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - public static System.Decimal Ceiling(System.Decimal d) => throw null; - public static System.Decimal Clamp(System.Decimal value, System.Decimal min, System.Decimal max) => throw null; - public static int Compare(System.Decimal d1, System.Decimal d2) => throw null; - public int CompareTo(System.Decimal value) => throw null; - public int CompareTo(object value) => throw null; - public static System.Decimal CopySign(System.Decimal value, System.Decimal sign) => throw null; - static System.Decimal System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Decimal System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Decimal System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - // Stub generator skipped constructor - public Decimal(int[] bits) => throw null; - public Decimal(System.ReadOnlySpan bits) => throw null; - public Decimal(double value) => throw null; - public Decimal(float value) => throw null; - public Decimal(int value) => throw null; - public Decimal(int lo, int mid, int hi, bool isNegative, System.Byte scale) => throw null; - public Decimal(System.Int64 value) => throw null; - public Decimal(System.UInt32 value) => throw null; - public Decimal(System.UInt64 value) => throw null; - public static System.Decimal Divide(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IFloatingPointConstants.E { get => throw null; } - public bool Equals(System.Decimal value) => throw null; - public static bool Equals(System.Decimal d1, System.Decimal d2) => throw null; - public override bool Equals(object value) => throw null; - public static System.Decimal Floor(System.Decimal d) => throw null; - public static System.Decimal FromOACurrency(System.Int64 cy) => throw null; - public static int[] GetBits(System.Decimal d) => throw null; - public static int GetBits(System.Decimal d, System.Span destination) => throw null; - int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; - int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.Decimal value) => throw null; - public static bool IsComplexNumber(System.Decimal value) => throw null; - public static bool IsEvenInteger(System.Decimal value) => throw null; - public static bool IsFinite(System.Decimal value) => throw null; - public static bool IsImaginaryNumber(System.Decimal value) => throw null; - public static bool IsInfinity(System.Decimal value) => throw null; - public static bool IsInteger(System.Decimal value) => throw null; - public static bool IsNaN(System.Decimal value) => throw null; - public static bool IsNegative(System.Decimal value) => throw null; - public static bool IsNegativeInfinity(System.Decimal value) => throw null; - public static bool IsNormal(System.Decimal value) => throw null; - public static bool IsOddInteger(System.Decimal value) => throw null; - public static bool IsPositive(System.Decimal value) => throw null; - public static bool IsPositiveInfinity(System.Decimal value) => throw null; - public static bool IsRealNumber(System.Decimal value) => throw null; - public static bool IsSubnormal(System.Decimal value) => throw null; - public static bool IsZero(System.Decimal value) => throw null; - public static System.Decimal Max(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MaxMagnitude(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MaxMagnitudeNumber(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MaxNumber(System.Decimal x, System.Decimal y) => throw null; - public const System.Decimal MaxValue = default; - static System.Decimal System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Decimal Min(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MinMagnitude(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MinMagnitudeNumber(System.Decimal x, System.Decimal y) => throw null; - public static System.Decimal MinNumber(System.Decimal x, System.Decimal y) => throw null; - public const System.Decimal MinValue = default; - static System.Decimal System.Numerics.IMinMaxValue.MinValue { get => throw null; } - public const System.Decimal MinusOne = default; - static System.Decimal System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public static System.Decimal Multiply(System.Decimal d1, System.Decimal d2) => throw null; - public static System.Decimal Negate(System.Decimal d) => throw null; - static System.Decimal System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public const System.Decimal One = default; - static System.Decimal System.Numerics.INumberBase.One { get => throw null; } - public static System.Decimal Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Decimal Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Decimal Parse(string s) => throw null; - public static System.Decimal Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Decimal Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Decimal Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - static System.Decimal System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Decimal Remainder(System.Decimal d1, System.Decimal d2) => throw null; - public static System.Decimal Round(System.Decimal d) => throw null; - public static System.Decimal Round(System.Decimal d, System.MidpointRounding mode) => throw null; - public static System.Decimal Round(System.Decimal d, int decimals) => throw null; - public static System.Decimal Round(System.Decimal d, int decimals, System.MidpointRounding mode) => throw null; - public System.Byte Scale { get => throw null; } - public static int Sign(System.Decimal d) => throw null; - public static System.Decimal Subtract(System.Decimal d1, System.Decimal d2) => throw null; - static System.Decimal System.Numerics.IFloatingPointConstants.Tau { get => throw null; } - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - public static System.Byte ToByte(System.Decimal value) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - public static double ToDouble(System.Decimal d) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - public static System.Int16 ToInt16(System.Decimal value) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - public static int ToInt32(System.Decimal d) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - public static System.Int64 ToInt64(System.Decimal d) => throw null; - public static System.Int64 ToOACurrency(System.Decimal value) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - public static System.SByte ToSByte(System.Decimal value) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public static float ToSingle(System.Decimal d) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - public static System.UInt16 ToUInt16(System.Decimal value) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - public static System.UInt32 ToUInt32(System.Decimal d) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.UInt64 ToUInt64(System.Decimal d) => throw null; - public static System.Decimal Truncate(System.Decimal d) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Decimal result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Decimal result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Decimal result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Decimal value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Decimal value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Decimal value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryGetBits(System.Decimal d, System.Span destination, out int valuesWritten) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Decimal result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Decimal result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Decimal result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Decimal result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Decimal result) => throw null; - public static bool TryParse(string s, out System.Decimal result) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - public const System.Decimal Zero = default; - static System.Decimal System.Numerics.INumberBase.Zero { get => throw null; } - public static explicit operator System.Byte(System.Decimal value) => throw null; - public static explicit operator System.Char(System.Decimal value) => throw null; - public static explicit operator System.Int16(System.Decimal value) => throw null; - public static explicit operator System.Int64(System.Decimal value) => throw null; - public static explicit operator System.SByte(System.Decimal value) => throw null; - public static explicit operator System.UInt16(System.Decimal value) => throw null; - public static explicit operator System.UInt32(System.Decimal value) => throw null; - public static explicit operator System.UInt64(System.Decimal value) => throw null; - public static explicit operator double(System.Decimal value) => throw null; - public static explicit operator float(System.Decimal value) => throw null; - public static explicit operator int(System.Decimal value) => throw null; - public static explicit operator System.Decimal(double value) => throw null; - public static explicit operator System.Decimal(float value) => throw null; - public static implicit operator System.Decimal(System.Byte value) => throw null; - public static implicit operator System.Decimal(System.Char value) => throw null; - public static implicit operator System.Decimal(int value) => throw null; - public static implicit operator System.Decimal(System.Int64 value) => throw null; - public static implicit operator System.Decimal(System.SByte value) => throw null; - public static implicit operator System.Decimal(System.Int16 value) => throw null; - public static implicit operator System.Decimal(System.UInt32 value) => throw null; - public static implicit operator System.Decimal(System.UInt64 value) => throw null; - public static implicit operator System.Decimal(System.UInt16 value) => throw null; - } - - public abstract class Delegate : System.ICloneable, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.Delegate d1, System.Delegate d2) => throw null; - public static bool operator ==(System.Delegate d1, System.Delegate d2) => throw null; - public virtual object Clone() => throw null; - public static System.Delegate Combine(System.Delegate a, System.Delegate b) => throw null; - public static System.Delegate Combine(params System.Delegate[] delegates) => throw null; - protected virtual System.Delegate CombineImpl(System.Delegate d) => throw null; - public static System.Delegate CreateDelegate(System.Type type, System.Reflection.MethodInfo method) => throw null; - public static System.Delegate CreateDelegate(System.Type type, System.Reflection.MethodInfo method, bool throwOnBindFailure) => throw null; - public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method) => throw null; - public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method, bool ignoreCase) => throw null; - public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method, bool ignoreCase, bool throwOnBindFailure) => throw null; - public static System.Delegate CreateDelegate(System.Type type, object firstArgument, System.Reflection.MethodInfo method) => throw null; - public static System.Delegate CreateDelegate(System.Type type, object firstArgument, System.Reflection.MethodInfo method, bool throwOnBindFailure) => throw null; - public static System.Delegate CreateDelegate(System.Type type, object target, string method) => throw null; - public static System.Delegate CreateDelegate(System.Type type, object target, string method, bool ignoreCase) => throw null; - public static System.Delegate CreateDelegate(System.Type type, object target, string method, bool ignoreCase, bool throwOnBindFailure) => throw null; - protected Delegate(System.Type target, string method) => throw null; - protected Delegate(object target, string method) => throw null; - public object DynamicInvoke(params object[] args) => throw null; - protected virtual object DynamicInvokeImpl(object[] args) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public virtual System.Delegate[] GetInvocationList() => throw null; - protected virtual System.Reflection.MethodInfo GetMethodImpl() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Reflection.MethodInfo Method { get => throw null; } - public static System.Delegate Remove(System.Delegate source, System.Delegate value) => throw null; - public static System.Delegate RemoveAll(System.Delegate source, System.Delegate value) => throw null; - protected virtual System.Delegate RemoveImpl(System.Delegate d) => throw null; - public object Target { get => throw null; } - } - - public class DivideByZeroException : System.ArithmeticException - { - public DivideByZeroException() => throw null; - protected DivideByZeroException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DivideByZeroException(string message) => throw null; - public DivideByZeroException(string message, System.Exception innerException) => throw null; - } - - public struct Double : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(double left, double right) => throw null; - static double System.Numerics.IModulusOperators.operator %(double left, double right) => throw null; - static double System.Numerics.IBitwiseOperators.operator &(double left, double right) => throw null; - static double System.Numerics.IMultiplyOperators.operator *(double left, double right) => throw null; - static double System.Numerics.IUnaryPlusOperators.operator +(double value) => throw null; - static double System.Numerics.IAdditionOperators.operator +(double left, double right) => throw null; - static double System.Numerics.IIncrementOperators.operator ++(double value) => throw null; - static double System.Numerics.IUnaryNegationOperators.operator -(double value) => throw null; - static double System.Numerics.ISubtractionOperators.operator -(double left, double right) => throw null; - static double System.Numerics.IDecrementOperators.operator --(double value) => throw null; - static double System.Numerics.IDivisionOperators.operator /(double left, double right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(double left, double right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(double left, double right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(double left, double right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(double left, double right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(double left, double right) => throw null; - public static double Abs(double value) => throw null; - public static double Acos(double x) => throw null; - public static double AcosPi(double x) => throw null; - public static double Acosh(double x) => throw null; - static double System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static double System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static double Asin(double x) => throw null; - public static double AsinPi(double x) => throw null; - public static double Asinh(double x) => throw null; - public static double Atan(double x) => throw null; - public static double Atan2(double y, double x) => throw null; - public static double Atan2Pi(double y, double x) => throw null; - public static double AtanPi(double x) => throw null; - public static double Atanh(double x) => throw null; - public static double BitDecrement(double x) => throw null; - public static double BitIncrement(double x) => throw null; - public static double Cbrt(double x) => throw null; - public static double Ceiling(double x) => throw null; - public static double Clamp(double value, double min, double max) => throw null; - public int CompareTo(double value) => throw null; - public int CompareTo(object value) => throw null; - public static double CopySign(double value, double sign) => throw null; - public static double Cos(double x) => throw null; - public static double CosPi(double x) => throw null; - public static double Cosh(double x) => throw null; - static double System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static double System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static double System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - // Stub generator skipped constructor - public const double E = default; - static double System.Numerics.IFloatingPointConstants.E { get => throw null; } - public const double Epsilon = default; - static double System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } - public bool Equals(double obj) => throw null; - public override bool Equals(object obj) => throw null; - public static double Exp(double x) => throw null; - public static double Exp10(double x) => throw null; - public static double Exp10M1(double x) => throw null; - public static double Exp2(double x) => throw null; - public static double Exp2M1(double x) => throw null; - public static double ExpM1(double x) => throw null; - public static double Floor(double x) => throw null; - public static double FusedMultiplyAdd(double left, double right, double addend) => throw null; - int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; - int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static double Hypot(double x, double y) => throw null; - public static int ILogB(double x) => throw null; - public static double Ieee754Remainder(double left, double right) => throw null; - public static bool IsCanonical(double value) => throw null; - public static bool IsComplexNumber(double value) => throw null; - public static bool IsEvenInteger(double value) => throw null; - public static bool IsFinite(double d) => throw null; - public static bool IsImaginaryNumber(double value) => throw null; - public static bool IsInfinity(double d) => throw null; - public static bool IsInteger(double value) => throw null; - public static bool IsNaN(double d) => throw null; - public static bool IsNegative(double d) => throw null; - public static bool IsNegativeInfinity(double d) => throw null; - public static bool IsNormal(double d) => throw null; - public static bool IsOddInteger(double value) => throw null; - public static bool IsPositive(double value) => throw null; - public static bool IsPositiveInfinity(double d) => throw null; - public static bool IsPow2(double value) => throw null; - public static bool IsRealNumber(double value) => throw null; - public static bool IsSubnormal(double d) => throw null; - public static bool IsZero(double value) => throw null; - public static double Log(double x) => throw null; - public static double Log(double x, double newBase) => throw null; - public static double Log10(double x) => throw null; - public static double Log10P1(double x) => throw null; - public static double Log2(double value) => throw null; - public static double Log2P1(double x) => throw null; - public static double LogP1(double x) => throw null; - public static double Max(double x, double y) => throw null; - public static double MaxMagnitude(double x, double y) => throw null; - public static double MaxMagnitudeNumber(double x, double y) => throw null; - public static double MaxNumber(double x, double y) => throw null; - public const double MaxValue = default; - static double System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static double Min(double x, double y) => throw null; - public static double MinMagnitude(double x, double y) => throw null; - public static double MinMagnitudeNumber(double x, double y) => throw null; - public static double MinNumber(double x, double y) => throw null; - public const double MinValue = default; - static double System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static double System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public const double NaN = default; - static double System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - public const double NegativeInfinity = default; - static double System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } - static double System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - public const double NegativeZero = default; - static double System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } - static double System.Numerics.INumberBase.One { get => throw null; } - public static double Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static double Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static double Parse(string s) => throw null; - public static double Parse(string s, System.IFormatProvider provider) => throw null; - public static double Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static double Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public const double Pi = default; - static double System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - public const double PositiveInfinity = default; - static double System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } - public static double Pow(double x, double y) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static double ReciprocalEstimate(double x) => throw null; - public static double ReciprocalSqrtEstimate(double x) => throw null; - public static double RootN(double x, int n) => throw null; - public static double Round(double x) => throw null; - public static double Round(double x, System.MidpointRounding mode) => throw null; - public static double Round(double x, int digits) => throw null; - public static double Round(double x, int digits, System.MidpointRounding mode) => throw null; - public static double ScaleB(double x, int n) => throw null; - public static int Sign(double value) => throw null; - public static double Sin(double x) => throw null; - public static (double, double) SinCos(double x) => throw null; - public static (double, double) SinCosPi(double x) => throw null; - public static double SinPi(double x) => throw null; - public static double Sinh(double x) => throw null; - public static double Sqrt(double x) => throw null; - public static double Tan(double x) => throw null; - public static double TanPi(double x) => throw null; - public static double Tanh(double x) => throw null; - public const double Tau = default; - static double System.Numerics.IFloatingPointConstants.Tau { get => throw null; } - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static double Truncate(double x) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out double result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out double result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out double result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(double value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(double value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(double value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out double result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out double result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out double result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out double result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out double result) => throw null; - public static bool TryParse(string s, out double result) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static double System.Numerics.INumberBase.Zero { get => throw null; } - static double System.Numerics.IBitwiseOperators.operator ^(double left, double right) => throw null; - static double System.Numerics.IBitwiseOperators.operator |(double left, double right) => throw null; - static double System.Numerics.IBitwiseOperators.operator ~(double value) => throw null; - } - - public class DuplicateWaitObjectException : System.ArgumentException - { - public DuplicateWaitObjectException() => throw null; - protected DuplicateWaitObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DuplicateWaitObjectException(string parameterName) => throw null; - public DuplicateWaitObjectException(string message, System.Exception innerException) => throw null; - public DuplicateWaitObjectException(string parameterName, string message) => throw null; - } - - public class EntryPointNotFoundException : System.TypeLoadException - { - public EntryPointNotFoundException() => throw null; - protected EntryPointNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public EntryPointNotFoundException(string message) => throw null; - public EntryPointNotFoundException(string message, System.Exception inner) => throw null; - } - - public abstract class Enum : System.IComparable, System.IConvertible, System.IFormattable - { - public int CompareTo(object target) => throw null; - protected Enum() => throw null; - public override bool Equals(object obj) => throw null; - public static string Format(System.Type enumType, object value, string format) => throw null; - public override int GetHashCode() => throw null; - public static string GetName(System.Type enumType, object value) => throw null; - public static string GetName(TEnum value) where TEnum : System.Enum => throw null; - public static string[] GetNames(System.Type enumType) => throw null; - public static string[] GetNames() where TEnum : System.Enum => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static System.Type GetUnderlyingType(System.Type enumType) => throw null; - public static System.Array GetValues(System.Type enumType) => throw null; - public static TEnum[] GetValues() where TEnum : System.Enum => throw null; - public static System.Array GetValuesAsUnderlyingType(System.Type enumType) => throw null; - public static System.Array GetValuesAsUnderlyingType() where TEnum : System.Enum => throw null; - public bool HasFlag(System.Enum flag) => throw null; - public static bool IsDefined(System.Type enumType, object value) => throw null; - public static bool IsDefined(TEnum value) where TEnum : System.Enum => throw null; - public static object Parse(System.Type enumType, System.ReadOnlySpan value) => throw null; - public static object Parse(System.Type enumType, System.ReadOnlySpan value, bool ignoreCase) => throw null; - public static object Parse(System.Type enumType, string value) => throw null; - public static object Parse(System.Type enumType, string value, bool ignoreCase) => throw null; - public static TEnum Parse(System.ReadOnlySpan value) where TEnum : struct => throw null; - public static TEnum Parse(System.ReadOnlySpan value, bool ignoreCase) where TEnum : struct => throw null; - public static TEnum Parse(string value) where TEnum : struct => throw null; - public static TEnum Parse(string value, bool ignoreCase) where TEnum : struct => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - public static object ToObject(System.Type enumType, System.Byte value) => throw null; - public static object ToObject(System.Type enumType, int value) => throw null; - public static object ToObject(System.Type enumType, System.Int64 value) => throw null; - public static object ToObject(System.Type enumType, object value) => throw null; - public static object ToObject(System.Type enumType, System.SByte value) => throw null; - public static object ToObject(System.Type enumType, System.Int16 value) => throw null; - public static object ToObject(System.Type enumType, System.UInt32 value) => throw null; - public static object ToObject(System.Type enumType, System.UInt64 value) => throw null; - public static object ToObject(System.Type enumType, System.UInt16 value) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static bool TryParse(System.Type enumType, System.ReadOnlySpan value, bool ignoreCase, out object result) => throw null; - public static bool TryParse(System.Type enumType, System.ReadOnlySpan value, out object result) => throw null; - public static bool TryParse(System.Type enumType, string value, bool ignoreCase, out object result) => throw null; - public static bool TryParse(System.Type enumType, string value, out object result) => throw null; - public static bool TryParse(System.ReadOnlySpan value, bool ignoreCase, out TEnum result) where TEnum : struct => throw null; - public static bool TryParse(System.ReadOnlySpan value, out TEnum result) where TEnum : struct => throw null; - public static bool TryParse(string value, bool ignoreCase, out TEnum result) where TEnum : struct => throw null; - public static bool TryParse(string value, out TEnum result) where TEnum : struct => throw null; - } - - public static class Environment - { - public enum SpecialFolder : int - { - AdminTools = 48, - ApplicationData = 26, - CDBurning = 59, - CommonAdminTools = 47, - CommonApplicationData = 35, - CommonDesktopDirectory = 25, - CommonDocuments = 46, - CommonMusic = 53, - CommonOemLinks = 58, - CommonPictures = 54, - CommonProgramFiles = 43, - CommonProgramFilesX86 = 44, - CommonPrograms = 23, - CommonStartMenu = 22, - CommonStartup = 24, - CommonTemplates = 45, - CommonVideos = 55, - Cookies = 33, - Desktop = 0, - DesktopDirectory = 16, - Favorites = 6, - Fonts = 20, - History = 34, - InternetCache = 32, - LocalApplicationData = 28, - LocalizedResources = 57, - MyComputer = 17, - MyDocuments = 5, - MyMusic = 13, - MyPictures = 39, - MyVideos = 14, - NetworkShortcuts = 19, - Personal = 5, - PrinterShortcuts = 27, - ProgramFiles = 38, - ProgramFilesX86 = 42, - Programs = 2, - Recent = 8, - Resources = 56, - SendTo = 9, - StartMenu = 11, - Startup = 7, - System = 37, - SystemX86 = 41, - Templates = 21, - UserProfile = 40, - Windows = 36, - } - - - public enum SpecialFolderOption : int - { - Create = 32768, - DoNotVerify = 16384, - None = 0, - } - - - public static string CommandLine { get => throw null; } - public static string CurrentDirectory { get => throw null; set => throw null; } - public static int CurrentManagedThreadId { get => throw null; } - public static void Exit(int exitCode) => throw null; - public static int ExitCode { get => throw null; set => throw null; } - public static string ExpandEnvironmentVariables(string name) => throw null; - public static void FailFast(string message) => throw null; - public static void FailFast(string message, System.Exception exception) => throw null; - public static string[] GetCommandLineArgs() => throw null; - public static string GetEnvironmentVariable(string variable) => throw null; - public static string GetEnvironmentVariable(string variable, System.EnvironmentVariableTarget target) => throw null; - public static System.Collections.IDictionary GetEnvironmentVariables() => throw null; - public static System.Collections.IDictionary GetEnvironmentVariables(System.EnvironmentVariableTarget target) => throw null; - public static string GetFolderPath(System.Environment.SpecialFolder folder) => throw null; - public static string GetFolderPath(System.Environment.SpecialFolder folder, System.Environment.SpecialFolderOption option) => throw null; - public static string[] GetLogicalDrives() => throw null; - public static bool HasShutdownStarted { get => throw null; } - public static bool Is64BitOperatingSystem { get => throw null; } - public static bool Is64BitProcess { get => throw null; } - public static string MachineName { get => throw null; } - public static string NewLine { get => throw null; } - public static System.OperatingSystem OSVersion { get => throw null; } - public static int ProcessId { get => throw null; } - public static string ProcessPath { get => throw null; } - public static int ProcessorCount { get => throw null; } - public static void SetEnvironmentVariable(string variable, string value) => throw null; - public static void SetEnvironmentVariable(string variable, string value, System.EnvironmentVariableTarget target) => throw null; - public static string StackTrace { get => throw null; } - public static string SystemDirectory { get => throw null; } - public static int SystemPageSize { get => throw null; } - public static int TickCount { get => throw null; } - public static System.Int64 TickCount64 { get => throw null; } - public static string UserDomainName { get => throw null; } - public static bool UserInteractive { get => throw null; } - public static string UserName { get => throw null; } - public static System.Version Version { get => throw null; } - public static System.Int64 WorkingSet { get => throw null; } - } - - public enum EnvironmentVariableTarget : int - { - Machine = 2, - Process = 0, - User = 1, - } - - public class EventArgs - { - public static System.EventArgs Empty; - public EventArgs() => throw null; - } - - public delegate void EventHandler(object sender, System.EventArgs e); - - public delegate void EventHandler(object sender, TEventArgs e); - - public class Exception : System.Runtime.Serialization.ISerializable - { - public virtual System.Collections.IDictionary Data { get => throw null; } - public Exception() => throw null; - protected Exception(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Exception(string message) => throw null; - public Exception(string message, System.Exception innerException) => throw null; - public virtual System.Exception GetBaseException() => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Type GetType() => throw null; - public int HResult { get => throw null; set => throw null; } - public virtual string HelpLink { get => throw null; set => throw null; } - public System.Exception InnerException { get => throw null; } - public virtual string Message { get => throw null; } - protected event System.EventHandler SerializeObjectState; - public virtual string Source { get => throw null; set => throw null; } - public virtual string StackTrace { get => throw null; } - public System.Reflection.MethodBase TargetSite { get => throw null; } - public override string ToString() => throw null; - } - - public class ExecutionEngineException : System.SystemException - { - public ExecutionEngineException() => throw null; - public ExecutionEngineException(string message) => throw null; - public ExecutionEngineException(string message, System.Exception innerException) => throw null; - } - - public class FieldAccessException : System.MemberAccessException - { - public FieldAccessException() => throw null; - protected FieldAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public FieldAccessException(string message) => throw null; - public FieldAccessException(string message, System.Exception inner) => throw null; - } - - public class FileStyleUriParser : System.UriParser - { - public FileStyleUriParser() => throw null; - } - - public class FlagsAttribute : System.Attribute - { - public FlagsAttribute() => throw null; - } - - public class FormatException : System.SystemException - { - public FormatException() => throw null; - protected FormatException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public FormatException(string message) => throw null; - public FormatException(string message, System.Exception innerException) => throw null; - } - - public abstract class FormattableString : System.IFormattable - { - public abstract int ArgumentCount { get; } - public static string CurrentCulture(System.FormattableString formattable) => throw null; - public abstract string Format { get; } - protected FormattableString() => throw null; - public abstract object GetArgument(int index); - public abstract object[] GetArguments(); - public static string Invariant(System.FormattableString formattable) => throw null; - public override string ToString() => throw null; - public abstract string ToString(System.IFormatProvider formatProvider); - string System.IFormattable.ToString(string ignored, System.IFormatProvider formatProvider) => throw null; - } - - public class FtpStyleUriParser : System.UriParser - { - public FtpStyleUriParser() => throw null; - } - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15, T16 arg16); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4); - - public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3); - - public delegate TResult Func(T1 arg1, T2 arg2); - - public delegate TResult Func(T arg); - - public delegate TResult Func(); - - public static class GC - { - public static void AddMemoryPressure(System.Int64 bytesAllocated) => throw null; - public static T[] AllocateArray(int length, bool pinned = default(bool)) => throw null; - public static T[] AllocateUninitializedArray(int length, bool pinned = default(bool)) => throw null; - public static void CancelFullGCNotification() => throw null; - public static void Collect() => throw null; - public static void Collect(int generation) => throw null; - public static void Collect(int generation, System.GCCollectionMode mode) => throw null; - public static void Collect(int generation, System.GCCollectionMode mode, bool blocking) => throw null; - public static void Collect(int generation, System.GCCollectionMode mode, bool blocking, bool compacting) => throw null; - public static int CollectionCount(int generation) => throw null; - public static void EndNoGCRegion() => throw null; - public static System.Int64 GetAllocatedBytesForCurrentThread() => throw null; - public static System.Collections.Generic.IReadOnlyDictionary GetConfigurationVariables() => throw null; - public static System.GCMemoryInfo GetGCMemoryInfo() => throw null; - public static System.GCMemoryInfo GetGCMemoryInfo(System.GCKind kind) => throw null; - public static int GetGeneration(System.WeakReference wo) => throw null; - public static int GetGeneration(object obj) => throw null; - public static System.Int64 GetTotalAllocatedBytes(bool precise = default(bool)) => throw null; - public static System.Int64 GetTotalMemory(bool forceFullCollection) => throw null; - public static System.TimeSpan GetTotalPauseDuration() => throw null; - public static void KeepAlive(object obj) => throw null; - public static int MaxGeneration { get => throw null; } - public static void ReRegisterForFinalize(object obj) => throw null; - public static void RegisterForFullGCNotification(int maxGenerationThreshold, int largeObjectHeapThreshold) => throw null; - public static void RemoveMemoryPressure(System.Int64 bytesAllocated) => throw null; - public static void SuppressFinalize(object obj) => throw null; - public static bool TryStartNoGCRegion(System.Int64 totalSize) => throw null; - public static bool TryStartNoGCRegion(System.Int64 totalSize, bool disallowFullBlockingGC) => throw null; - public static bool TryStartNoGCRegion(System.Int64 totalSize, System.Int64 lohSize) => throw null; - public static bool TryStartNoGCRegion(System.Int64 totalSize, System.Int64 lohSize, bool disallowFullBlockingGC) => throw null; - public static System.GCNotificationStatus WaitForFullGCApproach() => throw null; - public static System.GCNotificationStatus WaitForFullGCApproach(System.TimeSpan timeout) => throw null; - public static System.GCNotificationStatus WaitForFullGCApproach(int millisecondsTimeout) => throw null; - public static System.GCNotificationStatus WaitForFullGCComplete() => throw null; - public static System.GCNotificationStatus WaitForFullGCComplete(System.TimeSpan timeout) => throw null; - public static System.GCNotificationStatus WaitForFullGCComplete(int millisecondsTimeout) => throw null; - public static void WaitForPendingFinalizers() => throw null; - } - - public enum GCCollectionMode : int - { - Aggressive = 3, - Default = 0, - Forced = 1, - Optimized = 2, - } - - public struct GCGenerationInfo - { - public System.Int64 FragmentationAfterBytes { get => throw null; } - public System.Int64 FragmentationBeforeBytes { get => throw null; } - // Stub generator skipped constructor - public System.Int64 SizeAfterBytes { get => throw null; } - public System.Int64 SizeBeforeBytes { get => throw null; } - } - - public enum GCKind : int - { - Any = 0, - Background = 3, - Ephemeral = 1, - FullBlocking = 2, - } - - public struct GCMemoryInfo - { - public bool Compacted { get => throw null; } - public bool Concurrent { get => throw null; } - public System.Int64 FinalizationPendingCount { get => throw null; } - public System.Int64 FragmentedBytes { get => throw null; } - // Stub generator skipped constructor - public int Generation { get => throw null; } - public System.ReadOnlySpan GenerationInfo { get => throw null; } - public System.Int64 HeapSizeBytes { get => throw null; } - public System.Int64 HighMemoryLoadThresholdBytes { get => throw null; } - public System.Int64 Index { get => throw null; } - public System.Int64 MemoryLoadBytes { get => throw null; } - public System.ReadOnlySpan PauseDurations { get => throw null; } - public double PauseTimePercentage { get => throw null; } - public System.Int64 PinnedObjectsCount { get => throw null; } - public System.Int64 PromotedBytes { get => throw null; } - public System.Int64 TotalAvailableMemoryBytes { get => throw null; } - public System.Int64 TotalCommittedBytes { get => throw null; } - } - - public enum GCNotificationStatus : int - { - Canceled = 2, - Failed = 1, - NotApplicable = 4, - Succeeded = 0, - Timeout = 3, - } - - public class GenericUriParser : System.UriParser - { - public GenericUriParser(System.GenericUriParserOptions options) => throw null; - } - - [System.Flags] - public enum GenericUriParserOptions : int - { - AllowEmptyAuthority = 2, - Default = 0, - DontCompressPath = 128, - DontConvertPathBackslashes = 64, - DontUnescapePathDotsAndSlashes = 256, - GenericAuthority = 1, - Idn = 512, - IriParsing = 1024, - NoFragment = 32, - NoPort = 8, - NoQuery = 16, - NoUserInfo = 4, - } - - public class GopherStyleUriParser : System.UriParser - { - public GopherStyleUriParser() => throw null; - } - - public struct Guid : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable - { - public static bool operator !=(System.Guid a, System.Guid b) => throw null; - public static bool operator <(System.Guid left, System.Guid right) => throw null; - public static bool operator <=(System.Guid left, System.Guid right) => throw null; - public static bool operator ==(System.Guid a, System.Guid b) => throw null; - public static bool operator >(System.Guid left, System.Guid right) => throw null; - public static bool operator >=(System.Guid left, System.Guid right) => throw null; - public int CompareTo(System.Guid value) => throw null; - public int CompareTo(object value) => throw null; - public static System.Guid Empty; - public bool Equals(System.Guid g) => throw null; - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public Guid(System.Byte[] b) => throw null; - public Guid(System.ReadOnlySpan b) => throw null; - public Guid(int a, System.Int16 b, System.Int16 c, System.Byte[] d) => throw null; - public Guid(int a, System.Int16 b, System.Int16 c, System.Byte d, System.Byte e, System.Byte f, System.Byte g, System.Byte h, System.Byte i, System.Byte j, System.Byte k) => throw null; - public Guid(string g) => throw null; - public Guid(System.UInt32 a, System.UInt16 b, System.UInt16 c, System.Byte d, System.Byte e, System.Byte f, System.Byte g, System.Byte h, System.Byte i, System.Byte j, System.Byte k) => throw null; - public static System.Guid NewGuid() => throw null; - public static System.Guid Parse(System.ReadOnlySpan input) => throw null; - public static System.Guid Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Guid Parse(string input) => throw null; - public static System.Guid Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Guid ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format) => throw null; - public static System.Guid ParseExact(string input, string format) => throw null; - public System.Byte[] ToByteArray() => throw null; - public override string ToString() => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan)) => throw null; - bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Guid result) => throw null; - public static bool TryParse(System.ReadOnlySpan input, out System.Guid result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Guid result) => throw null; - public static bool TryParse(string input, out System.Guid result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, out System.Guid result) => throw null; - public static bool TryParseExact(string input, string format, out System.Guid result) => throw null; - public bool TryWriteBytes(System.Span destination) => throw null; - } - - public struct Half : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IModulusOperators.operator %(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IBitwiseOperators.operator &(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IMultiplyOperators.operator *(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IUnaryPlusOperators.operator +(System.Half value) => throw null; - static System.Half System.Numerics.IAdditionOperators.operator +(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IIncrementOperators.operator ++(System.Half value) => throw null; - static System.Half System.Numerics.IUnaryNegationOperators.operator -(System.Half value) => throw null; - static System.Half System.Numerics.ISubtractionOperators.operator -(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IDecrementOperators.operator --(System.Half value) => throw null; - static System.Half System.Numerics.IDivisionOperators.operator /(System.Half left, System.Half right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Half left, System.Half right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Half left, System.Half right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Half left, System.Half right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Half left, System.Half right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Half left, System.Half right) => throw null; - public static System.Half Abs(System.Half value) => throw null; - public static System.Half Acos(System.Half x) => throw null; - public static System.Half AcosPi(System.Half x) => throw null; - public static System.Half Acosh(System.Half x) => throw null; - static System.Half System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Half System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.Half Asin(System.Half x) => throw null; - public static System.Half AsinPi(System.Half x) => throw null; - public static System.Half Asinh(System.Half x) => throw null; - public static System.Half Atan(System.Half x) => throw null; - public static System.Half Atan2(System.Half y, System.Half x) => throw null; - public static System.Half Atan2Pi(System.Half y, System.Half x) => throw null; - public static System.Half AtanPi(System.Half x) => throw null; - public static System.Half Atanh(System.Half x) => throw null; - public static System.Half BitDecrement(System.Half x) => throw null; - public static System.Half BitIncrement(System.Half x) => throw null; - public static System.Half Cbrt(System.Half x) => throw null; - public static System.Half Ceiling(System.Half x) => throw null; - public static System.Half Clamp(System.Half value, System.Half min, System.Half max) => throw null; - public int CompareTo(System.Half other) => throw null; - public int CompareTo(object obj) => throw null; - public static System.Half CopySign(System.Half value, System.Half sign) => throw null; - public static System.Half Cos(System.Half x) => throw null; - public static System.Half CosPi(System.Half x) => throw null; - public static System.Half Cosh(System.Half x) => throw null; - static System.Half System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Half System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Half System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - static System.Half System.Numerics.IFloatingPointConstants.E { get => throw null; } - static System.Half System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } - public bool Equals(System.Half other) => throw null; - public override bool Equals(object obj) => throw null; - public static System.Half Exp(System.Half x) => throw null; - public static System.Half Exp10(System.Half x) => throw null; - public static System.Half Exp10M1(System.Half x) => throw null; - public static System.Half Exp2(System.Half x) => throw null; - public static System.Half Exp2M1(System.Half x) => throw null; - public static System.Half ExpM1(System.Half x) => throw null; - public static System.Half Floor(System.Half x) => throw null; - public static System.Half FusedMultiplyAdd(System.Half left, System.Half right, System.Half addend) => throw null; - int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; - int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; - // Stub generator skipped constructor - public static System.Half Hypot(System.Half x, System.Half y) => throw null; - public static int ILogB(System.Half x) => throw null; - public static System.Half Ieee754Remainder(System.Half left, System.Half right) => throw null; - public static bool IsCanonical(System.Half value) => throw null; - public static bool IsComplexNumber(System.Half value) => throw null; - public static bool IsEvenInteger(System.Half value) => throw null; - public static bool IsFinite(System.Half value) => throw null; - public static bool IsImaginaryNumber(System.Half value) => throw null; - public static bool IsInfinity(System.Half value) => throw null; - public static bool IsInteger(System.Half value) => throw null; - public static bool IsNaN(System.Half value) => throw null; - public static bool IsNegative(System.Half value) => throw null; - public static bool IsNegativeInfinity(System.Half value) => throw null; - public static bool IsNormal(System.Half value) => throw null; - public static bool IsOddInteger(System.Half value) => throw null; - public static bool IsPositive(System.Half value) => throw null; - public static bool IsPositiveInfinity(System.Half value) => throw null; - public static bool IsPow2(System.Half value) => throw null; - public static bool IsRealNumber(System.Half value) => throw null; - public static bool IsSubnormal(System.Half value) => throw null; - public static bool IsZero(System.Half value) => throw null; - public static System.Half Log(System.Half x) => throw null; - public static System.Half Log(System.Half x, System.Half newBase) => throw null; - public static System.Half Log10(System.Half x) => throw null; - public static System.Half Log10P1(System.Half x) => throw null; - public static System.Half Log2(System.Half value) => throw null; - public static System.Half Log2P1(System.Half x) => throw null; - public static System.Half LogP1(System.Half x) => throw null; - public static System.Half Max(System.Half x, System.Half y) => throw null; - public static System.Half MaxMagnitude(System.Half x, System.Half y) => throw null; - public static System.Half MaxMagnitudeNumber(System.Half x, System.Half y) => throw null; - public static System.Half MaxNumber(System.Half x, System.Half y) => throw null; - static System.Half System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Half Min(System.Half x, System.Half y) => throw null; - public static System.Half MinMagnitude(System.Half x, System.Half y) => throw null; - public static System.Half MinMagnitudeNumber(System.Half x, System.Half y) => throw null; - public static System.Half MinNumber(System.Half x, System.Half y) => throw null; - static System.Half System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Half System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Half System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - static System.Half System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } - static System.Half System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.Half System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } - static System.Half System.Numerics.INumberBase.One { get => throw null; } - public static System.Half Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Half Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Half Parse(string s) => throw null; - public static System.Half Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Half Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Half Parse(string s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - static System.Half System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - static System.Half System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } - public static System.Half Pow(System.Half x, System.Half y) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Half ReciprocalEstimate(System.Half x) => throw null; - public static System.Half ReciprocalSqrtEstimate(System.Half x) => throw null; - public static System.Half RootN(System.Half x, int n) => throw null; - public static System.Half Round(System.Half x) => throw null; - public static System.Half Round(System.Half x, System.MidpointRounding mode) => throw null; - public static System.Half Round(System.Half x, int digits) => throw null; - public static System.Half Round(System.Half x, int digits, System.MidpointRounding mode) => throw null; - public static System.Half ScaleB(System.Half x, int n) => throw null; - public static int Sign(System.Half value) => throw null; - public static System.Half Sin(System.Half x) => throw null; - public static (System.Half, System.Half) SinCos(System.Half x) => throw null; - public static (System.Half, System.Half) SinCosPi(System.Half x) => throw null; - public static System.Half SinPi(System.Half x) => throw null; - public static System.Half Sinh(System.Half x) => throw null; - public static System.Half Sqrt(System.Half x) => throw null; - public static System.Half Tan(System.Half x) => throw null; - public static System.Half TanPi(System.Half x) => throw null; - public static System.Half Tanh(System.Half x) => throw null; - static System.Half System.Numerics.IFloatingPointConstants.Tau { get => throw null; } - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.Half Truncate(System.Half x) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Half result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Half result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Half result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Half value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Half value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Half value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Half result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Half result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Half result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Half result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Half result) => throw null; - public static bool TryParse(string s, out System.Half result) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Half System.Numerics.INumberBase.Zero { get => throw null; } - static System.Half System.Numerics.IBitwiseOperators.operator ^(System.Half left, System.Half right) => throw null; - public static explicit operator checked System.Byte(System.Half value) => throw null; - public static explicit operator checked System.Char(System.Half value) => throw null; - public static explicit operator checked System.Int128(System.Half value) => throw null; - public static explicit operator checked System.Int16(System.Half value) => throw null; - public static explicit operator checked System.Int64(System.Half value) => throw null; - public static explicit operator checked System.IntPtr(System.Half value) => throw null; - public static explicit operator checked System.SByte(System.Half value) => throw null; - public static explicit operator checked System.UInt128(System.Half value) => throw null; - public static explicit operator checked System.UInt16(System.Half value) => throw null; - public static explicit operator checked System.UInt32(System.Half value) => throw null; - public static explicit operator checked System.UInt64(System.Half value) => throw null; - public static explicit operator checked System.UIntPtr(System.Half value) => throw null; - public static explicit operator checked int(System.Half value) => throw null; - public static explicit operator System.Byte(System.Half value) => throw null; - public static explicit operator System.Char(System.Half value) => throw null; - public static explicit operator System.Decimal(System.Half value) => throw null; - public static explicit operator System.Int128(System.Half value) => throw null; - public static explicit operator System.Int16(System.Half value) => throw null; - public static explicit operator System.Int64(System.Half value) => throw null; - public static explicit operator System.IntPtr(System.Half value) => throw null; - public static explicit operator System.SByte(System.Half value) => throw null; - public static explicit operator System.UInt128(System.Half value) => throw null; - public static explicit operator System.UInt16(System.Half value) => throw null; - public static explicit operator System.UInt32(System.Half value) => throw null; - public static explicit operator System.UInt64(System.Half value) => throw null; - public static explicit operator System.UIntPtr(System.Half value) => throw null; - public static explicit operator double(System.Half value) => throw null; - public static explicit operator float(System.Half value) => throw null; - public static explicit operator int(System.Half value) => throw null; - public static explicit operator System.Half(System.IntPtr value) => throw null; - public static explicit operator System.Half(System.UIntPtr value) => throw null; - public static explicit operator System.Half(System.Char value) => throw null; - public static explicit operator System.Half(System.Decimal value) => throw null; - public static explicit operator System.Half(double value) => throw null; - public static explicit operator System.Half(float value) => throw null; - public static explicit operator System.Half(int value) => throw null; - public static explicit operator System.Half(System.Int64 value) => throw null; - public static explicit operator System.Half(System.Int16 value) => throw null; - public static explicit operator System.Half(System.UInt32 value) => throw null; - public static explicit operator System.Half(System.UInt64 value) => throw null; - public static explicit operator System.Half(System.UInt16 value) => throw null; - public static implicit operator System.Half(System.Byte value) => throw null; - public static implicit operator System.Half(System.SByte value) => throw null; - static System.Half System.Numerics.IBitwiseOperators.operator |(System.Half left, System.Half right) => throw null; - static System.Half System.Numerics.IBitwiseOperators.operator ~(System.Half value) => throw null; - } - - public struct HashCode - { - public void Add(T value) => throw null; - public void Add(T value, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public void AddBytes(System.ReadOnlySpan value) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6, T7 value7, T8 value8) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6, T7 value7) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4) => throw null; - public static int Combine(T1 value1, T2 value2, T3 value3) => throw null; - public static int Combine(T1 value1, T2 value2) => throw null; - public static int Combine(T1 value1) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public int ToHashCode() => throw null; - } - - public class HttpStyleUriParser : System.UriParser - { - public HttpStyleUriParser() => throw null; - } - - public interface IAsyncDisposable - { - System.Threading.Tasks.ValueTask DisposeAsync(); - } - - public interface IAsyncResult - { - object AsyncState { get; } - System.Threading.WaitHandle AsyncWaitHandle { get; } - bool CompletedSynchronously { get; } - bool IsCompleted { get; } - } - - public interface ICloneable - { - object Clone(); - } - - public interface IComparable - { - int CompareTo(object obj); - } - - public interface IComparable - { - int CompareTo(T other); - } - - public interface IConvertible - { - System.TypeCode GetTypeCode(); - bool ToBoolean(System.IFormatProvider provider); - System.Byte ToByte(System.IFormatProvider provider); - System.Char ToChar(System.IFormatProvider provider); - System.DateTime ToDateTime(System.IFormatProvider provider); - System.Decimal ToDecimal(System.IFormatProvider provider); - double ToDouble(System.IFormatProvider provider); - System.Int16 ToInt16(System.IFormatProvider provider); - int ToInt32(System.IFormatProvider provider); - System.Int64 ToInt64(System.IFormatProvider provider); - System.SByte ToSByte(System.IFormatProvider provider); - float ToSingle(System.IFormatProvider provider); - string ToString(System.IFormatProvider provider); - object ToType(System.Type conversionType, System.IFormatProvider provider); - System.UInt16 ToUInt16(System.IFormatProvider provider); - System.UInt32 ToUInt32(System.IFormatProvider provider); - System.UInt64 ToUInt64(System.IFormatProvider provider); - } - - public interface ICustomFormatter - { - string Format(string format, object arg, System.IFormatProvider formatProvider); - } - - public interface IDisposable - { - void Dispose(); - } - - public interface IEquatable - { - bool Equals(T other); - } - - public interface IFormatProvider - { - object GetFormat(System.Type formatType); - } - - public interface IFormattable - { - string ToString(string format, System.IFormatProvider formatProvider); - } - - public interface IObservable - { - System.IDisposable Subscribe(System.IObserver observer); - } - - public interface IObserver - { - void OnCompleted(); - void OnError(System.Exception error); - void OnNext(T value); - } - - public interface IParsable where TSelf : System.IParsable - { - static abstract TSelf Parse(string s, System.IFormatProvider provider); - static abstract bool TryParse(string s, System.IFormatProvider provider, out TSelf result); - } - - public interface IProgress - { - void Report(T value); - } - - public interface ISpanFormattable : System.IFormattable - { - bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider); - } - - public interface ISpanParsable : System.IParsable where TSelf : System.ISpanParsable - { - static abstract TSelf Parse(System.ReadOnlySpan s, System.IFormatProvider provider); - static abstract bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out TSelf result); - } - - public struct Index : System.IEquatable - { - public static System.Index End { get => throw null; } - public bool Equals(System.Index other) => throw null; - public override bool Equals(object value) => throw null; - public static System.Index FromEnd(int value) => throw null; - public static System.Index FromStart(int value) => throw null; - public override int GetHashCode() => throw null; - public int GetOffset(int length) => throw null; - // Stub generator skipped constructor - public Index(int value, bool fromEnd = default(bool)) => throw null; - public bool IsFromEnd { get => throw null; } - public static System.Index Start { get => throw null; } - public override string ToString() => throw null; - public int Value { get => throw null; } - public static implicit operator System.Index(int value) => throw null; - } - - public class IndexOutOfRangeException : System.SystemException - { - public IndexOutOfRangeException() => throw null; - public IndexOutOfRangeException(string message) => throw null; - public IndexOutOfRangeException(string message, System.Exception innerException) => throw null; - } - - public class InsufficientExecutionStackException : System.SystemException - { - public InsufficientExecutionStackException() => throw null; - public InsufficientExecutionStackException(string message) => throw null; - public InsufficientExecutionStackException(string message, System.Exception innerException) => throw null; - } - - public class InsufficientMemoryException : System.OutOfMemoryException - { - public InsufficientMemoryException() => throw null; - public InsufficientMemoryException(string message) => throw null; - public InsufficientMemoryException(string message, System.Exception innerException) => throw null; - } - - public struct Int128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IModulusOperators.operator %(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IBitwiseOperators.operator &(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IMultiplyOperators.operator *(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IUnaryPlusOperators.operator +(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IAdditionOperators.operator +(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IIncrementOperators.operator ++(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IUnaryNegationOperators.operator -(System.Int128 value) => throw null; - static System.Int128 System.Numerics.ISubtractionOperators.operator -(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IDecrementOperators.operator --(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IDivisionOperators.operator /(System.Int128 left, System.Int128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IShiftOperators.operator <<(System.Int128 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Int128 left, System.Int128 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Int128 left, System.Int128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Int128 left, System.Int128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IShiftOperators.operator >>(System.Int128 value, int shiftAmount) => throw null; - static System.Int128 System.Numerics.IShiftOperators.operator >>>(System.Int128 value, int shiftAmount) => throw null; - public static System.Int128 Abs(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Int128 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.Int128 Clamp(System.Int128 value, System.Int128 min, System.Int128 max) => throw null; - public int CompareTo(System.Int128 value) => throw null; - public int CompareTo(object value) => throw null; - public static System.Int128 CopySign(System.Int128 value, System.Int128 sign) => throw null; - static System.Int128 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Int128 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Int128 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.Int128, System.Int128) DivRem(System.Int128 left, System.Int128 right) => throw null; - public bool Equals(System.Int128 other) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - // Stub generator skipped constructor - public Int128(System.UInt64 upper, System.UInt64 lower) => throw null; - public static bool IsCanonical(System.Int128 value) => throw null; - public static bool IsComplexNumber(System.Int128 value) => throw null; - public static bool IsEvenInteger(System.Int128 value) => throw null; - public static bool IsFinite(System.Int128 value) => throw null; - public static bool IsImaginaryNumber(System.Int128 value) => throw null; - public static bool IsInfinity(System.Int128 value) => throw null; - public static bool IsInteger(System.Int128 value) => throw null; - public static bool IsNaN(System.Int128 value) => throw null; - public static bool IsNegative(System.Int128 value) => throw null; - public static bool IsNegativeInfinity(System.Int128 value) => throw null; - public static bool IsNormal(System.Int128 value) => throw null; - public static bool IsOddInteger(System.Int128 value) => throw null; - public static bool IsPositive(System.Int128 value) => throw null; - public static bool IsPositiveInfinity(System.Int128 value) => throw null; - public static bool IsPow2(System.Int128 value) => throw null; - public static bool IsRealNumber(System.Int128 value) => throw null; - public static bool IsSubnormal(System.Int128 value) => throw null; - public static bool IsZero(System.Int128 value) => throw null; - public static System.Int128 LeadingZeroCount(System.Int128 value) => throw null; - public static System.Int128 Log2(System.Int128 value) => throw null; - public static System.Int128 Max(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MaxMagnitude(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MaxMagnitudeNumber(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MaxNumber(System.Int128 x, System.Int128 y) => throw null; - static System.Int128 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Int128 Min(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MinMagnitude(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MinMagnitudeNumber(System.Int128 x, System.Int128 y) => throw null; - public static System.Int128 MinNumber(System.Int128 x, System.Int128 y) => throw null; - static System.Int128 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Int128 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Int128 System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.Int128 System.Numerics.INumberBase.One { get => throw null; } - public static System.Int128 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Int128 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Int128 Parse(string s) => throw null; - public static System.Int128 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Int128 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Int128 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Int128 PopCount(System.Int128 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Int128 RotateLeft(System.Int128 value, int rotateAmount) => throw null; - public static System.Int128 RotateRight(System.Int128 value, int rotateAmount) => throw null; - public static int Sign(System.Int128 value) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.Int128 TrailingZeroCount(System.Int128 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Int128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Int128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Int128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Int128 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Int128 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Int128 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Int128 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int128 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Int128 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Int128 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int128 result) => throw null; - public static bool TryParse(string s, out System.Int128 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int128 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int128 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Int128 System.Numerics.INumberBase.Zero { get => throw null; } - static System.Int128 System.Numerics.IBitwiseOperators.operator ^(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IMultiplyOperators.operator checked *(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IAdditionOperators.operator checked +(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IIncrementOperators.operator checked ++(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IUnaryNegationOperators.operator checked -(System.Int128 value) => throw null; - static System.Int128 System.Numerics.ISubtractionOperators.operator checked -(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IDecrementOperators.operator checked --(System.Int128 value) => throw null; - static System.Int128 System.Numerics.IDivisionOperators.operator checked /(System.Int128 left, System.Int128 right) => throw null; - public static explicit operator checked System.Byte(System.Int128 value) => throw null; - public static explicit operator checked System.Char(System.Int128 value) => throw null; - public static explicit operator checked System.Int16(System.Int128 value) => throw null; - public static explicit operator checked System.Int64(System.Int128 value) => throw null; - public static explicit operator checked System.IntPtr(System.Int128 value) => throw null; - public static explicit operator checked System.SByte(System.Int128 value) => throw null; - public static explicit operator checked System.UInt128(System.Int128 value) => throw null; - public static explicit operator checked System.UInt16(System.Int128 value) => throw null; - public static explicit operator checked System.UInt32(System.Int128 value) => throw null; - public static explicit operator checked System.UInt64(System.Int128 value) => throw null; - public static explicit operator checked System.UIntPtr(System.Int128 value) => throw null; - public static explicit operator checked int(System.Int128 value) => throw null; - public static explicit operator checked System.Int128(double value) => throw null; - public static explicit operator checked System.Int128(float value) => throw null; - public static explicit operator System.Byte(System.Int128 value) => throw null; - public static explicit operator System.Char(System.Int128 value) => throw null; - public static explicit operator System.Decimal(System.Int128 value) => throw null; - public static explicit operator System.Half(System.Int128 value) => throw null; - public static explicit operator System.Int16(System.Int128 value) => throw null; - public static explicit operator System.Int64(System.Int128 value) => throw null; - public static explicit operator System.IntPtr(System.Int128 value) => throw null; - public static explicit operator System.SByte(System.Int128 value) => throw null; - public static explicit operator System.UInt128(System.Int128 value) => throw null; - public static explicit operator System.UInt16(System.Int128 value) => throw null; - public static explicit operator System.UInt32(System.Int128 value) => throw null; - public static explicit operator System.UInt64(System.Int128 value) => throw null; - public static explicit operator System.UIntPtr(System.Int128 value) => throw null; - public static explicit operator double(System.Int128 value) => throw null; - public static explicit operator float(System.Int128 value) => throw null; - public static explicit operator int(System.Int128 value) => throw null; - public static explicit operator System.Int128(System.Decimal value) => throw null; - public static explicit operator System.Int128(double value) => throw null; - public static explicit operator System.Int128(float value) => throw null; - public static implicit operator System.Int128(System.IntPtr value) => throw null; - public static implicit operator System.Int128(System.UIntPtr value) => throw null; - public static implicit operator System.Int128(System.Byte value) => throw null; - public static implicit operator System.Int128(System.Char value) => throw null; - public static implicit operator System.Int128(int value) => throw null; - public static implicit operator System.Int128(System.Int64 value) => throw null; - public static implicit operator System.Int128(System.SByte value) => throw null; - public static implicit operator System.Int128(System.Int16 value) => throw null; - public static implicit operator System.Int128(System.UInt32 value) => throw null; - public static implicit operator System.Int128(System.UInt64 value) => throw null; - public static implicit operator System.Int128(System.UInt16 value) => throw null; - static System.Int128 System.Numerics.IBitwiseOperators.operator |(System.Int128 left, System.Int128 right) => throw null; - static System.Int128 System.Numerics.IBitwiseOperators.operator ~(System.Int128 value) => throw null; - } - - public struct Int16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IModulusOperators.operator %(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IBitwiseOperators.operator &(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IMultiplyOperators.operator *(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IUnaryPlusOperators.operator +(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IAdditionOperators.operator +(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IIncrementOperators.operator ++(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IUnaryNegationOperators.operator -(System.Int16 value) => throw null; - static System.Int16 System.Numerics.ISubtractionOperators.operator -(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IDecrementOperators.operator --(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IDivisionOperators.operator /(System.Int16 left, System.Int16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IShiftOperators.operator <<(System.Int16 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Int16 left, System.Int16 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Int16 left, System.Int16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Int16 left, System.Int16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IShiftOperators.operator >>(System.Int16 value, int shiftAmount) => throw null; - static System.Int16 System.Numerics.IShiftOperators.operator >>>(System.Int16 value, int shiftAmount) => throw null; - public static System.Int16 Abs(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Int16 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.Int16 Clamp(System.Int16 value, System.Int16 min, System.Int16 max) => throw null; - public int CompareTo(object value) => throw null; - public int CompareTo(System.Int16 value) => throw null; - public static System.Int16 CopySign(System.Int16 value, System.Int16 sign) => throw null; - static System.Int16 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Int16 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Int16 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.Int16, System.Int16) DivRem(System.Int16 left, System.Int16 right) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(System.Int16 obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - // Stub generator skipped constructor - public static bool IsCanonical(System.Int16 value) => throw null; - public static bool IsComplexNumber(System.Int16 value) => throw null; - public static bool IsEvenInteger(System.Int16 value) => throw null; - public static bool IsFinite(System.Int16 value) => throw null; - public static bool IsImaginaryNumber(System.Int16 value) => throw null; - public static bool IsInfinity(System.Int16 value) => throw null; - public static bool IsInteger(System.Int16 value) => throw null; - public static bool IsNaN(System.Int16 value) => throw null; - public static bool IsNegative(System.Int16 value) => throw null; - public static bool IsNegativeInfinity(System.Int16 value) => throw null; - public static bool IsNormal(System.Int16 value) => throw null; - public static bool IsOddInteger(System.Int16 value) => throw null; - public static bool IsPositive(System.Int16 value) => throw null; - public static bool IsPositiveInfinity(System.Int16 value) => throw null; - public static bool IsPow2(System.Int16 value) => throw null; - public static bool IsRealNumber(System.Int16 value) => throw null; - public static bool IsSubnormal(System.Int16 value) => throw null; - public static bool IsZero(System.Int16 value) => throw null; - public static System.Int16 LeadingZeroCount(System.Int16 value) => throw null; - public static System.Int16 Log2(System.Int16 value) => throw null; - public static System.Int16 Max(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MaxMagnitude(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MaxMagnitudeNumber(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MaxNumber(System.Int16 x, System.Int16 y) => throw null; - public const System.Int16 MaxValue = default; - static System.Int16 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Int16 Min(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MinMagnitude(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MinMagnitudeNumber(System.Int16 x, System.Int16 y) => throw null; - public static System.Int16 MinNumber(System.Int16 x, System.Int16 y) => throw null; - public const System.Int16 MinValue = default; - static System.Int16 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Int16 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Int16 System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.Int16 System.Numerics.INumberBase.One { get => throw null; } - public static System.Int16 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Int16 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Int16 Parse(string s) => throw null; - public static System.Int16 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Int16 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Int16 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Int16 PopCount(System.Int16 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Int16 RotateLeft(System.Int16 value, int rotateAmount) => throw null; - public static System.Int16 RotateRight(System.Int16 value, int rotateAmount) => throw null; - public static int Sign(System.Int16 value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.Int16 TrailingZeroCount(System.Int16 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Int16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Int16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Int16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Int16 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Int16 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Int16 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Int16 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int16 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Int16 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Int16 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int16 result) => throw null; - public static bool TryParse(string s, out System.Int16 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int16 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int16 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Int16 System.Numerics.INumberBase.Zero { get => throw null; } - static System.Int16 System.Numerics.IBitwiseOperators.operator ^(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IMultiplyOperators.operator checked *(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IAdditionOperators.operator checked +(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IIncrementOperators.operator checked ++(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IUnaryNegationOperators.operator checked -(System.Int16 value) => throw null; - static System.Int16 System.Numerics.ISubtractionOperators.operator checked -(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IDecrementOperators.operator checked --(System.Int16 value) => throw null; - static System.Int16 System.Numerics.IBitwiseOperators.operator |(System.Int16 left, System.Int16 right) => throw null; - static System.Int16 System.Numerics.IBitwiseOperators.operator ~(System.Int16 value) => throw null; - } - - public struct Int32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(int left, int right) => throw null; - static int System.Numerics.IModulusOperators.operator %(int left, int right) => throw null; - static int System.Numerics.IBitwiseOperators.operator &(int left, int right) => throw null; - static int System.Numerics.IMultiplyOperators.operator *(int left, int right) => throw null; - static int System.Numerics.IUnaryPlusOperators.operator +(int value) => throw null; - static int System.Numerics.IAdditionOperators.operator +(int left, int right) => throw null; - static int System.Numerics.IIncrementOperators.operator ++(int value) => throw null; - static int System.Numerics.IUnaryNegationOperators.operator -(int value) => throw null; - static int System.Numerics.ISubtractionOperators.operator -(int left, int right) => throw null; - static int System.Numerics.IDecrementOperators.operator --(int value) => throw null; - static int System.Numerics.IDivisionOperators.operator /(int left, int right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(int left, int right) => throw null; - static int System.Numerics.IShiftOperators.operator <<(int value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(int left, int right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(int left, int right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(int left, int right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(int left, int right) => throw null; - static int System.Numerics.IShiftOperators.operator >>(int value, int shiftAmount) => throw null; - static int System.Numerics.IShiftOperators.operator >>>(int value, int shiftAmount) => throw null; - public static int Abs(int value) => throw null; - static int System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static int System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static int Clamp(int value, int min, int max) => throw null; - public int CompareTo(int value) => throw null; - public int CompareTo(object value) => throw null; - public static int CopySign(int value, int sign) => throw null; - static int System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static int System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static int System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (int, int) DivRem(int left, int right) => throw null; - public bool Equals(int obj) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - // Stub generator skipped constructor - public static bool IsCanonical(int value) => throw null; - public static bool IsComplexNumber(int value) => throw null; - public static bool IsEvenInteger(int value) => throw null; - public static bool IsFinite(int value) => throw null; - public static bool IsImaginaryNumber(int value) => throw null; - public static bool IsInfinity(int value) => throw null; - public static bool IsInteger(int value) => throw null; - public static bool IsNaN(int value) => throw null; - public static bool IsNegative(int value) => throw null; - public static bool IsNegativeInfinity(int value) => throw null; - public static bool IsNormal(int value) => throw null; - public static bool IsOddInteger(int value) => throw null; - public static bool IsPositive(int value) => throw null; - public static bool IsPositiveInfinity(int value) => throw null; - public static bool IsPow2(int value) => throw null; - public static bool IsRealNumber(int value) => throw null; - public static bool IsSubnormal(int value) => throw null; - public static bool IsZero(int value) => throw null; - public static int LeadingZeroCount(int value) => throw null; - public static int Log2(int value) => throw null; - public static int Max(int x, int y) => throw null; - public static int MaxMagnitude(int x, int y) => throw null; - public static int MaxMagnitudeNumber(int x, int y) => throw null; - public static int MaxNumber(int x, int y) => throw null; - public const int MaxValue = default; - static int System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static int Min(int x, int y) => throw null; - public static int MinMagnitude(int x, int y) => throw null; - public static int MinMagnitudeNumber(int x, int y) => throw null; - public static int MinNumber(int x, int y) => throw null; - public const int MinValue = default; - static int System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static int System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static int System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static int System.Numerics.INumberBase.One { get => throw null; } - public static int Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static int Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static int Parse(string s) => throw null; - public static int Parse(string s, System.IFormatProvider provider) => throw null; - public static int Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static int Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static int PopCount(int value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static int RotateLeft(int value, int rotateAmount) => throw null; - public static int RotateRight(int value, int rotateAmount) => throw null; - public static int Sign(int value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static int TrailingZeroCount(int value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out int result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out int result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out int result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(int value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(int value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(int value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out int result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out int result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out int result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; - public static bool TryParse(string s, out int result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out int value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out int value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static int System.Numerics.INumberBase.Zero { get => throw null; } - static int System.Numerics.IBitwiseOperators.operator ^(int left, int right) => throw null; - static int System.Numerics.IMultiplyOperators.operator checked *(int left, int right) => throw null; - static int System.Numerics.IAdditionOperators.operator checked +(int left, int right) => throw null; - static int System.Numerics.IIncrementOperators.operator checked ++(int value) => throw null; - static int System.Numerics.IUnaryNegationOperators.operator checked -(int value) => throw null; - static int System.Numerics.ISubtractionOperators.operator checked -(int left, int right) => throw null; - static int System.Numerics.IDecrementOperators.operator checked --(int value) => throw null; - static int System.Numerics.IBitwiseOperators.operator |(int left, int right) => throw null; - static int System.Numerics.IBitwiseOperators.operator ~(int value) => throw null; - } - - public struct Int64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IModulusOperators.operator %(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IBitwiseOperators.operator &(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IMultiplyOperators.operator *(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IUnaryPlusOperators.operator +(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IAdditionOperators.operator +(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IIncrementOperators.operator ++(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IUnaryNegationOperators.operator -(System.Int64 value) => throw null; - static System.Int64 System.Numerics.ISubtractionOperators.operator -(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IDecrementOperators.operator --(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IDivisionOperators.operator /(System.Int64 left, System.Int64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IShiftOperators.operator <<(System.Int64 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.Int64 left, System.Int64 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.Int64 left, System.Int64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.Int64 left, System.Int64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IShiftOperators.operator >>(System.Int64 value, int shiftAmount) => throw null; - static System.Int64 System.Numerics.IShiftOperators.operator >>>(System.Int64 value, int shiftAmount) => throw null; - public static System.Int64 Abs(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.Int64 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.Int64 Clamp(System.Int64 value, System.Int64 min, System.Int64 max) => throw null; - public int CompareTo(System.Int64 value) => throw null; - public int CompareTo(object value) => throw null; - public static System.Int64 CopySign(System.Int64 value, System.Int64 sign) => throw null; - static System.Int64 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.Int64 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.Int64 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.Int64, System.Int64) DivRem(System.Int64 left, System.Int64 right) => throw null; - public bool Equals(System.Int64 obj) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - // Stub generator skipped constructor - public static bool IsCanonical(System.Int64 value) => throw null; - public static bool IsComplexNumber(System.Int64 value) => throw null; - public static bool IsEvenInteger(System.Int64 value) => throw null; - public static bool IsFinite(System.Int64 value) => throw null; - public static bool IsImaginaryNumber(System.Int64 value) => throw null; - public static bool IsInfinity(System.Int64 value) => throw null; - public static bool IsInteger(System.Int64 value) => throw null; - public static bool IsNaN(System.Int64 value) => throw null; - public static bool IsNegative(System.Int64 value) => throw null; - public static bool IsNegativeInfinity(System.Int64 value) => throw null; - public static bool IsNormal(System.Int64 value) => throw null; - public static bool IsOddInteger(System.Int64 value) => throw null; - public static bool IsPositive(System.Int64 value) => throw null; - public static bool IsPositiveInfinity(System.Int64 value) => throw null; - public static bool IsPow2(System.Int64 value) => throw null; - public static bool IsRealNumber(System.Int64 value) => throw null; - public static bool IsSubnormal(System.Int64 value) => throw null; - public static bool IsZero(System.Int64 value) => throw null; - public static System.Int64 LeadingZeroCount(System.Int64 value) => throw null; - public static System.Int64 Log2(System.Int64 value) => throw null; - public static System.Int64 Max(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MaxMagnitude(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MaxMagnitudeNumber(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MaxNumber(System.Int64 x, System.Int64 y) => throw null; - public const System.Int64 MaxValue = default; - static System.Int64 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.Int64 Min(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MinMagnitude(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MinMagnitudeNumber(System.Int64 x, System.Int64 y) => throw null; - public static System.Int64 MinNumber(System.Int64 x, System.Int64 y) => throw null; - public const System.Int64 MinValue = default; - static System.Int64 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.Int64 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.Int64 System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.Int64 System.Numerics.INumberBase.One { get => throw null; } - public static System.Int64 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.Int64 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.Int64 Parse(string s) => throw null; - public static System.Int64 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.Int64 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.Int64 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.Int64 PopCount(System.Int64 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.Int64 RotateLeft(System.Int64 value, int rotateAmount) => throw null; - public static System.Int64 RotateRight(System.Int64 value, int rotateAmount) => throw null; - public static int Sign(System.Int64 value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.Int64 TrailingZeroCount(System.Int64 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Int64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Int64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Int64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.Int64 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Int64 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Int64 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Int64 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int64 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.Int64 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.Int64 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int64 result) => throw null; - public static bool TryParse(string s, out System.Int64 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int64 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int64 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.Int64 System.Numerics.INumberBase.Zero { get => throw null; } - static System.Int64 System.Numerics.IBitwiseOperators.operator ^(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IMultiplyOperators.operator checked *(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IAdditionOperators.operator checked +(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IIncrementOperators.operator checked ++(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IUnaryNegationOperators.operator checked -(System.Int64 value) => throw null; - static System.Int64 System.Numerics.ISubtractionOperators.operator checked -(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IDecrementOperators.operator checked --(System.Int64 value) => throw null; - static System.Int64 System.Numerics.IBitwiseOperators.operator |(System.Int64 left, System.Int64 right) => throw null; - static System.Int64 System.Numerics.IBitwiseOperators.operator ~(System.Int64 value) => throw null; - } - - public struct IntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Runtime.Serialization.ISerializable - { - static bool System.Numerics.IEqualityOperators.operator !=(System.IntPtr value1, System.IntPtr value2) => throw null; - static System.IntPtr System.Numerics.IModulusOperators.operator %(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IBitwiseOperators.operator &(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IMultiplyOperators.operator *(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IUnaryPlusOperators.operator +(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.IAdditionOperators.operator +(System.IntPtr left, System.IntPtr right) => throw null; - public static System.IntPtr operator +(System.IntPtr pointer, int offset) => throw null; - static System.IntPtr System.Numerics.IIncrementOperators.operator ++(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.IUnaryNegationOperators.operator -(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.ISubtractionOperators.operator -(System.IntPtr left, System.IntPtr right) => throw null; - public static System.IntPtr operator -(System.IntPtr pointer, int offset) => throw null; - static System.IntPtr System.Numerics.IDecrementOperators.operator --(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.IDivisionOperators.operator /(System.IntPtr left, System.IntPtr right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IShiftOperators.operator <<(System.IntPtr value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.IntPtr left, System.IntPtr right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.IntPtr value1, System.IntPtr value2) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.IntPtr left, System.IntPtr right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IShiftOperators.operator >>(System.IntPtr value, int shiftAmount) => throw null; - static System.IntPtr System.Numerics.IShiftOperators.operator >>>(System.IntPtr value, int shiftAmount) => throw null; - public static System.IntPtr Abs(System.IntPtr value) => throw null; - public static System.IntPtr Add(System.IntPtr pointer, int offset) => throw null; - static System.IntPtr System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.IntPtr System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.IntPtr Clamp(System.IntPtr value, System.IntPtr min, System.IntPtr max) => throw null; - public int CompareTo(System.IntPtr value) => throw null; - public int CompareTo(object value) => throw null; - public static System.IntPtr CopySign(System.IntPtr value, System.IntPtr sign) => throw null; - static System.IntPtr System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.IntPtr System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.IntPtr System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.IntPtr, System.IntPtr) DivRem(System.IntPtr left, System.IntPtr right) => throw null; - public bool Equals(System.IntPtr other) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - // Stub generator skipped constructor - unsafe public IntPtr(void* value) => throw null; - public IntPtr(int value) => throw null; - public IntPtr(System.Int64 value) => throw null; - public static bool IsCanonical(System.IntPtr value) => throw null; - public static bool IsComplexNumber(System.IntPtr value) => throw null; - public static bool IsEvenInteger(System.IntPtr value) => throw null; - public static bool IsFinite(System.IntPtr value) => throw null; - public static bool IsImaginaryNumber(System.IntPtr value) => throw null; - public static bool IsInfinity(System.IntPtr value) => throw null; - public static bool IsInteger(System.IntPtr value) => throw null; - public static bool IsNaN(System.IntPtr value) => throw null; - public static bool IsNegative(System.IntPtr value) => throw null; - public static bool IsNegativeInfinity(System.IntPtr value) => throw null; - public static bool IsNormal(System.IntPtr value) => throw null; - public static bool IsOddInteger(System.IntPtr value) => throw null; - public static bool IsPositive(System.IntPtr value) => throw null; - public static bool IsPositiveInfinity(System.IntPtr value) => throw null; - public static bool IsPow2(System.IntPtr value) => throw null; - public static bool IsRealNumber(System.IntPtr value) => throw null; - public static bool IsSubnormal(System.IntPtr value) => throw null; - public static bool IsZero(System.IntPtr value) => throw null; - public static System.IntPtr LeadingZeroCount(System.IntPtr value) => throw null; - public static System.IntPtr Log2(System.IntPtr value) => throw null; - public static System.IntPtr Max(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MaxMagnitude(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MaxMagnitudeNumber(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MaxNumber(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MaxValue { get => throw null; } - static System.IntPtr System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.IntPtr Min(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MinMagnitude(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MinMagnitudeNumber(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MinNumber(System.IntPtr x, System.IntPtr y) => throw null; - public static System.IntPtr MinValue { get => throw null; } - static System.IntPtr System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.IntPtr System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.IntPtr System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.IntPtr System.Numerics.INumberBase.One { get => throw null; } - public static System.IntPtr Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.IntPtr Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.IntPtr Parse(string s) => throw null; - public static System.IntPtr Parse(string s, System.IFormatProvider provider) => throw null; - public static System.IntPtr Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.IntPtr Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.IntPtr PopCount(System.IntPtr value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.IntPtr RotateLeft(System.IntPtr value, int rotateAmount) => throw null; - public static System.IntPtr RotateRight(System.IntPtr value, int rotateAmount) => throw null; - public static int Sign(System.IntPtr value) => throw null; - public static int Size { get => throw null; } - public static System.IntPtr Subtract(System.IntPtr pointer, int offset) => throw null; - public int ToInt32() => throw null; - public System.Int64 ToInt64() => throw null; - unsafe public void* ToPointer() => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.IntPtr TrailingZeroCount(System.IntPtr value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.IntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.IntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.IntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.IntPtr value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.IntPtr value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.IntPtr value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.IntPtr result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.IntPtr result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.IntPtr result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.IntPtr result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.IntPtr result) => throw null; - public static bool TryParse(string s, out System.IntPtr result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.IntPtr value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.IntPtr value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - public static System.IntPtr Zero; - static System.IntPtr System.Numerics.INumberBase.Zero { get => throw null; } - static System.IntPtr System.Numerics.IBitwiseOperators.operator ^(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IMultiplyOperators.operator checked *(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IAdditionOperators.operator checked +(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IIncrementOperators.operator checked ++(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.IUnaryNegationOperators.operator checked -(System.IntPtr value) => throw null; - static System.IntPtr System.Numerics.ISubtractionOperators.operator checked -(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IDecrementOperators.operator checked --(System.IntPtr value) => throw null; - public static explicit operator System.Int64(System.IntPtr value) => throw null; - public static explicit operator int(System.IntPtr value) => throw null; - unsafe public static explicit operator void*(System.IntPtr value) => throw null; - unsafe public static explicit operator System.IntPtr(void* value) => throw null; - public static explicit operator System.IntPtr(int value) => throw null; - public static explicit operator System.IntPtr(System.Int64 value) => throw null; - static System.IntPtr System.Numerics.IBitwiseOperators.operator |(System.IntPtr left, System.IntPtr right) => throw null; - static System.IntPtr System.Numerics.IBitwiseOperators.operator ~(System.IntPtr value) => throw null; - } - - public class InvalidCastException : System.SystemException - { - public InvalidCastException() => throw null; - protected InvalidCastException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidCastException(string message) => throw null; - public InvalidCastException(string message, System.Exception innerException) => throw null; - public InvalidCastException(string message, int errorCode) => throw null; - } - - public class InvalidOperationException : System.SystemException - { - public InvalidOperationException() => throw null; - protected InvalidOperationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidOperationException(string message) => throw null; - public InvalidOperationException(string message, System.Exception innerException) => throw null; - } - - public class InvalidProgramException : System.SystemException - { - public InvalidProgramException() => throw null; - public InvalidProgramException(string message) => throw null; - public InvalidProgramException(string message, System.Exception inner) => throw null; - } - - public class InvalidTimeZoneException : System.Exception - { - public InvalidTimeZoneException() => throw null; - protected InvalidTimeZoneException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidTimeZoneException(string message) => throw null; - public InvalidTimeZoneException(string message, System.Exception innerException) => throw null; - } - - public class Lazy : System.Lazy - { - public Lazy(System.Func valueFactory, TMetadata metadata) => throw null; - public Lazy(System.Func valueFactory, TMetadata metadata, System.Threading.LazyThreadSafetyMode mode) => throw null; - public Lazy(System.Func valueFactory, TMetadata metadata, bool isThreadSafe) => throw null; - public Lazy(TMetadata metadata) => throw null; - public Lazy(TMetadata metadata, System.Threading.LazyThreadSafetyMode mode) => throw null; - public Lazy(TMetadata metadata, bool isThreadSafe) => throw null; - public TMetadata Metadata { get => throw null; } - } - - public class Lazy - { - public bool IsValueCreated { get => throw null; } - public Lazy() => throw null; - public Lazy(System.Func valueFactory) => throw null; - public Lazy(System.Func valueFactory, System.Threading.LazyThreadSafetyMode mode) => throw null; - public Lazy(System.Func valueFactory, bool isThreadSafe) => throw null; - public Lazy(System.Threading.LazyThreadSafetyMode mode) => throw null; - public Lazy(T value) => throw null; - public Lazy(bool isThreadSafe) => throw null; - public override string ToString() => throw null; - public T Value { get => throw null; } - } - - public class LdapStyleUriParser : System.UriParser - { - public LdapStyleUriParser() => throw null; - } - - public enum LoaderOptimization : int - { - DisallowBindings = 4, - DomainMask = 3, - MultiDomain = 2, - MultiDomainHost = 3, - NotSpecified = 0, - SingleDomain = 1, - } - - public class LoaderOptimizationAttribute : System.Attribute - { - public LoaderOptimizationAttribute(System.LoaderOptimization value) => throw null; - public LoaderOptimizationAttribute(System.Byte value) => throw null; - public System.LoaderOptimization Value { get => throw null; } - } - - public class MTAThreadAttribute : System.Attribute - { - public MTAThreadAttribute() => throw null; - } - - public abstract class MarshalByRefObject - { - public object GetLifetimeService() => throw null; - public virtual object InitializeLifetimeService() => throw null; - protected MarshalByRefObject() => throw null; - protected System.MarshalByRefObject MemberwiseClone(bool cloneIdentity) => throw null; - } - - public static class Math - { - public static System.IntPtr Abs(System.IntPtr value) => throw null; - public static System.Decimal Abs(System.Decimal value) => throw null; - public static double Abs(double value) => throw null; - public static float Abs(float value) => throw null; - public static int Abs(int value) => throw null; - public static System.Int64 Abs(System.Int64 value) => throw null; - public static System.SByte Abs(System.SByte value) => throw null; - public static System.Int16 Abs(System.Int16 value) => throw null; - public static double Acos(double d) => throw null; - public static double Acosh(double d) => throw null; - public static double Asin(double d) => throw null; - public static double Asinh(double d) => throw null; - public static double Atan(double d) => throw null; - public static double Atan2(double y, double x) => throw null; - public static double Atanh(double d) => throw null; - public static System.Int64 BigMul(int a, int b) => throw null; - public static System.Int64 BigMul(System.Int64 a, System.Int64 b, out System.Int64 low) => throw null; - public static System.UInt64 BigMul(System.UInt64 a, System.UInt64 b, out System.UInt64 low) => throw null; - public static double BitDecrement(double x) => throw null; - public static double BitIncrement(double x) => throw null; - public static double Cbrt(double d) => throw null; - public static System.Decimal Ceiling(System.Decimal d) => throw null; - public static double Ceiling(double a) => throw null; - public static System.IntPtr Clamp(System.IntPtr value, System.IntPtr min, System.IntPtr max) => throw null; - public static System.UIntPtr Clamp(System.UIntPtr value, System.UIntPtr min, System.UIntPtr max) => throw null; - public static System.Byte Clamp(System.Byte value, System.Byte min, System.Byte max) => throw null; - public static System.Decimal Clamp(System.Decimal value, System.Decimal min, System.Decimal max) => throw null; - public static double Clamp(double value, double min, double max) => throw null; - public static float Clamp(float value, float min, float max) => throw null; - public static int Clamp(int value, int min, int max) => throw null; - public static System.Int64 Clamp(System.Int64 value, System.Int64 min, System.Int64 max) => throw null; - public static System.SByte Clamp(System.SByte value, System.SByte min, System.SByte max) => throw null; - public static System.Int16 Clamp(System.Int16 value, System.Int16 min, System.Int16 max) => throw null; - public static System.UInt32 Clamp(System.UInt32 value, System.UInt32 min, System.UInt32 max) => throw null; - public static System.UInt64 Clamp(System.UInt64 value, System.UInt64 min, System.UInt64 max) => throw null; - public static System.UInt16 Clamp(System.UInt16 value, System.UInt16 min, System.UInt16 max) => throw null; - public static double CopySign(double x, double y) => throw null; - public static double Cos(double d) => throw null; - public static double Cosh(double value) => throw null; - public static (System.IntPtr, System.IntPtr) DivRem(System.IntPtr left, System.IntPtr right) => throw null; - public static (System.UIntPtr, System.UIntPtr) DivRem(System.UIntPtr left, System.UIntPtr right) => throw null; - public static (System.Byte, System.Byte) DivRem(System.Byte left, System.Byte right) => throw null; - public static (int, int) DivRem(int left, int right) => throw null; - public static int DivRem(int a, int b, out int result) => throw null; - public static (System.Int64, System.Int64) DivRem(System.Int64 left, System.Int64 right) => throw null; - public static System.Int64 DivRem(System.Int64 a, System.Int64 b, out System.Int64 result) => throw null; - public static (System.SByte, System.SByte) DivRem(System.SByte left, System.SByte right) => throw null; - public static (System.Int16, System.Int16) DivRem(System.Int16 left, System.Int16 right) => throw null; - public static (System.UInt32, System.UInt32) DivRem(System.UInt32 left, System.UInt32 right) => throw null; - public static (System.UInt64, System.UInt64) DivRem(System.UInt64 left, System.UInt64 right) => throw null; - public static (System.UInt16, System.UInt16) DivRem(System.UInt16 left, System.UInt16 right) => throw null; - public const double E = default; - public static double Exp(double d) => throw null; - public static System.Decimal Floor(System.Decimal d) => throw null; - public static double Floor(double d) => throw null; - public static double FusedMultiplyAdd(double x, double y, double z) => throw null; - public static double IEEERemainder(double x, double y) => throw null; - public static int ILogB(double x) => throw null; - public static double Log(double d) => throw null; - public static double Log(double a, double newBase) => throw null; - public static double Log10(double d) => throw null; - public static double Log2(double x) => throw null; - public static System.IntPtr Max(System.IntPtr val1, System.IntPtr val2) => throw null; - public static System.UIntPtr Max(System.UIntPtr val1, System.UIntPtr val2) => throw null; - public static System.Byte Max(System.Byte val1, System.Byte val2) => throw null; - public static System.Decimal Max(System.Decimal val1, System.Decimal val2) => throw null; - public static double Max(double val1, double val2) => throw null; - public static float Max(float val1, float val2) => throw null; - public static int Max(int val1, int val2) => throw null; - public static System.Int64 Max(System.Int64 val1, System.Int64 val2) => throw null; - public static System.SByte Max(System.SByte val1, System.SByte val2) => throw null; - public static System.Int16 Max(System.Int16 val1, System.Int16 val2) => throw null; - public static System.UInt32 Max(System.UInt32 val1, System.UInt32 val2) => throw null; - public static System.UInt64 Max(System.UInt64 val1, System.UInt64 val2) => throw null; - public static System.UInt16 Max(System.UInt16 val1, System.UInt16 val2) => throw null; - public static double MaxMagnitude(double x, double y) => throw null; - public static System.IntPtr Min(System.IntPtr val1, System.IntPtr val2) => throw null; - public static System.UIntPtr Min(System.UIntPtr val1, System.UIntPtr val2) => throw null; - public static System.Byte Min(System.Byte val1, System.Byte val2) => throw null; - public static System.Decimal Min(System.Decimal val1, System.Decimal val2) => throw null; - public static double Min(double val1, double val2) => throw null; - public static float Min(float val1, float val2) => throw null; - public static int Min(int val1, int val2) => throw null; - public static System.Int64 Min(System.Int64 val1, System.Int64 val2) => throw null; - public static System.SByte Min(System.SByte val1, System.SByte val2) => throw null; - public static System.Int16 Min(System.Int16 val1, System.Int16 val2) => throw null; - public static System.UInt32 Min(System.UInt32 val1, System.UInt32 val2) => throw null; - public static System.UInt64 Min(System.UInt64 val1, System.UInt64 val2) => throw null; - public static System.UInt16 Min(System.UInt16 val1, System.UInt16 val2) => throw null; - public static double MinMagnitude(double x, double y) => throw null; - public const double PI = default; - public static double Pow(double x, double y) => throw null; - public static double ReciprocalEstimate(double d) => throw null; - public static double ReciprocalSqrtEstimate(double d) => throw null; - public static System.Decimal Round(System.Decimal d) => throw null; - public static System.Decimal Round(System.Decimal d, System.MidpointRounding mode) => throw null; - public static System.Decimal Round(System.Decimal d, int decimals) => throw null; - public static System.Decimal Round(System.Decimal d, int decimals, System.MidpointRounding mode) => throw null; - public static double Round(double a) => throw null; - public static double Round(double value, System.MidpointRounding mode) => throw null; - public static double Round(double value, int digits) => throw null; - public static double Round(double value, int digits, System.MidpointRounding mode) => throw null; - public static double ScaleB(double x, int n) => throw null; - public static int Sign(System.IntPtr value) => throw null; - public static int Sign(System.Decimal value) => throw null; - public static int Sign(double value) => throw null; - public static int Sign(float value) => throw null; - public static int Sign(int value) => throw null; - public static int Sign(System.Int64 value) => throw null; - public static int Sign(System.SByte value) => throw null; - public static int Sign(System.Int16 value) => throw null; - public static double Sin(double a) => throw null; - public static (double, double) SinCos(double x) => throw null; - public static double Sinh(double value) => throw null; - public static double Sqrt(double d) => throw null; - public static double Tan(double a) => throw null; - public static double Tanh(double value) => throw null; - public const double Tau = default; - public static System.Decimal Truncate(System.Decimal d) => throw null; - public static double Truncate(double d) => throw null; - } - - public static class MathF - { - public static float Abs(float x) => throw null; - public static float Acos(float x) => throw null; - public static float Acosh(float x) => throw null; - public static float Asin(float x) => throw null; - public static float Asinh(float x) => throw null; - public static float Atan(float x) => throw null; - public static float Atan2(float y, float x) => throw null; - public static float Atanh(float x) => throw null; - public static float BitDecrement(float x) => throw null; - public static float BitIncrement(float x) => throw null; - public static float Cbrt(float x) => throw null; - public static float Ceiling(float x) => throw null; - public static float CopySign(float x, float y) => throw null; - public static float Cos(float x) => throw null; - public static float Cosh(float x) => throw null; - public const float E = default; - public static float Exp(float x) => throw null; - public static float Floor(float x) => throw null; - public static float FusedMultiplyAdd(float x, float y, float z) => throw null; - public static float IEEERemainder(float x, float y) => throw null; - public static int ILogB(float x) => throw null; - public static float Log(float x) => throw null; - public static float Log(float x, float y) => throw null; - public static float Log10(float x) => throw null; - public static float Log2(float x) => throw null; - public static float Max(float x, float y) => throw null; - public static float MaxMagnitude(float x, float y) => throw null; - public static float Min(float x, float y) => throw null; - public static float MinMagnitude(float x, float y) => throw null; - public const float PI = default; - public static float Pow(float x, float y) => throw null; - public static float ReciprocalEstimate(float x) => throw null; - public static float ReciprocalSqrtEstimate(float x) => throw null; - public static float Round(float x) => throw null; - public static float Round(float x, System.MidpointRounding mode) => throw null; - public static float Round(float x, int digits) => throw null; - public static float Round(float x, int digits, System.MidpointRounding mode) => throw null; - public static float ScaleB(float x, int n) => throw null; - public static int Sign(float x) => throw null; - public static float Sin(float x) => throw null; - public static (float, float) SinCos(float x) => throw null; - public static float Sinh(float x) => throw null; - public static float Sqrt(float x) => throw null; - public static float Tan(float x) => throw null; - public static float Tanh(float x) => throw null; - public const float Tau = default; - public static float Truncate(float x) => throw null; - } - - public class MemberAccessException : System.SystemException - { - public MemberAccessException() => throw null; - protected MemberAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MemberAccessException(string message) => throw null; - public MemberAccessException(string message, System.Exception inner) => throw null; - } - - public struct Memory : System.IEquatable> - { - public void CopyTo(System.Memory destination) => throw null; - public static System.Memory Empty { get => throw null; } - public bool Equals(System.Memory other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsEmpty { get => throw null; } - public int Length { get => throw null; } - // Stub generator skipped constructor - public Memory(T[] array) => throw null; - public Memory(T[] array, int start, int length) => throw null; - public System.Buffers.MemoryHandle Pin() => throw null; - public System.Memory Slice(int start) => throw null; - public System.Memory Slice(int start, int length) => throw null; - public System.Span Span { get => throw null; } - public T[] ToArray() => throw null; - public override string ToString() => throw null; - public bool TryCopyTo(System.Memory destination) => throw null; - public static implicit operator System.Memory(System.ArraySegment segment) => throw null; - public static implicit operator System.ReadOnlyMemory(System.Memory memory) => throw null; - public static implicit operator System.Memory(T[] array) => throw null; - } - - public class MethodAccessException : System.MemberAccessException - { - public MethodAccessException() => throw null; - protected MethodAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MethodAccessException(string message) => throw null; - public MethodAccessException(string message, System.Exception inner) => throw null; - } - - public enum MidpointRounding : int - { - AwayFromZero = 1, - ToEven = 0, - ToNegativeInfinity = 3, - ToPositiveInfinity = 4, - ToZero = 2, - } - - public class MissingFieldException : System.MissingMemberException, System.Runtime.Serialization.ISerializable - { - public override string Message { get => throw null; } - public MissingFieldException() => throw null; - protected MissingFieldException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MissingFieldException(string message) => throw null; - public MissingFieldException(string message, System.Exception inner) => throw null; - public MissingFieldException(string className, string fieldName) => throw null; - } - - public class MissingMemberException : System.MemberAccessException, System.Runtime.Serialization.ISerializable - { - protected string ClassName; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected string MemberName; - public override string Message { get => throw null; } - public MissingMemberException() => throw null; - protected MissingMemberException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MissingMemberException(string message) => throw null; - public MissingMemberException(string message, System.Exception inner) => throw null; - public MissingMemberException(string className, string memberName) => throw null; - protected System.Byte[] Signature; - } - - public class MissingMethodException : System.MissingMemberException - { - public override string Message { get => throw null; } - public MissingMethodException() => throw null; - protected MissingMethodException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public MissingMethodException(string message) => throw null; - public MissingMethodException(string message, System.Exception inner) => throw null; - public MissingMethodException(string className, string methodName) => throw null; - } - - public struct ModuleHandle : System.IEquatable - { - public static bool operator !=(System.ModuleHandle left, System.ModuleHandle right) => throw null; - public static bool operator ==(System.ModuleHandle left, System.ModuleHandle right) => throw null; - public static System.ModuleHandle EmptyHandle; - public bool Equals(System.ModuleHandle handle) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public System.RuntimeFieldHandle GetRuntimeFieldHandleFromMetadataToken(int fieldToken) => throw null; - public System.RuntimeMethodHandle GetRuntimeMethodHandleFromMetadataToken(int methodToken) => throw null; - public System.RuntimeTypeHandle GetRuntimeTypeHandleFromMetadataToken(int typeToken) => throw null; - public int MDStreamVersion { get => throw null; } - // Stub generator skipped constructor - public System.RuntimeFieldHandle ResolveFieldHandle(int fieldToken) => throw null; - public System.RuntimeFieldHandle ResolveFieldHandle(int fieldToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; - public System.RuntimeMethodHandle ResolveMethodHandle(int methodToken) => throw null; - public System.RuntimeMethodHandle ResolveMethodHandle(int methodToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; - public System.RuntimeTypeHandle ResolveTypeHandle(int typeToken) => throw null; - public System.RuntimeTypeHandle ResolveTypeHandle(int typeToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; - } - - public abstract class MulticastDelegate : System.Delegate - { - public static bool operator !=(System.MulticastDelegate d1, System.MulticastDelegate d2) => throw null; - public static bool operator ==(System.MulticastDelegate d1, System.MulticastDelegate d2) => throw null; - protected override System.Delegate CombineImpl(System.Delegate follow) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public override System.Delegate[] GetInvocationList() => throw null; - protected override System.Reflection.MethodInfo GetMethodImpl() => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected MulticastDelegate(System.Type target, string method) : base(default(System.Type), default(string)) => throw null; - protected MulticastDelegate(object target, string method) : base(default(System.Type), default(string)) => throw null; - protected override System.Delegate RemoveImpl(System.Delegate value) => throw null; - } - - public class MulticastNotSupportedException : System.SystemException - { - public MulticastNotSupportedException() => throw null; - public MulticastNotSupportedException(string message) => throw null; - public MulticastNotSupportedException(string message, System.Exception inner) => throw null; - } - - public class NetPipeStyleUriParser : System.UriParser - { - public NetPipeStyleUriParser() => throw null; - } - - public class NetTcpStyleUriParser : System.UriParser - { - public NetTcpStyleUriParser() => throw null; - } - - public class NewsStyleUriParser : System.UriParser - { - public NewsStyleUriParser() => throw null; - } - - public class NonSerializedAttribute : System.Attribute - { - public NonSerializedAttribute() => throw null; - } - - public class NotFiniteNumberException : System.ArithmeticException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NotFiniteNumberException() => throw null; - protected NotFiniteNumberException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NotFiniteNumberException(double offendingNumber) => throw null; - public NotFiniteNumberException(string message) => throw null; - public NotFiniteNumberException(string message, System.Exception innerException) => throw null; - public NotFiniteNumberException(string message, double offendingNumber) => throw null; - public NotFiniteNumberException(string message, double offendingNumber, System.Exception innerException) => throw null; - public double OffendingNumber { get => throw null; } - } - - public class NotImplementedException : System.SystemException - { - public NotImplementedException() => throw null; - protected NotImplementedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NotImplementedException(string message) => throw null; - public NotImplementedException(string message, System.Exception inner) => throw null; - } - - public class NotSupportedException : System.SystemException - { - public NotSupportedException() => throw null; - protected NotSupportedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NotSupportedException(string message) => throw null; - public NotSupportedException(string message, System.Exception innerException) => throw null; - } - - public class NullReferenceException : System.SystemException - { - public NullReferenceException() => throw null; - protected NullReferenceException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public NullReferenceException(string message) => throw null; - public NullReferenceException(string message, System.Exception innerException) => throw null; - } - - public static class Nullable - { - public static int Compare(T? n1, T? n2) where T : struct => throw null; - public static bool Equals(T? n1, T? n2) where T : struct => throw null; - public static System.Type GetUnderlyingType(System.Type nullableType) => throw null; - public static T GetValueRefOrDefaultRef(T? nullable) where T : struct => throw null; - } - - public struct Nullable where T : struct - { - public override bool Equals(object other) => throw null; - public override int GetHashCode() => throw null; - public T GetValueOrDefault() => throw null; - public T GetValueOrDefault(T defaultValue) => throw null; - public bool HasValue { get => throw null; } - // Stub generator skipped constructor - public Nullable(T value) => throw null; - public override string ToString() => throw null; - public T Value { get => throw null; } - public static explicit operator T(System.Nullable value) => throw null; - public static implicit operator System.Nullable(T value) => throw null; - } - - public class Object - { - public virtual bool Equals(object obj) => throw null; - public static bool Equals(object objA, object objB) => throw null; - public virtual int GetHashCode() => throw null; - public System.Type GetType() => throw null; - protected object MemberwiseClone() => throw null; - public Object() => throw null; - public static bool ReferenceEquals(object objA, object objB) => throw null; - public virtual string ToString() => throw null; - // ERR: Stub generator didn't handle member: ~Object - } - - public class ObjectDisposedException : System.InvalidOperationException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - protected ObjectDisposedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public ObjectDisposedException(string objectName) => throw null; - public ObjectDisposedException(string message, System.Exception innerException) => throw null; - public ObjectDisposedException(string objectName, string message) => throw null; - public string ObjectName { get => throw null; } - public static void ThrowIf(bool condition, System.Type type) => throw null; - public static void ThrowIf(bool condition, object instance) => throw null; - } - - public class ObsoleteAttribute : System.Attribute - { - public string DiagnosticId { get => throw null; set => throw null; } - public bool IsError { get => throw null; } - public string Message { get => throw null; } - public ObsoleteAttribute() => throw null; - public ObsoleteAttribute(string message) => throw null; - public ObsoleteAttribute(string message, bool error) => throw null; - public string UrlFormat { get => throw null; set => throw null; } - } - - public class OperatingSystem : System.ICloneable, System.Runtime.Serialization.ISerializable - { - public object Clone() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public static bool IsAndroid() => throw null; - public static bool IsAndroidVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; - public static bool IsBrowser() => throw null; - public static bool IsFreeBSD() => throw null; - public static bool IsFreeBSDVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; - public static bool IsIOS() => throw null; - public static bool IsIOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; - public static bool IsLinux() => throw null; - public static bool IsMacCatalyst() => throw null; - public static bool IsMacCatalystVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; - public static bool IsMacOS() => throw null; - public static bool IsMacOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; - public static bool IsOSPlatform(string platform) => throw null; - public static bool IsOSPlatformVersionAtLeast(string platform, int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; - public static bool IsTvOS() => throw null; - public static bool IsTvOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; - public static bool IsWatchOS() => throw null; - public static bool IsWatchOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; - public static bool IsWindows() => throw null; - public static bool IsWindowsVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; - public OperatingSystem(System.PlatformID platform, System.Version version) => throw null; - public System.PlatformID Platform { get => throw null; } - public string ServicePack { get => throw null; } - public override string ToString() => throw null; - public System.Version Version { get => throw null; } - public string VersionString { get => throw null; } - } - - public class OperationCanceledException : System.SystemException - { - public System.Threading.CancellationToken CancellationToken { get => throw null; } - public OperationCanceledException() => throw null; - public OperationCanceledException(System.Threading.CancellationToken token) => throw null; - protected OperationCanceledException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public OperationCanceledException(string message) => throw null; - public OperationCanceledException(string message, System.Threading.CancellationToken token) => throw null; - public OperationCanceledException(string message, System.Exception innerException) => throw null; - public OperationCanceledException(string message, System.Exception innerException, System.Threading.CancellationToken token) => throw null; - } - - public class OutOfMemoryException : System.SystemException - { - public OutOfMemoryException() => throw null; - protected OutOfMemoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public OutOfMemoryException(string message) => throw null; - public OutOfMemoryException(string message, System.Exception innerException) => throw null; - } - - public class OverflowException : System.ArithmeticException - { - public OverflowException() => throw null; - protected OverflowException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public OverflowException(string message) => throw null; - public OverflowException(string message, System.Exception innerException) => throw null; - } - - public class ParamArrayAttribute : System.Attribute - { - public ParamArrayAttribute() => throw null; - } - - public enum PlatformID : int - { - MacOSX = 6, - Other = 7, - Unix = 4, - Win32NT = 2, - Win32S = 0, - Win32Windows = 1, - WinCE = 3, - Xbox = 5, - } - - public class PlatformNotSupportedException : System.NotSupportedException - { - public PlatformNotSupportedException() => throw null; - protected PlatformNotSupportedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public PlatformNotSupportedException(string message) => throw null; - public PlatformNotSupportedException(string message, System.Exception inner) => throw null; - } - - public delegate bool Predicate(T obj); - - public class Progress : System.IProgress - { - protected virtual void OnReport(T value) => throw null; - public Progress() => throw null; - public Progress(System.Action handler) => throw null; - public event System.EventHandler ProgressChanged; - void System.IProgress.Report(T value) => throw null; - } - - public class Random - { - public virtual int Next() => throw null; - public virtual int Next(int maxValue) => throw null; - public virtual int Next(int minValue, int maxValue) => throw null; - public virtual void NextBytes(System.Byte[] buffer) => throw null; - public virtual void NextBytes(System.Span buffer) => throw null; - public virtual double NextDouble() => throw null; - public virtual System.Int64 NextInt64() => throw null; - public virtual System.Int64 NextInt64(System.Int64 maxValue) => throw null; - public virtual System.Int64 NextInt64(System.Int64 minValue, System.Int64 maxValue) => throw null; - public virtual float NextSingle() => throw null; - public Random() => throw null; - public Random(int Seed) => throw null; - protected virtual double Sample() => throw null; - public static System.Random Shared { get => throw null; } - } - - public struct Range : System.IEquatable - { - public static System.Range All { get => throw null; } - public System.Index End { get => throw null; } - public static System.Range EndAt(System.Index end) => throw null; - public bool Equals(System.Range other) => throw null; - public override bool Equals(object value) => throw null; - public override int GetHashCode() => throw null; - public (int, int) GetOffsetAndLength(int length) => throw null; - // Stub generator skipped constructor - public Range(System.Index start, System.Index end) => throw null; - public System.Index Start { get => throw null; } - public static System.Range StartAt(System.Index start) => throw null; - public override string ToString() => throw null; - } - - public class RankException : System.SystemException - { - public RankException() => throw null; - protected RankException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public RankException(string message) => throw null; - public RankException(string message, System.Exception innerException) => throw null; - } - - public struct ReadOnlyMemory : System.IEquatable> - { - public void CopyTo(System.Memory destination) => throw null; - public static System.ReadOnlyMemory Empty { get => throw null; } - public bool Equals(System.ReadOnlyMemory other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsEmpty { get => throw null; } - public int Length { get => throw null; } - public System.Buffers.MemoryHandle Pin() => throw null; - // Stub generator skipped constructor - public ReadOnlyMemory(T[] array) => throw null; - public ReadOnlyMemory(T[] array, int start, int length) => throw null; - public System.ReadOnlyMemory Slice(int start) => throw null; - public System.ReadOnlyMemory Slice(int start, int length) => throw null; - public System.ReadOnlySpan Span { get => throw null; } - public T[] ToArray() => throw null; - public override string ToString() => throw null; - public bool TryCopyTo(System.Memory destination) => throw null; - public static implicit operator System.ReadOnlyMemory(System.ArraySegment segment) => throw null; - public static implicit operator System.ReadOnlyMemory(T[] array) => throw null; - } - - public struct ReadOnlySpan - { - public struct Enumerator - { - public T Current { get => throw null; } - // Stub generator skipped constructor - public bool MoveNext() => throw null; - } - - - public static bool operator !=(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; - public static bool operator ==(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; - public void CopyTo(System.Span destination) => throw null; - public static System.ReadOnlySpan Empty { get => throw null; } - public override bool Equals(object obj) => throw null; - public System.ReadOnlySpan.Enumerator GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public T GetPinnableReference() => throw null; - public bool IsEmpty { get => throw null; } - public T this[int index] { get => throw null; } - public int Length { get => throw null; } - // Stub generator skipped constructor - public ReadOnlySpan(T reference) => throw null; - public ReadOnlySpan(T[] array) => throw null; - public ReadOnlySpan(T[] array, int start, int length) => throw null; - unsafe public ReadOnlySpan(void* pointer, int length) => throw null; - public System.ReadOnlySpan Slice(int start) => throw null; - public System.ReadOnlySpan Slice(int start, int length) => throw null; - public T[] ToArray() => throw null; - public override string ToString() => throw null; - public bool TryCopyTo(System.Span destination) => throw null; - public static implicit operator System.ReadOnlySpan(System.ArraySegment segment) => throw null; - public static implicit operator System.ReadOnlySpan(T[] array) => throw null; - } - - public class ResolveEventArgs : System.EventArgs - { - public string Name { get => throw null; } - public System.Reflection.Assembly RequestingAssembly { get => throw null; } - public ResolveEventArgs(string name) => throw null; - public ResolveEventArgs(string name, System.Reflection.Assembly requestingAssembly) => throw null; - } - - public delegate System.Reflection.Assembly ResolveEventHandler(object sender, System.ResolveEventArgs args); - - public struct RuntimeArgumentHandle - { - // Stub generator skipped constructor - } - - public struct RuntimeFieldHandle : System.IEquatable, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.RuntimeFieldHandle left, System.RuntimeFieldHandle right) => throw null; - public static bool operator ==(System.RuntimeFieldHandle left, System.RuntimeFieldHandle right) => throw null; - public bool Equals(System.RuntimeFieldHandle handle) => throw null; - public override bool Equals(object obj) => throw null; - public static System.RuntimeFieldHandle FromIntPtr(System.IntPtr value) => throw null; - public override int GetHashCode() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - // Stub generator skipped constructor - public static System.IntPtr ToIntPtr(System.RuntimeFieldHandle value) => throw null; - public System.IntPtr Value { get => throw null; } - } - - public struct RuntimeMethodHandle : System.IEquatable, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.RuntimeMethodHandle left, System.RuntimeMethodHandle right) => throw null; - public static bool operator ==(System.RuntimeMethodHandle left, System.RuntimeMethodHandle right) => throw null; - public bool Equals(System.RuntimeMethodHandle handle) => throw null; - public override bool Equals(object obj) => throw null; - public static System.RuntimeMethodHandle FromIntPtr(System.IntPtr value) => throw null; - public System.IntPtr GetFunctionPointer() => throw null; - public override int GetHashCode() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - // Stub generator skipped constructor - public static System.IntPtr ToIntPtr(System.RuntimeMethodHandle value) => throw null; - public System.IntPtr Value { get => throw null; } - } - - public struct RuntimeTypeHandle : System.IEquatable, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.RuntimeTypeHandle left, object right) => throw null; - public static bool operator !=(object left, System.RuntimeTypeHandle right) => throw null; - public static bool operator ==(System.RuntimeTypeHandle left, object right) => throw null; - public static bool operator ==(object left, System.RuntimeTypeHandle right) => throw null; - public bool Equals(System.RuntimeTypeHandle handle) => throw null; - public override bool Equals(object obj) => throw null; - public static System.RuntimeTypeHandle FromIntPtr(System.IntPtr value) => throw null; - public override int GetHashCode() => throw null; - public System.ModuleHandle GetModuleHandle() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - // Stub generator skipped constructor - public static System.IntPtr ToIntPtr(System.RuntimeTypeHandle value) => throw null; - public System.IntPtr Value { get => throw null; } - } - - public struct SByte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IModulusOperators.operator %(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IBitwiseOperators.operator &(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IMultiplyOperators.operator *(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IUnaryPlusOperators.operator +(System.SByte value) => throw null; - static System.SByte System.Numerics.IAdditionOperators.operator +(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IIncrementOperators.operator ++(System.SByte value) => throw null; - static System.SByte System.Numerics.IUnaryNegationOperators.operator -(System.SByte value) => throw null; - static System.SByte System.Numerics.ISubtractionOperators.operator -(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IDecrementOperators.operator --(System.SByte value) => throw null; - static System.SByte System.Numerics.IDivisionOperators.operator /(System.SByte left, System.SByte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IShiftOperators.operator <<(System.SByte value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.SByte left, System.SByte right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.SByte left, System.SByte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.SByte left, System.SByte right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IShiftOperators.operator >>(System.SByte value, int shiftAmount) => throw null; - static System.SByte System.Numerics.IShiftOperators.operator >>>(System.SByte value, int shiftAmount) => throw null; - public static System.SByte Abs(System.SByte value) => throw null; - static System.SByte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.SByte System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.SByte Clamp(System.SByte value, System.SByte min, System.SByte max) => throw null; - public int CompareTo(object obj) => throw null; - public int CompareTo(System.SByte value) => throw null; - public static System.SByte CopySign(System.SByte value, System.SByte sign) => throw null; - static System.SByte System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.SByte System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.SByte System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.SByte, System.SByte) DivRem(System.SByte left, System.SByte right) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(System.SByte obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.SByte value) => throw null; - public static bool IsComplexNumber(System.SByte value) => throw null; - public static bool IsEvenInteger(System.SByte value) => throw null; - public static bool IsFinite(System.SByte value) => throw null; - public static bool IsImaginaryNumber(System.SByte value) => throw null; - public static bool IsInfinity(System.SByte value) => throw null; - public static bool IsInteger(System.SByte value) => throw null; - public static bool IsNaN(System.SByte value) => throw null; - public static bool IsNegative(System.SByte value) => throw null; - public static bool IsNegativeInfinity(System.SByte value) => throw null; - public static bool IsNormal(System.SByte value) => throw null; - public static bool IsOddInteger(System.SByte value) => throw null; - public static bool IsPositive(System.SByte value) => throw null; - public static bool IsPositiveInfinity(System.SByte value) => throw null; - public static bool IsPow2(System.SByte value) => throw null; - public static bool IsRealNumber(System.SByte value) => throw null; - public static bool IsSubnormal(System.SByte value) => throw null; - public static bool IsZero(System.SByte value) => throw null; - public static System.SByte LeadingZeroCount(System.SByte value) => throw null; - public static System.SByte Log2(System.SByte value) => throw null; - public static System.SByte Max(System.SByte x, System.SByte y) => throw null; - public static System.SByte MaxMagnitude(System.SByte x, System.SByte y) => throw null; - public static System.SByte MaxMagnitudeNumber(System.SByte x, System.SByte y) => throw null; - public static System.SByte MaxNumber(System.SByte x, System.SByte y) => throw null; - public const System.SByte MaxValue = default; - static System.SByte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.SByte Min(System.SByte x, System.SByte y) => throw null; - public static System.SByte MinMagnitude(System.SByte x, System.SByte y) => throw null; - public static System.SByte MinMagnitudeNumber(System.SByte x, System.SByte y) => throw null; - public static System.SByte MinNumber(System.SByte x, System.SByte y) => throw null; - public const System.SByte MinValue = default; - static System.SByte System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.SByte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.SByte System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - static System.SByte System.Numerics.INumberBase.One { get => throw null; } - public static System.SByte Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.SByte Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.SByte Parse(string s) => throw null; - public static System.SByte Parse(string s, System.IFormatProvider provider) => throw null; - public static System.SByte Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.SByte Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.SByte PopCount(System.SByte value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.SByte RotateLeft(System.SByte value, int rotateAmount) => throw null; - public static System.SByte RotateRight(System.SByte value, int rotateAmount) => throw null; - // Stub generator skipped constructor - public static int Sign(System.SByte value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.SByte TrailingZeroCount(System.SByte value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.SByte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.SByte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.SByte result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.SByte value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.SByte value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.SByte value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.SByte result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.SByte result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.SByte result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.SByte result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.SByte result) => throw null; - public static bool TryParse(string s, out System.SByte result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.SByte value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.SByte value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static System.SByte System.Numerics.INumberBase.Zero { get => throw null; } - static System.SByte System.Numerics.IBitwiseOperators.operator ^(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IMultiplyOperators.operator checked *(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IAdditionOperators.operator checked +(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IIncrementOperators.operator checked ++(System.SByte value) => throw null; - static System.SByte System.Numerics.IUnaryNegationOperators.operator checked -(System.SByte value) => throw null; - static System.SByte System.Numerics.ISubtractionOperators.operator checked -(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IDecrementOperators.operator checked --(System.SByte value) => throw null; - static System.SByte System.Numerics.IBitwiseOperators.operator |(System.SByte left, System.SByte right) => throw null; - static System.SByte System.Numerics.IBitwiseOperators.operator ~(System.SByte value) => throw null; - } - - public class STAThreadAttribute : System.Attribute - { - public STAThreadAttribute() => throw null; - } - - public class SerializableAttribute : System.Attribute - { - public SerializableAttribute() => throw null; - } - - public struct Single : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators - { - static bool System.Numerics.IEqualityOperators.operator !=(float left, float right) => throw null; - static float System.Numerics.IModulusOperators.operator %(float left, float right) => throw null; - static float System.Numerics.IBitwiseOperators.operator &(float left, float right) => throw null; - static float System.Numerics.IMultiplyOperators.operator *(float left, float right) => throw null; - static float System.Numerics.IUnaryPlusOperators.operator +(float value) => throw null; - static float System.Numerics.IAdditionOperators.operator +(float left, float right) => throw null; - static float System.Numerics.IIncrementOperators.operator ++(float value) => throw null; - static float System.Numerics.IUnaryNegationOperators.operator -(float value) => throw null; - static float System.Numerics.ISubtractionOperators.operator -(float left, float right) => throw null; - static float System.Numerics.IDecrementOperators.operator --(float value) => throw null; - static float System.Numerics.IDivisionOperators.operator /(float left, float right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(float left, float right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(float left, float right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(float left, float right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(float left, float right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(float left, float right) => throw null; - public static float Abs(float value) => throw null; - public static float Acos(float x) => throw null; - public static float AcosPi(float x) => throw null; - public static float Acosh(float x) => throw null; - static float System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static float System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static float Asin(float x) => throw null; - public static float AsinPi(float x) => throw null; - public static float Asinh(float x) => throw null; - public static float Atan(float x) => throw null; - public static float Atan2(float y, float x) => throw null; - public static float Atan2Pi(float y, float x) => throw null; - public static float AtanPi(float x) => throw null; - public static float Atanh(float x) => throw null; - public static float BitDecrement(float x) => throw null; - public static float BitIncrement(float x) => throw null; - public static float Cbrt(float x) => throw null; - public static float Ceiling(float x) => throw null; - public static float Clamp(float value, float min, float max) => throw null; - public int CompareTo(float value) => throw null; - public int CompareTo(object value) => throw null; - public static float CopySign(float value, float sign) => throw null; - public static float Cos(float x) => throw null; - public static float CosPi(float x) => throw null; - public static float Cosh(float x) => throw null; - static float System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static float System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static float System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public const float E = default; - static float System.Numerics.IFloatingPointConstants.E { get => throw null; } - public const float Epsilon = default; - static float System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } - public bool Equals(float obj) => throw null; - public override bool Equals(object obj) => throw null; - public static float Exp(float x) => throw null; - public static float Exp10(float x) => throw null; - public static float Exp10M1(float x) => throw null; - public static float Exp2(float x) => throw null; - public static float Exp2M1(float x) => throw null; - public static float ExpM1(float x) => throw null; - public static float Floor(float x) => throw null; - public static float FusedMultiplyAdd(float left, float right, float addend) => throw null; - int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; - int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; - int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static float Hypot(float x, float y) => throw null; - public static int ILogB(float x) => throw null; - public static float Ieee754Remainder(float left, float right) => throw null; - public static bool IsCanonical(float value) => throw null; - public static bool IsComplexNumber(float value) => throw null; - public static bool IsEvenInteger(float value) => throw null; - public static bool IsFinite(float f) => throw null; - public static bool IsImaginaryNumber(float value) => throw null; - public static bool IsInfinity(float f) => throw null; - public static bool IsInteger(float value) => throw null; - public static bool IsNaN(float f) => throw null; - public static bool IsNegative(float f) => throw null; - public static bool IsNegativeInfinity(float f) => throw null; - public static bool IsNormal(float f) => throw null; - public static bool IsOddInteger(float value) => throw null; - public static bool IsPositive(float value) => throw null; - public static bool IsPositiveInfinity(float f) => throw null; - public static bool IsPow2(float value) => throw null; - public static bool IsRealNumber(float value) => throw null; - public static bool IsSubnormal(float f) => throw null; - public static bool IsZero(float value) => throw null; - public static float Log(float x) => throw null; - public static float Log(float x, float newBase) => throw null; - public static float Log10(float x) => throw null; - public static float Log10P1(float x) => throw null; - public static float Log2(float value) => throw null; - public static float Log2P1(float x) => throw null; - public static float LogP1(float x) => throw null; - public static float Max(float x, float y) => throw null; - public static float MaxMagnitude(float x, float y) => throw null; - public static float MaxMagnitudeNumber(float x, float y) => throw null; - public static float MaxNumber(float x, float y) => throw null; - public const float MaxValue = default; - static float System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static float Min(float x, float y) => throw null; - public static float MinMagnitude(float x, float y) => throw null; - public static float MinMagnitudeNumber(float x, float y) => throw null; - public static float MinNumber(float x, float y) => throw null; - public const float MinValue = default; - static float System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static float System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public const float NaN = default; - static float System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - public const float NegativeInfinity = default; - static float System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } - static float System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - public const float NegativeZero = default; - static float System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } - static float System.Numerics.INumberBase.One { get => throw null; } - public static float Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static float Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static float Parse(string s) => throw null; - public static float Parse(string s, System.IFormatProvider provider) => throw null; - public static float Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static float Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public const float Pi = default; - static float System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - public const float PositiveInfinity = default; - static float System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } - public static float Pow(float x, float y) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static float ReciprocalEstimate(float x) => throw null; - public static float ReciprocalSqrtEstimate(float x) => throw null; - public static float RootN(float x, int n) => throw null; - public static float Round(float x) => throw null; - public static float Round(float x, System.MidpointRounding mode) => throw null; - public static float Round(float x, int digits) => throw null; - public static float Round(float x, int digits, System.MidpointRounding mode) => throw null; - public static float ScaleB(float x, int n) => throw null; - public static int Sign(float value) => throw null; - public static float Sin(float x) => throw null; - public static (float, float) SinCos(float x) => throw null; - public static (float, float) SinCosPi(float x) => throw null; - public static float SinPi(float x) => throw null; - // Stub generator skipped constructor - public static float Sinh(float x) => throw null; - public static float Sqrt(float x) => throw null; - public static float Tan(float x) => throw null; - public static float TanPi(float x) => throw null; - public static float Tanh(float x) => throw null; - public const float Tau = default; - static float System.Numerics.IFloatingPointConstants.Tau { get => throw null; } - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static float Truncate(float x) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out float result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out float result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out float result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(float value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(float value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(float value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out float result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out float result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out float result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out float result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out float result) => throw null; - public static bool TryParse(string s, out float result) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - static float System.Numerics.INumberBase.Zero { get => throw null; } - static float System.Numerics.IBitwiseOperators.operator ^(float left, float right) => throw null; - static float System.Numerics.IBitwiseOperators.operator |(float left, float right) => throw null; - static float System.Numerics.IBitwiseOperators.operator ~(float value) => throw null; - } - - public struct Span - { - public struct Enumerator - { - public T Current { get => throw null; } - // Stub generator skipped constructor - public bool MoveNext() => throw null; - } - - - public static bool operator !=(System.Span left, System.Span right) => throw null; - public static bool operator ==(System.Span left, System.Span right) => throw null; - public void Clear() => throw null; - public void CopyTo(System.Span destination) => throw null; - public static System.Span Empty { get => throw null; } - public override bool Equals(object obj) => throw null; - public void Fill(T value) => throw null; - public System.Span.Enumerator GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public T GetPinnableReference() => throw null; - public bool IsEmpty { get => throw null; } - public T this[int index] { get => throw null; } - public int Length { get => throw null; } - public System.Span Slice(int start) => throw null; - public System.Span Slice(int start, int length) => throw null; - // Stub generator skipped constructor - public Span(T[] array) => throw null; - public Span(T[] array, int start, int length) => throw null; - unsafe public Span(void* pointer, int length) => throw null; - public Span(ref T reference) => throw null; - public T[] ToArray() => throw null; - public override string ToString() => throw null; - public bool TryCopyTo(System.Span destination) => throw null; - public static implicit operator System.Span(System.ArraySegment segment) => throw null; - public static implicit operator System.ReadOnlySpan(System.Span span) => throw null; - public static implicit operator System.Span(T[] array) => throw null; - } - - public class StackOverflowException : System.SystemException - { - public StackOverflowException() => throw null; - public StackOverflowException(string message) => throw null; - public StackOverflowException(string message, System.Exception innerException) => throw null; - } - - public class String : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.ICloneable, System.IComparable, System.IComparable, System.IConvertible, System.IEquatable - { - public static bool operator !=(string a, string b) => throw null; - public static bool operator ==(string a, string b) => throw null; - [System.Runtime.CompilerServices.IndexerName("Chars")] - public System.Char this[int index] { get => throw null; } - public object Clone() => throw null; - public static int Compare(string strA, int indexA, string strB, int indexB, int length) => throw null; - public static int Compare(string strA, int indexA, string strB, int indexB, int length, System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; - public static int Compare(string strA, int indexA, string strB, int indexB, int length, System.StringComparison comparisonType) => throw null; - public static int Compare(string strA, int indexA, string strB, int indexB, int length, bool ignoreCase) => throw null; - public static int Compare(string strA, int indexA, string strB, int indexB, int length, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; - public static int Compare(string strA, string strB) => throw null; - public static int Compare(string strA, string strB, System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; - public static int Compare(string strA, string strB, System.StringComparison comparisonType) => throw null; - public static int Compare(string strA, string strB, bool ignoreCase) => throw null; - public static int Compare(string strA, string strB, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; - public static int CompareOrdinal(string strA, int indexA, string strB, int indexB, int length) => throw null; - public static int CompareOrdinal(string strA, string strB) => throw null; - public int CompareTo(object value) => throw null; - public int CompareTo(string strB) => throw null; - public static string Concat(System.Collections.Generic.IEnumerable values) => throw null; - public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1) => throw null; - public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1, System.ReadOnlySpan str2) => throw null; - public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1, System.ReadOnlySpan str2, System.ReadOnlySpan str3) => throw null; - public static string Concat(object arg0) => throw null; - public static string Concat(object arg0, object arg1) => throw null; - public static string Concat(object arg0, object arg1, object arg2) => throw null; - public static string Concat(params object[] args) => throw null; - public static string Concat(params string[] values) => throw null; - public static string Concat(string str0, string str1) => throw null; - public static string Concat(string str0, string str1, string str2) => throw null; - public static string Concat(string str0, string str1, string str2, string str3) => throw null; - public static string Concat(System.Collections.Generic.IEnumerable values) => throw null; - public bool Contains(System.Char value) => throw null; - public bool Contains(System.Char value, System.StringComparison comparisonType) => throw null; - public bool Contains(string value) => throw null; - public bool Contains(string value, System.StringComparison comparisonType) => throw null; - public static string Copy(string str) => throw null; - public void CopyTo(System.Span destination) => throw null; - public void CopyTo(int sourceIndex, System.Char[] destination, int destinationIndex, int count) => throw null; - public static string Create(System.IFormatProvider provider, System.Span initialBuffer, ref System.Runtime.CompilerServices.DefaultInterpolatedStringHandler handler) => throw null; - public static string Create(System.IFormatProvider provider, ref System.Runtime.CompilerServices.DefaultInterpolatedStringHandler handler) => throw null; - public static string Create(int length, TState state, System.Buffers.SpanAction action) => throw null; - public static string Empty; - public bool EndsWith(System.Char value) => throw null; - public bool EndsWith(string value) => throw null; - public bool EndsWith(string value, System.StringComparison comparisonType) => throw null; - public bool EndsWith(string value, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; - public System.Text.StringRuneEnumerator EnumerateRunes() => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(string value) => throw null; - public bool Equals(string value, System.StringComparison comparisonType) => throw null; - public static bool Equals(string a, string b) => throw null; - public static bool Equals(string a, string b, System.StringComparison comparisonType) => throw null; - public static string Format(System.IFormatProvider provider, string format, object arg0) => throw null; - public static string Format(System.IFormatProvider provider, string format, object arg0, object arg1) => throw null; - public static string Format(System.IFormatProvider provider, string format, object arg0, object arg1, object arg2) => throw null; - public static string Format(System.IFormatProvider provider, string format, params object[] args) => throw null; - public static string Format(string format, object arg0) => throw null; - public static string Format(string format, object arg0, object arg1) => throw null; - public static string Format(string format, object arg0, object arg1, object arg2) => throw null; - public static string Format(string format, params object[] args) => throw null; - public System.CharEnumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public static int GetHashCode(System.ReadOnlySpan value) => throw null; - public static int GetHashCode(System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; - public int GetHashCode(System.StringComparison comparisonType) => throw null; - public System.Char GetPinnableReference() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public int IndexOf(System.Char value) => throw null; - public int IndexOf(System.Char value, System.StringComparison comparisonType) => throw null; - public int IndexOf(System.Char value, int startIndex) => throw null; - public int IndexOf(System.Char value, int startIndex, int count) => throw null; - public int IndexOf(string value) => throw null; - public int IndexOf(string value, System.StringComparison comparisonType) => throw null; - public int IndexOf(string value, int startIndex) => throw null; - public int IndexOf(string value, int startIndex, System.StringComparison comparisonType) => throw null; - public int IndexOf(string value, int startIndex, int count) => throw null; - public int IndexOf(string value, int startIndex, int count, System.StringComparison comparisonType) => throw null; - public int IndexOfAny(System.Char[] anyOf) => throw null; - public int IndexOfAny(System.Char[] anyOf, int startIndex) => throw null; - public int IndexOfAny(System.Char[] anyOf, int startIndex, int count) => throw null; - public string Insert(int startIndex, string value) => throw null; - public static string Intern(string str) => throw null; - public static string IsInterned(string str) => throw null; - public bool IsNormalized() => throw null; - public bool IsNormalized(System.Text.NormalizationForm normalizationForm) => throw null; - public static bool IsNullOrEmpty(string value) => throw null; - public static bool IsNullOrWhiteSpace(string value) => throw null; - public static string Join(System.Char separator, string[] value, int startIndex, int count) => throw null; - public static string Join(System.Char separator, params object[] values) => throw null; - public static string Join(System.Char separator, params string[] value) => throw null; - public static string Join(string separator, System.Collections.Generic.IEnumerable values) => throw null; - public static string Join(string separator, string[] value, int startIndex, int count) => throw null; - public static string Join(string separator, params object[] values) => throw null; - public static string Join(string separator, params string[] value) => throw null; - public static string Join(System.Char separator, System.Collections.Generic.IEnumerable values) => throw null; - public static string Join(string separator, System.Collections.Generic.IEnumerable values) => throw null; - public int LastIndexOf(System.Char value) => throw null; - public int LastIndexOf(System.Char value, int startIndex) => throw null; - public int LastIndexOf(System.Char value, int startIndex, int count) => throw null; - public int LastIndexOf(string value) => throw null; - public int LastIndexOf(string value, System.StringComparison comparisonType) => throw null; - public int LastIndexOf(string value, int startIndex) => throw null; - public int LastIndexOf(string value, int startIndex, System.StringComparison comparisonType) => throw null; - public int LastIndexOf(string value, int startIndex, int count) => throw null; - public int LastIndexOf(string value, int startIndex, int count, System.StringComparison comparisonType) => throw null; - public int LastIndexOfAny(System.Char[] anyOf) => throw null; - public int LastIndexOfAny(System.Char[] anyOf, int startIndex) => throw null; - public int LastIndexOfAny(System.Char[] anyOf, int startIndex, int count) => throw null; - public int Length { get => throw null; } - public string Normalize() => throw null; - public string Normalize(System.Text.NormalizationForm normalizationForm) => throw null; - public string PadLeft(int totalWidth) => throw null; - public string PadLeft(int totalWidth, System.Char paddingChar) => throw null; - public string PadRight(int totalWidth) => throw null; - public string PadRight(int totalWidth, System.Char paddingChar) => throw null; - public string Remove(int startIndex) => throw null; - public string Remove(int startIndex, int count) => throw null; - public string Replace(System.Char oldChar, System.Char newChar) => throw null; - public string Replace(string oldValue, string newValue) => throw null; - public string Replace(string oldValue, string newValue, System.StringComparison comparisonType) => throw null; - public string Replace(string oldValue, string newValue, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; - public string ReplaceLineEndings() => throw null; - public string ReplaceLineEndings(string replacementText) => throw null; - public string[] Split(System.Char[] separator, System.StringSplitOptions options) => throw null; - public string[] Split(System.Char[] separator, int count) => throw null; - public string[] Split(System.Char[] separator, int count, System.StringSplitOptions options) => throw null; - public string[] Split(string[] separator, System.StringSplitOptions options) => throw null; - public string[] Split(string[] separator, int count, System.StringSplitOptions options) => throw null; - public string[] Split(System.Char separator, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; - public string[] Split(System.Char separator, int count, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; - public string[] Split(params System.Char[] separator) => throw null; - public string[] Split(string separator, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; - public string[] Split(string separator, int count, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; - public bool StartsWith(System.Char value) => throw null; - public bool StartsWith(string value) => throw null; - public bool StartsWith(string value, System.StringComparison comparisonType) => throw null; - public bool StartsWith(string value, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; - public String(System.Char[] value) => throw null; - public String(System.Char[] value, int startIndex, int length) => throw null; - public String(System.ReadOnlySpan value) => throw null; - unsafe public String(System.Char* value) => throw null; - unsafe public String(System.Char* value, int startIndex, int length) => throw null; - public String(System.Char c, int count) => throw null; - unsafe public String(System.SByte* value) => throw null; - unsafe public String(System.SByte* value, int startIndex, int length) => throw null; - unsafe public String(System.SByte* value, int startIndex, int length, System.Text.Encoding enc) => throw null; - public string Substring(int startIndex) => throw null; - public string Substring(int startIndex, int length) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - public System.Char[] ToCharArray() => throw null; - public System.Char[] ToCharArray(int startIndex, int length) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - public string ToLower() => throw null; - public string ToLower(System.Globalization.CultureInfo culture) => throw null; - public string ToLowerInvariant() => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public string ToUpper() => throw null; - public string ToUpper(System.Globalization.CultureInfo culture) => throw null; - public string ToUpperInvariant() => throw null; - public string Trim() => throw null; - public string Trim(System.Char trimChar) => throw null; - public string Trim(params System.Char[] trimChars) => throw null; - public string TrimEnd() => throw null; - public string TrimEnd(System.Char trimChar) => throw null; - public string TrimEnd(params System.Char[] trimChars) => throw null; - public string TrimStart() => throw null; - public string TrimStart(System.Char trimChar) => throw null; - public string TrimStart(params System.Char[] trimChars) => throw null; - public bool TryCopyTo(System.Span destination) => throw null; - public static implicit operator System.ReadOnlySpan(string value) => throw null; - } - - public abstract class StringComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.IComparer, System.Collections.IEqualityComparer - { - public int Compare(object x, object y) => throw null; - public abstract int Compare(string x, string y); - public static System.StringComparer Create(System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; - public static System.StringComparer Create(System.Globalization.CultureInfo culture, bool ignoreCase) => throw null; - public static System.StringComparer CurrentCulture { get => throw null; } - public static System.StringComparer CurrentCultureIgnoreCase { get => throw null; } - public bool Equals(object x, object y) => throw null; - public abstract bool Equals(string x, string y); - public static System.StringComparer FromComparison(System.StringComparison comparisonType) => throw null; - public int GetHashCode(object obj) => throw null; - public abstract int GetHashCode(string obj); - public static System.StringComparer InvariantCulture { get => throw null; } - public static System.StringComparer InvariantCultureIgnoreCase { get => throw null; } - public static bool IsWellKnownCultureAwareComparer(System.Collections.Generic.IEqualityComparer comparer, out System.Globalization.CompareInfo compareInfo, out System.Globalization.CompareOptions compareOptions) => throw null; - public static bool IsWellKnownOrdinalComparer(System.Collections.Generic.IEqualityComparer comparer, out bool ignoreCase) => throw null; - public static System.StringComparer Ordinal { get => throw null; } - public static System.StringComparer OrdinalIgnoreCase { get => throw null; } - protected StringComparer() => throw null; - } - - public enum StringComparison : int - { - CurrentCulture = 0, - CurrentCultureIgnoreCase = 1, - InvariantCulture = 2, - InvariantCultureIgnoreCase = 3, - Ordinal = 4, - OrdinalIgnoreCase = 5, - } - - public static class StringNormalizationExtensions - { - public static bool IsNormalized(this string strInput) => throw null; - public static bool IsNormalized(this string strInput, System.Text.NormalizationForm normalizationForm) => throw null; - public static string Normalize(this string strInput) => throw null; - public static string Normalize(this string strInput, System.Text.NormalizationForm normalizationForm) => throw null; - } - - [System.Flags] - public enum StringSplitOptions : int - { - None = 0, - RemoveEmptyEntries = 1, - TrimEntries = 2, - } - - public class SystemException : System.Exception - { - public SystemException() => throw null; - protected SystemException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SystemException(string message) => throw null; - public SystemException(string message, System.Exception innerException) => throw null; - } - - public class ThreadStaticAttribute : System.Attribute - { - public ThreadStaticAttribute() => throw null; - } - - public struct TimeOnly : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable - { - public static bool operator !=(System.TimeOnly left, System.TimeOnly right) => throw null; - public static System.TimeSpan operator -(System.TimeOnly t1, System.TimeOnly t2) => throw null; - public static bool operator <(System.TimeOnly left, System.TimeOnly right) => throw null; - public static bool operator <=(System.TimeOnly left, System.TimeOnly right) => throw null; - public static bool operator ==(System.TimeOnly left, System.TimeOnly right) => throw null; - public static bool operator >(System.TimeOnly left, System.TimeOnly right) => throw null; - public static bool operator >=(System.TimeOnly left, System.TimeOnly right) => throw null; - public System.TimeOnly Add(System.TimeSpan value) => throw null; - public System.TimeOnly Add(System.TimeSpan value, out int wrappedDays) => throw null; - public System.TimeOnly AddHours(double value) => throw null; - public System.TimeOnly AddHours(double value, out int wrappedDays) => throw null; - public System.TimeOnly AddMinutes(double value) => throw null; - public System.TimeOnly AddMinutes(double value, out int wrappedDays) => throw null; - public int CompareTo(System.TimeOnly value) => throw null; - public int CompareTo(object value) => throw null; - public bool Equals(System.TimeOnly value) => throw null; - public override bool Equals(object value) => throw null; - public static System.TimeOnly FromDateTime(System.DateTime dateTime) => throw null; - public static System.TimeOnly FromTimeSpan(System.TimeSpan timeSpan) => throw null; - public override int GetHashCode() => throw null; - public int Hour { get => throw null; } - public bool IsBetween(System.TimeOnly start, System.TimeOnly end) => throw null; - public static System.TimeOnly MaxValue { get => throw null; } - public int Microsecond { get => throw null; } - public int Millisecond { get => throw null; } - public static System.TimeOnly MinValue { get => throw null; } - public int Minute { get => throw null; } - public int Nanosecond { get => throw null; } - public static System.TimeOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.TimeOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.TimeOnly Parse(string s) => throw null; - public static System.TimeOnly Parse(string s, System.IFormatProvider provider) => throw null; - public static System.TimeOnly Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.TimeOnly ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.TimeOnly ParseExact(System.ReadOnlySpan s, string[] formats) => throw null; - public static System.TimeOnly ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.TimeOnly ParseExact(string s, string[] formats) => throw null; - public static System.TimeOnly ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public static System.TimeOnly ParseExact(string s, string format) => throw null; - public static System.TimeOnly ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; - public int Second { get => throw null; } - public System.Int64 Ticks { get => throw null; } - // Stub generator skipped constructor - public TimeOnly(int hour, int minute) => throw null; - public TimeOnly(int hour, int minute, int second) => throw null; - public TimeOnly(int hour, int minute, int second, int millisecond) => throw null; - public TimeOnly(int hour, int minute, int second, int millisecond, int microsecond) => throw null; - public TimeOnly(System.Int64 ticks) => throw null; - public string ToLongTimeString() => throw null; - public string ToShortTimeString() => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public System.TimeSpan ToTimeSpan() => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.TimeOnly result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.TimeOnly result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.TimeOnly result) => throw null; - public static bool TryParse(string s, out System.TimeOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, out System.TimeOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, out System.TimeOnly result) => throw null; - public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParseExact(string s, string[] formats, out System.TimeOnly result) => throw null; - public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; - public static bool TryParseExact(string s, string format, out System.TimeOnly result) => throw null; - } - - public struct TimeSpan : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable - { - public static bool operator !=(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static System.TimeSpan operator *(System.TimeSpan timeSpan, double factor) => throw null; - public static System.TimeSpan operator *(double factor, System.TimeSpan timeSpan) => throw null; - public static System.TimeSpan operator +(System.TimeSpan t) => throw null; - public static System.TimeSpan operator +(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static System.TimeSpan operator -(System.TimeSpan t) => throw null; - public static System.TimeSpan operator -(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static double operator /(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static System.TimeSpan operator /(System.TimeSpan timeSpan, double divisor) => throw null; - public static bool operator <(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static bool operator <=(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static bool operator ==(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static bool operator >(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public static bool operator >=(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public System.TimeSpan Add(System.TimeSpan ts) => throw null; - public static int Compare(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public int CompareTo(System.TimeSpan value) => throw null; - public int CompareTo(object value) => throw null; - public int Days { get => throw null; } - public double Divide(System.TimeSpan ts) => throw null; - public System.TimeSpan Divide(double divisor) => throw null; - public System.TimeSpan Duration() => throw null; - public bool Equals(System.TimeSpan obj) => throw null; - public static bool Equals(System.TimeSpan t1, System.TimeSpan t2) => throw null; - public override bool Equals(object value) => throw null; - public static System.TimeSpan FromDays(double value) => throw null; - public static System.TimeSpan FromHours(double value) => throw null; - public static System.TimeSpan FromMicroseconds(double value) => throw null; - public static System.TimeSpan FromMilliseconds(double value) => throw null; - public static System.TimeSpan FromMinutes(double value) => throw null; - public static System.TimeSpan FromSeconds(double value) => throw null; - public static System.TimeSpan FromTicks(System.Int64 value) => throw null; - public override int GetHashCode() => throw null; - public int Hours { get => throw null; } - public static System.TimeSpan MaxValue; - public int Microseconds { get => throw null; } - public int Milliseconds { get => throw null; } - public static System.TimeSpan MinValue; - public int Minutes { get => throw null; } - public System.TimeSpan Multiply(double factor) => throw null; - public int Nanoseconds { get => throw null; } - public const System.Int64 NanosecondsPerTick = default; - public System.TimeSpan Negate() => throw null; - public static System.TimeSpan Parse(System.ReadOnlySpan input, System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; - public static System.TimeSpan Parse(string s) => throw null; - public static System.TimeSpan Parse(string input, System.IFormatProvider formatProvider) => throw null; - public static System.TimeSpan ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles = default(System.Globalization.TimeSpanStyles)) => throw null; - public static System.TimeSpan ParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles = default(System.Globalization.TimeSpanStyles)) => throw null; - public static System.TimeSpan ParseExact(string input, string[] formats, System.IFormatProvider formatProvider) => throw null; - public static System.TimeSpan ParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles) => throw null; - public static System.TimeSpan ParseExact(string input, string format, System.IFormatProvider formatProvider) => throw null; - public static System.TimeSpan ParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles) => throw null; - public int Seconds { get => throw null; } - public System.TimeSpan Subtract(System.TimeSpan ts) => throw null; - public System.Int64 Ticks { get => throw null; } - public const System.Int64 TicksPerDay = default; - public const System.Int64 TicksPerHour = default; - public const System.Int64 TicksPerMicrosecond = default; - public const System.Int64 TicksPerMillisecond = default; - public const System.Int64 TicksPerMinute = default; - public const System.Int64 TicksPerSecond = default; - // Stub generator skipped constructor - public TimeSpan(int hours, int minutes, int seconds) => throw null; - public TimeSpan(int days, int hours, int minutes, int seconds) => throw null; - public TimeSpan(int days, int hours, int minutes, int seconds, int milliseconds) => throw null; - public TimeSpan(int days, int hours, int minutes, int seconds, int milliseconds, int microseconds) => throw null; - public TimeSpan(System.Int64 ticks) => throw null; - public override string ToString() => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider formatProvider) => throw null; - public double TotalDays { get => throw null; } - public double TotalHours { get => throw null; } - public double TotalMicroseconds { get => throw null; } - public double TotalMilliseconds { get => throw null; } - public double TotalMinutes { get => throw null; } - public double TotalNanoseconds { get => throw null; } - public double TotalSeconds { get => throw null; } - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan input, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.TimeSpan result) => throw null; - public static bool TryParse(string input, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static bool TryParse(string s, out System.TimeSpan result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; - public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; - public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; - public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; - public static System.TimeSpan Zero; - } - - public abstract class TimeZone - { - public static System.TimeZone CurrentTimeZone { get => throw null; } - public abstract string DaylightName { get; } - public abstract System.Globalization.DaylightTime GetDaylightChanges(int year); - public abstract System.TimeSpan GetUtcOffset(System.DateTime time); - public virtual bool IsDaylightSavingTime(System.DateTime time) => throw null; - public static bool IsDaylightSavingTime(System.DateTime time, System.Globalization.DaylightTime daylightTimes) => throw null; - public abstract string StandardName { get; } - protected TimeZone() => throw null; - public virtual System.DateTime ToLocalTime(System.DateTime time) => throw null; - public virtual System.DateTime ToUniversalTime(System.DateTime time) => throw null; - } - - public class TimeZoneInfo : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public class AdjustmentRule : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public System.TimeSpan BaseUtcOffsetDelta { get => throw null; } - public static System.TimeZoneInfo.AdjustmentRule CreateAdjustmentRule(System.DateTime dateStart, System.DateTime dateEnd, System.TimeSpan daylightDelta, System.TimeZoneInfo.TransitionTime daylightTransitionStart, System.TimeZoneInfo.TransitionTime daylightTransitionEnd) => throw null; - public static System.TimeZoneInfo.AdjustmentRule CreateAdjustmentRule(System.DateTime dateStart, System.DateTime dateEnd, System.TimeSpan daylightDelta, System.TimeZoneInfo.TransitionTime daylightTransitionStart, System.TimeZoneInfo.TransitionTime daylightTransitionEnd, System.TimeSpan baseUtcOffsetDelta) => throw null; - public System.DateTime DateEnd { get => throw null; } - public System.DateTime DateStart { get => throw null; } - public System.TimeSpan DaylightDelta { get => throw null; } - public System.TimeZoneInfo.TransitionTime DaylightTransitionEnd { get => throw null; } - public System.TimeZoneInfo.TransitionTime DaylightTransitionStart { get => throw null; } - public bool Equals(System.TimeZoneInfo.AdjustmentRule other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - } - - - public struct TransitionTime : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.TimeZoneInfo.TransitionTime t1, System.TimeZoneInfo.TransitionTime t2) => throw null; - public static bool operator ==(System.TimeZoneInfo.TransitionTime t1, System.TimeZoneInfo.TransitionTime t2) => throw null; - public static System.TimeZoneInfo.TransitionTime CreateFixedDateRule(System.DateTime timeOfDay, int month, int day) => throw null; - public static System.TimeZoneInfo.TransitionTime CreateFloatingDateRule(System.DateTime timeOfDay, int month, int week, System.DayOfWeek dayOfWeek) => throw null; - public int Day { get => throw null; } - public System.DayOfWeek DayOfWeek { get => throw null; } - public bool Equals(System.TimeZoneInfo.TransitionTime other) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public bool IsFixedDateRule { get => throw null; } - public int Month { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public System.DateTime TimeOfDay { get => throw null; } - // Stub generator skipped constructor - public int Week { get => throw null; } - } - - - public System.TimeSpan BaseUtcOffset { get => throw null; } - public static void ClearCachedData() => throw null; - public static System.DateTime ConvertTime(System.DateTime dateTime, System.TimeZoneInfo destinationTimeZone) => throw null; - public static System.DateTime ConvertTime(System.DateTime dateTime, System.TimeZoneInfo sourceTimeZone, System.TimeZoneInfo destinationTimeZone) => throw null; - public static System.DateTimeOffset ConvertTime(System.DateTimeOffset dateTimeOffset, System.TimeZoneInfo destinationTimeZone) => throw null; - public static System.DateTime ConvertTimeBySystemTimeZoneId(System.DateTime dateTime, string destinationTimeZoneId) => throw null; - public static System.DateTime ConvertTimeBySystemTimeZoneId(System.DateTime dateTime, string sourceTimeZoneId, string destinationTimeZoneId) => throw null; - public static System.DateTimeOffset ConvertTimeBySystemTimeZoneId(System.DateTimeOffset dateTimeOffset, string destinationTimeZoneId) => throw null; - public static System.DateTime ConvertTimeFromUtc(System.DateTime dateTime, System.TimeZoneInfo destinationTimeZone) => throw null; - public static System.DateTime ConvertTimeToUtc(System.DateTime dateTime) => throw null; - public static System.DateTime ConvertTimeToUtc(System.DateTime dateTime, System.TimeZoneInfo sourceTimeZone) => throw null; - public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName) => throw null; - public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName, string daylightDisplayName, System.TimeZoneInfo.AdjustmentRule[] adjustmentRules) => throw null; - public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName, string daylightDisplayName, System.TimeZoneInfo.AdjustmentRule[] adjustmentRules, bool disableDaylightSavingTime) => throw null; - public string DaylightName { get => throw null; } - public string DisplayName { get => throw null; } - public bool Equals(System.TimeZoneInfo other) => throw null; - public override bool Equals(object obj) => throw null; - public static System.TimeZoneInfo FindSystemTimeZoneById(string id) => throw null; - public static System.TimeZoneInfo FromSerializedString(string source) => throw null; - public System.TimeZoneInfo.AdjustmentRule[] GetAdjustmentRules() => throw null; - public System.TimeSpan[] GetAmbiguousTimeOffsets(System.DateTime dateTime) => throw null; - public System.TimeSpan[] GetAmbiguousTimeOffsets(System.DateTimeOffset dateTimeOffset) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public static System.Collections.ObjectModel.ReadOnlyCollection GetSystemTimeZones() => throw null; - public System.TimeSpan GetUtcOffset(System.DateTime dateTime) => throw null; - public System.TimeSpan GetUtcOffset(System.DateTimeOffset dateTimeOffset) => throw null; - public bool HasIanaId { get => throw null; } - public bool HasSameRules(System.TimeZoneInfo other) => throw null; - public string Id { get => throw null; } - public bool IsAmbiguousTime(System.DateTime dateTime) => throw null; - public bool IsAmbiguousTime(System.DateTimeOffset dateTimeOffset) => throw null; - public bool IsDaylightSavingTime(System.DateTime dateTime) => throw null; - public bool IsDaylightSavingTime(System.DateTimeOffset dateTimeOffset) => throw null; - public bool IsInvalidTime(System.DateTime dateTime) => throw null; - public static System.TimeZoneInfo Local { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public string StandardName { get => throw null; } - public bool SupportsDaylightSavingTime { get => throw null; } - public string ToSerializedString() => throw null; - public override string ToString() => throw null; - public static bool TryConvertIanaIdToWindowsId(string ianaId, out string windowsId) => throw null; - public static bool TryConvertWindowsIdToIanaId(string windowsId, out string ianaId) => throw null; - public static bool TryConvertWindowsIdToIanaId(string windowsId, string region, out string ianaId) => throw null; - public static System.TimeZoneInfo Utc { get => throw null; } - } - - public class TimeZoneNotFoundException : System.Exception - { - public TimeZoneNotFoundException() => throw null; - protected TimeZoneNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TimeZoneNotFoundException(string message) => throw null; - public TimeZoneNotFoundException(string message, System.Exception innerException) => throw null; - } - - public class TimeoutException : System.SystemException - { - public TimeoutException() => throw null; - protected TimeoutException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TimeoutException(string message) => throw null; - public TimeoutException(string message, System.Exception innerException) => throw null; - } - - public static class Tuple - { - public static System.Tuple> Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) => throw null; - public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; - public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; - public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; - public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; - public static System.Tuple Create(T1 item1, T2 item2, T3 item3) => throw null; - public static System.Tuple Create(T1 item1, T2 item2) => throw null; - public static System.Tuple Create(T1 item1) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - public T4 Item4 { get => throw null; } - public T5 Item5 { get => throw null; } - public T6 Item6 { get => throw null; } - public T7 Item7 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public TRest Rest { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, TRest rest) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - public T4 Item4 { get => throw null; } - public T5 Item5 { get => throw null; } - public T6 Item6 { get => throw null; } - public T7 Item7 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - public T4 Item4 { get => throw null; } - public T5 Item5 { get => throw null; } - public T6 Item6 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - public T4 Item4 { get => throw null; } - public T5 Item5 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - public T4 Item4 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - public T3 Item3 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2, T3 item3) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - public T2 Item2 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1, T2 item2) => throw null; - } - - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple - { - int System.IComparable.CompareTo(object obj) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1 { get => throw null; } - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - public Tuple(T1 item1) => throw null; - } - - public static class TupleExtensions - { - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19, out T20 item20, out T21 item21) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19, out T20 item20) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16) => throw null; - public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9) => throw null; - public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2) => throw null; - public static void Deconstruct(this System.Tuple value, out T1 item1) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20, T21) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16) value) => throw null; - public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9) value) => throw null; - public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5, T6, T7) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5, T6) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2, T3, T4) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2, T3) value) => throw null; - public static System.Tuple ToTuple(this (T1, T2) value) => throw null; - public static System.Tuple ToTuple(this System.ValueTuple value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20, T21) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15) ToValueTuple(this System.Tuple>> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8, T9) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8) ToValueTuple(this System.Tuple> value) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7) ToValueTuple(this System.Tuple value) => throw null; - public static (T1, T2, T3, T4, T5, T6) ToValueTuple(this System.Tuple value) => throw null; - public static (T1, T2, T3, T4, T5) ToValueTuple(this System.Tuple value) => throw null; - public static (T1, T2, T3, T4) ToValueTuple(this System.Tuple value) => throw null; - public static (T1, T2, T3) ToValueTuple(this System.Tuple value) => throw null; - public static (T1, T2) ToValueTuple(this System.Tuple value) => throw null; - public static System.ValueTuple ToValueTuple(this System.Tuple value) => throw null; - } - - public abstract class Type : System.Reflection.MemberInfo, System.Reflection.IReflect - { - public static bool operator !=(System.Type left, System.Type right) => throw null; - public static bool operator ==(System.Type left, System.Type right) => throw null; - public abstract System.Reflection.Assembly Assembly { get; } - public abstract string AssemblyQualifiedName { get; } - public System.Reflection.TypeAttributes Attributes { get => throw null; } - public abstract System.Type BaseType { get; } - public virtual bool ContainsGenericParameters { get => throw null; } - public virtual System.Reflection.MethodBase DeclaringMethod { get => throw null; } - public override System.Type DeclaringType { get => throw null; } - public static System.Reflection.Binder DefaultBinder { get => throw null; } - public static System.Char Delimiter; - public static System.Type[] EmptyTypes; - public virtual bool Equals(System.Type o) => throw null; - public override bool Equals(object o) => throw null; - public static System.Reflection.MemberFilter FilterAttribute; - public static System.Reflection.MemberFilter FilterName; - public static System.Reflection.MemberFilter FilterNameIgnoreCase; - public virtual System.Type[] FindInterfaces(System.Reflection.TypeFilter filter, object filterCriteria) => throw null; - public virtual System.Reflection.MemberInfo[] FindMembers(System.Reflection.MemberTypes memberType, System.Reflection.BindingFlags bindingAttr, System.Reflection.MemberFilter filter, object filterCriteria) => throw null; - public abstract string FullName { get; } - public abstract System.Guid GUID { get; } - public virtual System.Reflection.GenericParameterAttributes GenericParameterAttributes { get => throw null; } - public virtual int GenericParameterPosition { get => throw null; } - public virtual System.Type[] GenericTypeArguments { get => throw null; } - public virtual int GetArrayRank() => throw null; - protected abstract System.Reflection.TypeAttributes GetAttributeFlagsImpl(); - public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Type[] types) => throw null; - public System.Reflection.ConstructorInfo GetConstructor(System.Type[] types) => throw null; - protected abstract System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); - public System.Reflection.ConstructorInfo[] GetConstructors() => throw null; - public abstract System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr); - public virtual System.Reflection.MemberInfo[] GetDefaultMembers() => throw null; - public abstract System.Type GetElementType(); - public virtual string GetEnumName(object value) => throw null; - public virtual string[] GetEnumNames() => throw null; - public virtual System.Type GetEnumUnderlyingType() => throw null; - public virtual System.Array GetEnumValues() => throw null; - public virtual System.Array GetEnumValuesAsUnderlyingType() => throw null; - public System.Reflection.EventInfo GetEvent(string name) => throw null; - public abstract System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr); - public virtual System.Reflection.EventInfo[] GetEvents() => throw null; - public abstract System.Reflection.EventInfo[] GetEvents(System.Reflection.BindingFlags bindingAttr); - public System.Reflection.FieldInfo GetField(string name) => throw null; - public abstract System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr); - public System.Reflection.FieldInfo[] GetFields() => throw null; - public abstract System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingAttr); - public virtual System.Type[] GetGenericArguments() => throw null; - public virtual System.Type[] GetGenericParameterConstraints() => throw null; - public virtual System.Type GetGenericTypeDefinition() => throw null; - public override int GetHashCode() => throw null; - public System.Type GetInterface(string name) => throw null; - public abstract System.Type GetInterface(string name, bool ignoreCase); - public virtual System.Reflection.InterfaceMapping GetInterfaceMap(System.Type interfaceType) => throw null; - public abstract System.Type[] GetInterfaces(); - public System.Reflection.MemberInfo[] GetMember(string name) => throw null; - public virtual System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.BindingFlags bindingAttr) => throw null; - public virtual System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.MemberTypes type, System.Reflection.BindingFlags bindingAttr) => throw null; - public virtual System.Reflection.MemberInfo GetMemberWithSameMetadataDefinitionAs(System.Reflection.MemberInfo member) => throw null; - public System.Reflection.MemberInfo[] GetMembers() => throw null; - public abstract System.Reflection.MemberInfo[] GetMembers(System.Reflection.BindingFlags bindingAttr); - public System.Reflection.MethodInfo GetMethod(string name) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Type[] types) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Type[] types) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Type[] types) => throw null; - public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - protected abstract System.Reflection.MethodInfo GetMethodImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); - protected virtual System.Reflection.MethodInfo GetMethodImpl(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.MethodInfo[] GetMethods() => throw null; - public abstract System.Reflection.MethodInfo[] GetMethods(System.Reflection.BindingFlags bindingAttr); - public System.Type GetNestedType(string name) => throw null; - public abstract System.Type GetNestedType(string name, System.Reflection.BindingFlags bindingAttr); - public System.Type[] GetNestedTypes() => throw null; - public abstract System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr); - public System.Reflection.PropertyInfo[] GetProperties() => throw null; - public abstract System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr); - public System.Reflection.PropertyInfo GetProperty(string name) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType, System.Type[] types) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; - public System.Reflection.PropertyInfo GetProperty(string name, System.Type[] types) => throw null; - protected abstract System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); - public System.Type GetType() => throw null; - public static System.Type GetType(string typeName) => throw null; - public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver) => throw null; - public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver, bool throwOnError) => throw null; - public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver, bool throwOnError, bool ignoreCase) => throw null; - public static System.Type GetType(string typeName, bool throwOnError) => throw null; - public static System.Type GetType(string typeName, bool throwOnError, bool ignoreCase) => throw null; - public static System.Type[] GetTypeArray(object[] args) => throw null; - public static System.TypeCode GetTypeCode(System.Type type) => throw null; - protected virtual System.TypeCode GetTypeCodeImpl() => throw null; - public static System.Type GetTypeFromCLSID(System.Guid clsid) => throw null; - public static System.Type GetTypeFromCLSID(System.Guid clsid, bool throwOnError) => throw null; - public static System.Type GetTypeFromCLSID(System.Guid clsid, string server) => throw null; - public static System.Type GetTypeFromCLSID(System.Guid clsid, string server, bool throwOnError) => throw null; - public static System.Type GetTypeFromHandle(System.RuntimeTypeHandle handle) => throw null; - public static System.Type GetTypeFromProgID(string progID) => throw null; - public static System.Type GetTypeFromProgID(string progID, bool throwOnError) => throw null; - public static System.Type GetTypeFromProgID(string progID, string server) => throw null; - public static System.Type GetTypeFromProgID(string progID, string server, bool throwOnError) => throw null; - public static System.RuntimeTypeHandle GetTypeHandle(object o) => throw null; - public bool HasElementType { get => throw null; } - protected abstract bool HasElementTypeImpl(); - public object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args) => throw null; - public object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Globalization.CultureInfo culture) => throw null; - public abstract object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters); - public bool IsAbstract { get => throw null; } - public bool IsAnsiClass { get => throw null; } - public bool IsArray { get => throw null; } - protected abstract bool IsArrayImpl(); - public virtual bool IsAssignableFrom(System.Type c) => throw null; - public bool IsAssignableTo(System.Type targetType) => throw null; - public bool IsAutoClass { get => throw null; } - public bool IsAutoLayout { get => throw null; } - public bool IsByRef { get => throw null; } - protected abstract bool IsByRefImpl(); - public virtual bool IsByRefLike { get => throw null; } - public bool IsCOMObject { get => throw null; } - protected abstract bool IsCOMObjectImpl(); - public bool IsClass { get => throw null; } - public virtual bool IsConstructedGenericType { get => throw null; } - public bool IsContextful { get => throw null; } - protected virtual bool IsContextfulImpl() => throw null; - public virtual bool IsEnum { get => throw null; } - public virtual bool IsEnumDefined(object value) => throw null; - public virtual bool IsEquivalentTo(System.Type other) => throw null; - public bool IsExplicitLayout { get => throw null; } - public virtual bool IsGenericMethodParameter { get => throw null; } - public virtual bool IsGenericParameter { get => throw null; } - public virtual bool IsGenericType { get => throw null; } - public virtual bool IsGenericTypeDefinition { get => throw null; } - public virtual bool IsGenericTypeParameter { get => throw null; } - public bool IsImport { get => throw null; } - public virtual bool IsInstanceOfType(object o) => throw null; - public bool IsInterface { get => throw null; } - public bool IsLayoutSequential { get => throw null; } - public bool IsMarshalByRef { get => throw null; } - protected virtual bool IsMarshalByRefImpl() => throw null; - public bool IsNested { get => throw null; } - public bool IsNestedAssembly { get => throw null; } - public bool IsNestedFamANDAssem { get => throw null; } - public bool IsNestedFamORAssem { get => throw null; } - public bool IsNestedFamily { get => throw null; } - public bool IsNestedPrivate { get => throw null; } - public bool IsNestedPublic { get => throw null; } - public bool IsNotPublic { get => throw null; } - public bool IsPointer { get => throw null; } - protected abstract bool IsPointerImpl(); - public bool IsPrimitive { get => throw null; } - protected abstract bool IsPrimitiveImpl(); - public bool IsPublic { get => throw null; } - public virtual bool IsSZArray { get => throw null; } - public bool IsSealed { get => throw null; } - public virtual bool IsSecurityCritical { get => throw null; } - public virtual bool IsSecuritySafeCritical { get => throw null; } - public virtual bool IsSecurityTransparent { get => throw null; } - public virtual bool IsSerializable { get => throw null; } - public virtual bool IsSignatureType { get => throw null; } - public bool IsSpecialName { get => throw null; } - public virtual bool IsSubclassOf(System.Type c) => throw null; - public virtual bool IsTypeDefinition { get => throw null; } - public bool IsUnicodeClass { get => throw null; } - public bool IsValueType { get => throw null; } - protected virtual bool IsValueTypeImpl() => throw null; - public virtual bool IsVariableBoundArray { get => throw null; } - public bool IsVisible { get => throw null; } - public virtual System.Type MakeArrayType() => throw null; - public virtual System.Type MakeArrayType(int rank) => throw null; - public virtual System.Type MakeByRefType() => throw null; - public static System.Type MakeGenericMethodParameter(int position) => throw null; - public static System.Type MakeGenericSignatureType(System.Type genericTypeDefinition, params System.Type[] typeArguments) => throw null; - public virtual System.Type MakeGenericType(params System.Type[] typeArguments) => throw null; - public virtual System.Type MakePointerType() => throw null; - public override System.Reflection.MemberTypes MemberType { get => throw null; } - public static object Missing; - public abstract System.Reflection.Module Module { get; } - public abstract string Namespace { get; } - public override System.Type ReflectedType { get => throw null; } - public static System.Type ReflectionOnlyGetType(string typeName, bool throwIfNotFound, bool ignoreCase) => throw null; - public virtual System.Runtime.InteropServices.StructLayoutAttribute StructLayoutAttribute { get => throw null; } - public override string ToString() => throw null; - protected Type() => throw null; - public virtual System.RuntimeTypeHandle TypeHandle { get => throw null; } - public System.Reflection.ConstructorInfo TypeInitializer { get => throw null; } - public abstract System.Type UnderlyingSystemType { get; } - } - - public class TypeAccessException : System.TypeLoadException - { - public TypeAccessException() => throw null; - protected TypeAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TypeAccessException(string message) => throw null; - public TypeAccessException(string message, System.Exception inner) => throw null; - } - - public enum TypeCode : int - { - Boolean = 3, - Byte = 6, - Char = 4, - DBNull = 2, - DateTime = 16, - Decimal = 15, - Double = 14, - Empty = 0, - Int16 = 7, - Int32 = 9, - Int64 = 11, - Object = 1, - SByte = 5, - Single = 13, - String = 18, - UInt16 = 8, - UInt32 = 10, - UInt64 = 12, - } - - public class TypeInitializationException : System.SystemException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TypeInitializationException(string fullTypeName, System.Exception innerException) => throw null; - public string TypeName { get => throw null; } - } - - public class TypeLoadException : System.SystemException, System.Runtime.Serialization.ISerializable - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public TypeLoadException() => throw null; - protected TypeLoadException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TypeLoadException(string message) => throw null; - public TypeLoadException(string message, System.Exception inner) => throw null; - public string TypeName { get => throw null; } - } - - public class TypeUnloadedException : System.SystemException - { - public TypeUnloadedException() => throw null; - protected TypeUnloadedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TypeUnloadedException(string message) => throw null; - public TypeUnloadedException(string message, System.Exception innerException) => throw null; - } - - public struct TypedReference - { - public override bool Equals(object o) => throw null; - public override int GetHashCode() => throw null; - public static System.Type GetTargetType(System.TypedReference value) => throw null; - public static System.TypedReference MakeTypedReference(object target, System.Reflection.FieldInfo[] flds) => throw null; - public static void SetTypedReference(System.TypedReference target, object value) => throw null; - public static System.RuntimeTypeHandle TargetTypeToken(System.TypedReference value) => throw null; - public static object ToObject(System.TypedReference value) => throw null; - // Stub generator skipped constructor - } - - public struct UInt128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IModulusOperators.operator %(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IBitwiseOperators.operator &(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IMultiplyOperators.operator *(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IUnaryPlusOperators.operator +(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IAdditionOperators.operator +(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IIncrementOperators.operator ++(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IUnaryNegationOperators.operator -(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.ISubtractionOperators.operator -(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IDecrementOperators.operator --(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IDivisionOperators.operator /(System.UInt128 left, System.UInt128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IShiftOperators.operator <<(System.UInt128 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.UInt128 left, System.UInt128 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.UInt128 left, System.UInt128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.UInt128 left, System.UInt128 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IShiftOperators.operator >>(System.UInt128 value, int shiftAmount) => throw null; - static System.UInt128 System.Numerics.IShiftOperators.operator >>>(System.UInt128 value, int shiftAmount) => throw null; - public static System.UInt128 Abs(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.UInt128 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.UInt128 Clamp(System.UInt128 value, System.UInt128 min, System.UInt128 max) => throw null; - public int CompareTo(System.UInt128 value) => throw null; - public int CompareTo(object value) => throw null; - public static System.UInt128 CopySign(System.UInt128 value, System.UInt128 sign) => throw null; - static System.UInt128 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.UInt128 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.UInt128 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.UInt128, System.UInt128) DivRem(System.UInt128 left, System.UInt128 right) => throw null; - public bool Equals(System.UInt128 other) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public static bool IsCanonical(System.UInt128 value) => throw null; - public static bool IsComplexNumber(System.UInt128 value) => throw null; - public static bool IsEvenInteger(System.UInt128 value) => throw null; - public static bool IsFinite(System.UInt128 value) => throw null; - public static bool IsImaginaryNumber(System.UInt128 value) => throw null; - public static bool IsInfinity(System.UInt128 value) => throw null; - public static bool IsInteger(System.UInt128 value) => throw null; - public static bool IsNaN(System.UInt128 value) => throw null; - public static bool IsNegative(System.UInt128 value) => throw null; - public static bool IsNegativeInfinity(System.UInt128 value) => throw null; - public static bool IsNormal(System.UInt128 value) => throw null; - public static bool IsOddInteger(System.UInt128 value) => throw null; - public static bool IsPositive(System.UInt128 value) => throw null; - public static bool IsPositiveInfinity(System.UInt128 value) => throw null; - public static bool IsPow2(System.UInt128 value) => throw null; - public static bool IsRealNumber(System.UInt128 value) => throw null; - public static bool IsSubnormal(System.UInt128 value) => throw null; - public static bool IsZero(System.UInt128 value) => throw null; - public static System.UInt128 LeadingZeroCount(System.UInt128 value) => throw null; - public static System.UInt128 Log2(System.UInt128 value) => throw null; - public static System.UInt128 Max(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MaxMagnitude(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MaxMagnitudeNumber(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MaxNumber(System.UInt128 x, System.UInt128 y) => throw null; - static System.UInt128 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.UInt128 Min(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MinMagnitude(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MinMagnitudeNumber(System.UInt128 x, System.UInt128 y) => throw null; - public static System.UInt128 MinNumber(System.UInt128 x, System.UInt128 y) => throw null; - static System.UInt128 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.UInt128 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.UInt128 System.Numerics.INumberBase.One { get => throw null; } - public static System.UInt128 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.UInt128 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.UInt128 Parse(string s) => throw null; - public static System.UInt128 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.UInt128 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.UInt128 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.UInt128 PopCount(System.UInt128 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.UInt128 RotateLeft(System.UInt128 value, int rotateAmount) => throw null; - public static System.UInt128 RotateRight(System.UInt128 value, int rotateAmount) => throw null; - public static int Sign(System.UInt128 value) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public static System.UInt128 TrailingZeroCount(System.UInt128 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UInt128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UInt128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UInt128 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.UInt128 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UInt128 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UInt128 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UInt128 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt128 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.UInt128 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.UInt128 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt128 result) => throw null; - public static bool TryParse(string s, out System.UInt128 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt128 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt128 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - // Stub generator skipped constructor - public UInt128(System.UInt64 upper, System.UInt64 lower) => throw null; - static System.UInt128 System.Numerics.INumberBase.Zero { get => throw null; } - static System.UInt128 System.Numerics.IBitwiseOperators.operator ^(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IMultiplyOperators.operator checked *(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IAdditionOperators.operator checked +(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IIncrementOperators.operator checked ++(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IUnaryNegationOperators.operator checked -(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.ISubtractionOperators.operator checked -(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IDecrementOperators.operator checked --(System.UInt128 value) => throw null; - static System.UInt128 System.Numerics.IDivisionOperators.operator checked /(System.UInt128 left, System.UInt128 right) => throw null; - public static explicit operator checked System.UInt128(System.IntPtr value) => throw null; - public static explicit operator checked System.Byte(System.UInt128 value) => throw null; - public static explicit operator checked System.Char(System.UInt128 value) => throw null; - public static explicit operator checked System.Int128(System.UInt128 value) => throw null; - public static explicit operator checked System.Int16(System.UInt128 value) => throw null; - public static explicit operator checked System.Int64(System.UInt128 value) => throw null; - public static explicit operator checked System.IntPtr(System.UInt128 value) => throw null; - public static explicit operator checked System.SByte(System.UInt128 value) => throw null; - public static explicit operator checked System.UInt16(System.UInt128 value) => throw null; - public static explicit operator checked System.UInt32(System.UInt128 value) => throw null; - public static explicit operator checked System.UInt64(System.UInt128 value) => throw null; - public static explicit operator checked System.UIntPtr(System.UInt128 value) => throw null; - public static explicit operator checked int(System.UInt128 value) => throw null; - public static explicit operator checked System.UInt128(double value) => throw null; - public static explicit operator checked System.UInt128(float value) => throw null; - public static explicit operator checked System.UInt128(int value) => throw null; - public static explicit operator checked System.UInt128(System.Int64 value) => throw null; - public static explicit operator checked System.UInt128(System.SByte value) => throw null; - public static explicit operator checked System.UInt128(System.Int16 value) => throw null; - public static explicit operator System.UInt128(System.IntPtr value) => throw null; - public static explicit operator System.Byte(System.UInt128 value) => throw null; - public static explicit operator System.Char(System.UInt128 value) => throw null; - public static explicit operator System.Decimal(System.UInt128 value) => throw null; - public static explicit operator System.Half(System.UInt128 value) => throw null; - public static explicit operator System.Int128(System.UInt128 value) => throw null; - public static explicit operator System.Int16(System.UInt128 value) => throw null; - public static explicit operator System.Int64(System.UInt128 value) => throw null; - public static explicit operator System.IntPtr(System.UInt128 value) => throw null; - public static explicit operator System.SByte(System.UInt128 value) => throw null; - public static explicit operator System.UInt16(System.UInt128 value) => throw null; - public static explicit operator System.UInt32(System.UInt128 value) => throw null; - public static explicit operator System.UInt64(System.UInt128 value) => throw null; - public static explicit operator System.UIntPtr(System.UInt128 value) => throw null; - public static explicit operator double(System.UInt128 value) => throw null; - public static explicit operator float(System.UInt128 value) => throw null; - public static explicit operator int(System.UInt128 value) => throw null; - public static explicit operator System.UInt128(System.Decimal value) => throw null; - public static explicit operator System.UInt128(double value) => throw null; - public static explicit operator System.UInt128(float value) => throw null; - public static explicit operator System.UInt128(int value) => throw null; - public static explicit operator System.UInt128(System.Int64 value) => throw null; - public static explicit operator System.UInt128(System.SByte value) => throw null; - public static explicit operator System.UInt128(System.Int16 value) => throw null; - public static implicit operator System.UInt128(System.UIntPtr value) => throw null; - public static implicit operator System.UInt128(System.Byte value) => throw null; - public static implicit operator System.UInt128(System.Char value) => throw null; - public static implicit operator System.UInt128(System.UInt32 value) => throw null; - public static implicit operator System.UInt128(System.UInt64 value) => throw null; - public static implicit operator System.UInt128(System.UInt16 value) => throw null; - static System.UInt128 System.Numerics.IBitwiseOperators.operator |(System.UInt128 left, System.UInt128 right) => throw null; - static System.UInt128 System.Numerics.IBitwiseOperators.operator ~(System.UInt128 value) => throw null; - } - - public struct UInt16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IModulusOperators.operator %(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IBitwiseOperators.operator &(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IMultiplyOperators.operator *(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IUnaryPlusOperators.operator +(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IAdditionOperators.operator +(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IIncrementOperators.operator ++(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IUnaryNegationOperators.operator -(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.ISubtractionOperators.operator -(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IDecrementOperators.operator --(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IDivisionOperators.operator /(System.UInt16 left, System.UInt16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IShiftOperators.operator <<(System.UInt16 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.UInt16 left, System.UInt16 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.UInt16 left, System.UInt16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.UInt16 left, System.UInt16 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IShiftOperators.operator >>(System.UInt16 value, int shiftAmount) => throw null; - static System.UInt16 System.Numerics.IShiftOperators.operator >>>(System.UInt16 value, int shiftAmount) => throw null; - public static System.UInt16 Abs(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.UInt16 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.UInt16 Clamp(System.UInt16 value, System.UInt16 min, System.UInt16 max) => throw null; - public int CompareTo(object value) => throw null; - public int CompareTo(System.UInt16 value) => throw null; - public static System.UInt16 CopySign(System.UInt16 value, System.UInt16 sign) => throw null; - static System.UInt16 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.UInt16 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.UInt16 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.UInt16, System.UInt16) DivRem(System.UInt16 left, System.UInt16 right) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(System.UInt16 obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.UInt16 value) => throw null; - public static bool IsComplexNumber(System.UInt16 value) => throw null; - public static bool IsEvenInteger(System.UInt16 value) => throw null; - public static bool IsFinite(System.UInt16 value) => throw null; - public static bool IsImaginaryNumber(System.UInt16 value) => throw null; - public static bool IsInfinity(System.UInt16 value) => throw null; - public static bool IsInteger(System.UInt16 value) => throw null; - public static bool IsNaN(System.UInt16 value) => throw null; - public static bool IsNegative(System.UInt16 value) => throw null; - public static bool IsNegativeInfinity(System.UInt16 value) => throw null; - public static bool IsNormal(System.UInt16 value) => throw null; - public static bool IsOddInteger(System.UInt16 value) => throw null; - public static bool IsPositive(System.UInt16 value) => throw null; - public static bool IsPositiveInfinity(System.UInt16 value) => throw null; - public static bool IsPow2(System.UInt16 value) => throw null; - public static bool IsRealNumber(System.UInt16 value) => throw null; - public static bool IsSubnormal(System.UInt16 value) => throw null; - public static bool IsZero(System.UInt16 value) => throw null; - public static System.UInt16 LeadingZeroCount(System.UInt16 value) => throw null; - public static System.UInt16 Log2(System.UInt16 value) => throw null; - public static System.UInt16 Max(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MaxMagnitude(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MaxMagnitudeNumber(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MaxNumber(System.UInt16 x, System.UInt16 y) => throw null; - public const System.UInt16 MaxValue = default; - static System.UInt16 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.UInt16 Min(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MinMagnitude(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MinMagnitudeNumber(System.UInt16 x, System.UInt16 y) => throw null; - public static System.UInt16 MinNumber(System.UInt16 x, System.UInt16 y) => throw null; - public const System.UInt16 MinValue = default; - static System.UInt16 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.UInt16 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.UInt16 System.Numerics.INumberBase.One { get => throw null; } - public static System.UInt16 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.UInt16 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.UInt16 Parse(string s) => throw null; - public static System.UInt16 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.UInt16 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.UInt16 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.UInt16 PopCount(System.UInt16 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.UInt16 RotateLeft(System.UInt16 value, int rotateAmount) => throw null; - public static System.UInt16 RotateRight(System.UInt16 value, int rotateAmount) => throw null; - public static int Sign(System.UInt16 value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.UInt16 TrailingZeroCount(System.UInt16 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UInt16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UInt16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UInt16 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.UInt16 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UInt16 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UInt16 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UInt16 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt16 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.UInt16 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.UInt16 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt16 result) => throw null; - public static bool TryParse(string s, out System.UInt16 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt16 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt16 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - // Stub generator skipped constructor - static System.UInt16 System.Numerics.INumberBase.Zero { get => throw null; } - static System.UInt16 System.Numerics.IBitwiseOperators.operator ^(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IMultiplyOperators.operator checked *(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IAdditionOperators.operator checked +(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IIncrementOperators.operator checked ++(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IUnaryNegationOperators.operator checked -(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.ISubtractionOperators.operator checked -(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IDecrementOperators.operator checked --(System.UInt16 value) => throw null; - static System.UInt16 System.Numerics.IBitwiseOperators.operator |(System.UInt16 left, System.UInt16 right) => throw null; - static System.UInt16 System.Numerics.IBitwiseOperators.operator ~(System.UInt16 value) => throw null; - } - - public struct UInt32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IModulusOperators.operator %(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IBitwiseOperators.operator &(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IMultiplyOperators.operator *(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IUnaryPlusOperators.operator +(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IAdditionOperators.operator +(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IIncrementOperators.operator ++(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IUnaryNegationOperators.operator -(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.ISubtractionOperators.operator -(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IDecrementOperators.operator --(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IDivisionOperators.operator /(System.UInt32 left, System.UInt32 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IShiftOperators.operator <<(System.UInt32 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.UInt32 left, System.UInt32 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.UInt32 left, System.UInt32 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.UInt32 left, System.UInt32 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IShiftOperators.operator >>(System.UInt32 value, int shiftAmount) => throw null; - static System.UInt32 System.Numerics.IShiftOperators.operator >>>(System.UInt32 value, int shiftAmount) => throw null; - public static System.UInt32 Abs(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.UInt32 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.UInt32 Clamp(System.UInt32 value, System.UInt32 min, System.UInt32 max) => throw null; - public int CompareTo(object value) => throw null; - public int CompareTo(System.UInt32 value) => throw null; - public static System.UInt32 CopySign(System.UInt32 value, System.UInt32 sign) => throw null; - static System.UInt32 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.UInt32 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.UInt32 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.UInt32, System.UInt32) DivRem(System.UInt32 left, System.UInt32 right) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(System.UInt32 obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.UInt32 value) => throw null; - public static bool IsComplexNumber(System.UInt32 value) => throw null; - public static bool IsEvenInteger(System.UInt32 value) => throw null; - public static bool IsFinite(System.UInt32 value) => throw null; - public static bool IsImaginaryNumber(System.UInt32 value) => throw null; - public static bool IsInfinity(System.UInt32 value) => throw null; - public static bool IsInteger(System.UInt32 value) => throw null; - public static bool IsNaN(System.UInt32 value) => throw null; - public static bool IsNegative(System.UInt32 value) => throw null; - public static bool IsNegativeInfinity(System.UInt32 value) => throw null; - public static bool IsNormal(System.UInt32 value) => throw null; - public static bool IsOddInteger(System.UInt32 value) => throw null; - public static bool IsPositive(System.UInt32 value) => throw null; - public static bool IsPositiveInfinity(System.UInt32 value) => throw null; - public static bool IsPow2(System.UInt32 value) => throw null; - public static bool IsRealNumber(System.UInt32 value) => throw null; - public static bool IsSubnormal(System.UInt32 value) => throw null; - public static bool IsZero(System.UInt32 value) => throw null; - public static System.UInt32 LeadingZeroCount(System.UInt32 value) => throw null; - public static System.UInt32 Log2(System.UInt32 value) => throw null; - public static System.UInt32 Max(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MaxMagnitude(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MaxMagnitudeNumber(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MaxNumber(System.UInt32 x, System.UInt32 y) => throw null; - public const System.UInt32 MaxValue = default; - static System.UInt32 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.UInt32 Min(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MinMagnitude(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MinMagnitudeNumber(System.UInt32 x, System.UInt32 y) => throw null; - public static System.UInt32 MinNumber(System.UInt32 x, System.UInt32 y) => throw null; - public const System.UInt32 MinValue = default; - static System.UInt32 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.UInt32 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.UInt32 System.Numerics.INumberBase.One { get => throw null; } - public static System.UInt32 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.UInt32 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.UInt32 Parse(string s) => throw null; - public static System.UInt32 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.UInt32 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.UInt32 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.UInt32 PopCount(System.UInt32 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.UInt32 RotateLeft(System.UInt32 value, int rotateAmount) => throw null; - public static System.UInt32 RotateRight(System.UInt32 value, int rotateAmount) => throw null; - public static int Sign(System.UInt32 value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.UInt32 TrailingZeroCount(System.UInt32 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UInt32 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UInt32 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UInt32 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.UInt32 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UInt32 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UInt32 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UInt32 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt32 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.UInt32 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.UInt32 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt32 result) => throw null; - public static bool TryParse(string s, out System.UInt32 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt32 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt32 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - // Stub generator skipped constructor - static System.UInt32 System.Numerics.INumberBase.Zero { get => throw null; } - static System.UInt32 System.Numerics.IBitwiseOperators.operator ^(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IMultiplyOperators.operator checked *(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IAdditionOperators.operator checked +(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IIncrementOperators.operator checked ++(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IUnaryNegationOperators.operator checked -(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.ISubtractionOperators.operator checked -(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IDecrementOperators.operator checked --(System.UInt32 value) => throw null; - static System.UInt32 System.Numerics.IBitwiseOperators.operator |(System.UInt32 left, System.UInt32 right) => throw null; - static System.UInt32 System.Numerics.IBitwiseOperators.operator ~(System.UInt32 value) => throw null; - } - - public struct UInt64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber - { - static bool System.Numerics.IEqualityOperators.operator !=(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IModulusOperators.operator %(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IBitwiseOperators.operator &(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IMultiplyOperators.operator *(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IUnaryPlusOperators.operator +(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IAdditionOperators.operator +(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IIncrementOperators.operator ++(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IUnaryNegationOperators.operator -(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.ISubtractionOperators.operator -(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IDecrementOperators.operator --(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IDivisionOperators.operator /(System.UInt64 left, System.UInt64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IShiftOperators.operator <<(System.UInt64 value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.UInt64 left, System.UInt64 right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.UInt64 left, System.UInt64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.UInt64 left, System.UInt64 right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IShiftOperators.operator >>(System.UInt64 value, int shiftAmount) => throw null; - static System.UInt64 System.Numerics.IShiftOperators.operator >>>(System.UInt64 value, int shiftAmount) => throw null; - public static System.UInt64 Abs(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.UInt64 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.UInt64 Clamp(System.UInt64 value, System.UInt64 min, System.UInt64 max) => throw null; - public int CompareTo(object value) => throw null; - public int CompareTo(System.UInt64 value) => throw null; - public static System.UInt64 CopySign(System.UInt64 value, System.UInt64 sign) => throw null; - static System.UInt64 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.UInt64 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.UInt64 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.UInt64, System.UInt64) DivRem(System.UInt64 left, System.UInt64 right) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(System.UInt64 obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public System.TypeCode GetTypeCode() => throw null; - public static bool IsCanonical(System.UInt64 value) => throw null; - public static bool IsComplexNumber(System.UInt64 value) => throw null; - public static bool IsEvenInteger(System.UInt64 value) => throw null; - public static bool IsFinite(System.UInt64 value) => throw null; - public static bool IsImaginaryNumber(System.UInt64 value) => throw null; - public static bool IsInfinity(System.UInt64 value) => throw null; - public static bool IsInteger(System.UInt64 value) => throw null; - public static bool IsNaN(System.UInt64 value) => throw null; - public static bool IsNegative(System.UInt64 value) => throw null; - public static bool IsNegativeInfinity(System.UInt64 value) => throw null; - public static bool IsNormal(System.UInt64 value) => throw null; - public static bool IsOddInteger(System.UInt64 value) => throw null; - public static bool IsPositive(System.UInt64 value) => throw null; - public static bool IsPositiveInfinity(System.UInt64 value) => throw null; - public static bool IsPow2(System.UInt64 value) => throw null; - public static bool IsRealNumber(System.UInt64 value) => throw null; - public static bool IsSubnormal(System.UInt64 value) => throw null; - public static bool IsZero(System.UInt64 value) => throw null; - public static System.UInt64 LeadingZeroCount(System.UInt64 value) => throw null; - public static System.UInt64 Log2(System.UInt64 value) => throw null; - public static System.UInt64 Max(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MaxMagnitude(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MaxMagnitudeNumber(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MaxNumber(System.UInt64 x, System.UInt64 y) => throw null; - public const System.UInt64 MaxValue = default; - static System.UInt64 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.UInt64 Min(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MinMagnitude(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MinMagnitudeNumber(System.UInt64 x, System.UInt64 y) => throw null; - public static System.UInt64 MinNumber(System.UInt64 x, System.UInt64 y) => throw null; - public const System.UInt64 MinValue = default; - static System.UInt64 System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.UInt64 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.UInt64 System.Numerics.INumberBase.One { get => throw null; } - public static System.UInt64 Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.UInt64 Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.UInt64 Parse(string s) => throw null; - public static System.UInt64 Parse(string s, System.IFormatProvider provider) => throw null; - public static System.UInt64 Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.UInt64 Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.UInt64 PopCount(System.UInt64 value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.UInt64 RotateLeft(System.UInt64 value, int rotateAmount) => throw null; - public static System.UInt64 RotateRight(System.UInt64 value, int rotateAmount) => throw null; - public static int Sign(System.UInt64 value) => throw null; - bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; - System.Byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; - System.Char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; - System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; - System.Decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; - double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; - System.Int16 System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; - int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; - System.Int64 System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; - System.SByte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; - float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; - System.UInt16 System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; - System.UInt32 System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; - System.UInt64 System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; - public static System.UInt64 TrailingZeroCount(System.UInt64 value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UInt64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UInt64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UInt64 result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.UInt64 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UInt64 value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UInt64 value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UInt64 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt64 result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.UInt64 result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.UInt64 result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt64 result) => throw null; - public static bool TryParse(string s, out System.UInt64 result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt64 value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt64 value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - // Stub generator skipped constructor - static System.UInt64 System.Numerics.INumberBase.Zero { get => throw null; } - static System.UInt64 System.Numerics.IBitwiseOperators.operator ^(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IMultiplyOperators.operator checked *(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IAdditionOperators.operator checked +(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IIncrementOperators.operator checked ++(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IUnaryNegationOperators.operator checked -(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.ISubtractionOperators.operator checked -(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IDecrementOperators.operator checked --(System.UInt64 value) => throw null; - static System.UInt64 System.Numerics.IBitwiseOperators.operator |(System.UInt64 left, System.UInt64 right) => throw null; - static System.UInt64 System.Numerics.IBitwiseOperators.operator ~(System.UInt64 value) => throw null; - } - - public struct UIntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber, System.Runtime.Serialization.ISerializable - { - static bool System.Numerics.IEqualityOperators.operator !=(System.UIntPtr value1, System.UIntPtr value2) => throw null; - static System.UIntPtr System.Numerics.IModulusOperators.operator %(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IBitwiseOperators.operator &(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IMultiplyOperators.operator *(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IUnaryPlusOperators.operator +(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.IAdditionOperators.operator +(System.UIntPtr left, System.UIntPtr right) => throw null; - public static System.UIntPtr operator +(System.UIntPtr pointer, int offset) => throw null; - static System.UIntPtr System.Numerics.IIncrementOperators.operator ++(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.IUnaryNegationOperators.operator -(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.ISubtractionOperators.operator -(System.UIntPtr left, System.UIntPtr right) => throw null; - public static System.UIntPtr operator -(System.UIntPtr pointer, int offset) => throw null; - static System.UIntPtr System.Numerics.IDecrementOperators.operator --(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.IDivisionOperators.operator /(System.UIntPtr left, System.UIntPtr right) => throw null; - static bool System.Numerics.IComparisonOperators.operator <(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IShiftOperators.operator <<(System.UIntPtr value, int shiftAmount) => throw null; - static bool System.Numerics.IComparisonOperators.operator <=(System.UIntPtr left, System.UIntPtr right) => throw null; - static bool System.Numerics.IEqualityOperators.operator ==(System.UIntPtr value1, System.UIntPtr value2) => throw null; - static bool System.Numerics.IComparisonOperators.operator >(System.UIntPtr left, System.UIntPtr right) => throw null; - static bool System.Numerics.IComparisonOperators.operator >=(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IShiftOperators.operator >>(System.UIntPtr value, int shiftAmount) => throw null; - static System.UIntPtr System.Numerics.IShiftOperators.operator >>>(System.UIntPtr value, int shiftAmount) => throw null; - public static System.UIntPtr Abs(System.UIntPtr value) => throw null; - public static System.UIntPtr Add(System.UIntPtr pointer, int offset) => throw null; - static System.UIntPtr System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } - static System.UIntPtr System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } - public static System.UIntPtr Clamp(System.UIntPtr value, System.UIntPtr min, System.UIntPtr max) => throw null; - public int CompareTo(System.UIntPtr value) => throw null; - public int CompareTo(object value) => throw null; - public static System.UIntPtr CopySign(System.UIntPtr value, System.UIntPtr sign) => throw null; - static System.UIntPtr System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; - static System.UIntPtr System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; - static System.UIntPtr System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static (System.UIntPtr, System.UIntPtr) DivRem(System.UIntPtr left, System.UIntPtr right) => throw null; - public bool Equals(System.UIntPtr other) => throw null; - public override bool Equals(object obj) => throw null; - int System.Numerics.IBinaryInteger.GetByteCount() => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; - public static bool IsCanonical(System.UIntPtr value) => throw null; - public static bool IsComplexNumber(System.UIntPtr value) => throw null; - public static bool IsEvenInteger(System.UIntPtr value) => throw null; - public static bool IsFinite(System.UIntPtr value) => throw null; - public static bool IsImaginaryNumber(System.UIntPtr value) => throw null; - public static bool IsInfinity(System.UIntPtr value) => throw null; - public static bool IsInteger(System.UIntPtr value) => throw null; - public static bool IsNaN(System.UIntPtr value) => throw null; - public static bool IsNegative(System.UIntPtr value) => throw null; - public static bool IsNegativeInfinity(System.UIntPtr value) => throw null; - public static bool IsNormal(System.UIntPtr value) => throw null; - public static bool IsOddInteger(System.UIntPtr value) => throw null; - public static bool IsPositive(System.UIntPtr value) => throw null; - public static bool IsPositiveInfinity(System.UIntPtr value) => throw null; - public static bool IsPow2(System.UIntPtr value) => throw null; - public static bool IsRealNumber(System.UIntPtr value) => throw null; - public static bool IsSubnormal(System.UIntPtr value) => throw null; - public static bool IsZero(System.UIntPtr value) => throw null; - public static System.UIntPtr LeadingZeroCount(System.UIntPtr value) => throw null; - public static System.UIntPtr Log2(System.UIntPtr value) => throw null; - public static System.UIntPtr Max(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MaxMagnitude(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MaxMagnitudeNumber(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MaxNumber(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MaxValue { get => throw null; } - static System.UIntPtr System.Numerics.IMinMaxValue.MaxValue { get => throw null; } - public static System.UIntPtr Min(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MinMagnitude(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MinMagnitudeNumber(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MinNumber(System.UIntPtr x, System.UIntPtr y) => throw null; - public static System.UIntPtr MinValue { get => throw null; } - static System.UIntPtr System.Numerics.IMinMaxValue.MinValue { get => throw null; } - static System.UIntPtr System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - static System.UIntPtr System.Numerics.INumberBase.One { get => throw null; } - public static System.UIntPtr Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; - public static System.UIntPtr Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static System.UIntPtr Parse(string s) => throw null; - public static System.UIntPtr Parse(string s, System.IFormatProvider provider) => throw null; - public static System.UIntPtr Parse(string s, System.Globalization.NumberStyles style) => throw null; - public static System.UIntPtr Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; - public static System.UIntPtr PopCount(System.UIntPtr value) => throw null; - static int System.Numerics.INumberBase.Radix { get => throw null; } - public static System.UIntPtr RotateLeft(System.UIntPtr value, int rotateAmount) => throw null; - public static System.UIntPtr RotateRight(System.UIntPtr value, int rotateAmount) => throw null; - public static int Sign(System.UIntPtr value) => throw null; - public static int Size { get => throw null; } - public static System.UIntPtr Subtract(System.UIntPtr pointer, int offset) => throw null; - unsafe public void* ToPointer() => throw null; - public override string ToString() => throw null; - public string ToString(System.IFormatProvider provider) => throw null; - public string ToString(string format) => throw null; - public string ToString(string format, System.IFormatProvider provider) => throw null; - public System.UInt32 ToUInt32() => throw null; - public System.UInt64 ToUInt64() => throw null; - public static System.UIntPtr TrailingZeroCount(System.UIntPtr value) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UIntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UIntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UIntPtr result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToChecked(System.UIntPtr value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UIntPtr value, out TOther result) => throw null; - static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UIntPtr value, out TOther result) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UIntPtr result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UIntPtr result) => throw null; - public static bool TryParse(System.ReadOnlySpan s, out System.UIntPtr result) => throw null; - public static bool TryParse(string s, System.IFormatProvider provider, out System.UIntPtr result) => throw null; - public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UIntPtr result) => throw null; - public static bool TryParse(string s, out System.UIntPtr result) => throw null; - public static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UIntPtr value) => throw null; - public static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UIntPtr value) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; - bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; - // Stub generator skipped constructor - unsafe public UIntPtr(void* value) => throw null; - public UIntPtr(System.UInt32 value) => throw null; - public UIntPtr(System.UInt64 value) => throw null; - public static System.UIntPtr Zero; - static System.UIntPtr System.Numerics.INumberBase.Zero { get => throw null; } - static System.UIntPtr System.Numerics.IBitwiseOperators.operator ^(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IMultiplyOperators.operator checked *(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IAdditionOperators.operator checked +(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IIncrementOperators.operator checked ++(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.IUnaryNegationOperators.operator checked -(System.UIntPtr value) => throw null; - static System.UIntPtr System.Numerics.ISubtractionOperators.operator checked -(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IDecrementOperators.operator checked --(System.UIntPtr value) => throw null; - public static explicit operator System.UInt32(System.UIntPtr value) => throw null; - public static explicit operator System.UInt64(System.UIntPtr value) => throw null; - unsafe public static explicit operator void*(System.UIntPtr value) => throw null; - unsafe public static explicit operator System.UIntPtr(void* value) => throw null; - public static explicit operator System.UIntPtr(System.UInt32 value) => throw null; - public static explicit operator System.UIntPtr(System.UInt64 value) => throw null; - static System.UIntPtr System.Numerics.IBitwiseOperators.operator |(System.UIntPtr left, System.UIntPtr right) => throw null; - static System.UIntPtr System.Numerics.IBitwiseOperators.operator ~(System.UIntPtr value) => throw null; - } - - public class UnauthorizedAccessException : System.SystemException - { - public UnauthorizedAccessException() => throw null; - protected UnauthorizedAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public UnauthorizedAccessException(string message) => throw null; - public UnauthorizedAccessException(string message, System.Exception inner) => throw null; - } - - public class UnhandledExceptionEventArgs : System.EventArgs - { - public object ExceptionObject { get => throw null; } - public bool IsTerminating { get => throw null; } - public UnhandledExceptionEventArgs(object exception, bool isTerminating) => throw null; - } - - public delegate void UnhandledExceptionEventHandler(object sender, System.UnhandledExceptionEventArgs e); - - public class Uri : System.Runtime.Serialization.ISerializable - { - public static bool operator !=(System.Uri uri1, System.Uri uri2) => throw null; - public static bool operator ==(System.Uri uri1, System.Uri uri2) => throw null; - public string AbsolutePath { get => throw null; } - public string AbsoluteUri { get => throw null; } - public string Authority { get => throw null; } - protected virtual void Canonicalize() => throw null; - public static System.UriHostNameType CheckHostName(string name) => throw null; - public static bool CheckSchemeName(string schemeName) => throw null; - protected virtual void CheckSecurity() => throw null; - public static int Compare(System.Uri uri1, System.Uri uri2, System.UriComponents partsToCompare, System.UriFormat compareFormat, System.StringComparison comparisonType) => throw null; - public string DnsSafeHost { get => throw null; } - public override bool Equals(object comparand) => throw null; - protected virtual void Escape() => throw null; - public static string EscapeDataString(string stringToEscape) => throw null; - protected static string EscapeString(string str) => throw null; - public static string EscapeUriString(string stringToEscape) => throw null; - public string Fragment { get => throw null; } - public static int FromHex(System.Char digit) => throw null; - public string GetComponents(System.UriComponents components, System.UriFormat format) => throw null; - public override int GetHashCode() => throw null; - public string GetLeftPart(System.UriPartial part) => throw null; - protected void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public static string HexEscape(System.Char character) => throw null; - public static System.Char HexUnescape(string pattern, ref int index) => throw null; - public string Host { get => throw null; } - public System.UriHostNameType HostNameType { get => throw null; } - public string IdnHost { get => throw null; } - public bool IsAbsoluteUri { get => throw null; } - protected virtual bool IsBadFileSystemCharacter(System.Char character) => throw null; - public bool IsBaseOf(System.Uri uri) => throw null; - public bool IsDefaultPort { get => throw null; } - protected static bool IsExcludedCharacter(System.Char character) => throw null; - public bool IsFile { get => throw null; } - public static bool IsHexDigit(System.Char character) => throw null; - public static bool IsHexEncoding(string pattern, int index) => throw null; - public bool IsLoopback { get => throw null; } - protected virtual bool IsReservedCharacter(System.Char character) => throw null; - public bool IsUnc { get => throw null; } - public bool IsWellFormedOriginalString() => throw null; - public static bool IsWellFormedUriString(string uriString, System.UriKind uriKind) => throw null; - public string LocalPath { get => throw null; } - public string MakeRelative(System.Uri toUri) => throw null; - public System.Uri MakeRelativeUri(System.Uri uri) => throw null; - public string OriginalString { get => throw null; } - protected virtual void Parse() => throw null; - public string PathAndQuery { get => throw null; } - public int Port { get => throw null; } - public string Query { get => throw null; } - public string Scheme { get => throw null; } - public static string SchemeDelimiter; - public string[] Segments { get => throw null; } - public override string ToString() => throw null; - public static bool TryCreate(System.Uri baseUri, System.Uri relativeUri, out System.Uri result) => throw null; - public static bool TryCreate(System.Uri baseUri, string relativeUri, out System.Uri result) => throw null; - public static bool TryCreate(string uriString, System.UriCreationOptions creationOptions, out System.Uri result) => throw null; - public static bool TryCreate(string uriString, System.UriKind uriKind, out System.Uri result) => throw null; - protected virtual string Unescape(string path) => throw null; - public static string UnescapeDataString(string stringToUnescape) => throw null; - protected Uri(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public Uri(System.Uri baseUri, System.Uri relativeUri) => throw null; - public Uri(System.Uri baseUri, string relativeUri) => throw null; - public Uri(System.Uri baseUri, string relativeUri, bool dontEscape) => throw null; - public Uri(string uriString) => throw null; - public Uri(string uriString, System.UriCreationOptions creationOptions) => throw null; - public Uri(string uriString, System.UriKind uriKind) => throw null; - public Uri(string uriString, bool dontEscape) => throw null; - public static string UriSchemeFile; - public static string UriSchemeFtp; - public static string UriSchemeFtps; - public static string UriSchemeGopher; - public static string UriSchemeHttp; - public static string UriSchemeHttps; - public static string UriSchemeMailto; - public static string UriSchemeNetPipe; - public static string UriSchemeNetTcp; - public static string UriSchemeNews; - public static string UriSchemeNntp; - public static string UriSchemeSftp; - public static string UriSchemeSsh; - public static string UriSchemeTelnet; - public static string UriSchemeWs; - public static string UriSchemeWss; - public bool UserEscaped { get => throw null; } - public string UserInfo { get => throw null; } - } - - public class UriBuilder - { - public override bool Equals(object rparam) => throw null; - public string Fragment { get => throw null; set => throw null; } - public override int GetHashCode() => throw null; - public string Host { get => throw null; set => throw null; } - public string Password { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public int Port { get => throw null; set => throw null; } - public string Query { get => throw null; set => throw null; } - public string Scheme { get => throw null; set => throw null; } - public override string ToString() => throw null; - public System.Uri Uri { get => throw null; } - public UriBuilder() => throw null; - public UriBuilder(System.Uri uri) => throw null; - public UriBuilder(string uri) => throw null; - public UriBuilder(string schemeName, string hostName) => throw null; - public UriBuilder(string scheme, string host, int portNumber) => throw null; - public UriBuilder(string scheme, string host, int port, string pathValue) => throw null; - public UriBuilder(string scheme, string host, int port, string path, string extraValue) => throw null; - public string UserName { get => throw null; set => throw null; } - } - - [System.Flags] - public enum UriComponents : int - { - AbsoluteUri = 127, - Fragment = 64, - Host = 4, - HostAndPort = 132, - HttpRequestUrl = 61, - KeepDelimiter = 1073741824, - NormalizedHost = 256, - Path = 16, - PathAndQuery = 48, - Port = 8, - Query = 32, - Scheme = 1, - SchemeAndServer = 13, - SerializationInfoString = -2147483648, - StrongAuthority = 134, - StrongPort = 128, - UserInfo = 2, - } - - public struct UriCreationOptions - { - public bool DangerousDisablePathAndQueryCanonicalization { get => throw null; set => throw null; } - // Stub generator skipped constructor - } - - public enum UriFormat : int - { - SafeUnescaped = 3, - Unescaped = 2, - UriEscaped = 1, - } - - public class UriFormatException : System.FormatException, System.Runtime.Serialization.ISerializable - { - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public UriFormatException() => throw null; - protected UriFormatException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; - public UriFormatException(string textString) => throw null; - public UriFormatException(string textString, System.Exception e) => throw null; - } - - public enum UriHostNameType : int - { - Basic = 1, - Dns = 2, - IPv4 = 3, - IPv6 = 4, - Unknown = 0, + public class ArrayList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ICloneable + { + public static System.Collections.ArrayList Adapter(System.Collections.IList list) => throw null; + public virtual int Add(object value) => throw null; + public virtual void AddRange(System.Collections.ICollection c) => throw null; + public virtual int BinarySearch(int index, int count, object value, System.Collections.IComparer comparer) => throw null; + public virtual int BinarySearch(object value) => throw null; + public virtual int BinarySearch(object value, System.Collections.IComparer comparer) => throw null; + public virtual int Capacity { get => throw null; set { } } + public virtual void Clear() => throw null; + public virtual object Clone() => throw null; + public virtual bool Contains(object item) => throw null; + public virtual void CopyTo(System.Array array) => throw null; + public virtual void CopyTo(System.Array array, int arrayIndex) => throw null; + public virtual void CopyTo(int index, System.Array array, int arrayIndex, int count) => throw null; + public virtual int Count { get => throw null; } + public ArrayList() => throw null; + public ArrayList(System.Collections.ICollection c) => throw null; + public ArrayList(int capacity) => throw null; + public static System.Collections.ArrayList FixedSize(System.Collections.ArrayList list) => throw null; + public static System.Collections.IList FixedSize(System.Collections.IList list) => throw null; + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + public virtual System.Collections.IEnumerator GetEnumerator(int index, int count) => throw null; + public virtual System.Collections.ArrayList GetRange(int index, int count) => throw null; + public virtual int IndexOf(object value) => throw null; + public virtual int IndexOf(object value, int startIndex) => throw null; + public virtual int IndexOf(object value, int startIndex, int count) => throw null; + public virtual void Insert(int index, object value) => throw null; + public virtual void InsertRange(int index, System.Collections.ICollection c) => throw null; + public virtual bool IsFixedSize { get => throw null; } + public virtual bool IsReadOnly { get => throw null; } + public virtual bool IsSynchronized { get => throw null; } + public virtual int LastIndexOf(object value) => throw null; + public virtual int LastIndexOf(object value, int startIndex) => throw null; + public virtual int LastIndexOf(object value, int startIndex, int count) => throw null; + public static System.Collections.ArrayList ReadOnly(System.Collections.ArrayList list) => throw null; + public static System.Collections.IList ReadOnly(System.Collections.IList list) => throw null; + public virtual void Remove(object obj) => throw null; + public virtual void RemoveAt(int index) => throw null; + public virtual void RemoveRange(int index, int count) => throw null; + public static System.Collections.ArrayList Repeat(object value, int count) => throw null; + public virtual void Reverse() => throw null; + public virtual void Reverse(int index, int count) => throw null; + public virtual void SetRange(int index, System.Collections.ICollection c) => throw null; + public virtual void Sort() => throw null; + public virtual void Sort(System.Collections.IComparer comparer) => throw null; + public virtual void Sort(int index, int count, System.Collections.IComparer comparer) => throw null; + public static System.Collections.ArrayList Synchronized(System.Collections.ArrayList list) => throw null; + public static System.Collections.IList Synchronized(System.Collections.IList list) => throw null; + public virtual object SyncRoot { get => throw null; } + public virtual object this[int index] { get => throw null; set { } } + public virtual object[] ToArray() => throw null; + public virtual System.Array ToArray(System.Type type) => throw null; + public virtual void TrimToSize() => throw null; + } + public sealed class Comparer : System.Collections.IComparer, System.Runtime.Serialization.ISerializable + { + public int Compare(object a, object b) => throw null; + public Comparer(System.Globalization.CultureInfo culture) => throw null; + public static System.Collections.Comparer Default; + public static System.Collections.Comparer DefaultInvariant; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public struct DictionaryEntry + { + public DictionaryEntry(object key, object value) => throw null; + public void Deconstruct(out object key, out object value) => throw null; + public object Key { get => throw null; set { } } + public object Value { get => throw null; set { } } + } + namespace Generic + { + public interface IAsyncEnumerable + { + System.Collections.Generic.IAsyncEnumerator GetAsyncEnumerator(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IAsyncEnumerator : System.IAsyncDisposable + { + T Current { get; } + System.Threading.Tasks.ValueTask MoveNextAsync(); + } + public interface ICollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + void Add(T item); + void Clear(); + bool Contains(T item); + void CopyTo(T[] array, int arrayIndex); + int Count { get; } + bool IsReadOnly { get; } + bool Remove(T item); + } + public interface IComparer + { + int Compare(T x, T y); + } + public interface IDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + void Add(TKey key, TValue value); + bool ContainsKey(TKey key); + System.Collections.Generic.ICollection Keys { get; } + bool Remove(TKey key); + TValue this[TKey key] { get; set; } + bool TryGetValue(TKey key, out TValue value); + System.Collections.Generic.ICollection Values { get; } + } + public interface IEnumerable : System.Collections.IEnumerable + { + System.Collections.Generic.IEnumerator GetEnumerator(); + } + public interface IEnumerator : System.Collections.IEnumerator, System.IDisposable + { + T Current { get; } + } + public interface IEqualityComparer + { + bool Equals(T x, T y); + int GetHashCode(T obj); + } + public interface IList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + int IndexOf(T item); + void Insert(int index, T item); + void RemoveAt(int index); + T this[int index] { get; set; } + } + public interface IReadOnlyCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + int Count { get; } + } + public interface IReadOnlyDictionary : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection> + { + bool ContainsKey(TKey key); + System.Collections.Generic.IEnumerable Keys { get; } + TValue this[TKey key] { get; } + bool TryGetValue(TKey key, out TValue value); + System.Collections.Generic.IEnumerable Values { get; } + } + public interface IReadOnlyList : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + T this[int index] { get; } + } + public interface IReadOnlySet : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + bool Contains(T item); + bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other); + bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other); + bool IsSubsetOf(System.Collections.Generic.IEnumerable other); + bool IsSupersetOf(System.Collections.Generic.IEnumerable other); + bool Overlaps(System.Collections.Generic.IEnumerable other); + bool SetEquals(System.Collections.Generic.IEnumerable other); + } + public interface ISet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + bool Add(T item); + void ExceptWith(System.Collections.Generic.IEnumerable other); + void IntersectWith(System.Collections.Generic.IEnumerable other); + bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other); + bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other); + bool IsSubsetOf(System.Collections.Generic.IEnumerable other); + bool IsSupersetOf(System.Collections.Generic.IEnumerable other); + bool Overlaps(System.Collections.Generic.IEnumerable other); + bool SetEquals(System.Collections.Generic.IEnumerable other); + void SymmetricExceptWith(System.Collections.Generic.IEnumerable other); + void UnionWith(System.Collections.Generic.IEnumerable other); + } + public class KeyNotFoundException : System.SystemException + { + public KeyNotFoundException() => throw null; + protected KeyNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public KeyNotFoundException(string message) => throw null; + public KeyNotFoundException(string message, System.Exception innerException) => throw null; + } + public static class KeyValuePair + { + public static System.Collections.Generic.KeyValuePair Create(TKey key, TValue value) => throw null; + } + public struct KeyValuePair + { + public KeyValuePair(TKey key, TValue value) => throw null; + public void Deconstruct(out TKey key, out TValue value) => throw null; + public TKey Key { get => throw null; } + public override string ToString() => throw null; + public TValue Value { get => throw null; } + } + } + public class Hashtable : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ICloneable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public virtual void Add(object key, object value) => throw null; + public virtual void Clear() => throw null; + public virtual object Clone() => throw null; + protected System.Collections.IComparer comparer { get => throw null; set { } } + public virtual bool Contains(object key) => throw null; + public virtual bool ContainsKey(object key) => throw null; + public virtual bool ContainsValue(object value) => throw null; + public virtual void CopyTo(System.Array array, int arrayIndex) => throw null; + public virtual int Count { get => throw null; } + public Hashtable() => throw null; + public Hashtable(System.Collections.IDictionary d) => throw null; + public Hashtable(System.Collections.IDictionary d, System.Collections.IEqualityComparer equalityComparer) => throw null; + public Hashtable(System.Collections.IDictionary d, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; + public Hashtable(System.Collections.IDictionary d, float loadFactor) => throw null; + public Hashtable(System.Collections.IDictionary d, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; + public Hashtable(System.Collections.IDictionary d, float loadFactor, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; + public Hashtable(System.Collections.IEqualityComparer equalityComparer) => throw null; + public Hashtable(System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; + public Hashtable(int capacity) => throw null; + public Hashtable(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; + public Hashtable(int capacity, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; + public Hashtable(int capacity, float loadFactor) => throw null; + public Hashtable(int capacity, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; + public Hashtable(int capacity, float loadFactor, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; + protected Hashtable(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected System.Collections.IEqualityComparer EqualityComparer { get => throw null; } + public virtual System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + protected virtual int GetHash(object key) => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected System.Collections.IHashCodeProvider hcp { get => throw null; set { } } + public virtual bool IsFixedSize { get => throw null; } + public virtual bool IsReadOnly { get => throw null; } + public virtual bool IsSynchronized { get => throw null; } + protected virtual bool KeyEquals(object item, object key) => throw null; + public virtual System.Collections.ICollection Keys { get => throw null; } + public virtual void OnDeserialization(object sender) => throw null; + public virtual void Remove(object key) => throw null; + public static System.Collections.Hashtable Synchronized(System.Collections.Hashtable table) => throw null; + public virtual object SyncRoot { get => throw null; } + public virtual object this[object key] { get => throw null; set { } } + public virtual System.Collections.ICollection Values { get => throw null; } + } + public interface ICollection : System.Collections.IEnumerable + { + void CopyTo(System.Array array, int index); + int Count { get; } + bool IsSynchronized { get; } + object SyncRoot { get; } + } + public interface IComparer + { + int Compare(object x, object y); + } + public interface IDictionary : System.Collections.ICollection, System.Collections.IEnumerable + { + void Add(object key, object value); + void Clear(); + bool Contains(object key); + System.Collections.IDictionaryEnumerator GetEnumerator(); + bool IsFixedSize { get; } + bool IsReadOnly { get; } + System.Collections.ICollection Keys { get; } + void Remove(object key); + object this[object key] { get; set; } + System.Collections.ICollection Values { get; } + } + public interface IDictionaryEnumerator : System.Collections.IEnumerator + { + System.Collections.DictionaryEntry Entry { get; } + object Key { get; } + object Value { get; } + } + public interface IEnumerable + { + System.Collections.IEnumerator GetEnumerator(); + } + public interface IEnumerator + { + object Current { get; } + bool MoveNext(); + void Reset(); + } + public interface IEqualityComparer + { + bool Equals(object x, object y); + int GetHashCode(object obj); + } + public interface IHashCodeProvider + { + int GetHashCode(object obj); + } + public interface IList : System.Collections.ICollection, System.Collections.IEnumerable + { + int Add(object value); + void Clear(); + bool Contains(object value); + int IndexOf(object value); + void Insert(int index, object value); + bool IsFixedSize { get; } + bool IsReadOnly { get; } + void Remove(object value); + void RemoveAt(int index); + object this[int index] { get; set; } + } + public interface IStructuralComparable + { + int CompareTo(object other, System.Collections.IComparer comparer); + } + public interface IStructuralEquatable + { + bool Equals(object other, System.Collections.IEqualityComparer comparer); + int GetHashCode(System.Collections.IEqualityComparer comparer); + } + namespace ObjectModel + { + public class Collection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + { + public void Add(T item) => throw null; + int System.Collections.IList.Add(object value) => throw null; + public void Clear() => throw null; + protected virtual void ClearItems() => throw null; + public bool Contains(T item) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public Collection() => throw null; + public Collection(System.Collections.Generic.IList list) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(T item) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public void Insert(int index, T item) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + protected virtual void InsertItem(int index, T item) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } + protected System.Collections.Generic.IList Items { get => throw null; } + public bool Remove(T item) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public void RemoveAt(int index) => throw null; + protected virtual void RemoveItem(int index) => throw null; + protected virtual void SetItem(int index, T item) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } + } + public class ReadOnlyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + { + void System.Collections.Generic.ICollection.Add(T value) => throw null; + int System.Collections.IList.Add(object value) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + void System.Collections.IList.Clear() => throw null; + public bool Contains(T value) => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public void CopyTo(T[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public ReadOnlyCollection(System.Collections.Generic.IList list) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public int IndexOf(T value) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + void System.Collections.Generic.IList.Insert(int index, T value) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + T System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } + protected System.Collections.Generic.IList Items { get => throw null; } + bool System.Collections.Generic.ICollection.Remove(T value) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + void System.Collections.Generic.IList.RemoveAt(int index) => throw null; + void System.Collections.IList.RemoveAt(int index) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; } + } + public class ReadOnlyDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + { + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; + void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; + void System.Collections.IDictionary.Add(object key, object value) => throw null; + void System.Collections.Generic.ICollection>.Clear() => throw null; + void System.Collections.IDictionary.Clear() => throw null; + bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; + bool System.Collections.IDictionary.Contains(object key) => throw null; + public bool ContainsKey(TKey key) => throw null; + void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public ReadOnlyDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; + protected System.Collections.Generic.IDictionary Dictionary { get => throw null; } + public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; + System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.IDictionary.IsFixedSize { get => throw null; } + bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } + bool System.Collections.IDictionary.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set { } } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + { + void System.Collections.Generic.ICollection.Add(TKey item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; + public void CopyTo(TKey[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + bool System.Collections.Generic.ICollection.Remove(TKey item) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + } + public System.Collections.ObjectModel.ReadOnlyDictionary.KeyCollection Keys { get => throw null; } + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; + bool System.Collections.Generic.IDictionary.Remove(TKey key) => throw null; + void System.Collections.IDictionary.Remove(object key) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; } + public bool TryGetValue(TKey key, out TValue value) => throw null; + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + { + void System.Collections.Generic.ICollection.Add(TValue item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; + public void CopyTo(TValue[] array, int arrayIndex) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + bool System.Collections.Generic.ICollection.Remove(TValue item) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + } + System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } + System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } + public System.Collections.ObjectModel.ReadOnlyDictionary.ValueCollection Values { get => throw null; } + } + } } - - public enum UriKind : int + public delegate int Comparison(T x, T y); + namespace ComponentModel { - Absolute = 1, - Relative = 2, - RelativeOrAbsolute = 0, + public class DefaultValueAttribute : System.Attribute + { + public DefaultValueAttribute(bool value) => throw null; + public DefaultValueAttribute(byte value) => throw null; + public DefaultValueAttribute(char value) => throw null; + public DefaultValueAttribute(double value) => throw null; + public DefaultValueAttribute(short value) => throw null; + public DefaultValueAttribute(int value) => throw null; + public DefaultValueAttribute(long value) => throw null; + public DefaultValueAttribute(object value) => throw null; + public DefaultValueAttribute(sbyte value) => throw null; + public DefaultValueAttribute(float value) => throw null; + public DefaultValueAttribute(string value) => throw null; + public DefaultValueAttribute(System.Type type, string value) => throw null; + public DefaultValueAttribute(ushort value) => throw null; + public DefaultValueAttribute(uint value) => throw null; + public DefaultValueAttribute(ulong value) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + protected void SetValue(object value) => throw null; + public virtual object Value { get => throw null; } + } + public sealed class EditorBrowsableAttribute : System.Attribute + { + public EditorBrowsableAttribute() => throw null; + public EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState state) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public System.ComponentModel.EditorBrowsableState State { get => throw null; } + } + public enum EditorBrowsableState + { + Always = 0, + Never = 1, + Advanced = 2, + } } - - public abstract class UriParser + namespace Configuration { - protected virtual string GetComponents(System.Uri uri, System.UriComponents components, System.UriFormat format) => throw null; - protected virtual void InitializeAndValidate(System.Uri uri, out System.UriFormatException parsingError) => throw null; - protected virtual bool IsBaseOf(System.Uri baseUri, System.Uri relativeUri) => throw null; - public static bool IsKnownScheme(string schemeName) => throw null; - protected virtual bool IsWellFormedOriginalString(System.Uri uri) => throw null; - protected virtual System.UriParser OnNewUri() => throw null; - protected virtual void OnRegister(string schemeName, int defaultPort) => throw null; - public static void Register(System.UriParser uriParser, string schemeName, int defaultPort) => throw null; - protected virtual string Resolve(System.Uri baseUri, System.Uri relativeUri, out System.UriFormatException parsingError) => throw null; - protected UriParser() => throw null; + namespace Assemblies + { + public enum AssemblyHashAlgorithm + { + None = 0, + MD5 = 32771, + SHA1 = 32772, + SHA256 = 32780, + SHA384 = 32781, + SHA512 = 32782, + } + public enum AssemblyVersionCompatibility + { + SameMachine = 1, + SameProcess = 2, + SameDomain = 3, + } + } } - - public enum UriPartial : int + public abstract class ContextBoundObject : System.MarshalByRefObject { - Authority = 1, - Path = 2, - Query = 3, - Scheme = 0, + protected ContextBoundObject() => throw null; } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable, System.IEquatable, System.Runtime.CompilerServices.ITuple + public class ContextMarshalException : System.SystemException { - public int CompareTo(System.ValueTuple other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public static System.ValueTuple Create() => throw null; - public static (T1, T2, T3, T4, T5, T6, T7, T8) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) => throw null; - public static (T1, T2, T3, T4, T5, T6, T7) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; - public static (T1, T2, T3, T4, T5, T6) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; - public static (T1, T2, T3, T4, T5) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; - public static (T1, T2, T3, T4) Create(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; - public static (T1, T2, T3) Create(T1 item1, T2 item2, T3 item3) => throw null; - public static (T1, T2) Create(T1 item1, T2 item2) => throw null; - public static System.ValueTuple Create(T1 item1) => throw null; - public bool Equals(System.ValueTuple other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor + public ContextMarshalException() => throw null; + protected ContextMarshalException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ContextMarshalException(string message) => throw null; + public ContextMarshalException(string message, System.Exception inner) => throw null; } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple where TRest : struct + public class ContextStaticAttribute : System.Attribute { - public int CompareTo(System.ValueTuple other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals(System.ValueTuple other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - public T4 Item4; - public T5 Item5; - public T6 Item6; - public T7 Item7; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public TRest Rest; - public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, TRest rest) => throw null; + public ContextStaticAttribute() => throw null; } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6, T7)>, System.IEquatable<(T1, T2, T3, T4, T5, T6, T7)>, System.Runtime.CompilerServices.ITuple + public static class Convert { - public int CompareTo((T1, T2, T3, T4, T5, T6, T7) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2, T3, T4, T5, T6, T7) other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - public T4 Item4; - public T5 Item5; - public T6 Item6; - public T7 Item7; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; + public static object ChangeType(object value, System.Type conversionType) => throw null; + public static object ChangeType(object value, System.Type conversionType, System.IFormatProvider provider) => throw null; + public static object ChangeType(object value, System.TypeCode typeCode) => throw null; + public static object ChangeType(object value, System.TypeCode typeCode, System.IFormatProvider provider) => throw null; + public static object DBNull; + public static byte[] FromBase64CharArray(char[] inArray, int offset, int length) => throw null; + public static byte[] FromBase64String(string s) => throw null; + public static byte[] FromHexString(System.ReadOnlySpan chars) => throw null; + public static byte[] FromHexString(string s) => throw null; + public static System.TypeCode GetTypeCode(object value) => throw null; + public static bool IsDBNull(object value) => throw null; + public static int ToBase64CharArray(byte[] inArray, int offsetIn, int length, char[] outArray, int offsetOut) => throw null; + public static int ToBase64CharArray(byte[] inArray, int offsetIn, int length, char[] outArray, int offsetOut, System.Base64FormattingOptions options) => throw null; + public static string ToBase64String(byte[] inArray) => throw null; + public static string ToBase64String(byte[] inArray, System.Base64FormattingOptions options) => throw null; + public static string ToBase64String(byte[] inArray, int offset, int length) => throw null; + public static string ToBase64String(byte[] inArray, int offset, int length, System.Base64FormattingOptions options) => throw null; + public static string ToBase64String(System.ReadOnlySpan bytes, System.Base64FormattingOptions options = default(System.Base64FormattingOptions)) => throw null; + public static bool ToBoolean(bool value) => throw null; + public static bool ToBoolean(byte value) => throw null; + public static bool ToBoolean(char value) => throw null; + public static bool ToBoolean(System.DateTime value) => throw null; + public static bool ToBoolean(decimal value) => throw null; + public static bool ToBoolean(double value) => throw null; + public static bool ToBoolean(short value) => throw null; + public static bool ToBoolean(int value) => throw null; + public static bool ToBoolean(long value) => throw null; + public static bool ToBoolean(object value) => throw null; + public static bool ToBoolean(object value, System.IFormatProvider provider) => throw null; + public static bool ToBoolean(sbyte value) => throw null; + public static bool ToBoolean(float value) => throw null; + public static bool ToBoolean(string value) => throw null; + public static bool ToBoolean(string value, System.IFormatProvider provider) => throw null; + public static bool ToBoolean(ushort value) => throw null; + public static bool ToBoolean(uint value) => throw null; + public static bool ToBoolean(ulong value) => throw null; + public static byte ToByte(bool value) => throw null; + public static byte ToByte(byte value) => throw null; + public static byte ToByte(char value) => throw null; + public static byte ToByte(System.DateTime value) => throw null; + public static byte ToByte(decimal value) => throw null; + public static byte ToByte(double value) => throw null; + public static byte ToByte(short value) => throw null; + public static byte ToByte(int value) => throw null; + public static byte ToByte(long value) => throw null; + public static byte ToByte(object value) => throw null; + public static byte ToByte(object value, System.IFormatProvider provider) => throw null; + public static byte ToByte(sbyte value) => throw null; + public static byte ToByte(float value) => throw null; + public static byte ToByte(string value) => throw null; + public static byte ToByte(string value, System.IFormatProvider provider) => throw null; + public static byte ToByte(string value, int fromBase) => throw null; + public static byte ToByte(ushort value) => throw null; + public static byte ToByte(uint value) => throw null; + public static byte ToByte(ulong value) => throw null; + public static char ToChar(bool value) => throw null; + public static char ToChar(byte value) => throw null; + public static char ToChar(char value) => throw null; + public static char ToChar(System.DateTime value) => throw null; + public static char ToChar(decimal value) => throw null; + public static char ToChar(double value) => throw null; + public static char ToChar(short value) => throw null; + public static char ToChar(int value) => throw null; + public static char ToChar(long value) => throw null; + public static char ToChar(object value) => throw null; + public static char ToChar(object value, System.IFormatProvider provider) => throw null; + public static char ToChar(sbyte value) => throw null; + public static char ToChar(float value) => throw null; + public static char ToChar(string value) => throw null; + public static char ToChar(string value, System.IFormatProvider provider) => throw null; + public static char ToChar(ushort value) => throw null; + public static char ToChar(uint value) => throw null; + public static char ToChar(ulong value) => throw null; + public static System.DateTime ToDateTime(bool value) => throw null; + public static System.DateTime ToDateTime(byte value) => throw null; + public static System.DateTime ToDateTime(char value) => throw null; + public static System.DateTime ToDateTime(System.DateTime value) => throw null; + public static System.DateTime ToDateTime(decimal value) => throw null; + public static System.DateTime ToDateTime(double value) => throw null; + public static System.DateTime ToDateTime(short value) => throw null; + public static System.DateTime ToDateTime(int value) => throw null; + public static System.DateTime ToDateTime(long value) => throw null; + public static System.DateTime ToDateTime(object value) => throw null; + public static System.DateTime ToDateTime(object value, System.IFormatProvider provider) => throw null; + public static System.DateTime ToDateTime(sbyte value) => throw null; + public static System.DateTime ToDateTime(float value) => throw null; + public static System.DateTime ToDateTime(string value) => throw null; + public static System.DateTime ToDateTime(string value, System.IFormatProvider provider) => throw null; + public static System.DateTime ToDateTime(ushort value) => throw null; + public static System.DateTime ToDateTime(uint value) => throw null; + public static System.DateTime ToDateTime(ulong value) => throw null; + public static decimal ToDecimal(bool value) => throw null; + public static decimal ToDecimal(byte value) => throw null; + public static decimal ToDecimal(char value) => throw null; + public static decimal ToDecimal(System.DateTime value) => throw null; + public static decimal ToDecimal(decimal value) => throw null; + public static decimal ToDecimal(double value) => throw null; + public static decimal ToDecimal(short value) => throw null; + public static decimal ToDecimal(int value) => throw null; + public static decimal ToDecimal(long value) => throw null; + public static decimal ToDecimal(object value) => throw null; + public static decimal ToDecimal(object value, System.IFormatProvider provider) => throw null; + public static decimal ToDecimal(sbyte value) => throw null; + public static decimal ToDecimal(float value) => throw null; + public static decimal ToDecimal(string value) => throw null; + public static decimal ToDecimal(string value, System.IFormatProvider provider) => throw null; + public static decimal ToDecimal(ushort value) => throw null; + public static decimal ToDecimal(uint value) => throw null; + public static decimal ToDecimal(ulong value) => throw null; + public static double ToDouble(bool value) => throw null; + public static double ToDouble(byte value) => throw null; + public static double ToDouble(char value) => throw null; + public static double ToDouble(System.DateTime value) => throw null; + public static double ToDouble(decimal value) => throw null; + public static double ToDouble(double value) => throw null; + public static double ToDouble(short value) => throw null; + public static double ToDouble(int value) => throw null; + public static double ToDouble(long value) => throw null; + public static double ToDouble(object value) => throw null; + public static double ToDouble(object value, System.IFormatProvider provider) => throw null; + public static double ToDouble(sbyte value) => throw null; + public static double ToDouble(float value) => throw null; + public static double ToDouble(string value) => throw null; + public static double ToDouble(string value, System.IFormatProvider provider) => throw null; + public static double ToDouble(ushort value) => throw null; + public static double ToDouble(uint value) => throw null; + public static double ToDouble(ulong value) => throw null; + public static string ToHexString(byte[] inArray) => throw null; + public static string ToHexString(byte[] inArray, int offset, int length) => throw null; + public static string ToHexString(System.ReadOnlySpan bytes) => throw null; + public static short ToInt16(bool value) => throw null; + public static short ToInt16(byte value) => throw null; + public static short ToInt16(char value) => throw null; + public static short ToInt16(System.DateTime value) => throw null; + public static short ToInt16(decimal value) => throw null; + public static short ToInt16(double value) => throw null; + public static short ToInt16(short value) => throw null; + public static short ToInt16(int value) => throw null; + public static short ToInt16(long value) => throw null; + public static short ToInt16(object value) => throw null; + public static short ToInt16(object value, System.IFormatProvider provider) => throw null; + public static short ToInt16(sbyte value) => throw null; + public static short ToInt16(float value) => throw null; + public static short ToInt16(string value) => throw null; + public static short ToInt16(string value, System.IFormatProvider provider) => throw null; + public static short ToInt16(string value, int fromBase) => throw null; + public static short ToInt16(ushort value) => throw null; + public static short ToInt16(uint value) => throw null; + public static short ToInt16(ulong value) => throw null; + public static int ToInt32(bool value) => throw null; + public static int ToInt32(byte value) => throw null; + public static int ToInt32(char value) => throw null; + public static int ToInt32(System.DateTime value) => throw null; + public static int ToInt32(decimal value) => throw null; + public static int ToInt32(double value) => throw null; + public static int ToInt32(short value) => throw null; + public static int ToInt32(int value) => throw null; + public static int ToInt32(long value) => throw null; + public static int ToInt32(object value) => throw null; + public static int ToInt32(object value, System.IFormatProvider provider) => throw null; + public static int ToInt32(sbyte value) => throw null; + public static int ToInt32(float value) => throw null; + public static int ToInt32(string value) => throw null; + public static int ToInt32(string value, System.IFormatProvider provider) => throw null; + public static int ToInt32(string value, int fromBase) => throw null; + public static int ToInt32(ushort value) => throw null; + public static int ToInt32(uint value) => throw null; + public static int ToInt32(ulong value) => throw null; + public static long ToInt64(bool value) => throw null; + public static long ToInt64(byte value) => throw null; + public static long ToInt64(char value) => throw null; + public static long ToInt64(System.DateTime value) => throw null; + public static long ToInt64(decimal value) => throw null; + public static long ToInt64(double value) => throw null; + public static long ToInt64(short value) => throw null; + public static long ToInt64(int value) => throw null; + public static long ToInt64(long value) => throw null; + public static long ToInt64(object value) => throw null; + public static long ToInt64(object value, System.IFormatProvider provider) => throw null; + public static long ToInt64(sbyte value) => throw null; + public static long ToInt64(float value) => throw null; + public static long ToInt64(string value) => throw null; + public static long ToInt64(string value, System.IFormatProvider provider) => throw null; + public static long ToInt64(string value, int fromBase) => throw null; + public static long ToInt64(ushort value) => throw null; + public static long ToInt64(uint value) => throw null; + public static long ToInt64(ulong value) => throw null; + public static sbyte ToSByte(bool value) => throw null; + public static sbyte ToSByte(byte value) => throw null; + public static sbyte ToSByte(char value) => throw null; + public static sbyte ToSByte(System.DateTime value) => throw null; + public static sbyte ToSByte(decimal value) => throw null; + public static sbyte ToSByte(double value) => throw null; + public static sbyte ToSByte(short value) => throw null; + public static sbyte ToSByte(int value) => throw null; + public static sbyte ToSByte(long value) => throw null; + public static sbyte ToSByte(object value) => throw null; + public static sbyte ToSByte(object value, System.IFormatProvider provider) => throw null; + public static sbyte ToSByte(sbyte value) => throw null; + public static sbyte ToSByte(float value) => throw null; + public static sbyte ToSByte(string value) => throw null; + public static sbyte ToSByte(string value, System.IFormatProvider provider) => throw null; + public static sbyte ToSByte(string value, int fromBase) => throw null; + public static sbyte ToSByte(ushort value) => throw null; + public static sbyte ToSByte(uint value) => throw null; + public static sbyte ToSByte(ulong value) => throw null; + public static float ToSingle(bool value) => throw null; + public static float ToSingle(byte value) => throw null; + public static float ToSingle(char value) => throw null; + public static float ToSingle(System.DateTime value) => throw null; + public static float ToSingle(decimal value) => throw null; + public static float ToSingle(double value) => throw null; + public static float ToSingle(short value) => throw null; + public static float ToSingle(int value) => throw null; + public static float ToSingle(long value) => throw null; + public static float ToSingle(object value) => throw null; + public static float ToSingle(object value, System.IFormatProvider provider) => throw null; + public static float ToSingle(sbyte value) => throw null; + public static float ToSingle(float value) => throw null; + public static float ToSingle(string value) => throw null; + public static float ToSingle(string value, System.IFormatProvider provider) => throw null; + public static float ToSingle(ushort value) => throw null; + public static float ToSingle(uint value) => throw null; + public static float ToSingle(ulong value) => throw null; + public static string ToString(bool value) => throw null; + public static string ToString(bool value, System.IFormatProvider provider) => throw null; + public static string ToString(byte value) => throw null; + public static string ToString(byte value, System.IFormatProvider provider) => throw null; + public static string ToString(byte value, int toBase) => throw null; + public static string ToString(char value) => throw null; + public static string ToString(char value, System.IFormatProvider provider) => throw null; + public static string ToString(System.DateTime value) => throw null; + public static string ToString(System.DateTime value, System.IFormatProvider provider) => throw null; + public static string ToString(decimal value) => throw null; + public static string ToString(decimal value, System.IFormatProvider provider) => throw null; + public static string ToString(double value) => throw null; + public static string ToString(double value, System.IFormatProvider provider) => throw null; + public static string ToString(short value) => throw null; + public static string ToString(short value, System.IFormatProvider provider) => throw null; + public static string ToString(short value, int toBase) => throw null; + public static string ToString(int value) => throw null; + public static string ToString(int value, System.IFormatProvider provider) => throw null; + public static string ToString(int value, int toBase) => throw null; + public static string ToString(long value) => throw null; + public static string ToString(long value, System.IFormatProvider provider) => throw null; + public static string ToString(long value, int toBase) => throw null; + public static string ToString(object value) => throw null; + public static string ToString(object value, System.IFormatProvider provider) => throw null; + public static string ToString(sbyte value) => throw null; + public static string ToString(sbyte value, System.IFormatProvider provider) => throw null; + public static string ToString(float value) => throw null; + public static string ToString(float value, System.IFormatProvider provider) => throw null; + public static string ToString(string value) => throw null; + public static string ToString(string value, System.IFormatProvider provider) => throw null; + public static string ToString(ushort value) => throw null; + public static string ToString(ushort value, System.IFormatProvider provider) => throw null; + public static string ToString(uint value) => throw null; + public static string ToString(uint value, System.IFormatProvider provider) => throw null; + public static string ToString(ulong value) => throw null; + public static string ToString(ulong value, System.IFormatProvider provider) => throw null; + public static ushort ToUInt16(bool value) => throw null; + public static ushort ToUInt16(byte value) => throw null; + public static ushort ToUInt16(char value) => throw null; + public static ushort ToUInt16(System.DateTime value) => throw null; + public static ushort ToUInt16(decimal value) => throw null; + public static ushort ToUInt16(double value) => throw null; + public static ushort ToUInt16(short value) => throw null; + public static ushort ToUInt16(int value) => throw null; + public static ushort ToUInt16(long value) => throw null; + public static ushort ToUInt16(object value) => throw null; + public static ushort ToUInt16(object value, System.IFormatProvider provider) => throw null; + public static ushort ToUInt16(sbyte value) => throw null; + public static ushort ToUInt16(float value) => throw null; + public static ushort ToUInt16(string value) => throw null; + public static ushort ToUInt16(string value, System.IFormatProvider provider) => throw null; + public static ushort ToUInt16(string value, int fromBase) => throw null; + public static ushort ToUInt16(ushort value) => throw null; + public static ushort ToUInt16(uint value) => throw null; + public static ushort ToUInt16(ulong value) => throw null; + public static uint ToUInt32(bool value) => throw null; + public static uint ToUInt32(byte value) => throw null; + public static uint ToUInt32(char value) => throw null; + public static uint ToUInt32(System.DateTime value) => throw null; + public static uint ToUInt32(decimal value) => throw null; + public static uint ToUInt32(double value) => throw null; + public static uint ToUInt32(short value) => throw null; + public static uint ToUInt32(int value) => throw null; + public static uint ToUInt32(long value) => throw null; + public static uint ToUInt32(object value) => throw null; + public static uint ToUInt32(object value, System.IFormatProvider provider) => throw null; + public static uint ToUInt32(sbyte value) => throw null; + public static uint ToUInt32(float value) => throw null; + public static uint ToUInt32(string value) => throw null; + public static uint ToUInt32(string value, System.IFormatProvider provider) => throw null; + public static uint ToUInt32(string value, int fromBase) => throw null; + public static uint ToUInt32(ushort value) => throw null; + public static uint ToUInt32(uint value) => throw null; + public static uint ToUInt32(ulong value) => throw null; + public static ulong ToUInt64(bool value) => throw null; + public static ulong ToUInt64(byte value) => throw null; + public static ulong ToUInt64(char value) => throw null; + public static ulong ToUInt64(System.DateTime value) => throw null; + public static ulong ToUInt64(decimal value) => throw null; + public static ulong ToUInt64(double value) => throw null; + public static ulong ToUInt64(short value) => throw null; + public static ulong ToUInt64(int value) => throw null; + public static ulong ToUInt64(long value) => throw null; + public static ulong ToUInt64(object value) => throw null; + public static ulong ToUInt64(object value, System.IFormatProvider provider) => throw null; + public static ulong ToUInt64(sbyte value) => throw null; + public static ulong ToUInt64(float value) => throw null; + public static ulong ToUInt64(string value) => throw null; + public static ulong ToUInt64(string value, System.IFormatProvider provider) => throw null; + public static ulong ToUInt64(string value, int fromBase) => throw null; + public static ulong ToUInt64(ushort value) => throw null; + public static ulong ToUInt64(uint value) => throw null; + public static ulong ToUInt64(ulong value) => throw null; + public static bool TryFromBase64Chars(System.ReadOnlySpan chars, System.Span bytes, out int bytesWritten) => throw null; + public static bool TryFromBase64String(string s, System.Span bytes, out int bytesWritten) => throw null; + public static bool TryToBase64Chars(System.ReadOnlySpan bytes, System.Span chars, out int charsWritten, System.Base64FormattingOptions options = default(System.Base64FormattingOptions)) => throw null; } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6)>, System.IEquatable<(T1, T2, T3, T4, T5, T6)>, System.Runtime.CompilerServices.ITuple + public delegate TOutput Converter(TInput input); + public struct DateOnly : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable { - public int CompareTo((T1, T2, T3, T4, T5, T6) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2, T3, T4, T5, T6) other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public System.DateOnly AddDays(int value) => throw null; + public System.DateOnly AddMonths(int value) => throw null; + public System.DateOnly AddYears(int value) => throw null; + public int CompareTo(System.DateOnly value) => throw null; + public int CompareTo(object value) => throw null; + public DateOnly(int year, int month, int day) => throw null; + public DateOnly(int year, int month, int day, System.Globalization.Calendar calendar) => throw null; + public int Day { get => throw null; } + public int DayNumber { get => throw null; } + public System.DayOfWeek DayOfWeek { get => throw null; } + public int DayOfYear { get => throw null; } + public bool Equals(System.DateOnly value) => throw null; + public override bool Equals(object value) => throw null; + public static System.DateOnly FromDateTime(System.DateTime dateTime) => throw null; + public static System.DateOnly FromDayNumber(int dayNumber) => throw null; public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - public T4 Item4; - public T5 Item5; - public T6 Item6; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public static System.DateOnly MaxValue { get => throw null; } + public static System.DateOnly MinValue { get => throw null; } + public int Month { get => throw null; } + public static bool operator ==(System.DateOnly left, System.DateOnly right) => throw null; + public static bool operator >(System.DateOnly left, System.DateOnly right) => throw null; + public static bool operator >=(System.DateOnly left, System.DateOnly right) => throw null; + public static bool operator !=(System.DateOnly left, System.DateOnly right) => throw null; + public static bool operator <(System.DateOnly left, System.DateOnly right) => throw null; + public static bool operator <=(System.DateOnly left, System.DateOnly right) => throw null; + static System.DateOnly System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.DateOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateOnly Parse(string s) => throw null; + static System.DateOnly System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static System.DateOnly Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateOnly ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateOnly ParseExact(System.ReadOnlySpan s, string[] formats) => throw null; + public static System.DateOnly ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateOnly ParseExact(string s, string format) => throw null; + public static System.DateOnly ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateOnly ParseExact(string s, string[] formats) => throw null; + public static System.DateOnly ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public System.DateTime ToDateTime(System.TimeOnly time) => throw null; + public System.DateTime ToDateTime(System.TimeOnly time, System.DateTimeKind kind) => throw null; + public string ToLongDateString() => throw null; + public string ToShortDateString() => throw null; public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.DateOnly result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateOnly result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public static bool TryParse(string s, out System.DateOnly result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.DateOnly result) => throw null; + public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, out System.DateOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, out System.DateOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public static bool TryParseExact(string s, string format, out System.DateOnly result) => throw null; + public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public static bool TryParseExact(string s, string[] formats, out System.DateOnly result) => throw null; + public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; + public int Year { get => throw null; } } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5)>, System.IEquatable<(T1, T2, T3, T4, T5)>, System.Runtime.CompilerServices.ITuple + public struct DateTime : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.ISerializable { - public int CompareTo((T1, T2, T3, T4, T5) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2, T3, T4, T5) other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public System.DateTime Add(System.TimeSpan value) => throw null; + public System.DateTime AddDays(double value) => throw null; + public System.DateTime AddHours(double value) => throw null; + public System.DateTime AddMicroseconds(double value) => throw null; + public System.DateTime AddMilliseconds(double value) => throw null; + public System.DateTime AddMinutes(double value) => throw null; + public System.DateTime AddMonths(int months) => throw null; + public System.DateTime AddSeconds(double value) => throw null; + public System.DateTime AddTicks(long value) => throw null; + public System.DateTime AddYears(int value) => throw null; + public static int Compare(System.DateTime t1, System.DateTime t2) => throw null; + public int CompareTo(System.DateTime value) => throw null; + public int CompareTo(object value) => throw null; + public DateTime(int year, int month, int day) => throw null; + public DateTime(int year, int month, int day, System.Globalization.Calendar calendar) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, System.DateTimeKind kind) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, System.Globalization.Calendar calendar) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.DateTimeKind kind) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar, System.DateTimeKind kind) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.DateTimeKind kind) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar) => throw null; + public DateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar, System.DateTimeKind kind) => throw null; + public DateTime(long ticks) => throw null; + public DateTime(long ticks, System.DateTimeKind kind) => throw null; + public System.DateTime Date { get => throw null; } + public int Day { get => throw null; } + public System.DayOfWeek DayOfWeek { get => throw null; } + public int DayOfYear { get => throw null; } + public static int DaysInMonth(int year, int month) => throw null; + public bool Equals(System.DateTime value) => throw null; + public static bool Equals(System.DateTime t1, System.DateTime t2) => throw null; + public override bool Equals(object value) => throw null; + public static System.DateTime FromBinary(long dateData) => throw null; + public static System.DateTime FromFileTime(long fileTime) => throw null; + public static System.DateTime FromFileTimeUtc(long fileTime) => throw null; + public static System.DateTime FromOADate(double d) => throw null; + public string[] GetDateTimeFormats() => throw null; + public string[] GetDateTimeFormats(char format) => throw null; + public string[] GetDateTimeFormats(char format, System.IFormatProvider provider) => throw null; + public string[] GetDateTimeFormats(System.IFormatProvider provider) => throw null; public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - public T4 Item4; - public T5 Item5; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.TypeCode GetTypeCode() => throw null; + public int Hour { get => throw null; } + public bool IsDaylightSavingTime() => throw null; + public static bool IsLeapYear(int year) => throw null; + public System.DateTimeKind Kind { get => throw null; } + public static System.DateTime MaxValue; + public int Microsecond { get => throw null; } + public int Millisecond { get => throw null; } + public int Minute { get => throw null; } + public static System.DateTime MinValue; + public int Month { get => throw null; } + public int Nanosecond { get => throw null; } + public static System.DateTime Now { get => throw null; } + public static System.DateTime operator +(System.DateTime d, System.TimeSpan t) => throw null; + public static bool operator ==(System.DateTime d1, System.DateTime d2) => throw null; + public static bool operator >(System.DateTime t1, System.DateTime t2) => throw null; + public static bool operator >=(System.DateTime t1, System.DateTime t2) => throw null; + public static bool operator !=(System.DateTime d1, System.DateTime d2) => throw null; + public static bool operator <(System.DateTime t1, System.DateTime t2) => throw null; + public static bool operator <=(System.DateTime t1, System.DateTime t2) => throw null; + public static System.TimeSpan operator -(System.DateTime d1, System.DateTime d2) => throw null; + public static System.DateTime operator -(System.DateTime d, System.TimeSpan t) => throw null; + static System.DateTime System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.DateTime Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTime Parse(string s) => throw null; + static System.DateTime System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static System.DateTime Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles) => throw null; + public static System.DateTime ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTime ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTime ParseExact(string s, string format, System.IFormatProvider provider) => throw null; + public static System.DateTime ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style) => throw null; + public static System.DateTime ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style) => throw null; + public int Second { get => throw null; } + public static System.DateTime SpecifyKind(System.DateTime value, System.DateTimeKind kind) => throw null; + public System.TimeSpan Subtract(System.DateTime value) => throw null; + public System.DateTime Subtract(System.TimeSpan value) => throw null; + public long Ticks { get => throw null; } + public System.TimeSpan TimeOfDay { get => throw null; } + public long ToBinary() => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + public static System.DateTime Today { get => throw null; } + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + public long ToFileTime() => throw null; + public long ToFileTimeUtc() => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + public System.DateTime ToLocalTime() => throw null; + public string ToLongDateString() => throw null; + public string ToLongTimeString() => throw null; + public double ToOADate() => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + public string ToShortDateString() => throw null; + public string ToShortTimeString() => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public System.DateTime ToUniversalTime() => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.DateTime result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateTime result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles, out System.DateTime result) => throw null; + public static bool TryParse(string s, out System.DateTime result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.DateTime result) => throw null; + public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles styles, out System.DateTime result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; + public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; + public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateTime result) => throw null; + public static System.DateTime UnixEpoch; + public static System.DateTime UtcNow { get => throw null; } + public int Year { get => throw null; } } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4)>, System.IEquatable<(T1, T2, T3, T4)>, System.Runtime.CompilerServices.ITuple + public enum DateTimeKind { - public int CompareTo((T1, T2, T3, T4) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2, T3, T4) other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - public T4 Item4; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; + Unspecified = 0, + Utc = 1, + Local = 2, } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3)>, System.IEquatable<(T1, T2, T3)>, System.Runtime.CompilerServices.ITuple + public struct DateTimeOffset : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public int CompareTo((T1, T2, T3) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2, T3) other) => throw null; + public System.DateTimeOffset Add(System.TimeSpan timeSpan) => throw null; + public System.DateTimeOffset AddDays(double days) => throw null; + public System.DateTimeOffset AddHours(double hours) => throw null; + public System.DateTimeOffset AddMicroseconds(double microseconds) => throw null; + public System.DateTimeOffset AddMilliseconds(double milliseconds) => throw null; + public System.DateTimeOffset AddMinutes(double minutes) => throw null; + public System.DateTimeOffset AddMonths(int months) => throw null; + public System.DateTimeOffset AddSeconds(double seconds) => throw null; + public System.DateTimeOffset AddTicks(long ticks) => throw null; + public System.DateTimeOffset AddYears(int years) => throw null; + public static int Compare(System.DateTimeOffset first, System.DateTimeOffset second) => throw null; + public int CompareTo(System.DateTimeOffset other) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public DateTimeOffset(System.DateTime dateTime) => throw null; + public DateTimeOffset(System.DateTime dateTime, System.TimeSpan offset) => throw null; + public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, System.Globalization.Calendar calendar, System.TimeSpan offset) => throw null; + public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.Globalization.Calendar calendar, System.TimeSpan offset) => throw null; + public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, int microsecond, System.TimeSpan offset) => throw null; + public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, int millisecond, System.TimeSpan offset) => throw null; + public DateTimeOffset(int year, int month, int day, int hour, int minute, int second, System.TimeSpan offset) => throw null; + public DateTimeOffset(long ticks, System.TimeSpan offset) => throw null; + public System.DateTime Date { get => throw null; } + public System.DateTime DateTime { get => throw null; } + public int Day { get => throw null; } + public System.DayOfWeek DayOfWeek { get => throw null; } + public int DayOfYear { get => throw null; } + public bool Equals(System.DateTimeOffset other) => throw null; + public static bool Equals(System.DateTimeOffset first, System.DateTimeOffset second) => throw null; public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public bool EqualsExact(System.DateTimeOffset other) => throw null; + public static System.DateTimeOffset FromFileTime(long fileTime) => throw null; + public static System.DateTimeOffset FromUnixTimeMilliseconds(long milliseconds) => throw null; + public static System.DateTimeOffset FromUnixTimeSeconds(long seconds) => throw null; public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - public T3 Item3; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int Hour { get => throw null; } + public System.DateTime LocalDateTime { get => throw null; } + public static System.DateTimeOffset MaxValue; + public int Microsecond { get => throw null; } + public int Millisecond { get => throw null; } + public int Minute { get => throw null; } + public static System.DateTimeOffset MinValue; + public int Month { get => throw null; } + public int Nanosecond { get => throw null; } + public static System.DateTimeOffset Now { get => throw null; } + public System.TimeSpan Offset { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public static System.DateTimeOffset operator +(System.DateTimeOffset dateTimeOffset, System.TimeSpan timeSpan) => throw null; + public static bool operator ==(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static bool operator >(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static bool operator >=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static implicit operator System.DateTimeOffset(System.DateTime dateTime) => throw null; + public static bool operator !=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static bool operator <(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static bool operator <=(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static System.TimeSpan operator -(System.DateTimeOffset left, System.DateTimeOffset right) => throw null; + public static System.DateTimeOffset operator -(System.DateTimeOffset dateTimeOffset, System.TimeSpan timeSpan) => throw null; + static System.DateTimeOffset System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.DateTimeOffset Parse(System.ReadOnlySpan input, System.IFormatProvider formatProvider = default(System.IFormatProvider), System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTimeOffset Parse(string input) => throw null; + static System.DateTimeOffset System.IParsable.Parse(string input, System.IFormatProvider formatProvider) => throw null; + public static System.DateTimeOffset Parse(string input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; + public static System.DateTimeOffset ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTimeOffset ParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.DateTimeOffset ParseExact(string input, string format, System.IFormatProvider formatProvider) => throw null; + public static System.DateTimeOffset ParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; + public static System.DateTimeOffset ParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles) => throw null; + public int Second { get => throw null; } + public System.TimeSpan Subtract(System.DateTimeOffset value) => throw null; + public System.DateTimeOffset Subtract(System.TimeSpan value) => throw null; + public long Ticks { get => throw null; } + public System.TimeSpan TimeOfDay { get => throw null; } + public long ToFileTime() => throw null; + public System.DateTimeOffset ToLocalTime() => throw null; + public System.DateTimeOffset ToOffset(System.TimeSpan offset) => throw null; public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2, T3 item3) => throw null; + public string ToString(System.IFormatProvider formatProvider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider formatProvider) => throw null; + public System.DateTimeOffset ToUniversalTime() => throw null; + public long ToUnixTimeMilliseconds() => throw null; + public long ToUnixTimeSeconds() => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan input, out System.DateTimeOffset result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.DateTimeOffset result) => throw null; + public static bool TryParse(System.ReadOnlySpan input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static bool TryParse(string input, out System.DateTimeOffset result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.DateTimeOffset result) => throw null; + public static bool TryParse(string input, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.DateTimeStyles styles, out System.DateTimeOffset result) => throw null; + public static System.DateTimeOffset UnixEpoch; + public System.DateTime UtcDateTime { get => throw null; } + public static System.DateTimeOffset UtcNow { get => throw null; } + public long UtcTicks { get => throw null; } + public int Year { get => throw null; } } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2)>, System.IEquatable<(T1, T2)>, System.Runtime.CompilerServices.ITuple + public enum DayOfWeek { - public int CompareTo((T1, T2) other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals((T1, T2) other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - public T2 Item2; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } - public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1, T2 item2) => throw null; + Sunday = 0, + Monday = 1, + Tuesday = 2, + Wednesday = 3, + Thursday = 4, + Friday = 5, + Saturday = 6, } - - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple + public sealed class DBNull : System.IConvertible, System.Runtime.Serialization.ISerializable { - public int CompareTo(System.ValueTuple other) => throw null; - int System.IComparable.CompareTo(object other) => throw null; - int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; - public bool Equals(System.ValueTuple other) => throw null; - public override bool Equals(object obj) => throw null; - bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; - public override int GetHashCode() => throw null; - int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; - public T1 Item1; - object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } - int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.TypeCode GetTypeCode() => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTuple(T1 item1) => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public static System.DBNull Value; } - - public abstract class ValueType + public struct Decimal : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber, System.Numerics.IMinMaxValue, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - public override bool Equals(object obj) => throw null; + static decimal System.Numerics.INumberBase.Abs(decimal value) => throw null; + public static decimal Add(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static decimal System.Numerics.IFloatingPoint.Ceiling(decimal d) => throw null; + static decimal System.Numerics.INumber.Clamp(decimal value, decimal min, decimal max) => throw null; + public static int Compare(decimal d1, decimal d2) => throw null; + public int CompareTo(decimal value) => throw null; + public int CompareTo(object value) => throw null; + static decimal System.Numerics.INumber.CopySign(decimal value, decimal sign) => throw null; + static decimal System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static decimal System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static decimal System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public Decimal(double value) => throw null; + public Decimal(int value) => throw null; + public Decimal(int lo, int mid, int hi, bool isNegative, byte scale) => throw null; + public Decimal(int[] bits) => throw null; + public Decimal(long value) => throw null; + public Decimal(System.ReadOnlySpan bits) => throw null; + public Decimal(float value) => throw null; + public Decimal(uint value) => throw null; + public Decimal(ulong value) => throw null; + public static decimal Divide(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IFloatingPointConstants.E { get => throw null; } + public bool Equals(decimal value) => throw null; + public static bool Equals(decimal d1, decimal d2) => throw null; + public override bool Equals(object value) => throw null; + static decimal System.Numerics.IFloatingPoint.Floor(decimal d) => throw null; + public static decimal FromOACurrency(long cy) => throw null; + public static int[] GetBits(decimal d) => throw null; + public static int GetBits(decimal d, System.Span destination) => throw null; + int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; + int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(decimal value) => throw null; + static bool System.Numerics.INumberBase.IsZero(decimal value) => throw null; + static decimal System.Numerics.INumber.Max(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumberBase.MaxMagnitude(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumberBase.MaxMagnitudeNumber(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumber.MaxNumber(decimal x, decimal y) => throw null; + public static decimal MaxValue; + static decimal System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static decimal System.Numerics.INumber.Min(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumberBase.MinMagnitude(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumberBase.MinMagnitudeNumber(decimal x, decimal y) => throw null; + static decimal System.Numerics.INumber.MinNumber(decimal x, decimal y) => throw null; + public static decimal MinusOne; + public static decimal MinValue; + static decimal System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static decimal System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + public static decimal Multiply(decimal d1, decimal d2) => throw null; + public static decimal Negate(decimal d) => throw null; + static decimal System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public static decimal One; + static decimal System.Numerics.INumberBase.One { get => throw null; } + static decimal System.Numerics.IAdditionOperators.operator +(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IDecrementOperators.operator --(decimal d) => throw null; + static decimal System.Numerics.IDivisionOperators.operator /(decimal d1, decimal d2) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(decimal d1, decimal d2) => throw null; + public static explicit operator byte(decimal value) => throw null; + public static explicit operator char(decimal value) => throw null; + public static explicit operator double(decimal value) => throw null; + public static explicit operator short(decimal value) => throw null; + public static explicit operator int(decimal value) => throw null; + public static explicit operator long(decimal value) => throw null; + public static explicit operator sbyte(decimal value) => throw null; + public static explicit operator float(decimal value) => throw null; + public static explicit operator ushort(decimal value) => throw null; + public static explicit operator uint(decimal value) => throw null; + public static explicit operator ulong(decimal value) => throw null; + public static explicit operator decimal(double value) => throw null; + public static explicit operator decimal(float value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(decimal d1, decimal d2) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(decimal d1, decimal d2) => throw null; + public static implicit operator decimal(byte value) => throw null; + public static implicit operator decimal(char value) => throw null; + public static implicit operator decimal(short value) => throw null; + public static implicit operator decimal(int value) => throw null; + public static implicit operator decimal(long value) => throw null; + public static implicit operator decimal(sbyte value) => throw null; + public static implicit operator decimal(ushort value) => throw null; + public static implicit operator decimal(uint value) => throw null; + public static implicit operator decimal(ulong value) => throw null; + static decimal System.Numerics.IIncrementOperators.operator ++(decimal d) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(decimal d1, decimal d2) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(decimal d1, decimal d2) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IModulusOperators.operator %(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IMultiplyOperators.operator *(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.ISubtractionOperators.operator -(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IUnaryNegationOperators.operator -(decimal d) => throw null; + static decimal System.Numerics.IUnaryPlusOperators.operator +(decimal d) => throw null; + static decimal System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static decimal System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static decimal Parse(string s) => throw null; + public static decimal Parse(string s, System.Globalization.NumberStyles style) => throw null; + static decimal System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static decimal System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static decimal System.Numerics.IFloatingPointConstants.Pi { get => throw null; } + static int System.Numerics.INumberBase.Radix { get => throw null; } + public static decimal Remainder(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IFloatingPoint.Round(decimal d) => throw null; + static decimal System.Numerics.IFloatingPoint.Round(decimal d, int decimals) => throw null; + static decimal System.Numerics.IFloatingPoint.Round(decimal d, int decimals, System.MidpointRounding mode) => throw null; + static decimal System.Numerics.IFloatingPoint.Round(decimal d, System.MidpointRounding mode) => throw null; + public byte Scale { get => throw null; } + static int System.Numerics.INumber.Sign(decimal d) => throw null; + public static decimal Subtract(decimal d1, decimal d2) => throw null; + static decimal System.Numerics.IFloatingPointConstants.Tau { get => throw null; } + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + public static byte ToByte(decimal value) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + public static double ToDouble(decimal d) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + public static short ToInt16(decimal value) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + public static int ToInt32(decimal d) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + public static long ToInt64(decimal d) => throw null; + public static long ToOACurrency(decimal value) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + public static sbyte ToSByte(decimal value) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public static float ToSingle(decimal d) => throw null; public override string ToString() => throw null; - protected ValueType() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + public static ushort ToUInt16(decimal value) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + public static uint ToUInt32(decimal d) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public static ulong ToUInt64(decimal d) => throw null; + static decimal System.Numerics.IFloatingPoint.Truncate(decimal d) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out decimal result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out decimal result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out decimal result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(decimal value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(decimal value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(decimal value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryGetBits(decimal d, System.Span destination, out int valuesWritten) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out decimal result) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out decimal result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out decimal result) => throw null; + public static bool TryParse(string s, out decimal result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out decimal result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out decimal result) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; + public static decimal Zero; + static decimal System.Numerics.INumberBase.Zero { get => throw null; } } - - public class Version : System.ICloneable, System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.ISpanFormattable + public abstract class Delegate : System.ICloneable, System.Runtime.Serialization.ISerializable { - public static bool operator !=(System.Version v1, System.Version v2) => throw null; - public static bool operator <(System.Version v1, System.Version v2) => throw null; - public static bool operator <=(System.Version v1, System.Version v2) => throw null; - public static bool operator ==(System.Version v1, System.Version v2) => throw null; - public static bool operator >(System.Version v1, System.Version v2) => throw null; - public static bool operator >=(System.Version v1, System.Version v2) => throw null; - public int Build { get => throw null; } - public object Clone() => throw null; - public int CompareTo(System.Version value) => throw null; - public int CompareTo(object version) => throw null; - public bool Equals(System.Version obj) => throw null; + public virtual object Clone() => throw null; + public static System.Delegate Combine(System.Delegate a, System.Delegate b) => throw null; + public static System.Delegate Combine(params System.Delegate[] delegates) => throw null; + protected virtual System.Delegate CombineImpl(System.Delegate d) => throw null; + public static System.Delegate CreateDelegate(System.Type type, object firstArgument, System.Reflection.MethodInfo method) => throw null; + public static System.Delegate CreateDelegate(System.Type type, object firstArgument, System.Reflection.MethodInfo method, bool throwOnBindFailure) => throw null; + public static System.Delegate CreateDelegate(System.Type type, object target, string method) => throw null; + public static System.Delegate CreateDelegate(System.Type type, object target, string method, bool ignoreCase) => throw null; + public static System.Delegate CreateDelegate(System.Type type, object target, string method, bool ignoreCase, bool throwOnBindFailure) => throw null; + public static System.Delegate CreateDelegate(System.Type type, System.Reflection.MethodInfo method) => throw null; + public static System.Delegate CreateDelegate(System.Type type, System.Reflection.MethodInfo method, bool throwOnBindFailure) => throw null; + public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method) => throw null; + public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method, bool ignoreCase) => throw null; + public static System.Delegate CreateDelegate(System.Type type, System.Type target, string method, bool ignoreCase, bool throwOnBindFailure) => throw null; + protected Delegate(object target, string method) => throw null; + protected Delegate(System.Type target, string method) => throw null; + public object DynamicInvoke(params object[] args) => throw null; + protected virtual object DynamicInvokeImpl(object[] args) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public int Major { get => throw null; } - public System.Int16 MajorRevision { get => throw null; } - public int Minor { get => throw null; } - public System.Int16 MinorRevision { get => throw null; } - public static System.Version Parse(System.ReadOnlySpan input) => throw null; - public static System.Version Parse(string input) => throw null; - public int Revision { get => throw null; } - public override string ToString() => throw null; - public string ToString(int fieldCount) => throw null; - string System.IFormattable.ToString(string format, System.IFormatProvider formatProvider) => throw null; - public bool TryFormat(System.Span destination, int fieldCount, out int charsWritten) => throw null; - public bool TryFormat(System.Span destination, out int charsWritten) => throw null; - bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; - public static bool TryParse(System.ReadOnlySpan input, out System.Version result) => throw null; - public static bool TryParse(string input, out System.Version result) => throw null; - public Version() => throw null; - public Version(int major, int minor) => throw null; - public Version(int major, int minor, int build) => throw null; - public Version(int major, int minor, int build, int revision) => throw null; - public Version(string version) => throw null; - } - - public struct Void - { - } - - public class WeakReference : System.Runtime.Serialization.ISerializable - { + public virtual System.Delegate[] GetInvocationList() => throw null; + protected virtual System.Reflection.MethodInfo GetMethodImpl() => throw null; public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public virtual bool IsAlive { get => throw null; } - public virtual object Target { get => throw null; set => throw null; } - public virtual bool TrackResurrection { get => throw null; } - protected WeakReference(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public WeakReference(object target) => throw null; - public WeakReference(object target, bool trackResurrection) => throw null; - // ERR: Stub generator didn't handle member: ~WeakReference - } - - public class WeakReference : System.Runtime.Serialization.ISerializable where T : class - { - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public void SetTarget(T target) => throw null; - public bool TryGetTarget(out T target) => throw null; - public WeakReference(T target) => throw null; - public WeakReference(T target, bool trackResurrection) => throw null; - // ERR: Stub generator didn't handle member: ~WeakReference + public System.Reflection.MethodInfo Method { get => throw null; } + public static bool operator ==(System.Delegate d1, System.Delegate d2) => throw null; + public static bool operator !=(System.Delegate d1, System.Delegate d2) => throw null; + public static System.Delegate Remove(System.Delegate source, System.Delegate value) => throw null; + public static System.Delegate RemoveAll(System.Delegate source, System.Delegate value) => throw null; + protected virtual System.Delegate RemoveImpl(System.Delegate d) => throw null; + public object Target { get => throw null; } } - - namespace Buffers + namespace Diagnostics { - public abstract class ArrayPool - { - protected ArrayPool() => throw null; - public static System.Buffers.ArrayPool Create() => throw null; - public static System.Buffers.ArrayPool Create(int maxArrayLength, int maxArraysPerBucket) => throw null; - public abstract T[] Rent(int minimumLength); - public abstract void Return(T[] array, bool clearArray = default(bool)); - public static System.Buffers.ArrayPool Shared { get => throw null; } - } - - public interface IMemoryOwner : System.IDisposable - { - System.Memory Memory { get; } - } - - public interface IPinnable - { - System.Buffers.MemoryHandle Pin(int elementIndex); - void Unpin(); - } - - public struct MemoryHandle : System.IDisposable - { - public void Dispose() => throw null; - // Stub generator skipped constructor - unsafe public MemoryHandle(void* pointer, System.Runtime.InteropServices.GCHandle handle = default(System.Runtime.InteropServices.GCHandle), System.Buffers.IPinnable pinnable = default(System.Buffers.IPinnable)) => throw null; - unsafe public void* Pointer { get => throw null; } - } - - public abstract class MemoryManager : System.Buffers.IMemoryOwner, System.Buffers.IPinnable, System.IDisposable + namespace CodeAnalysis { - protected System.Memory CreateMemory(int length) => throw null; - protected System.Memory CreateMemory(int start, int length) => throw null; - void System.IDisposable.Dispose() => throw null; - protected abstract void Dispose(bool disposing); - public abstract System.Span GetSpan(); - public virtual System.Memory Memory { get => throw null; } - protected MemoryManager() => throw null; - public abstract System.Buffers.MemoryHandle Pin(int elementIndex = default(int)); - protected internal virtual bool TryGetArray(out System.ArraySegment segment) => throw null; - public abstract void Unpin(); + public sealed class AllowNullAttribute : System.Attribute + { + public AllowNullAttribute() => throw null; + } + public sealed class ConstantExpectedAttribute : System.Attribute + { + public ConstantExpectedAttribute() => throw null; + public object Max { get => throw null; set { } } + public object Min { get => throw null; set { } } + } + public sealed class DisallowNullAttribute : System.Attribute + { + public DisallowNullAttribute() => throw null; + } + public sealed class DoesNotReturnAttribute : System.Attribute + { + public DoesNotReturnAttribute() => throw null; + } + public sealed class DoesNotReturnIfAttribute : System.Attribute + { + public DoesNotReturnIfAttribute(bool parameterValue) => throw null; + public bool ParameterValue { get => throw null; } + } + public sealed class DynamicallyAccessedMembersAttribute : System.Attribute + { + public DynamicallyAccessedMembersAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes) => throw null; + public System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes MemberTypes { get => throw null; } + } + [System.Flags] + public enum DynamicallyAccessedMemberTypes + { + All = -1, + None = 0, + PublicParameterlessConstructor = 1, + PublicConstructors = 3, + NonPublicConstructors = 4, + PublicMethods = 8, + NonPublicMethods = 16, + PublicFields = 32, + NonPublicFields = 64, + PublicNestedTypes = 128, + NonPublicNestedTypes = 256, + PublicProperties = 512, + NonPublicProperties = 1024, + PublicEvents = 2048, + NonPublicEvents = 4096, + Interfaces = 8192, + } + public sealed class DynamicDependencyAttribute : System.Attribute + { + public string AssemblyName { get => throw null; } + public string Condition { get => throw null; set { } } + public DynamicDependencyAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes, string typeName, string assemblyName) => throw null; + public DynamicDependencyAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes, System.Type type) => throw null; + public DynamicDependencyAttribute(string memberSignature) => throw null; + public DynamicDependencyAttribute(string memberSignature, string typeName, string assemblyName) => throw null; + public DynamicDependencyAttribute(string memberSignature, System.Type type) => throw null; + public string MemberSignature { get => throw null; } + public System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes MemberTypes { get => throw null; } + public System.Type Type { get => throw null; } + public string TypeName { get => throw null; } + } + public sealed class ExcludeFromCodeCoverageAttribute : System.Attribute + { + public ExcludeFromCodeCoverageAttribute() => throw null; + public string Justification { get => throw null; set { } } + } + public sealed class MaybeNullAttribute : System.Attribute + { + public MaybeNullAttribute() => throw null; + } + public sealed class MaybeNullWhenAttribute : System.Attribute + { + public MaybeNullWhenAttribute(bool returnValue) => throw null; + public bool ReturnValue { get => throw null; } + } + public sealed class MemberNotNullAttribute : System.Attribute + { + public MemberNotNullAttribute(string member) => throw null; + public MemberNotNullAttribute(params string[] members) => throw null; + public string[] Members { get => throw null; } + } + public sealed class MemberNotNullWhenAttribute : System.Attribute + { + public MemberNotNullWhenAttribute(bool returnValue, string member) => throw null; + public MemberNotNullWhenAttribute(bool returnValue, params string[] members) => throw null; + public string[] Members { get => throw null; } + public bool ReturnValue { get => throw null; } + } + public sealed class NotNullAttribute : System.Attribute + { + public NotNullAttribute() => throw null; + } + public sealed class NotNullIfNotNullAttribute : System.Attribute + { + public NotNullIfNotNullAttribute(string parameterName) => throw null; + public string ParameterName { get => throw null; } + } + public sealed class NotNullWhenAttribute : System.Attribute + { + public NotNullWhenAttribute(bool returnValue) => throw null; + public bool ReturnValue { get => throw null; } + } + public sealed class RequiresAssemblyFilesAttribute : System.Attribute + { + public RequiresAssemblyFilesAttribute() => throw null; + public RequiresAssemblyFilesAttribute(string message) => throw null; + public string Message { get => throw null; } + public string Url { get => throw null; set { } } + } + public sealed class RequiresDynamicCodeAttribute : System.Attribute + { + public RequiresDynamicCodeAttribute(string message) => throw null; + public string Message { get => throw null; } + public string Url { get => throw null; set { } } + } + public sealed class RequiresUnreferencedCodeAttribute : System.Attribute + { + public RequiresUnreferencedCodeAttribute(string message) => throw null; + public string Message { get => throw null; } + public string Url { get => throw null; set { } } + } + public sealed class SetsRequiredMembersAttribute : System.Attribute + { + public SetsRequiredMembersAttribute() => throw null; + } + public sealed class StringSyntaxAttribute : System.Attribute + { + public object[] Arguments { get => throw null; } + public static string CompositeFormat; + public StringSyntaxAttribute(string syntax) => throw null; + public StringSyntaxAttribute(string syntax, params object[] arguments) => throw null; + public static string DateOnlyFormat; + public static string DateTimeFormat; + public static string EnumFormat; + public static string GuidFormat; + public static string Json; + public static string NumericFormat; + public static string Regex; + public string Syntax { get => throw null; } + public static string TimeOnlyFormat; + public static string TimeSpanFormat; + public static string Uri; + public static string Xml; + } + public sealed class SuppressMessageAttribute : System.Attribute + { + public string Category { get => throw null; } + public string CheckId { get => throw null; } + public SuppressMessageAttribute(string category, string checkId) => throw null; + public string Justification { get => throw null; set { } } + public string MessageId { get => throw null; set { } } + public string Scope { get => throw null; set { } } + public string Target { get => throw null; set { } } + } + public sealed class UnconditionalSuppressMessageAttribute : System.Attribute + { + public string Category { get => throw null; } + public string CheckId { get => throw null; } + public UnconditionalSuppressMessageAttribute(string category, string checkId) => throw null; + public string Justification { get => throw null; set { } } + public string MessageId { get => throw null; set { } } + public string Scope { get => throw null; set { } } + public string Target { get => throw null; set { } } + } + public sealed class UnscopedRefAttribute : System.Attribute + { + public UnscopedRefAttribute() => throw null; + } } - - public enum OperationStatus : int + public sealed class ConditionalAttribute : System.Attribute { - DestinationTooSmall = 1, - Done = 0, - InvalidData = 3, - NeedMoreData = 2, + public string ConditionString { get => throw null; } + public ConditionalAttribute(string conditionString) => throw null; } - - public delegate void ReadOnlySpanAction(System.ReadOnlySpan span, TArg arg); - - public delegate void SpanAction(System.Span span, TArg arg); - - namespace Text + public static class Debug { - public static class Base64 + public static void Assert(bool condition) => throw null; + public static void Assert(bool condition, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler message) => throw null; + public static void Assert(bool condition, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler message, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler detailMessage) => throw null; + public static void Assert(bool condition, string message) => throw null; + public static void Assert(bool condition, string message, string detailMessage) => throw null; + public static void Assert(bool condition, string message, string detailMessageFormat, params object[] args) => throw null; + public struct AssertInterpolatedStringHandler + { + public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(System.ReadOnlySpan value) => throw null; + public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(string value) => throw null; + public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(T value) => throw null; + public void AppendFormatted(T value, int alignment) => throw null; + public void AppendFormatted(T value, int alignment, string format) => throw null; + public void AppendFormatted(T value, string format) => throw null; + public void AppendLiteral(string value) => throw null; + public AssertInterpolatedStringHandler(int literalLength, int formattedCount, bool condition, out bool shouldAppend) => throw null; + } + public static bool AutoFlush { get => throw null; set { } } + public static void Close() => throw null; + public static void Fail(string message) => throw null; + public static void Fail(string message, string detailMessage) => throw null; + public static void Flush() => throw null; + public static void Indent() => throw null; + public static int IndentLevel { get => throw null; set { } } + public static int IndentSize { get => throw null; set { } } + public static void Print(string message) => throw null; + public static void Print(string format, params object[] args) => throw null; + public static void Unindent() => throw null; + public static void Write(object value) => throw null; + public static void Write(object value, string category) => throw null; + public static void Write(string message) => throw null; + public static void Write(string message, string category) => throw null; + public static void WriteIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message) => throw null; + public static void WriteIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message, string category) => throw null; + public static void WriteIf(bool condition, object value) => throw null; + public static void WriteIf(bool condition, object value, string category) => throw null; + public static void WriteIf(bool condition, string message) => throw null; + public static void WriteIf(bool condition, string message, string category) => throw null; + public struct WriteIfInterpolatedStringHandler { - public static System.Buffers.OperationStatus DecodeFromUtf8(System.ReadOnlySpan utf8, System.Span bytes, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; - public static System.Buffers.OperationStatus DecodeFromUtf8InPlace(System.Span buffer, out int bytesWritten) => throw null; - public static System.Buffers.OperationStatus EncodeToUtf8(System.ReadOnlySpan bytes, System.Span utf8, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; - public static System.Buffers.OperationStatus EncodeToUtf8InPlace(System.Span buffer, int dataLength, out int bytesWritten) => throw null; - public static int GetMaxDecodedFromUtf8Length(int length) => throw null; - public static int GetMaxEncodedToUtf8Length(int length) => throw null; + public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(System.ReadOnlySpan value) => throw null; + public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(string value) => throw null; + public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(T value) => throw null; + public void AppendFormatted(T value, int alignment) => throw null; + public void AppendFormatted(T value, int alignment, string format) => throw null; + public void AppendFormatted(T value, string format) => throw null; + public void AppendLiteral(string value) => throw null; + public WriteIfInterpolatedStringHandler(int literalLength, int formattedCount, bool condition, out bool shouldAppend) => throw null; } - + public static void WriteLine(object value) => throw null; + public static void WriteLine(object value, string category) => throw null; + public static void WriteLine(string message) => throw null; + public static void WriteLine(string format, params object[] args) => throw null; + public static void WriteLine(string message, string category) => throw null; + public static void WriteLineIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message) => throw null; + public static void WriteLineIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message, string category) => throw null; + public static void WriteLineIf(bool condition, object value) => throw null; + public static void WriteLineIf(bool condition, object value, string category) => throw null; + public static void WriteLineIf(bool condition, string message) => throw null; + public static void WriteLineIf(bool condition, string message, string category) => throw null; } - } - namespace CodeDom - { - namespace Compiler + public sealed class DebuggableAttribute : System.Attribute { - public class GeneratedCodeAttribute : System.Attribute - { - public GeneratedCodeAttribute(string tool, string version) => throw null; - public string Tool { get => throw null; } - public string Version { get => throw null; } - } - - public class IndentedTextWriter : System.IO.TextWriter + public DebuggableAttribute(bool isJITTrackingEnabled, bool isJITOptimizerDisabled) => throw null; + public DebuggableAttribute(System.Diagnostics.DebuggableAttribute.DebuggingModes modes) => throw null; + public System.Diagnostics.DebuggableAttribute.DebuggingModes DebuggingFlags { get => throw null; } + [System.Flags] + public enum DebuggingModes { - public override void Close() => throw null; - public const string DefaultTabString = default; - public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public override System.Text.Encoding Encoding { get => throw null; } - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync() => throw null; - public int Indent { get => throw null; set => throw null; } - public IndentedTextWriter(System.IO.TextWriter writer) => throw null; - public IndentedTextWriter(System.IO.TextWriter writer, string tabString) => throw null; - public System.IO.TextWriter InnerWriter { get => throw null; } - public override string NewLine { get => throw null; set => throw null; } - protected virtual void OutputTabs() => throw null; - protected virtual System.Threading.Tasks.Task OutputTabsAsync() => throw null; - public override void Write(System.Char[] buffer) => throw null; - public override void Write(System.Char[] buffer, int index, int count) => throw null; - public override void Write(bool value) => throw null; - public override void Write(System.Char value) => throw null; - public override void Write(double value) => throw null; - public override void Write(float value) => throw null; - public override void Write(int value) => throw null; - public override void Write(System.Int64 value) => throw null; - public override void Write(object value) => throw null; - public override void Write(string s) => throw null; - public override void Write(string format, object arg0) => throw null; - public override void Write(string format, object arg0, object arg1) => throw null; - public override void Write(string format, params object[] arg) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; - public override void WriteLine() => throw null; - public override void WriteLine(System.Char[] buffer) => throw null; - public override void WriteLine(System.Char[] buffer, int index, int count) => throw null; - public override void WriteLine(bool value) => throw null; - public override void WriteLine(System.Char value) => throw null; - public override void WriteLine(double value) => throw null; - public override void WriteLine(float value) => throw null; - public override void WriteLine(int value) => throw null; - public override void WriteLine(System.Int64 value) => throw null; - public override void WriteLine(object value) => throw null; - public override void WriteLine(string s) => throw null; - public override void WriteLine(string format, object arg0) => throw null; - public override void WriteLine(string format, object arg0, object arg1) => throw null; - public override void WriteLine(string format, params object[] arg) => throw null; - public override void WriteLine(System.UInt32 value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync() => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; - public void WriteLineNoTabs(string s) => throw null; - public System.Threading.Tasks.Task WriteLineNoTabsAsync(string s) => throw null; + None = 0, + Default = 1, + IgnoreSymbolStoreSequencePoints = 2, + EnableEditAndContinue = 4, + DisableOptimizations = 256, } - - } - } - namespace Collections - { - public class ArrayList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ICloneable - { - public static System.Collections.ArrayList Adapter(System.Collections.IList list) => throw null; - public virtual int Add(object value) => throw null; - public virtual void AddRange(System.Collections.ICollection c) => throw null; - public ArrayList() => throw null; - public ArrayList(System.Collections.ICollection c) => throw null; - public ArrayList(int capacity) => throw null; - public virtual int BinarySearch(int index, int count, object value, System.Collections.IComparer comparer) => throw null; - public virtual int BinarySearch(object value) => throw null; - public virtual int BinarySearch(object value, System.Collections.IComparer comparer) => throw null; - public virtual int Capacity { get => throw null; set => throw null; } - public virtual void Clear() => throw null; - public virtual object Clone() => throw null; - public virtual bool Contains(object item) => throw null; - public virtual void CopyTo(System.Array array) => throw null; - public virtual void CopyTo(System.Array array, int arrayIndex) => throw null; - public virtual void CopyTo(int index, System.Array array, int arrayIndex, int count) => throw null; - public virtual int Count { get => throw null; } - public static System.Collections.ArrayList FixedSize(System.Collections.ArrayList list) => throw null; - public static System.Collections.IList FixedSize(System.Collections.IList list) => throw null; - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - public virtual System.Collections.IEnumerator GetEnumerator(int index, int count) => throw null; - public virtual System.Collections.ArrayList GetRange(int index, int count) => throw null; - public virtual int IndexOf(object value) => throw null; - public virtual int IndexOf(object value, int startIndex) => throw null; - public virtual int IndexOf(object value, int startIndex, int count) => throw null; - public virtual void Insert(int index, object value) => throw null; - public virtual void InsertRange(int index, System.Collections.ICollection c) => throw null; - public virtual bool IsFixedSize { get => throw null; } - public virtual bool IsReadOnly { get => throw null; } - public virtual bool IsSynchronized { get => throw null; } - public virtual object this[int index] { get => throw null; set => throw null; } - public virtual int LastIndexOf(object value) => throw null; - public virtual int LastIndexOf(object value, int startIndex) => throw null; - public virtual int LastIndexOf(object value, int startIndex, int count) => throw null; - public static System.Collections.ArrayList ReadOnly(System.Collections.ArrayList list) => throw null; - public static System.Collections.IList ReadOnly(System.Collections.IList list) => throw null; - public virtual void Remove(object obj) => throw null; - public virtual void RemoveAt(int index) => throw null; - public virtual void RemoveRange(int index, int count) => throw null; - public static System.Collections.ArrayList Repeat(object value, int count) => throw null; - public virtual void Reverse() => throw null; - public virtual void Reverse(int index, int count) => throw null; - public virtual void SetRange(int index, System.Collections.ICollection c) => throw null; - public virtual void Sort() => throw null; - public virtual void Sort(System.Collections.IComparer comparer) => throw null; - public virtual void Sort(int index, int count, System.Collections.IComparer comparer) => throw null; - public virtual object SyncRoot { get => throw null; } - public static System.Collections.ArrayList Synchronized(System.Collections.ArrayList list) => throw null; - public static System.Collections.IList Synchronized(System.Collections.IList list) => throw null; - public virtual object[] ToArray() => throw null; - public virtual System.Array ToArray(System.Type type) => throw null; - public virtual void TrimToSize() => throw null; - } - - public class Comparer : System.Collections.IComparer, System.Runtime.Serialization.ISerializable - { - public int Compare(object a, object b) => throw null; - public Comparer(System.Globalization.CultureInfo culture) => throw null; - public static System.Collections.Comparer Default; - public static System.Collections.Comparer DefaultInvariant; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool IsJITOptimizerDisabled { get => throw null; } + public bool IsJITTrackingEnabled { get => throw null; } } - - public struct DictionaryEntry + public static class Debugger { - public void Deconstruct(out object key, out object value) => throw null; - // Stub generator skipped constructor - public DictionaryEntry(object key, object value) => throw null; - public object Key { get => throw null; set => throw null; } - public object Value { get => throw null; set => throw null; } + public static void Break() => throw null; + public static string DefaultCategory; + public static bool IsAttached { get => throw null; } + public static bool IsLogging() => throw null; + public static bool Launch() => throw null; + public static void Log(int level, string category, string message) => throw null; + public static void NotifyOfCrossThreadDependency() => throw null; } - - public class Hashtable : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.ICloneable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public sealed class DebuggerBrowsableAttribute : System.Attribute { - public virtual void Add(object key, object value) => throw null; - public virtual void Clear() => throw null; - public virtual object Clone() => throw null; - public virtual bool Contains(object key) => throw null; - public virtual bool ContainsKey(object key) => throw null; - public virtual bool ContainsValue(object value) => throw null; - public virtual void CopyTo(System.Array array, int arrayIndex) => throw null; - public virtual int Count { get => throw null; } - protected System.Collections.IEqualityComparer EqualityComparer { get => throw null; } - public virtual System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - protected virtual int GetHash(object key) => throw null; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Hashtable() => throw null; - public Hashtable(System.Collections.IDictionary d) => throw null; - public Hashtable(System.Collections.IDictionary d, System.Collections.IEqualityComparer equalityComparer) => throw null; - public Hashtable(System.Collections.IDictionary d, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; - public Hashtable(System.Collections.IDictionary d, float loadFactor) => throw null; - public Hashtable(System.Collections.IDictionary d, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; - public Hashtable(System.Collections.IDictionary d, float loadFactor, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; - public Hashtable(System.Collections.IEqualityComparer equalityComparer) => throw null; - public Hashtable(System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; - protected Hashtable(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Hashtable(int capacity) => throw null; - public Hashtable(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; - public Hashtable(int capacity, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; - public Hashtable(int capacity, float loadFactor) => throw null; - public Hashtable(int capacity, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; - public Hashtable(int capacity, float loadFactor, System.Collections.IHashCodeProvider hcp, System.Collections.IComparer comparer) => throw null; - public virtual bool IsFixedSize { get => throw null; } - public virtual bool IsReadOnly { get => throw null; } - public virtual bool IsSynchronized { get => throw null; } - public virtual object this[object key] { get => throw null; set => throw null; } - protected virtual bool KeyEquals(object item, object key) => throw null; - public virtual System.Collections.ICollection Keys { get => throw null; } - public virtual void OnDeserialization(object sender) => throw null; - public virtual void Remove(object key) => throw null; - public virtual object SyncRoot { get => throw null; } - public static System.Collections.Hashtable Synchronized(System.Collections.Hashtable table) => throw null; - public virtual System.Collections.ICollection Values { get => throw null; } - protected System.Collections.IComparer comparer { get => throw null; set => throw null; } - protected System.Collections.IHashCodeProvider hcp { get => throw null; set => throw null; } + public DebuggerBrowsableAttribute(System.Diagnostics.DebuggerBrowsableState state) => throw null; + public System.Diagnostics.DebuggerBrowsableState State { get => throw null; } } - - public interface ICollection : System.Collections.IEnumerable + public enum DebuggerBrowsableState { - void CopyTo(System.Array array, int index); - int Count { get; } - bool IsSynchronized { get; } - object SyncRoot { get; } + Never = 0, + Collapsed = 2, + RootHidden = 3, } - - public interface IComparer + public sealed class DebuggerDisplayAttribute : System.Attribute { - int Compare(object x, object y); + public DebuggerDisplayAttribute(string value) => throw null; + public string Name { get => throw null; set { } } + public System.Type Target { get => throw null; set { } } + public string TargetTypeName { get => throw null; set { } } + public string Type { get => throw null; set { } } + public string Value { get => throw null; } } - - public interface IDictionary : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class DebuggerHiddenAttribute : System.Attribute { - void Add(object key, object value); - void Clear(); - bool Contains(object key); - System.Collections.IDictionaryEnumerator GetEnumerator(); - bool IsFixedSize { get; } - bool IsReadOnly { get; } - object this[object key] { get; set; } - System.Collections.ICollection Keys { get; } - void Remove(object key); - System.Collections.ICollection Values { get; } + public DebuggerHiddenAttribute() => throw null; } - - public interface IDictionaryEnumerator : System.Collections.IEnumerator + public sealed class DebuggerNonUserCodeAttribute : System.Attribute { - System.Collections.DictionaryEntry Entry { get; } - object Key { get; } - object Value { get; } + public DebuggerNonUserCodeAttribute() => throw null; } - - public interface IEnumerable + public sealed class DebuggerStepperBoundaryAttribute : System.Attribute { - System.Collections.IEnumerator GetEnumerator(); + public DebuggerStepperBoundaryAttribute() => throw null; } - - public interface IEnumerator + public sealed class DebuggerStepThroughAttribute : System.Attribute { - object Current { get; } - bool MoveNext(); - void Reset(); + public DebuggerStepThroughAttribute() => throw null; } - - public interface IEqualityComparer + public sealed class DebuggerTypeProxyAttribute : System.Attribute { - bool Equals(object x, object y); - int GetHashCode(object obj); + public DebuggerTypeProxyAttribute(string typeName) => throw null; + public DebuggerTypeProxyAttribute(System.Type type) => throw null; + public string ProxyTypeName { get => throw null; } + public System.Type Target { get => throw null; set { } } + public string TargetTypeName { get => throw null; set { } } } - - public interface IHashCodeProvider + public sealed class DebuggerVisualizerAttribute : System.Attribute { - int GetHashCode(object obj); + public DebuggerVisualizerAttribute(string visualizerTypeName) => throw null; + public DebuggerVisualizerAttribute(string visualizerTypeName, string visualizerObjectSourceTypeName) => throw null; + public DebuggerVisualizerAttribute(string visualizerTypeName, System.Type visualizerObjectSource) => throw null; + public DebuggerVisualizerAttribute(System.Type visualizer) => throw null; + public DebuggerVisualizerAttribute(System.Type visualizer, string visualizerObjectSourceTypeName) => throw null; + public DebuggerVisualizerAttribute(System.Type visualizer, System.Type visualizerObjectSource) => throw null; + public string Description { get => throw null; set { } } + public System.Type Target { get => throw null; set { } } + public string TargetTypeName { get => throw null; set { } } + public string VisualizerObjectSourceTypeName { get => throw null; } + public string VisualizerTypeName { get => throw null; } } - - public interface IList : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class StackTraceHiddenAttribute : System.Attribute { - int Add(object value); - void Clear(); - bool Contains(object value); - int IndexOf(object value); - void Insert(int index, object value); - bool IsFixedSize { get; } - bool IsReadOnly { get; } - object this[int index] { get; set; } - void Remove(object value); - void RemoveAt(int index); + public StackTraceHiddenAttribute() => throw null; } - - public interface IStructuralComparable + public class Stopwatch { - int CompareTo(object other, System.Collections.IComparer comparer); + public Stopwatch() => throw null; + public System.TimeSpan Elapsed { get => throw null; } + public long ElapsedMilliseconds { get => throw null; } + public long ElapsedTicks { get => throw null; } + public static long Frequency; + public static System.TimeSpan GetElapsedTime(long startingTimestamp) => throw null; + public static System.TimeSpan GetElapsedTime(long startingTimestamp, long endingTimestamp) => throw null; + public static long GetTimestamp() => throw null; + public static bool IsHighResolution; + public bool IsRunning { get => throw null; } + public void Reset() => throw null; + public void Restart() => throw null; + public void Start() => throw null; + public static System.Diagnostics.Stopwatch StartNew() => throw null; + public void Stop() => throw null; } - - public interface IStructuralEquatable + public sealed class UnreachableException : System.Exception { - bool Equals(object other, System.Collections.IEqualityComparer comparer); - int GetHashCode(System.Collections.IEqualityComparer comparer); + public UnreachableException() => throw null; + public UnreachableException(string message) => throw null; + public UnreachableException(string message, System.Exception innerException) => throw null; } - - namespace Generic - { - public interface IAsyncEnumerable - { - System.Collections.Generic.IAsyncEnumerator GetAsyncEnumerator(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IAsyncEnumerator : System.IAsyncDisposable - { - T Current { get; } - System.Threading.Tasks.ValueTask MoveNextAsync(); - } - - public interface ICollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - void Add(T item); - void Clear(); - bool Contains(T item); - void CopyTo(T[] array, int arrayIndex); - int Count { get; } - bool IsReadOnly { get; } - bool Remove(T item); - } - - public interface IComparer - { - int Compare(T x, T y); - } - - public interface IDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - void Add(TKey key, TValue value); - bool ContainsKey(TKey key); - TValue this[TKey key] { get; set; } - System.Collections.Generic.ICollection Keys { get; } - bool Remove(TKey key); - bool TryGetValue(TKey key, out TValue value); - System.Collections.Generic.ICollection Values { get; } - } - - public interface IEnumerable : System.Collections.IEnumerable - { - System.Collections.Generic.IEnumerator GetEnumerator(); - } - - public interface IEnumerator : System.Collections.IEnumerator, System.IDisposable - { - T Current { get; } - } - - public interface IEqualityComparer - { - bool Equals(T x, T y); - int GetHashCode(T obj); - } - - public interface IList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - int IndexOf(T item); - void Insert(int index, T item); - T this[int index] { get; set; } - void RemoveAt(int index); - } - - public interface IReadOnlyCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - int Count { get; } - } - - public interface IReadOnlyDictionary : System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.IEnumerable - { - bool ContainsKey(TKey key); - TValue this[TKey key] { get; } - System.Collections.Generic.IEnumerable Keys { get; } - bool TryGetValue(TKey key, out TValue value); - System.Collections.Generic.IEnumerable Values { get; } - } - - public interface IReadOnlyList : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - T this[int index] { get; } - } - - public interface IReadOnlySet : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.IEnumerable - { - bool Contains(T item); - bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other); - bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other); - bool IsSubsetOf(System.Collections.Generic.IEnumerable other); - bool IsSupersetOf(System.Collections.Generic.IEnumerable other); - bool Overlaps(System.Collections.Generic.IEnumerable other); - bool SetEquals(System.Collections.Generic.IEnumerable other); - } - - public interface ISet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - bool Add(T item); - void ExceptWith(System.Collections.Generic.IEnumerable other); - void IntersectWith(System.Collections.Generic.IEnumerable other); - bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other); - bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other); - bool IsSubsetOf(System.Collections.Generic.IEnumerable other); - bool IsSupersetOf(System.Collections.Generic.IEnumerable other); - bool Overlaps(System.Collections.Generic.IEnumerable other); - bool SetEquals(System.Collections.Generic.IEnumerable other); - void SymmetricExceptWith(System.Collections.Generic.IEnumerable other); - void UnionWith(System.Collections.Generic.IEnumerable other); - } - - public class KeyNotFoundException : System.SystemException - { - public KeyNotFoundException() => throw null; - protected KeyNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public KeyNotFoundException(string message) => throw null; - public KeyNotFoundException(string message, System.Exception innerException) => throw null; - } - - public static class KeyValuePair - { - public static System.Collections.Generic.KeyValuePair Create(TKey key, TValue value) => throw null; - } - - public struct KeyValuePair - { - public void Deconstruct(out TKey key, out TValue value) => throw null; - public TKey Key { get => throw null; } - // Stub generator skipped constructor - public KeyValuePair(TKey key, TValue value) => throw null; - public override string ToString() => throw null; - public TValue Value { get => throw null; } - } - + } + public class DivideByZeroException : System.ArithmeticException + { + public DivideByZeroException() => throw null; + protected DivideByZeroException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DivideByZeroException(string message) => throw null; + public DivideByZeroException(string message, System.Exception innerException) => throw null; + } + public struct Double : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + { + static double System.Numerics.INumberBase.Abs(double value) => throw null; + static double System.Numerics.ITrigonometricFunctions.Acos(double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Acosh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.AcosPi(double x) => throw null; + static double System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static double System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static double System.Numerics.ITrigonometricFunctions.Asin(double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Asinh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.AsinPi(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.Atan(double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.Atan2(double y, double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.Atan2Pi(double y, double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Atanh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.AtanPi(double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.BitDecrement(double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.BitIncrement(double x) => throw null; + static double System.Numerics.IRootFunctions.Cbrt(double x) => throw null; + static double System.Numerics.IFloatingPoint.Ceiling(double x) => throw null; + static double System.Numerics.INumber.Clamp(double value, double min, double max) => throw null; + public int CompareTo(double value) => throw null; + public int CompareTo(object value) => throw null; + static double System.Numerics.INumber.CopySign(double value, double sign) => throw null; + static double System.Numerics.ITrigonometricFunctions.Cos(double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Cosh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.CosPi(double x) => throw null; + static double System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static double System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static double System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public static double E; + static double System.Numerics.IFloatingPointConstants.E { get => throw null; } + public static double Epsilon; + static double System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } + public bool Equals(double obj) => throw null; + public override bool Equals(object obj) => throw null; + static double System.Numerics.IExponentialFunctions.Exp(double x) => throw null; + static double System.Numerics.IExponentialFunctions.Exp10(double x) => throw null; + static double System.Numerics.IExponentialFunctions.Exp10M1(double x) => throw null; + static double System.Numerics.IExponentialFunctions.Exp2(double x) => throw null; + static double System.Numerics.IExponentialFunctions.Exp2M1(double x) => throw null; + static double System.Numerics.IExponentialFunctions.ExpM1(double x) => throw null; + static double System.Numerics.IFloatingPoint.Floor(double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.FusedMultiplyAdd(double left, double right, double addend) => throw null; + int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; + int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static double System.Numerics.IRootFunctions.Hypot(double x, double y) => throw null; + static double System.Numerics.IFloatingPointIeee754.Ieee754Remainder(double left, double right) => throw null; + static int System.Numerics.IFloatingPointIeee754.ILogB(double x) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(double value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(double value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(double value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(double d) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(double value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(double d) => throw null; + static bool System.Numerics.INumberBase.IsInteger(double value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(double d) => throw null; + static bool System.Numerics.INumberBase.IsNegative(double d) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(double d) => throw null; + static bool System.Numerics.INumberBase.IsNormal(double d) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(double value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(double value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(double d) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(double value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(double value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(double d) => throw null; + static bool System.Numerics.INumberBase.IsZero(double value) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log(double x) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log(double x, double newBase) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log10(double x) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log10P1(double x) => throw null; + static double System.Numerics.IBinaryNumber.Log2(double value) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log2(double value) => throw null; + static double System.Numerics.ILogarithmicFunctions.Log2P1(double x) => throw null; + static double System.Numerics.ILogarithmicFunctions.LogP1(double x) => throw null; + static double System.Numerics.INumber.Max(double x, double y) => throw null; + static double System.Numerics.INumberBase.MaxMagnitude(double x, double y) => throw null; + static double System.Numerics.INumberBase.MaxMagnitudeNumber(double x, double y) => throw null; + static double System.Numerics.INumber.MaxNumber(double x, double y) => throw null; + public static double MaxValue; + static double System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static double System.Numerics.INumber.Min(double x, double y) => throw null; + static double System.Numerics.INumberBase.MinMagnitude(double x, double y) => throw null; + static double System.Numerics.INumberBase.MinMagnitudeNumber(double x, double y) => throw null; + static double System.Numerics.INumber.MinNumber(double x, double y) => throw null; + public static double MinValue; + static double System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static double System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + public static double NaN; + static double System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } + public static double NegativeInfinity; + static double System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } + static double System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + public static double NegativeZero; + static double System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } + static double System.Numerics.INumberBase.One { get => throw null; } + static double System.Numerics.IAdditionOperators.operator +(double left, double right) => throw null; + static double System.Numerics.IBitwiseOperators.operator &(double left, double right) => throw null; + static double System.Numerics.IBitwiseOperators.operator |(double left, double right) => throw null; + static double System.Numerics.IDecrementOperators.operator --(double value) => throw null; + static double System.Numerics.IDivisionOperators.operator /(double left, double right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(double left, double right) => throw null; + static double System.Numerics.IBitwiseOperators.operator ^(double left, double right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(double left, double right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(double left, double right) => throw null; + static double System.Numerics.IIncrementOperators.operator ++(double value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(double left, double right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(double left, double right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(double left, double right) => throw null; + static double System.Numerics.IModulusOperators.operator %(double left, double right) => throw null; + static double System.Numerics.IMultiplyOperators.operator *(double left, double right) => throw null; + static double System.Numerics.IBitwiseOperators.operator ~(double value) => throw null; + static double System.Numerics.ISubtractionOperators.operator -(double left, double right) => throw null; + static double System.Numerics.IUnaryNegationOperators.operator -(double value) => throw null; + static double System.Numerics.IUnaryPlusOperators.operator +(double value) => throw null; + static double System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static double System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static double Parse(string s) => throw null; + public static double Parse(string s, System.Globalization.NumberStyles style) => throw null; + static double System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static double System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static double Pi; + static double System.Numerics.IFloatingPointConstants.Pi { get => throw null; } + public static double PositiveInfinity; + static double System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } + static double System.Numerics.IPowerFunctions.Pow(double x, double y) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static double System.Numerics.IFloatingPointIeee754.ReciprocalEstimate(double x) => throw null; + static double System.Numerics.IFloatingPointIeee754.ReciprocalSqrtEstimate(double x) => throw null; + static double System.Numerics.IRootFunctions.RootN(double x, int n) => throw null; + static double System.Numerics.IFloatingPoint.Round(double x) => throw null; + static double System.Numerics.IFloatingPoint.Round(double x, int digits) => throw null; + static double System.Numerics.IFloatingPoint.Round(double x, int digits, System.MidpointRounding mode) => throw null; + static double System.Numerics.IFloatingPoint.Round(double x, System.MidpointRounding mode) => throw null; + static double System.Numerics.IFloatingPointIeee754.ScaleB(double x, int n) => throw null; + static int System.Numerics.INumber.Sign(double value) => throw null; + static double System.Numerics.ITrigonometricFunctions.Sin(double x) => throw null; + static (double Sin, double Cos) System.Numerics.ITrigonometricFunctions.SinCos(double x) => throw null; + static (double SinPi, double CosPi) System.Numerics.ITrigonometricFunctions.SinCosPi(double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Sinh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.SinPi(double x) => throw null; + static double System.Numerics.IRootFunctions.Sqrt(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.Tan(double x) => throw null; + static double System.Numerics.IHyperbolicFunctions.Tanh(double x) => throw null; + static double System.Numerics.ITrigonometricFunctions.TanPi(double x) => throw null; + public static double Tau; + static double System.Numerics.IFloatingPointConstants.Tau { get => throw null; } + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static double System.Numerics.IFloatingPoint.Truncate(double x) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out double result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out double result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out double result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(double value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(double value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(double value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out double result) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out double result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out double result) => throw null; + public static bool TryParse(string s, out double result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out double result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out double result) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static double System.Numerics.INumberBase.Zero { get => throw null; } + } + public class DuplicateWaitObjectException : System.ArgumentException + { + public DuplicateWaitObjectException() => throw null; + protected DuplicateWaitObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DuplicateWaitObjectException(string parameterName) => throw null; + public DuplicateWaitObjectException(string message, System.Exception innerException) => throw null; + public DuplicateWaitObjectException(string parameterName, string message) => throw null; + } + public class EntryPointNotFoundException : System.TypeLoadException + { + public EntryPointNotFoundException() => throw null; + protected EntryPointNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public EntryPointNotFoundException(string message) => throw null; + public EntryPointNotFoundException(string message, System.Exception inner) => throw null; + } + public abstract class Enum : System.IComparable, System.IConvertible, System.IFormattable + { + public int CompareTo(object target) => throw null; + protected Enum() => throw null; + public override bool Equals(object obj) => throw null; + public static string Format(System.Type enumType, object value, string format) => throw null; + public override int GetHashCode() => throw null; + public static string GetName(System.Type enumType, object value) => throw null; + public static string GetName(TEnum value) where TEnum : System.Enum => throw null; + public static string[] GetNames(System.Type enumType) => throw null; + public static string[] GetNames() where TEnum : System.Enum => throw null; + public System.TypeCode GetTypeCode() => throw null; + public static System.Type GetUnderlyingType(System.Type enumType) => throw null; + public static System.Array GetValues(System.Type enumType) => throw null; + public static TEnum[] GetValues() where TEnum : System.Enum => throw null; + public static System.Array GetValuesAsUnderlyingType(System.Type enumType) => throw null; + public static System.Array GetValuesAsUnderlyingType() where TEnum : System.Enum => throw null; + public bool HasFlag(System.Enum flag) => throw null; + public static bool IsDefined(System.Type enumType, object value) => throw null; + public static bool IsDefined(TEnum value) where TEnum : System.Enum => throw null; + public static object Parse(System.Type enumType, System.ReadOnlySpan value) => throw null; + public static object Parse(System.Type enumType, System.ReadOnlySpan value, bool ignoreCase) => throw null; + public static object Parse(System.Type enumType, string value) => throw null; + public static object Parse(System.Type enumType, string value, bool ignoreCase) => throw null; + public static TEnum Parse(System.ReadOnlySpan value) where TEnum : struct => throw null; + public static TEnum Parse(System.ReadOnlySpan value, bool ignoreCase) where TEnum : struct => throw null; + public static TEnum Parse(string value) where TEnum : struct => throw null; + public static TEnum Parse(string value, bool ignoreCase) where TEnum : struct => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + public static object ToObject(System.Type enumType, byte value) => throw null; + public static object ToObject(System.Type enumType, short value) => throw null; + public static object ToObject(System.Type enumType, int value) => throw null; + public static object ToObject(System.Type enumType, long value) => throw null; + public static object ToObject(System.Type enumType, object value) => throw null; + public static object ToObject(System.Type enumType, sbyte value) => throw null; + public static object ToObject(System.Type enumType, ushort value) => throw null; + public static object ToObject(System.Type enumType, uint value) => throw null; + public static object ToObject(System.Type enumType, ulong value) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public static bool TryParse(System.Type enumType, System.ReadOnlySpan value, bool ignoreCase, out object result) => throw null; + public static bool TryParse(System.Type enumType, System.ReadOnlySpan value, out object result) => throw null; + public static bool TryParse(System.Type enumType, string value, bool ignoreCase, out object result) => throw null; + public static bool TryParse(System.Type enumType, string value, out object result) => throw null; + public static bool TryParse(System.ReadOnlySpan value, bool ignoreCase, out TEnum result) where TEnum : struct => throw null; + public static bool TryParse(System.ReadOnlySpan value, out TEnum result) where TEnum : struct => throw null; + public static bool TryParse(string value, bool ignoreCase, out TEnum result) where TEnum : struct => throw null; + public static bool TryParse(string value, out TEnum result) where TEnum : struct => throw null; + } + public static class Environment + { + public static string CommandLine { get => throw null; } + public static string CurrentDirectory { get => throw null; set { } } + public static int CurrentManagedThreadId { get => throw null; } + public static void Exit(int exitCode) => throw null; + public static int ExitCode { get => throw null; set { } } + public static string ExpandEnvironmentVariables(string name) => throw null; + public static void FailFast(string message) => throw null; + public static void FailFast(string message, System.Exception exception) => throw null; + public static string[] GetCommandLineArgs() => throw null; + public static string GetEnvironmentVariable(string variable) => throw null; + public static string GetEnvironmentVariable(string variable, System.EnvironmentVariableTarget target) => throw null; + public static System.Collections.IDictionary GetEnvironmentVariables() => throw null; + public static System.Collections.IDictionary GetEnvironmentVariables(System.EnvironmentVariableTarget target) => throw null; + public static string GetFolderPath(System.Environment.SpecialFolder folder) => throw null; + public static string GetFolderPath(System.Environment.SpecialFolder folder, System.Environment.SpecialFolderOption option) => throw null; + public static string[] GetLogicalDrives() => throw null; + public static bool HasShutdownStarted { get => throw null; } + public static bool Is64BitOperatingSystem { get => throw null; } + public static bool Is64BitProcess { get => throw null; } + public static string MachineName { get => throw null; } + public static string NewLine { get => throw null; } + public static System.OperatingSystem OSVersion { get => throw null; } + public static int ProcessId { get => throw null; } + public static int ProcessorCount { get => throw null; } + public static string ProcessPath { get => throw null; } + public static void SetEnvironmentVariable(string variable, string value) => throw null; + public static void SetEnvironmentVariable(string variable, string value, System.EnvironmentVariableTarget target) => throw null; + public enum SpecialFolder + { + Desktop = 0, + Programs = 2, + MyDocuments = 5, + Personal = 5, + Favorites = 6, + Startup = 7, + Recent = 8, + SendTo = 9, + StartMenu = 11, + MyMusic = 13, + MyVideos = 14, + DesktopDirectory = 16, + MyComputer = 17, + NetworkShortcuts = 19, + Fonts = 20, + Templates = 21, + CommonStartMenu = 22, + CommonPrograms = 23, + CommonStartup = 24, + CommonDesktopDirectory = 25, + ApplicationData = 26, + PrinterShortcuts = 27, + LocalApplicationData = 28, + InternetCache = 32, + Cookies = 33, + History = 34, + CommonApplicationData = 35, + Windows = 36, + System = 37, + ProgramFiles = 38, + MyPictures = 39, + UserProfile = 40, + SystemX86 = 41, + ProgramFilesX86 = 42, + CommonProgramFiles = 43, + CommonProgramFilesX86 = 44, + CommonTemplates = 45, + CommonDocuments = 46, + CommonAdminTools = 47, + AdminTools = 48, + CommonMusic = 53, + CommonPictures = 54, + CommonVideos = 55, + Resources = 56, + LocalizedResources = 57, + CommonOemLinks = 58, + CDBurning = 59, + } + public enum SpecialFolderOption + { + None = 0, + DoNotVerify = 16384, + Create = 32768, + } + public static string StackTrace { get => throw null; } + public static string SystemDirectory { get => throw null; } + public static int SystemPageSize { get => throw null; } + public static int TickCount { get => throw null; } + public static long TickCount64 { get => throw null; } + public static string UserDomainName { get => throw null; } + public static bool UserInteractive { get => throw null; } + public static string UserName { get => throw null; } + public static System.Version Version { get => throw null; } + public static long WorkingSet { get => throw null; } + } + public enum EnvironmentVariableTarget + { + Process = 0, + User = 1, + Machine = 2, + } + public class EventArgs + { + public EventArgs() => throw null; + public static System.EventArgs Empty; + } + public delegate void EventHandler(object sender, System.EventArgs e); + public delegate void EventHandler(object sender, TEventArgs e); + public class Exception : System.Runtime.Serialization.ISerializable + { + public Exception() => throw null; + protected Exception(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public Exception(string message) => throw null; + public Exception(string message, System.Exception innerException) => throw null; + public virtual System.Collections.IDictionary Data { get => throw null; } + public virtual System.Exception GetBaseException() => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Type GetType() => throw null; + public virtual string HelpLink { get => throw null; set { } } + public int HResult { get => throw null; set { } } + public System.Exception InnerException { get => throw null; } + public virtual string Message { get => throw null; } + protected event System.EventHandler SerializeObjectState { add { } remove { } } + public virtual string Source { get => throw null; set { } } + public virtual string StackTrace { get => throw null; } + public System.Reflection.MethodBase TargetSite { get => throw null; } + public override string ToString() => throw null; + } + public sealed class ExecutionEngineException : System.SystemException + { + public ExecutionEngineException() => throw null; + public ExecutionEngineException(string message) => throw null; + public ExecutionEngineException(string message, System.Exception innerException) => throw null; + } + public class FieldAccessException : System.MemberAccessException + { + public FieldAccessException() => throw null; + protected FieldAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public FieldAccessException(string message) => throw null; + public FieldAccessException(string message, System.Exception inner) => throw null; + } + public class FileStyleUriParser : System.UriParser + { + public FileStyleUriParser() => throw null; + } + public class FlagsAttribute : System.Attribute + { + public FlagsAttribute() => throw null; + } + public class FormatException : System.SystemException + { + public FormatException() => throw null; + protected FormatException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public FormatException(string message) => throw null; + public FormatException(string message, System.Exception innerException) => throw null; + } + public abstract class FormattableString : System.IFormattable + { + public abstract int ArgumentCount { get; } + protected FormattableString() => throw null; + public static string CurrentCulture(System.FormattableString formattable) => throw null; + public abstract string Format { get; } + public abstract object GetArgument(int index); + public abstract object[] GetArguments(); + public static string Invariant(System.FormattableString formattable) => throw null; + string System.IFormattable.ToString(string ignored, System.IFormatProvider formatProvider) => throw null; + public override string ToString() => throw null; + public abstract string ToString(System.IFormatProvider formatProvider); + } + public class FtpStyleUriParser : System.UriParser + { + public FtpStyleUriParser() => throw null; + } + public delegate TResult Func(); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8, T9 arg9, T10 arg10, T11 arg11, T12 arg12, T13 arg13, T14 arg14, T15 arg15, T16 arg16); + public delegate TResult Func(T arg); + public delegate TResult Func(T1 arg1, T2 arg2); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7); + public delegate TResult Func(T1 arg1, T2 arg2, T3 arg3, T4 arg4, T5 arg5, T6 arg6, T7 arg7, T8 arg8); + public static class GC + { + public static void AddMemoryPressure(long bytesAllocated) => throw null; + public static T[] AllocateArray(int length, bool pinned = default(bool)) => throw null; + public static T[] AllocateUninitializedArray(int length, bool pinned = default(bool)) => throw null; + public static void CancelFullGCNotification() => throw null; + public static void Collect() => throw null; + public static void Collect(int generation) => throw null; + public static void Collect(int generation, System.GCCollectionMode mode) => throw null; + public static void Collect(int generation, System.GCCollectionMode mode, bool blocking) => throw null; + public static void Collect(int generation, System.GCCollectionMode mode, bool blocking, bool compacting) => throw null; + public static int CollectionCount(int generation) => throw null; + public static void EndNoGCRegion() => throw null; + public static long GetAllocatedBytesForCurrentThread() => throw null; + public static System.Collections.Generic.IReadOnlyDictionary GetConfigurationVariables() => throw null; + public static System.GCMemoryInfo GetGCMemoryInfo() => throw null; + public static System.GCMemoryInfo GetGCMemoryInfo(System.GCKind kind) => throw null; + public static int GetGeneration(object obj) => throw null; + public static int GetGeneration(System.WeakReference wo) => throw null; + public static long GetTotalAllocatedBytes(bool precise = default(bool)) => throw null; + public static long GetTotalMemory(bool forceFullCollection) => throw null; + public static System.TimeSpan GetTotalPauseDuration() => throw null; + public static void KeepAlive(object obj) => throw null; + public static int MaxGeneration { get => throw null; } + public static void RegisterForFullGCNotification(int maxGenerationThreshold, int largeObjectHeapThreshold) => throw null; + public static void RemoveMemoryPressure(long bytesAllocated) => throw null; + public static void ReRegisterForFinalize(object obj) => throw null; + public static void SuppressFinalize(object obj) => throw null; + public static bool TryStartNoGCRegion(long totalSize) => throw null; + public static bool TryStartNoGCRegion(long totalSize, bool disallowFullBlockingGC) => throw null; + public static bool TryStartNoGCRegion(long totalSize, long lohSize) => throw null; + public static bool TryStartNoGCRegion(long totalSize, long lohSize, bool disallowFullBlockingGC) => throw null; + public static System.GCNotificationStatus WaitForFullGCApproach() => throw null; + public static System.GCNotificationStatus WaitForFullGCApproach(int millisecondsTimeout) => throw null; + public static System.GCNotificationStatus WaitForFullGCApproach(System.TimeSpan timeout) => throw null; + public static System.GCNotificationStatus WaitForFullGCComplete() => throw null; + public static System.GCNotificationStatus WaitForFullGCComplete(int millisecondsTimeout) => throw null; + public static System.GCNotificationStatus WaitForFullGCComplete(System.TimeSpan timeout) => throw null; + public static void WaitForPendingFinalizers() => throw null; + } + public enum GCCollectionMode + { + Default = 0, + Forced = 1, + Optimized = 2, + Aggressive = 3, + } + public struct GCGenerationInfo + { + public long FragmentationAfterBytes { get => throw null; } + public long FragmentationBeforeBytes { get => throw null; } + public long SizeAfterBytes { get => throw null; } + public long SizeBeforeBytes { get => throw null; } + } + public enum GCKind + { + Any = 0, + Ephemeral = 1, + FullBlocking = 2, + Background = 3, + } + public struct GCMemoryInfo + { + public bool Compacted { get => throw null; } + public bool Concurrent { get => throw null; } + public long FinalizationPendingCount { get => throw null; } + public long FragmentedBytes { get => throw null; } + public int Generation { get => throw null; } + public System.ReadOnlySpan GenerationInfo { get => throw null; } + public long HeapSizeBytes { get => throw null; } + public long HighMemoryLoadThresholdBytes { get => throw null; } + public long Index { get => throw null; } + public long MemoryLoadBytes { get => throw null; } + public System.ReadOnlySpan PauseDurations { get => throw null; } + public double PauseTimePercentage { get => throw null; } + public long PinnedObjectsCount { get => throw null; } + public long PromotedBytes { get => throw null; } + public long TotalAvailableMemoryBytes { get => throw null; } + public long TotalCommittedBytes { get => throw null; } + } + public enum GCNotificationStatus + { + Succeeded = 0, + Failed = 1, + Canceled = 2, + Timeout = 3, + NotApplicable = 4, + } + public class GenericUriParser : System.UriParser + { + public GenericUriParser(System.GenericUriParserOptions options) => throw null; + } + [System.Flags] + public enum GenericUriParserOptions + { + Default = 0, + GenericAuthority = 1, + AllowEmptyAuthority = 2, + NoUserInfo = 4, + NoPort = 8, + NoQuery = 16, + NoFragment = 32, + DontConvertPathBackslashes = 64, + DontCompressPath = 128, + DontUnescapePathDotsAndSlashes = 256, + Idn = 512, + IriParsing = 1024, + } + namespace Globalization + { + public abstract class Calendar : System.ICloneable + { + public virtual System.DateTime AddDays(System.DateTime time, int days) => throw null; + public virtual System.DateTime AddHours(System.DateTime time, int hours) => throw null; + public virtual System.DateTime AddMilliseconds(System.DateTime time, double milliseconds) => throw null; + public virtual System.DateTime AddMinutes(System.DateTime time, int minutes) => throw null; + public abstract System.DateTime AddMonths(System.DateTime time, int months); + public virtual System.DateTime AddSeconds(System.DateTime time, int seconds) => throw null; + public virtual System.DateTime AddWeeks(System.DateTime time, int weeks) => throw null; + public abstract System.DateTime AddYears(System.DateTime time, int years); + public virtual System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public virtual object Clone() => throw null; + protected Calendar() => throw null; + public static int CurrentEra; + protected virtual int DaysInYearBeforeMinSupportedYear { get => throw null; } + public abstract int[] Eras { get; } + public abstract int GetDayOfMonth(System.DateTime time); + public abstract System.DayOfWeek GetDayOfWeek(System.DateTime time); + public abstract int GetDayOfYear(System.DateTime time); + public virtual int GetDaysInMonth(int year, int month) => throw null; + public abstract int GetDaysInMonth(int year, int month, int era); + public virtual int GetDaysInYear(int year) => throw null; + public abstract int GetDaysInYear(int year, int era); + public abstract int GetEra(System.DateTime time); + public virtual int GetHour(System.DateTime time) => throw null; + public virtual int GetLeapMonth(int year) => throw null; + public virtual int GetLeapMonth(int year, int era) => throw null; + public virtual double GetMilliseconds(System.DateTime time) => throw null; + public virtual int GetMinute(System.DateTime time) => throw null; + public abstract int GetMonth(System.DateTime time); + public virtual int GetMonthsInYear(int year) => throw null; + public abstract int GetMonthsInYear(int year, int era); + public virtual int GetSecond(System.DateTime time) => throw null; + public virtual int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; + public abstract int GetYear(System.DateTime time); + public virtual bool IsLeapDay(int year, int month, int day) => throw null; + public abstract bool IsLeapDay(int year, int month, int day, int era); + public virtual bool IsLeapMonth(int year, int month) => throw null; + public abstract bool IsLeapMonth(int year, int month, int era); + public virtual bool IsLeapYear(int year) => throw null; + public abstract bool IsLeapYear(int year, int era); + public bool IsReadOnly { get => throw null; } + public virtual System.DateTime MaxSupportedDateTime { get => throw null; } + public virtual System.DateTime MinSupportedDateTime { get => throw null; } + public static System.Globalization.Calendar ReadOnly(System.Globalization.Calendar calendar) => throw null; + public virtual System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond) => throw null; + public abstract System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era); + public virtual int ToFourDigitYear(int year) => throw null; + public virtual int TwoDigitYearMax { get => throw null; set { } } } - namespace ObjectModel + public enum CalendarAlgorithmType { - public class Collection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - public void Add(T item) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public void Clear() => throw null; - protected virtual void ClearItems() => throw null; - public Collection() => throw null; - public Collection(System.Collections.Generic.IList list) => throw null; - public bool Contains(T item) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(T[] array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(T item) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public void Insert(int index, T item) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - protected virtual void InsertItem(int index, T item) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - protected System.Collections.Generic.IList Items { get => throw null; } - public bool Remove(T item) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public void RemoveAt(int index) => throw null; - protected virtual void RemoveItem(int index) => throw null; - protected virtual void SetItem(int index, T item) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public class ReadOnlyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList - { - void System.Collections.Generic.ICollection.Add(T value) => throw null; - int System.Collections.IList.Add(object value) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - void System.Collections.IList.Clear() => throw null; - public bool Contains(T value) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(T[] array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public int IndexOf(T value) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - void System.Collections.Generic.IList.Insert(int index, T value) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public T this[int index] { get => throw null; } - T System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - protected System.Collections.Generic.IList Items { get => throw null; } - public ReadOnlyCollection(System.Collections.Generic.IList list) => throw null; - bool System.Collections.Generic.ICollection.Remove(T value) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - void System.Collections.Generic.IList.RemoveAt(int index) => throw null; - void System.Collections.IList.RemoveAt(int index) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public class ReadOnlyDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable - { - public class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable - { - void System.Collections.Generic.ICollection.Add(TKey item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TKey item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TKey[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - bool System.Collections.Generic.ICollection.Remove(TKey item) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - - public class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Collections.IEnumerable - { - void System.Collections.Generic.ICollection.Add(TValue item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - bool System.Collections.Generic.ICollection.Contains(TValue item) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(TValue[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - bool System.Collections.Generic.ICollection.Remove(TValue item) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; - void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; - void System.Collections.IDictionary.Add(object key, object value) => throw null; - void System.Collections.Generic.ICollection>.Clear() => throw null; - void System.Collections.IDictionary.Clear() => throw null; - bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; - bool System.Collections.IDictionary.Contains(object key) => throw null; - public bool ContainsKey(TKey key) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - protected System.Collections.Generic.IDictionary Dictionary { get => throw null; } - public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; - System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - bool System.Collections.IDictionary.IsFixedSize { get => throw null; } - bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - bool System.Collections.IDictionary.IsReadOnly { get => throw null; } - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public TValue this[TKey key] { get => throw null; } - TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - public System.Collections.ObjectModel.ReadOnlyDictionary.KeyCollection Keys { get => throw null; } - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } - public ReadOnlyDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; - bool System.Collections.Generic.IDictionary.Remove(TKey key) => throw null; - void System.Collections.IDictionary.Remove(object key) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.ObjectModel.ReadOnlyDictionary.ValueCollection Values { get => throw null; } - System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } - System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } - } - + Unknown = 0, + SolarCalendar = 1, + LunarCalendar = 2, + LunisolarCalendar = 3, + } + public enum CalendarWeekRule + { + FirstDay = 0, + FirstFullWeek = 1, + FirstFourDayWeek = 2, + } + public static class CharUnicodeInfo + { + public static int GetDecimalDigitValue(char ch) => throw null; + public static int GetDecimalDigitValue(string s, int index) => throw null; + public static int GetDigitValue(char ch) => throw null; + public static int GetDigitValue(string s, int index) => throw null; + public static double GetNumericValue(char ch) => throw null; + public static double GetNumericValue(string s, int index) => throw null; + public static System.Globalization.UnicodeCategory GetUnicodeCategory(char ch) => throw null; + public static System.Globalization.UnicodeCategory GetUnicodeCategory(int codePoint) => throw null; + public static System.Globalization.UnicodeCategory GetUnicodeCategory(string s, int index) => throw null; + } + public class ChineseLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar + { + public static int ChineseEra; + public ChineseLunisolarCalendar() => throw null; + protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } + public override int[] Eras { get => throw null; } + public override int GetEra(System.DateTime time) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + } + public sealed class CompareInfo : System.Runtime.Serialization.IDeserializationCallback + { + public int Compare(System.ReadOnlySpan string1, System.ReadOnlySpan string2, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int Compare(string string1, int offset1, int length1, string string2, int offset2, int length2) => throw null; + public int Compare(string string1, int offset1, int length1, string string2, int offset2, int length2, System.Globalization.CompareOptions options) => throw null; + public int Compare(string string1, int offset1, string string2, int offset2) => throw null; + public int Compare(string string1, int offset1, string string2, int offset2, System.Globalization.CompareOptions options) => throw null; + public int Compare(string string1, string string2) => throw null; + public int Compare(string string1, string string2, System.Globalization.CompareOptions options) => throw null; + public override bool Equals(object value) => throw null; + public static System.Globalization.CompareInfo GetCompareInfo(int culture) => throw null; + public static System.Globalization.CompareInfo GetCompareInfo(int culture, System.Reflection.Assembly assembly) => throw null; + public static System.Globalization.CompareInfo GetCompareInfo(string name) => throw null; + public static System.Globalization.CompareInfo GetCompareInfo(string name, System.Reflection.Assembly assembly) => throw null; + public override int GetHashCode() => throw null; + public int GetHashCode(System.ReadOnlySpan source, System.Globalization.CompareOptions options) => throw null; + public int GetHashCode(string source, System.Globalization.CompareOptions options) => throw null; + public int GetSortKey(System.ReadOnlySpan source, System.Span destination, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public System.Globalization.SortKey GetSortKey(string source) => throw null; + public System.Globalization.SortKey GetSortKey(string source, System.Globalization.CompareOptions options) => throw null; + public int GetSortKeyLength(System.ReadOnlySpan source, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int IndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int IndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options, out int matchLength) => throw null; + public int IndexOf(System.ReadOnlySpan source, System.Text.Rune value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int IndexOf(string source, char value) => throw null; + public int IndexOf(string source, char value, System.Globalization.CompareOptions options) => throw null; + public int IndexOf(string source, char value, int startIndex) => throw null; + public int IndexOf(string source, char value, int startIndex, System.Globalization.CompareOptions options) => throw null; + public int IndexOf(string source, char value, int startIndex, int count) => throw null; + public int IndexOf(string source, char value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; + public int IndexOf(string source, string value) => throw null; + public int IndexOf(string source, string value, System.Globalization.CompareOptions options) => throw null; + public int IndexOf(string source, string value, int startIndex) => throw null; + public int IndexOf(string source, string value, int startIndex, System.Globalization.CompareOptions options) => throw null; + public int IndexOf(string source, string value, int startIndex, int count) => throw null; + public int IndexOf(string source, string value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; + public bool IsPrefix(System.ReadOnlySpan source, System.ReadOnlySpan prefix, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public bool IsPrefix(System.ReadOnlySpan source, System.ReadOnlySpan prefix, System.Globalization.CompareOptions options, out int matchLength) => throw null; + public bool IsPrefix(string source, string prefix) => throw null; + public bool IsPrefix(string source, string prefix, System.Globalization.CompareOptions options) => throw null; + public static bool IsSortable(char ch) => throw null; + public static bool IsSortable(System.ReadOnlySpan text) => throw null; + public static bool IsSortable(string text) => throw null; + public static bool IsSortable(System.Text.Rune value) => throw null; + public bool IsSuffix(System.ReadOnlySpan source, System.ReadOnlySpan suffix, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public bool IsSuffix(System.ReadOnlySpan source, System.ReadOnlySpan suffix, System.Globalization.CompareOptions options, out int matchLength) => throw null; + public bool IsSuffix(string source, string suffix) => throw null; + public bool IsSuffix(string source, string suffix, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int LastIndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options, out int matchLength) => throw null; + public int LastIndexOf(System.ReadOnlySpan source, System.Text.Rune value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; + public int LastIndexOf(string source, char value) => throw null; + public int LastIndexOf(string source, char value, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(string source, char value, int startIndex) => throw null; + public int LastIndexOf(string source, char value, int startIndex, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(string source, char value, int startIndex, int count) => throw null; + public int LastIndexOf(string source, char value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(string source, string value) => throw null; + public int LastIndexOf(string source, string value, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(string source, string value, int startIndex) => throw null; + public int LastIndexOf(string source, string value, int startIndex, System.Globalization.CompareOptions options) => throw null; + public int LastIndexOf(string source, string value, int startIndex, int count) => throw null; + public int LastIndexOf(string source, string value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; + public int LCID { get => throw null; } + public string Name { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public override string ToString() => throw null; + public System.Globalization.SortVersion Version { get => throw null; } } - } - namespace ComponentModel - { - public class DefaultValueAttribute : System.Attribute + [System.Flags] + public enum CompareOptions { - public DefaultValueAttribute(System.Type type, string value) => throw null; - public DefaultValueAttribute(bool value) => throw null; - public DefaultValueAttribute(System.Byte value) => throw null; - public DefaultValueAttribute(System.Char value) => throw null; - public DefaultValueAttribute(double value) => throw null; - public DefaultValueAttribute(float value) => throw null; - public DefaultValueAttribute(int value) => throw null; - public DefaultValueAttribute(System.Int64 value) => throw null; - public DefaultValueAttribute(object value) => throw null; - public DefaultValueAttribute(System.SByte value) => throw null; - public DefaultValueAttribute(System.Int16 value) => throw null; - public DefaultValueAttribute(string value) => throw null; - public DefaultValueAttribute(System.UInt32 value) => throw null; - public DefaultValueAttribute(System.UInt64 value) => throw null; - public DefaultValueAttribute(System.UInt16 value) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - protected void SetValue(object value) => throw null; - public virtual object Value { get => throw null; } + None = 0, + IgnoreCase = 1, + IgnoreNonSpace = 2, + IgnoreSymbols = 4, + IgnoreKanaType = 8, + IgnoreWidth = 16, + OrdinalIgnoreCase = 268435456, + StringSort = 536870912, + Ordinal = 1073741824, } - - public class EditorBrowsableAttribute : System.Attribute + public class CultureInfo : System.ICloneable, System.IFormatProvider { - public EditorBrowsableAttribute() => throw null; - public EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState state) => throw null; - public override bool Equals(object obj) => throw null; + public virtual System.Globalization.Calendar Calendar { get => throw null; } + public void ClearCachedData() => throw null; + public virtual object Clone() => throw null; + public virtual System.Globalization.CompareInfo CompareInfo { get => throw null; } + public static System.Globalization.CultureInfo CreateSpecificCulture(string name) => throw null; + public CultureInfo(int culture) => throw null; + public CultureInfo(int culture, bool useUserOverride) => throw null; + public CultureInfo(string name) => throw null; + public CultureInfo(string name, bool useUserOverride) => throw null; + public System.Globalization.CultureTypes CultureTypes { get => throw null; } + public static System.Globalization.CultureInfo CurrentCulture { get => throw null; set { } } + public static System.Globalization.CultureInfo CurrentUICulture { get => throw null; set { } } + public virtual System.Globalization.DateTimeFormatInfo DateTimeFormat { get => throw null; set { } } + public static System.Globalization.CultureInfo DefaultThreadCurrentCulture { get => throw null; set { } } + public static System.Globalization.CultureInfo DefaultThreadCurrentUICulture { get => throw null; set { } } + public virtual string DisplayName { get => throw null; } + public virtual string EnglishName { get => throw null; } + public override bool Equals(object value) => throw null; + public System.Globalization.CultureInfo GetConsoleFallbackUICulture() => throw null; + public static System.Globalization.CultureInfo GetCultureInfo(int culture) => throw null; + public static System.Globalization.CultureInfo GetCultureInfo(string name) => throw null; + public static System.Globalization.CultureInfo GetCultureInfo(string name, bool predefinedOnly) => throw null; + public static System.Globalization.CultureInfo GetCultureInfo(string name, string altName) => throw null; + public static System.Globalization.CultureInfo GetCultureInfoByIetfLanguageTag(string name) => throw null; + public static System.Globalization.CultureInfo[] GetCultures(System.Globalization.CultureTypes types) => throw null; + public virtual object GetFormat(System.Type formatType) => throw null; public override int GetHashCode() => throw null; - public System.ComponentModel.EditorBrowsableState State { get => throw null; } + public string IetfLanguageTag { get => throw null; } + public static System.Globalization.CultureInfo InstalledUICulture { get => throw null; } + public static System.Globalization.CultureInfo InvariantCulture { get => throw null; } + public virtual bool IsNeutralCulture { get => throw null; } + public bool IsReadOnly { get => throw null; } + public virtual int KeyboardLayoutId { get => throw null; } + public virtual int LCID { get => throw null; } + public virtual string Name { get => throw null; } + public virtual string NativeName { get => throw null; } + public virtual System.Globalization.NumberFormatInfo NumberFormat { get => throw null; set { } } + public virtual System.Globalization.Calendar[] OptionalCalendars { get => throw null; } + public virtual System.Globalization.CultureInfo Parent { get => throw null; } + public static System.Globalization.CultureInfo ReadOnly(System.Globalization.CultureInfo ci) => throw null; + public virtual System.Globalization.TextInfo TextInfo { get => throw null; } + public virtual string ThreeLetterISOLanguageName { get => throw null; } + public virtual string ThreeLetterWindowsLanguageName { get => throw null; } + public override string ToString() => throw null; + public virtual string TwoLetterISOLanguageName { get => throw null; } + public bool UseUserOverride { get => throw null; } } - - public enum EditorBrowsableState : int + public class CultureNotFoundException : System.ArgumentException { - Advanced = 2, - Always = 0, - Never = 1, + public CultureNotFoundException() => throw null; + protected CultureNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public CultureNotFoundException(string message) => throw null; + public CultureNotFoundException(string message, System.Exception innerException) => throw null; + public CultureNotFoundException(string message, int invalidCultureId, System.Exception innerException) => throw null; + public CultureNotFoundException(string paramName, int invalidCultureId, string message) => throw null; + public CultureNotFoundException(string paramName, string message) => throw null; + public CultureNotFoundException(string message, string invalidCultureName, System.Exception innerException) => throw null; + public CultureNotFoundException(string paramName, string invalidCultureName, string message) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual int? InvalidCultureId { get => throw null; } + public virtual string InvalidCultureName { get => throw null; } + public override string Message { get => throw null; } } - - } - namespace Configuration - { - namespace Assemblies + [System.Flags] + public enum CultureTypes { - public enum AssemblyHashAlgorithm : int - { - MD5 = 32771, - None = 0, - SHA1 = 32772, - SHA256 = 32780, - SHA384 = 32781, - SHA512 = 32782, - } - - public enum AssemblyVersionCompatibility : int - { - SameDomain = 3, - SameMachine = 1, - SameProcess = 2, - } - + NeutralCultures = 1, + SpecificCultures = 2, + InstalledWin32Cultures = 4, + AllCultures = 7, + UserCustomCulture = 8, + ReplacementCultures = 16, + WindowsOnlyCultures = 32, + FrameworkCultures = 64, } - } - namespace Diagnostics - { - public class ConditionalAttribute : System.Attribute + public sealed class DateTimeFormatInfo : System.ICloneable, System.IFormatProvider { - public string ConditionString { get => throw null; } - public ConditionalAttribute(string conditionString) => throw null; + public string[] AbbreviatedDayNames { get => throw null; set { } } + public string[] AbbreviatedMonthGenitiveNames { get => throw null; set { } } + public string[] AbbreviatedMonthNames { get => throw null; set { } } + public string AMDesignator { get => throw null; set { } } + public System.Globalization.Calendar Calendar { get => throw null; set { } } + public System.Globalization.CalendarWeekRule CalendarWeekRule { get => throw null; set { } } + public object Clone() => throw null; + public DateTimeFormatInfo() => throw null; + public static System.Globalization.DateTimeFormatInfo CurrentInfo { get => throw null; } + public string DateSeparator { get => throw null; set { } } + public string[] DayNames { get => throw null; set { } } + public System.DayOfWeek FirstDayOfWeek { get => throw null; set { } } + public string FullDateTimePattern { get => throw null; set { } } + public string GetAbbreviatedDayName(System.DayOfWeek dayofweek) => throw null; + public string GetAbbreviatedEraName(int era) => throw null; + public string GetAbbreviatedMonthName(int month) => throw null; + public string[] GetAllDateTimePatterns() => throw null; + public string[] GetAllDateTimePatterns(char format) => throw null; + public string GetDayName(System.DayOfWeek dayofweek) => throw null; + public int GetEra(string eraName) => throw null; + public string GetEraName(int era) => throw null; + public object GetFormat(System.Type formatType) => throw null; + public static System.Globalization.DateTimeFormatInfo GetInstance(System.IFormatProvider provider) => throw null; + public string GetMonthName(int month) => throw null; + public string GetShortestDayName(System.DayOfWeek dayOfWeek) => throw null; + public static System.Globalization.DateTimeFormatInfo InvariantInfo { get => throw null; } + public bool IsReadOnly { get => throw null; } + public string LongDatePattern { get => throw null; set { } } + public string LongTimePattern { get => throw null; set { } } + public string MonthDayPattern { get => throw null; set { } } + public string[] MonthGenitiveNames { get => throw null; set { } } + public string[] MonthNames { get => throw null; set { } } + public string NativeCalendarName { get => throw null; } + public string PMDesignator { get => throw null; set { } } + public static System.Globalization.DateTimeFormatInfo ReadOnly(System.Globalization.DateTimeFormatInfo dtfi) => throw null; + public string RFC1123Pattern { get => throw null; } + public void SetAllDateTimePatterns(string[] patterns, char format) => throw null; + public string ShortDatePattern { get => throw null; set { } } + public string[] ShortestDayNames { get => throw null; set { } } + public string ShortTimePattern { get => throw null; set { } } + public string SortableDateTimePattern { get => throw null; } + public string TimeSeparator { get => throw null; set { } } + public string UniversalSortableDateTimePattern { get => throw null; } + public string YearMonthPattern { get => throw null; set { } } } - - public static class Debug + [System.Flags] + public enum DateTimeStyles { - public struct AssertInterpolatedStringHandler - { - public void AppendFormatted(System.ReadOnlySpan value) => throw null; - public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(string value) => throw null; - public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(T value) => throw null; - public void AppendFormatted(T value, int alignment) => throw null; - public void AppendFormatted(T value, int alignment, string format) => throw null; - public void AppendFormatted(T value, string format) => throw null; - public void AppendLiteral(string value) => throw null; - // Stub generator skipped constructor - public AssertInterpolatedStringHandler(int literalLength, int formattedCount, bool condition, out bool shouldAppend) => throw null; - } - - - public struct WriteIfInterpolatedStringHandler - { - public void AppendFormatted(System.ReadOnlySpan value) => throw null; - public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(string value) => throw null; - public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(T value) => throw null; - public void AppendFormatted(T value, int alignment) => throw null; - public void AppendFormatted(T value, int alignment, string format) => throw null; - public void AppendFormatted(T value, string format) => throw null; - public void AppendLiteral(string value) => throw null; - // Stub generator skipped constructor - public WriteIfInterpolatedStringHandler(int literalLength, int formattedCount, bool condition, out bool shouldAppend) => throw null; - } - - - public static void Assert(bool condition) => throw null; - public static void Assert(bool condition, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler message) => throw null; - public static void Assert(bool condition, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler message, ref System.Diagnostics.Debug.AssertInterpolatedStringHandler detailMessage) => throw null; - public static void Assert(bool condition, string message) => throw null; - public static void Assert(bool condition, string message, string detailMessage) => throw null; - public static void Assert(bool condition, string message, string detailMessageFormat, params object[] args) => throw null; - public static bool AutoFlush { get => throw null; set => throw null; } - public static void Close() => throw null; - public static void Fail(string message) => throw null; - public static void Fail(string message, string detailMessage) => throw null; - public static void Flush() => throw null; - public static void Indent() => throw null; - public static int IndentLevel { get => throw null; set => throw null; } - public static int IndentSize { get => throw null; set => throw null; } - public static void Print(string message) => throw null; - public static void Print(string format, params object[] args) => throw null; - public static void Unindent() => throw null; - public static void Write(object value) => throw null; - public static void Write(object value, string category) => throw null; - public static void Write(string message) => throw null; - public static void Write(string message, string category) => throw null; - public static void WriteIf(bool condition, object value) => throw null; - public static void WriteIf(bool condition, object value, string category) => throw null; - public static void WriteIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message) => throw null; - public static void WriteIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message, string category) => throw null; - public static void WriteIf(bool condition, string message) => throw null; - public static void WriteIf(bool condition, string message, string category) => throw null; - public static void WriteLine(object value) => throw null; - public static void WriteLine(object value, string category) => throw null; - public static void WriteLine(string message) => throw null; - public static void WriteLine(string format, params object[] args) => throw null; - public static void WriteLine(string message, string category) => throw null; - public static void WriteLineIf(bool condition, object value) => throw null; - public static void WriteLineIf(bool condition, object value, string category) => throw null; - public static void WriteLineIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message) => throw null; - public static void WriteLineIf(bool condition, ref System.Diagnostics.Debug.WriteIfInterpolatedStringHandler message, string category) => throw null; - public static void WriteLineIf(bool condition, string message) => throw null; - public static void WriteLineIf(bool condition, string message, string category) => throw null; + None = 0, + AllowLeadingWhite = 1, + AllowTrailingWhite = 2, + AllowInnerWhite = 4, + AllowWhiteSpaces = 7, + NoCurrentDateDefault = 8, + AdjustToUniversal = 16, + AssumeLocal = 32, + AssumeUniversal = 64, + RoundtripKind = 128, + } + public class DaylightTime + { + public DaylightTime(System.DateTime start, System.DateTime end, System.TimeSpan delta) => throw null; + public System.TimeSpan Delta { get => throw null; } + public System.DateTime End { get => throw null; } + public System.DateTime Start { get => throw null; } + } + public enum DigitShapes + { + Context = 0, + None = 1, + NativeNational = 2, + } + public abstract class EastAsianLunisolarCalendar : System.Globalization.Calendar + { + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public int GetCelestialStem(int sexagenaryYear) => throw null; + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public virtual int GetSexagenaryYear(System.DateTime time) => throw null; + public int GetTerrestrialBranch(int sexagenaryYear) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggableAttribute : System.Attribute + public static partial class GlobalizationExtensions { - [System.Flags] - public enum DebuggingModes : int - { - Default = 1, - DisableOptimizations = 256, - EnableEditAndContinue = 4, - IgnoreSymbolStoreSequencePoints = 2, - None = 0, - } - - - public DebuggableAttribute(System.Diagnostics.DebuggableAttribute.DebuggingModes modes) => throw null; - public DebuggableAttribute(bool isJITTrackingEnabled, bool isJITOptimizerDisabled) => throw null; - public System.Diagnostics.DebuggableAttribute.DebuggingModes DebuggingFlags { get => throw null; } - public bool IsJITOptimizerDisabled { get => throw null; } - public bool IsJITTrackingEnabled { get => throw null; } + public static System.StringComparer GetStringComparer(this System.Globalization.CompareInfo compareInfo, System.Globalization.CompareOptions options) => throw null; } - - public static class Debugger + public class GregorianCalendar : System.Globalization.Calendar { - public static void Break() => throw null; - public static string DefaultCategory; - public static bool IsAttached { get => throw null; } - public static bool IsLogging() => throw null; - public static bool Launch() => throw null; - public static void Log(int level, string category, string message) => throw null; - public static void NotifyOfCrossThreadDependency() => throw null; + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public static int ADEra; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public virtual System.Globalization.GregorianCalendarTypes CalendarType { get => throw null; set { } } + public GregorianCalendar() => throw null; + public GregorianCalendar(System.Globalization.GregorianCalendarTypes type) => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggerBrowsableAttribute : System.Attribute + public enum GregorianCalendarTypes { - public DebuggerBrowsableAttribute(System.Diagnostics.DebuggerBrowsableState state) => throw null; - public System.Diagnostics.DebuggerBrowsableState State { get => throw null; } + Localized = 1, + USEnglish = 2, + MiddleEastFrench = 9, + Arabic = 10, + TransliteratedEnglish = 11, + TransliteratedFrench = 12, } - - public enum DebuggerBrowsableState : int + public class HebrewCalendar : System.Globalization.Calendar { - Collapsed = 2, - Never = 0, - RootHidden = 3, + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public HebrewCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public static int HebrewEra; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggerDisplayAttribute : System.Attribute + public class HijriCalendar : System.Globalization.Calendar { - public DebuggerDisplayAttribute(string value) => throw null; - public string Name { get => throw null; set => throw null; } - public System.Type Target { get => throw null; set => throw null; } - public string TargetTypeName { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } - public string Value { get => throw null; } + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public HijriCalendar() => throw null; + protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public int HijriAdjustment { get => throw null; set { } } + public static int HijriEra; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggerHiddenAttribute : System.Attribute + public sealed class IdnMapping { - public DebuggerHiddenAttribute() => throw null; + public bool AllowUnassigned { get => throw null; set { } } + public IdnMapping() => throw null; + public override bool Equals(object obj) => throw null; + public string GetAscii(string unicode) => throw null; + public string GetAscii(string unicode, int index) => throw null; + public string GetAscii(string unicode, int index, int count) => throw null; + public override int GetHashCode() => throw null; + public string GetUnicode(string ascii) => throw null; + public string GetUnicode(string ascii, int index) => throw null; + public string GetUnicode(string ascii, int index, int count) => throw null; + public bool UseStd3AsciiRules { get => throw null; set { } } } - - public class DebuggerNonUserCodeAttribute : System.Attribute + public static class ISOWeek { - public DebuggerNonUserCodeAttribute() => throw null; + public static int GetWeekOfYear(System.DateTime date) => throw null; + public static int GetWeeksInYear(int year) => throw null; + public static int GetYear(System.DateTime date) => throw null; + public static System.DateTime GetYearEnd(int year) => throw null; + public static System.DateTime GetYearStart(int year) => throw null; + public static System.DateTime ToDateTime(int year, int week, System.DayOfWeek dayOfWeek) => throw null; } - - public class DebuggerStepThroughAttribute : System.Attribute + public class JapaneseCalendar : System.Globalization.Calendar { - public DebuggerStepThroughAttribute() => throw null; + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public JapaneseCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggerStepperBoundaryAttribute : System.Attribute + public class JapaneseLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar { - public DebuggerStepperBoundaryAttribute() => throw null; + public JapaneseLunisolarCalendar() => throw null; + protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } + public override int[] Eras { get => throw null; } + public override int GetEra(System.DateTime time) => throw null; + public static int JapaneseEra; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } } - - public class DebuggerTypeProxyAttribute : System.Attribute + public class JulianCalendar : System.Globalization.Calendar { - public DebuggerTypeProxyAttribute(System.Type type) => throw null; - public DebuggerTypeProxyAttribute(string typeName) => throw null; - public string ProxyTypeName { get => throw null; } - public System.Type Target { get => throw null; set => throw null; } - public string TargetTypeName { get => throw null; set => throw null; } + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public JulianCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public static int JulianEra; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } + } + public class KoreanCalendar : System.Globalization.Calendar + { + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public KoreanCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public static int KoreanEra; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class DebuggerVisualizerAttribute : System.Attribute + public class KoreanLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar { - public DebuggerVisualizerAttribute(System.Type visualizer) => throw null; - public DebuggerVisualizerAttribute(System.Type visualizer, System.Type visualizerObjectSource) => throw null; - public DebuggerVisualizerAttribute(System.Type visualizer, string visualizerObjectSourceTypeName) => throw null; - public DebuggerVisualizerAttribute(string visualizerTypeName) => throw null; - public DebuggerVisualizerAttribute(string visualizerTypeName, System.Type visualizerObjectSource) => throw null; - public DebuggerVisualizerAttribute(string visualizerTypeName, string visualizerObjectSourceTypeName) => throw null; - public string Description { get => throw null; set => throw null; } - public System.Type Target { get => throw null; set => throw null; } - public string TargetTypeName { get => throw null; set => throw null; } - public string VisualizerObjectSourceTypeName { get => throw null; } - public string VisualizerTypeName { get => throw null; } + public KoreanLunisolarCalendar() => throw null; + protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } + public override int[] Eras { get => throw null; } + public override int GetEra(System.DateTime time) => throw null; + public static int GregorianEra; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } } - - public class StackTraceHiddenAttribute : System.Attribute + public sealed class NumberFormatInfo : System.ICloneable, System.IFormatProvider { - public StackTraceHiddenAttribute() => throw null; + public object Clone() => throw null; + public NumberFormatInfo() => throw null; + public int CurrencyDecimalDigits { get => throw null; set { } } + public string CurrencyDecimalSeparator { get => throw null; set { } } + public string CurrencyGroupSeparator { get => throw null; set { } } + public int[] CurrencyGroupSizes { get => throw null; set { } } + public int CurrencyNegativePattern { get => throw null; set { } } + public int CurrencyPositivePattern { get => throw null; set { } } + public string CurrencySymbol { get => throw null; set { } } + public static System.Globalization.NumberFormatInfo CurrentInfo { get => throw null; } + public System.Globalization.DigitShapes DigitSubstitution { get => throw null; set { } } + public object GetFormat(System.Type formatType) => throw null; + public static System.Globalization.NumberFormatInfo GetInstance(System.IFormatProvider formatProvider) => throw null; + public static System.Globalization.NumberFormatInfo InvariantInfo { get => throw null; } + public bool IsReadOnly { get => throw null; } + public string NaNSymbol { get => throw null; set { } } + public string[] NativeDigits { get => throw null; set { } } + public string NegativeInfinitySymbol { get => throw null; set { } } + public string NegativeSign { get => throw null; set { } } + public int NumberDecimalDigits { get => throw null; set { } } + public string NumberDecimalSeparator { get => throw null; set { } } + public string NumberGroupSeparator { get => throw null; set { } } + public int[] NumberGroupSizes { get => throw null; set { } } + public int NumberNegativePattern { get => throw null; set { } } + public int PercentDecimalDigits { get => throw null; set { } } + public string PercentDecimalSeparator { get => throw null; set { } } + public string PercentGroupSeparator { get => throw null; set { } } + public int[] PercentGroupSizes { get => throw null; set { } } + public int PercentNegativePattern { get => throw null; set { } } + public int PercentPositivePattern { get => throw null; set { } } + public string PercentSymbol { get => throw null; set { } } + public string PerMilleSymbol { get => throw null; set { } } + public string PositiveInfinitySymbol { get => throw null; set { } } + public string PositiveSign { get => throw null; set { } } + public static System.Globalization.NumberFormatInfo ReadOnly(System.Globalization.NumberFormatInfo nfi) => throw null; } - - public class Stopwatch + [System.Flags] + public enum NumberStyles { - public System.TimeSpan Elapsed { get => throw null; } - public System.Int64 ElapsedMilliseconds { get => throw null; } - public System.Int64 ElapsedTicks { get => throw null; } - public static System.Int64 Frequency; - public static System.TimeSpan GetElapsedTime(System.Int64 startingTimestamp) => throw null; - public static System.TimeSpan GetElapsedTime(System.Int64 startingTimestamp, System.Int64 endingTimestamp) => throw null; - public static System.Int64 GetTimestamp() => throw null; - public static bool IsHighResolution; - public bool IsRunning { get => throw null; } - public void Reset() => throw null; - public void Restart() => throw null; - public void Start() => throw null; - public static System.Diagnostics.Stopwatch StartNew() => throw null; - public void Stop() => throw null; - public Stopwatch() => throw null; + None = 0, + AllowLeadingWhite = 1, + AllowTrailingWhite = 2, + AllowLeadingSign = 4, + Integer = 7, + AllowTrailingSign = 8, + AllowParentheses = 16, + AllowDecimalPoint = 32, + AllowThousands = 64, + Number = 111, + AllowExponent = 128, + Float = 167, + AllowCurrencySymbol = 256, + Currency = 383, + Any = 511, + AllowHexSpecifier = 512, + HexNumber = 515, } - - public class UnreachableException : System.Exception + public class PersianCalendar : System.Globalization.Calendar { - public UnreachableException() => throw null; - public UnreachableException(string message) => throw null; - public UnreachableException(string message, System.Exception innerException) => throw null; + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public PersianCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public static int PersianEra; + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - namespace CodeAnalysis + public class RegionInfo { - public partial class AllowNullAttribute : System.Attribute - { - public AllowNullAttribute() => throw null; - } - - public class ConstantExpectedAttribute : System.Attribute - { - public ConstantExpectedAttribute() => throw null; - public object Max { get => throw null; set => throw null; } - public object Min { get => throw null; set => throw null; } - } - - public class DisallowNullAttribute : System.Attribute - { - public DisallowNullAttribute() => throw null; - } - - public class DoesNotReturnAttribute : System.Attribute - { - public DoesNotReturnAttribute() => throw null; - } - - public partial class DoesNotReturnIfAttribute : System.Attribute - { - public DoesNotReturnIfAttribute(bool parameterValue) => throw null; - public bool ParameterValue { get => throw null; } - } - - public class DynamicDependencyAttribute : System.Attribute - { - public string AssemblyName { get => throw null; } - public string Condition { get => throw null; set => throw null; } - public DynamicDependencyAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes, System.Type type) => throw null; - public DynamicDependencyAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes, string typeName, string assemblyName) => throw null; - public DynamicDependencyAttribute(string memberSignature) => throw null; - public DynamicDependencyAttribute(string memberSignature, System.Type type) => throw null; - public DynamicDependencyAttribute(string memberSignature, string typeName, string assemblyName) => throw null; - public string MemberSignature { get => throw null; } - public System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes MemberTypes { get => throw null; } - public System.Type Type { get => throw null; } - public string TypeName { get => throw null; } - } - - [System.Flags] - public enum DynamicallyAccessedMemberTypes : int - { - All = -1, - Interfaces = 8192, - NonPublicConstructors = 4, - NonPublicEvents = 4096, - NonPublicFields = 64, - NonPublicMethods = 16, - NonPublicNestedTypes = 256, - NonPublicProperties = 1024, - None = 0, - PublicConstructors = 3, - PublicEvents = 2048, - PublicFields = 32, - PublicMethods = 8, - PublicNestedTypes = 128, - PublicParameterlessConstructor = 1, - PublicProperties = 512, - } - - public class DynamicallyAccessedMembersAttribute : System.Attribute - { - public DynamicallyAccessedMembersAttribute(System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes memberTypes) => throw null; - public System.Diagnostics.CodeAnalysis.DynamicallyAccessedMemberTypes MemberTypes { get => throw null; } - } - - public class ExcludeFromCodeCoverageAttribute : System.Attribute - { - public ExcludeFromCodeCoverageAttribute() => throw null; - public string Justification { get => throw null; set => throw null; } - } - - public partial class MaybeNullAttribute : System.Attribute - { - public MaybeNullAttribute() => throw null; - } - - public class MaybeNullWhenAttribute : System.Attribute - { - public MaybeNullWhenAttribute(bool returnValue) => throw null; - public bool ReturnValue { get => throw null; } - } - - public class MemberNotNullAttribute : System.Attribute - { - public MemberNotNullAttribute(params string[] members) => throw null; - public MemberNotNullAttribute(string member) => throw null; - public string[] Members { get => throw null; } - } - - public class MemberNotNullWhenAttribute : System.Attribute - { - public MemberNotNullWhenAttribute(bool returnValue, params string[] members) => throw null; - public MemberNotNullWhenAttribute(bool returnValue, string member) => throw null; - public string[] Members { get => throw null; } - public bool ReturnValue { get => throw null; } - } - - public partial class NotNullAttribute : System.Attribute - { - public NotNullAttribute() => throw null; - } - - public class NotNullIfNotNullAttribute : System.Attribute - { - public NotNullIfNotNullAttribute(string parameterName) => throw null; - public string ParameterName { get => throw null; } - } - - public partial class NotNullWhenAttribute : System.Attribute - { - public NotNullWhenAttribute(bool returnValue) => throw null; - public bool ReturnValue { get => throw null; } - } - - public class RequiresAssemblyFilesAttribute : System.Attribute - { - public string Message { get => throw null; } - public RequiresAssemblyFilesAttribute() => throw null; - public RequiresAssemblyFilesAttribute(string message) => throw null; - public string Url { get => throw null; set => throw null; } - } - - public class RequiresDynamicCodeAttribute : System.Attribute - { - public string Message { get => throw null; } - public RequiresDynamicCodeAttribute(string message) => throw null; - public string Url { get => throw null; set => throw null; } - } - - public class RequiresUnreferencedCodeAttribute : System.Attribute - { - public string Message { get => throw null; } - public RequiresUnreferencedCodeAttribute(string message) => throw null; - public string Url { get => throw null; set => throw null; } - } - - public class SetsRequiredMembersAttribute : System.Attribute - { - public SetsRequiredMembersAttribute() => throw null; - } - - public class StringSyntaxAttribute : System.Attribute - { - public object[] Arguments { get => throw null; } - public const string CompositeFormat = default; - public const string DateOnlyFormat = default; - public const string DateTimeFormat = default; - public const string EnumFormat = default; - public const string GuidFormat = default; - public const string Json = default; - public const string NumericFormat = default; - public const string Regex = default; - public StringSyntaxAttribute(string syntax) => throw null; - public StringSyntaxAttribute(string syntax, params object[] arguments) => throw null; - public string Syntax { get => throw null; } - public const string TimeOnlyFormat = default; - public const string TimeSpanFormat = default; - public const string Uri = default; - public const string Xml = default; - } - - public class SuppressMessageAttribute : System.Attribute - { - public string Category { get => throw null; } - public string CheckId { get => throw null; } - public string Justification { get => throw null; set => throw null; } - public string MessageId { get => throw null; set => throw null; } - public string Scope { get => throw null; set => throw null; } - public SuppressMessageAttribute(string category, string checkId) => throw null; - public string Target { get => throw null; set => throw null; } - } - - public class UnconditionalSuppressMessageAttribute : System.Attribute - { - public string Category { get => throw null; } - public string CheckId { get => throw null; } - public string Justification { get => throw null; set => throw null; } - public string MessageId { get => throw null; set => throw null; } - public string Scope { get => throw null; set => throw null; } - public string Target { get => throw null; set => throw null; } - public UnconditionalSuppressMessageAttribute(string category, string checkId) => throw null; - } - - public class UnscopedRefAttribute : System.Attribute - { - public UnscopedRefAttribute() => throw null; - } - + public RegionInfo(int culture) => throw null; + public RegionInfo(string name) => throw null; + public virtual string CurrencyEnglishName { get => throw null; } + public virtual string CurrencyNativeName { get => throw null; } + public virtual string CurrencySymbol { get => throw null; } + public static System.Globalization.RegionInfo CurrentRegion { get => throw null; } + public virtual string DisplayName { get => throw null; } + public virtual string EnglishName { get => throw null; } + public override bool Equals(object value) => throw null; + public virtual int GeoId { get => throw null; } + public override int GetHashCode() => throw null; + public virtual bool IsMetric { get => throw null; } + public virtual string ISOCurrencySymbol { get => throw null; } + public virtual string Name { get => throw null; } + public virtual string NativeName { get => throw null; } + public virtual string ThreeLetterISORegionName { get => throw null; } + public virtual string ThreeLetterWindowsRegionName { get => throw null; } + public override string ToString() => throw null; + public virtual string TwoLetterISORegionName { get => throw null; } } - } - namespace Globalization - { - public abstract class Calendar : System.ICloneable + public sealed class SortKey { - public virtual System.DateTime AddDays(System.DateTime time, int days) => throw null; - public virtual System.DateTime AddHours(System.DateTime time, int hours) => throw null; - public virtual System.DateTime AddMilliseconds(System.DateTime time, double milliseconds) => throw null; - public virtual System.DateTime AddMinutes(System.DateTime time, int minutes) => throw null; - public abstract System.DateTime AddMonths(System.DateTime time, int months); - public virtual System.DateTime AddSeconds(System.DateTime time, int seconds) => throw null; - public virtual System.DateTime AddWeeks(System.DateTime time, int weeks) => throw null; - public abstract System.DateTime AddYears(System.DateTime time, int years); - public virtual System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - protected Calendar() => throw null; - public virtual object Clone() => throw null; - public const int CurrentEra = default; - protected virtual int DaysInYearBeforeMinSupportedYear { get => throw null; } - public abstract int[] Eras { get; } - public abstract int GetDayOfMonth(System.DateTime time); - public abstract System.DayOfWeek GetDayOfWeek(System.DateTime time); - public abstract int GetDayOfYear(System.DateTime time); - public virtual int GetDaysInMonth(int year, int month) => throw null; - public abstract int GetDaysInMonth(int year, int month, int era); - public virtual int GetDaysInYear(int year) => throw null; - public abstract int GetDaysInYear(int year, int era); - public abstract int GetEra(System.DateTime time); - public virtual int GetHour(System.DateTime time) => throw null; - public virtual int GetLeapMonth(int year) => throw null; - public virtual int GetLeapMonth(int year, int era) => throw null; - public virtual double GetMilliseconds(System.DateTime time) => throw null; - public virtual int GetMinute(System.DateTime time) => throw null; - public abstract int GetMonth(System.DateTime time); - public virtual int GetMonthsInYear(int year) => throw null; - public abstract int GetMonthsInYear(int year, int era); - public virtual int GetSecond(System.DateTime time) => throw null; - public virtual int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; - public abstract int GetYear(System.DateTime time); - public virtual bool IsLeapDay(int year, int month, int day) => throw null; - public abstract bool IsLeapDay(int year, int month, int day, int era); - public virtual bool IsLeapMonth(int year, int month) => throw null; - public abstract bool IsLeapMonth(int year, int month, int era); - public virtual bool IsLeapYear(int year) => throw null; - public abstract bool IsLeapYear(int year, int era); - public bool IsReadOnly { get => throw null; } - public virtual System.DateTime MaxSupportedDateTime { get => throw null; } - public virtual System.DateTime MinSupportedDateTime { get => throw null; } - public static System.Globalization.Calendar ReadOnly(System.Globalization.Calendar calendar) => throw null; - public virtual System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond) => throw null; - public abstract System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era); - public virtual int ToFourDigitYear(int year) => throw null; - public virtual int TwoDigitYearMax { get => throw null; set => throw null; } + public static int Compare(System.Globalization.SortKey sortkey1, System.Globalization.SortKey sortkey2) => throw null; + public override bool Equals(object value) => throw null; + public override int GetHashCode() => throw null; + public byte[] KeyData { get => throw null; } + public string OriginalString { get => throw null; } + public override string ToString() => throw null; } - - public enum CalendarAlgorithmType : int + public sealed class SortVersion : System.IEquatable { - LunarCalendar = 2, - LunisolarCalendar = 3, - SolarCalendar = 1, - Unknown = 0, + public SortVersion(int fullVersion, System.Guid sortId) => throw null; + public bool Equals(System.Globalization.SortVersion other) => throw null; + public override bool Equals(object obj) => throw null; + public int FullVersion { get => throw null; } + public override int GetHashCode() => throw null; + public static bool operator ==(System.Globalization.SortVersion left, System.Globalization.SortVersion right) => throw null; + public static bool operator !=(System.Globalization.SortVersion left, System.Globalization.SortVersion right) => throw null; + public System.Guid SortId { get => throw null; } } - - public enum CalendarWeekRule : int + public class StringInfo { - FirstDay = 0, - FirstFourDayWeek = 2, - FirstFullWeek = 1, + public StringInfo() => throw null; + public StringInfo(string value) => throw null; + public override bool Equals(object value) => throw null; + public override int GetHashCode() => throw null; + public static string GetNextTextElement(string str) => throw null; + public static string GetNextTextElement(string str, int index) => throw null; + public static int GetNextTextElementLength(System.ReadOnlySpan str) => throw null; + public static int GetNextTextElementLength(string str) => throw null; + public static int GetNextTextElementLength(string str, int index) => throw null; + public static System.Globalization.TextElementEnumerator GetTextElementEnumerator(string str) => throw null; + public static System.Globalization.TextElementEnumerator GetTextElementEnumerator(string str, int index) => throw null; + public int LengthInTextElements { get => throw null; } + public static int[] ParseCombiningCharacters(string str) => throw null; + public string String { get => throw null; set { } } + public string SubstringByTextElements(int startingTextElement) => throw null; + public string SubstringByTextElements(int startingTextElement, int lengthInTextElements) => throw null; } - - public static class CharUnicodeInfo + public class TaiwanCalendar : System.Globalization.Calendar { - public static int GetDecimalDigitValue(System.Char ch) => throw null; - public static int GetDecimalDigitValue(string s, int index) => throw null; - public static int GetDigitValue(System.Char ch) => throw null; - public static int GetDigitValue(string s, int index) => throw null; - public static double GetNumericValue(System.Char ch) => throw null; - public static double GetNumericValue(string s, int index) => throw null; - public static System.Globalization.UnicodeCategory GetUnicodeCategory(System.Char ch) => throw null; - public static System.Globalization.UnicodeCategory GetUnicodeCategory(int codePoint) => throw null; - public static System.Globalization.UnicodeCategory GetUnicodeCategory(string s, int index) => throw null; + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public TaiwanCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - - public class ChineseLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar + public class TaiwanLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar { - public const int ChineseEra = default; - public ChineseLunisolarCalendar() => throw null; + public TaiwanLunisolarCalendar() => throw null; protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } public override int[] Eras { get => throw null; } public override int GetEra(System.DateTime time) => throw null; public override System.DateTime MaxSupportedDateTime { get => throw null; } public override System.DateTime MinSupportedDateTime { get => throw null; } } - - public class CompareInfo : System.Runtime.Serialization.IDeserializationCallback - { - public int Compare(System.ReadOnlySpan string1, System.ReadOnlySpan string2, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int Compare(string string1, int offset1, int length1, string string2, int offset2, int length2) => throw null; - public int Compare(string string1, int offset1, int length1, string string2, int offset2, int length2, System.Globalization.CompareOptions options) => throw null; - public int Compare(string string1, int offset1, string string2, int offset2) => throw null; - public int Compare(string string1, int offset1, string string2, int offset2, System.Globalization.CompareOptions options) => throw null; - public int Compare(string string1, string string2) => throw null; - public int Compare(string string1, string string2, System.Globalization.CompareOptions options) => throw null; - public override bool Equals(object value) => throw null; - public static System.Globalization.CompareInfo GetCompareInfo(int culture) => throw null; - public static System.Globalization.CompareInfo GetCompareInfo(int culture, System.Reflection.Assembly assembly) => throw null; - public static System.Globalization.CompareInfo GetCompareInfo(string name) => throw null; - public static System.Globalization.CompareInfo GetCompareInfo(string name, System.Reflection.Assembly assembly) => throw null; - public override int GetHashCode() => throw null; - public int GetHashCode(System.ReadOnlySpan source, System.Globalization.CompareOptions options) => throw null; - public int GetHashCode(string source, System.Globalization.CompareOptions options) => throw null; - public int GetSortKey(System.ReadOnlySpan source, System.Span destination, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public System.Globalization.SortKey GetSortKey(string source) => throw null; - public System.Globalization.SortKey GetSortKey(string source, System.Globalization.CompareOptions options) => throw null; - public int GetSortKeyLength(System.ReadOnlySpan source, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int IndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int IndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options, out int matchLength) => throw null; - public int IndexOf(System.ReadOnlySpan source, System.Text.Rune value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int IndexOf(string source, System.Char value) => throw null; - public int IndexOf(string source, System.Char value, System.Globalization.CompareOptions options) => throw null; - public int IndexOf(string source, System.Char value, int startIndex) => throw null; - public int IndexOf(string source, System.Char value, int startIndex, System.Globalization.CompareOptions options) => throw null; - public int IndexOf(string source, System.Char value, int startIndex, int count) => throw null; - public int IndexOf(string source, System.Char value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; - public int IndexOf(string source, string value) => throw null; - public int IndexOf(string source, string value, System.Globalization.CompareOptions options) => throw null; - public int IndexOf(string source, string value, int startIndex) => throw null; - public int IndexOf(string source, string value, int startIndex, System.Globalization.CompareOptions options) => throw null; - public int IndexOf(string source, string value, int startIndex, int count) => throw null; - public int IndexOf(string source, string value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; - public bool IsPrefix(System.ReadOnlySpan source, System.ReadOnlySpan prefix, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public bool IsPrefix(System.ReadOnlySpan source, System.ReadOnlySpan prefix, System.Globalization.CompareOptions options, out int matchLength) => throw null; - public bool IsPrefix(string source, string prefix) => throw null; - public bool IsPrefix(string source, string prefix, System.Globalization.CompareOptions options) => throw null; - public static bool IsSortable(System.ReadOnlySpan text) => throw null; - public static bool IsSortable(System.Text.Rune value) => throw null; - public static bool IsSortable(System.Char ch) => throw null; - public static bool IsSortable(string text) => throw null; - public bool IsSuffix(System.ReadOnlySpan source, System.ReadOnlySpan suffix, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public bool IsSuffix(System.ReadOnlySpan source, System.ReadOnlySpan suffix, System.Globalization.CompareOptions options, out int matchLength) => throw null; - public bool IsSuffix(string source, string suffix) => throw null; - public bool IsSuffix(string source, string suffix, System.Globalization.CompareOptions options) => throw null; - public int LCID { get => throw null; } - public int LastIndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int LastIndexOf(System.ReadOnlySpan source, System.ReadOnlySpan value, System.Globalization.CompareOptions options, out int matchLength) => throw null; - public int LastIndexOf(System.ReadOnlySpan source, System.Text.Rune value, System.Globalization.CompareOptions options = default(System.Globalization.CompareOptions)) => throw null; - public int LastIndexOf(string source, System.Char value) => throw null; - public int LastIndexOf(string source, System.Char value, System.Globalization.CompareOptions options) => throw null; - public int LastIndexOf(string source, System.Char value, int startIndex) => throw null; - public int LastIndexOf(string source, System.Char value, int startIndex, System.Globalization.CompareOptions options) => throw null; - public int LastIndexOf(string source, System.Char value, int startIndex, int count) => throw null; - public int LastIndexOf(string source, System.Char value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; - public int LastIndexOf(string source, string value) => throw null; - public int LastIndexOf(string source, string value, System.Globalization.CompareOptions options) => throw null; - public int LastIndexOf(string source, string value, int startIndex) => throw null; - public int LastIndexOf(string source, string value, int startIndex, System.Globalization.CompareOptions options) => throw null; - public int LastIndexOf(string source, string value, int startIndex, int count) => throw null; - public int LastIndexOf(string source, string value, int startIndex, int count, System.Globalization.CompareOptions options) => throw null; - public string Name { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public override string ToString() => throw null; - public System.Globalization.SortVersion Version { get => throw null; } - } - - [System.Flags] - public enum CompareOptions : int + public class TextElementEnumerator : System.Collections.IEnumerator { - IgnoreCase = 1, - IgnoreKanaType = 8, - IgnoreNonSpace = 2, - IgnoreSymbols = 4, - IgnoreWidth = 16, - None = 0, - Ordinal = 1073741824, - OrdinalIgnoreCase = 268435456, - StringSort = 536870912, + public object Current { get => throw null; } + public int ElementIndex { get => throw null; } + public string GetTextElement() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; } - - public class CultureInfo : System.ICloneable, System.IFormatProvider + public sealed class TextInfo : System.ICloneable, System.Runtime.Serialization.IDeserializationCallback { - public virtual System.Globalization.Calendar Calendar { get => throw null; } - public void ClearCachedData() => throw null; - public virtual object Clone() => throw null; - public virtual System.Globalization.CompareInfo CompareInfo { get => throw null; } - public static System.Globalization.CultureInfo CreateSpecificCulture(string name) => throw null; - public CultureInfo(int culture) => throw null; - public CultureInfo(int culture, bool useUserOverride) => throw null; - public CultureInfo(string name) => throw null; - public CultureInfo(string name, bool useUserOverride) => throw null; - public System.Globalization.CultureTypes CultureTypes { get => throw null; } - public static System.Globalization.CultureInfo CurrentCulture { get => throw null; set => throw null; } - public static System.Globalization.CultureInfo CurrentUICulture { get => throw null; set => throw null; } - public virtual System.Globalization.DateTimeFormatInfo DateTimeFormat { get => throw null; set => throw null; } - public static System.Globalization.CultureInfo DefaultThreadCurrentCulture { get => throw null; set => throw null; } - public static System.Globalization.CultureInfo DefaultThreadCurrentUICulture { get => throw null; set => throw null; } - public virtual string DisplayName { get => throw null; } - public virtual string EnglishName { get => throw null; } - public override bool Equals(object value) => throw null; - public System.Globalization.CultureInfo GetConsoleFallbackUICulture() => throw null; - public static System.Globalization.CultureInfo GetCultureInfo(int culture) => throw null; - public static System.Globalization.CultureInfo GetCultureInfo(string name) => throw null; - public static System.Globalization.CultureInfo GetCultureInfo(string name, bool predefinedOnly) => throw null; - public static System.Globalization.CultureInfo GetCultureInfo(string name, string altName) => throw null; - public static System.Globalization.CultureInfo GetCultureInfoByIetfLanguageTag(string name) => throw null; - public static System.Globalization.CultureInfo[] GetCultures(System.Globalization.CultureTypes types) => throw null; - public virtual object GetFormat(System.Type formatType) => throw null; + public int ANSICodePage { get => throw null; } + public object Clone() => throw null; + public string CultureName { get => throw null; } + public int EBCDICCodePage { get => throw null; } + public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public string IetfLanguageTag { get => throw null; } - public static System.Globalization.CultureInfo InstalledUICulture { get => throw null; } - public static System.Globalization.CultureInfo InvariantCulture { get => throw null; } - public virtual bool IsNeutralCulture { get => throw null; } public bool IsReadOnly { get => throw null; } - public virtual int KeyboardLayoutId { get => throw null; } - public virtual int LCID { get => throw null; } - public virtual string Name { get => throw null; } - public virtual string NativeName { get => throw null; } - public virtual System.Globalization.NumberFormatInfo NumberFormat { get => throw null; set => throw null; } - public virtual System.Globalization.Calendar[] OptionalCalendars { get => throw null; } - public virtual System.Globalization.CultureInfo Parent { get => throw null; } - public static System.Globalization.CultureInfo ReadOnly(System.Globalization.CultureInfo ci) => throw null; - public virtual System.Globalization.TextInfo TextInfo { get => throw null; } - public virtual string ThreeLetterISOLanguageName { get => throw null; } - public virtual string ThreeLetterWindowsLanguageName { get => throw null; } + public bool IsRightToLeft { get => throw null; } + public int LCID { get => throw null; } + public string ListSeparator { get => throw null; set { } } + public int MacCodePage { get => throw null; } + public int OEMCodePage { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public static System.Globalization.TextInfo ReadOnly(System.Globalization.TextInfo textInfo) => throw null; + public char ToLower(char c) => throw null; + public string ToLower(string str) => throw null; public override string ToString() => throw null; - public virtual string TwoLetterISOLanguageName { get => throw null; } - public bool UseUserOverride { get => throw null; } + public string ToTitleCase(string str) => throw null; + public char ToUpper(char c) => throw null; + public string ToUpper(string str) => throw null; } - - public class CultureNotFoundException : System.ArgumentException + public class ThaiBuddhistCalendar : System.Globalization.Calendar { - public CultureNotFoundException() => throw null; - protected CultureNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public CultureNotFoundException(string message) => throw null; - public CultureNotFoundException(string message, System.Exception innerException) => throw null; - public CultureNotFoundException(string message, int invalidCultureId, System.Exception innerException) => throw null; - public CultureNotFoundException(string paramName, int invalidCultureId, string message) => throw null; - public CultureNotFoundException(string paramName, string message) => throw null; - public CultureNotFoundException(string message, string invalidCultureName, System.Exception innerException) => throw null; - public CultureNotFoundException(string paramName, string invalidCultureName, string message) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public virtual int? InvalidCultureId { get => throw null; } - public virtual string InvalidCultureName { get => throw null; } - public override string Message { get => throw null; } + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public ThaiBuddhistCalendar() => throw null; + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public static int ThaiBuddhistEra; + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } } - [System.Flags] - public enum CultureTypes : int - { - AllCultures = 7, - FrameworkCultures = 64, - InstalledWin32Cultures = 4, - NeutralCultures = 1, - ReplacementCultures = 16, - SpecificCultures = 2, - UserCustomCulture = 8, - WindowsOnlyCultures = 32, - } - - public class DateTimeFormatInfo : System.ICloneable, System.IFormatProvider + public enum TimeSpanStyles { - public string AMDesignator { get => throw null; set => throw null; } - public string[] AbbreviatedDayNames { get => throw null; set => throw null; } - public string[] AbbreviatedMonthGenitiveNames { get => throw null; set => throw null; } - public string[] AbbreviatedMonthNames { get => throw null; set => throw null; } - public System.Globalization.Calendar Calendar { get => throw null; set => throw null; } - public System.Globalization.CalendarWeekRule CalendarWeekRule { get => throw null; set => throw null; } - public object Clone() => throw null; - public static System.Globalization.DateTimeFormatInfo CurrentInfo { get => throw null; } - public string DateSeparator { get => throw null; set => throw null; } - public DateTimeFormatInfo() => throw null; - public string[] DayNames { get => throw null; set => throw null; } - public System.DayOfWeek FirstDayOfWeek { get => throw null; set => throw null; } - public string FullDateTimePattern { get => throw null; set => throw null; } - public string GetAbbreviatedDayName(System.DayOfWeek dayofweek) => throw null; - public string GetAbbreviatedEraName(int era) => throw null; - public string GetAbbreviatedMonthName(int month) => throw null; - public string[] GetAllDateTimePatterns() => throw null; - public string[] GetAllDateTimePatterns(System.Char format) => throw null; - public string GetDayName(System.DayOfWeek dayofweek) => throw null; - public int GetEra(string eraName) => throw null; - public string GetEraName(int era) => throw null; - public object GetFormat(System.Type formatType) => throw null; - public static System.Globalization.DateTimeFormatInfo GetInstance(System.IFormatProvider provider) => throw null; - public string GetMonthName(int month) => throw null; - public string GetShortestDayName(System.DayOfWeek dayOfWeek) => throw null; - public static System.Globalization.DateTimeFormatInfo InvariantInfo { get => throw null; } - public bool IsReadOnly { get => throw null; } - public string LongDatePattern { get => throw null; set => throw null; } - public string LongTimePattern { get => throw null; set => throw null; } - public string MonthDayPattern { get => throw null; set => throw null; } - public string[] MonthGenitiveNames { get => throw null; set => throw null; } - public string[] MonthNames { get => throw null; set => throw null; } - public string NativeCalendarName { get => throw null; } - public string PMDesignator { get => throw null; set => throw null; } - public string RFC1123Pattern { get => throw null; } - public static System.Globalization.DateTimeFormatInfo ReadOnly(System.Globalization.DateTimeFormatInfo dtfi) => throw null; - public void SetAllDateTimePatterns(string[] patterns, System.Char format) => throw null; - public string ShortDatePattern { get => throw null; set => throw null; } - public string ShortTimePattern { get => throw null; set => throw null; } - public string[] ShortestDayNames { get => throw null; set => throw null; } - public string SortableDateTimePattern { get => throw null; } - public string TimeSeparator { get => throw null; set => throw null; } - public string UniversalSortableDateTimePattern { get => throw null; } - public string YearMonthPattern { get => throw null; set => throw null; } + None = 0, + AssumeNegative = 1, } - - [System.Flags] - public enum DateTimeStyles : int + public class UmAlQuraCalendar : System.Globalization.Calendar { - AdjustToUniversal = 16, - AllowInnerWhite = 4, - AllowLeadingWhite = 1, - AllowTrailingWhite = 2, - AllowWhiteSpaces = 7, - AssumeLocal = 32, - AssumeUniversal = 64, - NoCurrentDateDefault = 8, - None = 0, - RoundtripKind = 128, + public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; + public override System.DateTime AddYears(System.DateTime time, int years) => throw null; + public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } + public UmAlQuraCalendar() => throw null; + protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } + public override int[] Eras { get => throw null; } + public override int GetDayOfMonth(System.DateTime time) => throw null; + public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; + public override int GetDayOfYear(System.DateTime time) => throw null; + public override int GetDaysInMonth(int year, int month, int era) => throw null; + public override int GetDaysInYear(int year, int era) => throw null; + public override int GetEra(System.DateTime time) => throw null; + public override int GetLeapMonth(int year, int era) => throw null; + public override int GetMonth(System.DateTime time) => throw null; + public override int GetMonthsInYear(int year, int era) => throw null; + public override int GetYear(System.DateTime time) => throw null; + public override bool IsLeapDay(int year, int month, int day, int era) => throw null; + public override bool IsLeapMonth(int year, int month, int era) => throw null; + public override bool IsLeapYear(int year, int era) => throw null; + public override System.DateTime MaxSupportedDateTime { get => throw null; } + public override System.DateTime MinSupportedDateTime { get => throw null; } + public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; + public override int ToFourDigitYear(int year) => throw null; + public override int TwoDigitYearMax { get => throw null; set { } } + public static int UmAlQuraEra; } - - public class DaylightTime + public enum UnicodeCategory { - public DaylightTime(System.DateTime start, System.DateTime end, System.TimeSpan delta) => throw null; - public System.TimeSpan Delta { get => throw null; } - public System.DateTime End { get => throw null; } - public System.DateTime Start { get => throw null; } + UppercaseLetter = 0, + LowercaseLetter = 1, + TitlecaseLetter = 2, + ModifierLetter = 3, + OtherLetter = 4, + NonSpacingMark = 5, + SpacingCombiningMark = 6, + EnclosingMark = 7, + DecimalDigitNumber = 8, + LetterNumber = 9, + OtherNumber = 10, + SpaceSeparator = 11, + LineSeparator = 12, + ParagraphSeparator = 13, + Control = 14, + Format = 15, + Surrogate = 16, + PrivateUse = 17, + ConnectorPunctuation = 18, + DashPunctuation = 19, + OpenPunctuation = 20, + ClosePunctuation = 21, + InitialQuotePunctuation = 22, + FinalQuotePunctuation = 23, + OtherPunctuation = 24, + MathSymbol = 25, + CurrencySymbol = 26, + ModifierSymbol = 27, + OtherSymbol = 28, + OtherNotAssigned = 29, } - - public enum DigitShapes : int + } + public class GopherStyleUriParser : System.UriParser + { + public GopherStyleUriParser() => throw null; + } + public struct Guid : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable + { + public int CompareTo(System.Guid value) => throw null; + public int CompareTo(object value) => throw null; + public Guid(byte[] b) => throw null; + public Guid(int a, short b, short c, byte d, byte e, byte f, byte g, byte h, byte i, byte j, byte k) => throw null; + public Guid(int a, short b, short c, byte[] d) => throw null; + public Guid(System.ReadOnlySpan b) => throw null; + public Guid(string g) => throw null; + public Guid(uint a, ushort b, ushort c, byte d, byte e, byte f, byte g, byte h, byte i, byte j, byte k) => throw null; + public static System.Guid Empty; + public bool Equals(System.Guid g) => throw null; + public override bool Equals(object o) => throw null; + public override int GetHashCode() => throw null; + public static System.Guid NewGuid() => throw null; + public static bool operator ==(System.Guid a, System.Guid b) => throw null; + public static bool operator >(System.Guid left, System.Guid right) => throw null; + public static bool operator >=(System.Guid left, System.Guid right) => throw null; + public static bool operator !=(System.Guid a, System.Guid b) => throw null; + public static bool operator <(System.Guid left, System.Guid right) => throw null; + public static bool operator <=(System.Guid left, System.Guid right) => throw null; + public static System.Guid Parse(System.ReadOnlySpan input) => throw null; + static System.Guid System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.Guid Parse(string input) => throw null; + static System.Guid System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static System.Guid ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format) => throw null; + public static System.Guid ParseExact(string input, string format) => throw null; + public byte[] ToByteArray() => throw null; + public override string ToString() => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan)) => throw null; + public static bool TryParse(System.ReadOnlySpan input, out System.Guid result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Guid result) => throw null; + public static bool TryParse(string input, out System.Guid result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Guid result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, out System.Guid result) => throw null; + public static bool TryParseExact(string input, string format, out System.Guid result) => throw null; + public bool TryWriteBytes(System.Span destination) => throw null; + } + public struct Half : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + { + static System.Half System.Numerics.INumberBase.Abs(System.Half value) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.Acos(System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Acosh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.AcosPi(System.Half x) => throw null; + static System.Half System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static System.Half System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static System.Half System.Numerics.ITrigonometricFunctions.Asin(System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Asinh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.AsinPi(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.Atan(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.Atan2(System.Half y, System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.Atan2Pi(System.Half y, System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Atanh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.AtanPi(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.BitDecrement(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.BitIncrement(System.Half x) => throw null; + static System.Half System.Numerics.IRootFunctions.Cbrt(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPoint.Ceiling(System.Half x) => throw null; + static System.Half System.Numerics.INumber.Clamp(System.Half value, System.Half min, System.Half max) => throw null; + public int CompareTo(System.Half other) => throw null; + public int CompareTo(object obj) => throw null; + static System.Half System.Numerics.INumber.CopySign(System.Half value, System.Half sign) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.Cos(System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Cosh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.CosPi(System.Half x) => throw null; + static System.Half System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static System.Half System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static System.Half System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static System.Half System.Numerics.IFloatingPointConstants.E { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } + public bool Equals(System.Half other) => throw null; + public override bool Equals(object obj) => throw null; + static System.Half System.Numerics.IExponentialFunctions.Exp(System.Half x) => throw null; + static System.Half System.Numerics.IExponentialFunctions.Exp10(System.Half x) => throw null; + static System.Half System.Numerics.IExponentialFunctions.Exp10M1(System.Half x) => throw null; + static System.Half System.Numerics.IExponentialFunctions.Exp2(System.Half x) => throw null; + static System.Half System.Numerics.IExponentialFunctions.Exp2M1(System.Half x) => throw null; + static System.Half System.Numerics.IExponentialFunctions.ExpM1(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPoint.Floor(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.FusedMultiplyAdd(System.Half left, System.Half right, System.Half addend) => throw null; + int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; + int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; + static System.Half System.Numerics.IRootFunctions.Hypot(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.Ieee754Remainder(System.Half left, System.Half right) => throw null; + static int System.Numerics.IFloatingPointIeee754.ILogB(System.Half x) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.Half value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.Half value) => throw null; + static bool System.Numerics.INumberBase.IsZero(System.Half value) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log(System.Half x) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log(System.Half x, System.Half newBase) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log10(System.Half x) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log10P1(System.Half x) => throw null; + static System.Half System.Numerics.IBinaryNumber.Log2(System.Half value) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log2(System.Half value) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.Log2P1(System.Half x) => throw null; + static System.Half System.Numerics.ILogarithmicFunctions.LogP1(System.Half x) => throw null; + static System.Half System.Numerics.INumber.Max(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumberBase.MaxMagnitude(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumberBase.MaxMagnitudeNumber(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumber.MaxNumber(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static System.Half System.Numerics.INumber.Min(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumberBase.MinMagnitude(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumberBase.MinMagnitudeNumber(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.INumber.MinNumber(System.Half x, System.Half y) => throw null; + static System.Half System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static System.Half System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } + static System.Half System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } + static System.Half System.Numerics.INumberBase.One { get => throw null; } + static System.Half System.Numerics.IAdditionOperators.operator +(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IBitwiseOperators.operator &(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IBitwiseOperators.operator |(System.Half left, System.Half right) => throw null; + public static explicit operator checked byte(System.Half value) => throw null; + public static explicit operator checked char(System.Half value) => throw null; + public static explicit operator checked short(System.Half value) => throw null; + public static explicit operator checked int(System.Half value) => throw null; + public static explicit operator checked long(System.Half value) => throw null; + public static explicit operator checked System.Int128(System.Half value) => throw null; + public static explicit operator checked nint(System.Half value) => throw null; + public static explicit operator checked sbyte(System.Half value) => throw null; + public static explicit operator checked ushort(System.Half value) => throw null; + public static explicit operator checked uint(System.Half value) => throw null; + public static explicit operator checked ulong(System.Half value) => throw null; + public static explicit operator checked System.UInt128(System.Half value) => throw null; + public static explicit operator checked nuint(System.Half value) => throw null; + static System.Half System.Numerics.IDecrementOperators.operator --(System.Half value) => throw null; + static System.Half System.Numerics.IDivisionOperators.operator /(System.Half left, System.Half right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IBitwiseOperators.operator ^(System.Half left, System.Half right) => throw null; + public static explicit operator System.Half(char value) => throw null; + public static explicit operator System.Half(decimal value) => throw null; + public static explicit operator System.Half(double value) => throw null; + public static explicit operator byte(System.Half value) => throw null; + public static explicit operator char(System.Half value) => throw null; + public static explicit operator decimal(System.Half value) => throw null; + public static explicit operator double(System.Half value) => throw null; + public static explicit operator System.Int128(System.Half value) => throw null; + public static explicit operator short(System.Half value) => throw null; + public static explicit operator int(System.Half value) => throw null; + public static explicit operator long(System.Half value) => throw null; + public static explicit operator nint(System.Half value) => throw null; + public static explicit operator sbyte(System.Half value) => throw null; + public static explicit operator float(System.Half value) => throw null; + public static explicit operator System.UInt128(System.Half value) => throw null; + public static explicit operator ushort(System.Half value) => throw null; + public static explicit operator uint(System.Half value) => throw null; + public static explicit operator ulong(System.Half value) => throw null; + public static explicit operator nuint(System.Half value) => throw null; + public static explicit operator System.Half(short value) => throw null; + public static explicit operator System.Half(int value) => throw null; + public static explicit operator System.Half(long value) => throw null; + public static explicit operator System.Half(nint value) => throw null; + public static explicit operator System.Half(float value) => throw null; + public static explicit operator System.Half(ushort value) => throw null; + public static explicit operator System.Half(uint value) => throw null; + public static explicit operator System.Half(ulong value) => throw null; + public static explicit operator System.Half(nuint value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(System.Half left, System.Half right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(System.Half left, System.Half right) => throw null; + public static implicit operator System.Half(byte value) => throw null; + public static implicit operator System.Half(sbyte value) => throw null; + static System.Half System.Numerics.IIncrementOperators.operator ++(System.Half value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.Half left, System.Half right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(System.Half left, System.Half right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IModulusOperators.operator %(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IMultiplyOperators.operator *(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IBitwiseOperators.operator ~(System.Half value) => throw null; + static System.Half System.Numerics.ISubtractionOperators.operator -(System.Half left, System.Half right) => throw null; + static System.Half System.Numerics.IUnaryNegationOperators.operator -(System.Half value) => throw null; + static System.Half System.Numerics.IUnaryPlusOperators.operator +(System.Half value) => throw null; + static System.Half System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Half System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.Half Parse(string s) => throw null; + public static System.Half Parse(string s, System.Globalization.NumberStyles style) => throw null; + static System.Half System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Half System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static System.Half System.Numerics.IFloatingPointConstants.Pi { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } + static System.Half System.Numerics.IPowerFunctions.Pow(System.Half x, System.Half y) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static System.Half System.Numerics.IFloatingPointIeee754.ReciprocalEstimate(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.ReciprocalSqrtEstimate(System.Half x) => throw null; + static System.Half System.Numerics.IRootFunctions.RootN(System.Half x, int n) => throw null; + static System.Half System.Numerics.IFloatingPoint.Round(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPoint.Round(System.Half x, int digits) => throw null; + static System.Half System.Numerics.IFloatingPoint.Round(System.Half x, int digits, System.MidpointRounding mode) => throw null; + static System.Half System.Numerics.IFloatingPoint.Round(System.Half x, System.MidpointRounding mode) => throw null; + static System.Half System.Numerics.IFloatingPointIeee754.ScaleB(System.Half x, int n) => throw null; + static int System.Numerics.INumber.Sign(System.Half value) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.Sin(System.Half x) => throw null; + static (System.Half Sin, System.Half Cos) System.Numerics.ITrigonometricFunctions.SinCos(System.Half x) => throw null; + static (System.Half SinPi, System.Half CosPi) System.Numerics.ITrigonometricFunctions.SinCosPi(System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Sinh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.SinPi(System.Half x) => throw null; + static System.Half System.Numerics.IRootFunctions.Sqrt(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.Tan(System.Half x) => throw null; + static System.Half System.Numerics.IHyperbolicFunctions.Tanh(System.Half x) => throw null; + static System.Half System.Numerics.ITrigonometricFunctions.TanPi(System.Half x) => throw null; + static System.Half System.Numerics.IFloatingPointConstants.Tau { get => throw null; } + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + static System.Half System.Numerics.IFloatingPoint.Truncate(System.Half x) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Half result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Half result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Half result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(System.Half value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Half value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Half value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Half result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.Half result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Half result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Half result) => throw null; + public static bool TryParse(string s, out System.Half result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Half result) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static System.Half System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct HashCode + { + public void Add(T value) => throw null; + public void Add(T value, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public void AddBytes(System.ReadOnlySpan value) => throw null; + public static int Combine(T1 value1) => throw null; + public static int Combine(T1 value1, T2 value2) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6, T7 value7) => throw null; + public static int Combine(T1 value1, T2 value2, T3 value3, T4 value4, T5 value5, T6 value6, T7 value7, T8 value8) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public int ToHashCode() => throw null; + } + public class HttpStyleUriParser : System.UriParser + { + public HttpStyleUriParser() => throw null; + } + public interface IAsyncDisposable + { + System.Threading.Tasks.ValueTask DisposeAsync(); + } + public interface IAsyncResult + { + object AsyncState { get; } + System.Threading.WaitHandle AsyncWaitHandle { get; } + bool CompletedSynchronously { get; } + bool IsCompleted { get; } + } + public interface ICloneable + { + object Clone(); + } + public interface IComparable + { + int CompareTo(object obj); + } + public interface IComparable + { + int CompareTo(T other); + } + public interface IConvertible + { + System.TypeCode GetTypeCode(); + bool ToBoolean(System.IFormatProvider provider); + byte ToByte(System.IFormatProvider provider); + char ToChar(System.IFormatProvider provider); + System.DateTime ToDateTime(System.IFormatProvider provider); + decimal ToDecimal(System.IFormatProvider provider); + double ToDouble(System.IFormatProvider provider); + short ToInt16(System.IFormatProvider provider); + int ToInt32(System.IFormatProvider provider); + long ToInt64(System.IFormatProvider provider); + sbyte ToSByte(System.IFormatProvider provider); + float ToSingle(System.IFormatProvider provider); + string ToString(System.IFormatProvider provider); + object ToType(System.Type conversionType, System.IFormatProvider provider); + ushort ToUInt16(System.IFormatProvider provider); + uint ToUInt32(System.IFormatProvider provider); + ulong ToUInt64(System.IFormatProvider provider); + } + public interface ICustomFormatter + { + string Format(string format, object arg, System.IFormatProvider formatProvider); + } + public interface IDisposable + { + void Dispose(); + } + public interface IEquatable + { + bool Equals(T other); + } + public interface IFormatProvider + { + object GetFormat(System.Type formatType); + } + public interface IFormattable + { + string ToString(string format, System.IFormatProvider formatProvider); + } + public struct Index : System.IEquatable + { + public Index(int value, bool fromEnd = default(bool)) => throw null; + public static System.Index End { get => throw null; } + public bool Equals(System.Index other) => throw null; + public override bool Equals(object value) => throw null; + public static System.Index FromEnd(int value) => throw null; + public static System.Index FromStart(int value) => throw null; + public override int GetHashCode() => throw null; + public int GetOffset(int length) => throw null; + public bool IsFromEnd { get => throw null; } + public static implicit operator System.Index(int value) => throw null; + public static System.Index Start { get => throw null; } + public override string ToString() => throw null; + public int Value { get => throw null; } + } + public sealed class IndexOutOfRangeException : System.SystemException + { + public IndexOutOfRangeException() => throw null; + public IndexOutOfRangeException(string message) => throw null; + public IndexOutOfRangeException(string message, System.Exception innerException) => throw null; + } + public sealed class InsufficientExecutionStackException : System.SystemException + { + public InsufficientExecutionStackException() => throw null; + public InsufficientExecutionStackException(string message) => throw null; + public InsufficientExecutionStackException(string message, System.Exception innerException) => throw null; + } + public sealed class InsufficientMemoryException : System.OutOfMemoryException + { + public InsufficientMemoryException() => throw null; + public InsufficientMemoryException(string message) => throw null; + public InsufficientMemoryException(string message, System.Exception innerException) => throw null; + } + public struct Int128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + { + static System.Int128 System.Numerics.INumberBase.Abs(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static System.Int128 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static System.Int128 System.Numerics.INumber.Clamp(System.Int128 value, System.Int128 min, System.Int128 max) => throw null; + public int CompareTo(System.Int128 value) => throw null; + public int CompareTo(object value) => throw null; + static System.Int128 System.Numerics.INumber.CopySign(System.Int128 value, System.Int128 sign) => throw null; + static System.Int128 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static System.Int128 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static System.Int128 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public Int128(ulong upper, ulong lower) => throw null; + static (System.Int128 Quotient, System.Int128 Remainder) System.Numerics.IBinaryInteger.DivRem(System.Int128 left, System.Int128 right) => throw null; + public bool Equals(System.Int128 other) => throw null; + public override bool Equals(object obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.Int128 value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.IsZero(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IBinaryInteger.LeadingZeroCount(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IBinaryNumber.Log2(System.Int128 value) => throw null; + static System.Int128 System.Numerics.INumber.Max(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumberBase.MaxMagnitude(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumberBase.MaxMagnitudeNumber(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumber.MaxNumber(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static System.Int128 System.Numerics.INumber.Min(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumberBase.MinMagnitude(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumberBase.MinMagnitudeNumber(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.INumber.MinNumber(System.Int128 x, System.Int128 y) => throw null; + static System.Int128 System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static System.Int128 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static System.Int128 System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static System.Int128 System.Numerics.INumberBase.One { get => throw null; } + static System.Int128 System.Numerics.IAdditionOperators.operator +(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IBitwiseOperators.operator &(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IBitwiseOperators.operator |(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IAdditionOperators.operator checked +(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IDecrementOperators.operator checked --(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IDivisionOperators.operator checked /(System.Int128 left, System.Int128 right) => throw null; + public static explicit operator checked System.Int128(double value) => throw null; + public static explicit operator checked byte(System.Int128 value) => throw null; + public static explicit operator checked char(System.Int128 value) => throw null; + public static explicit operator checked short(System.Int128 value) => throw null; + public static explicit operator checked int(System.Int128 value) => throw null; + public static explicit operator checked long(System.Int128 value) => throw null; + public static explicit operator checked nint(System.Int128 value) => throw null; + public static explicit operator checked sbyte(System.Int128 value) => throw null; + public static explicit operator checked ushort(System.Int128 value) => throw null; + public static explicit operator checked uint(System.Int128 value) => throw null; + public static explicit operator checked ulong(System.Int128 value) => throw null; + public static explicit operator checked System.UInt128(System.Int128 value) => throw null; + public static explicit operator checked nuint(System.Int128 value) => throw null; + public static explicit operator checked System.Int128(float value) => throw null; + static System.Int128 System.Numerics.IIncrementOperators.operator checked ++(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IMultiplyOperators.operator checked *(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.ISubtractionOperators.operator checked -(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IUnaryNegationOperators.operator checked -(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IDecrementOperators.operator --(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IDivisionOperators.operator /(System.Int128 left, System.Int128 right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IBitwiseOperators.operator ^(System.Int128 left, System.Int128 right) => throw null; + public static explicit operator System.Int128(decimal value) => throw null; + public static explicit operator System.Int128(double value) => throw null; + public static explicit operator byte(System.Int128 value) => throw null; + public static explicit operator char(System.Int128 value) => throw null; + public static explicit operator decimal(System.Int128 value) => throw null; + public static explicit operator double(System.Int128 value) => throw null; + public static explicit operator System.Half(System.Int128 value) => throw null; + public static explicit operator short(System.Int128 value) => throw null; + public static explicit operator int(System.Int128 value) => throw null; + public static explicit operator long(System.Int128 value) => throw null; + public static explicit operator nint(System.Int128 value) => throw null; + public static explicit operator sbyte(System.Int128 value) => throw null; + public static explicit operator float(System.Int128 value) => throw null; + public static explicit operator System.UInt128(System.Int128 value) => throw null; + public static explicit operator ushort(System.Int128 value) => throw null; + public static explicit operator uint(System.Int128 value) => throw null; + public static explicit operator ulong(System.Int128 value) => throw null; + public static explicit operator nuint(System.Int128 value) => throw null; + public static explicit operator System.Int128(float value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(System.Int128 left, System.Int128 right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(System.Int128 left, System.Int128 right) => throw null; + public static implicit operator System.Int128(byte value) => throw null; + public static implicit operator System.Int128(char value) => throw null; + public static implicit operator System.Int128(short value) => throw null; + public static implicit operator System.Int128(int value) => throw null; + public static implicit operator System.Int128(long value) => throw null; + public static implicit operator System.Int128(nint value) => throw null; + public static implicit operator System.Int128(sbyte value) => throw null; + public static implicit operator System.Int128(ushort value) => throw null; + public static implicit operator System.Int128(uint value) => throw null; + public static implicit operator System.Int128(ulong value) => throw null; + public static implicit operator System.Int128(nuint value) => throw null; + static System.Int128 System.Numerics.IIncrementOperators.operator ++(System.Int128 value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IShiftOperators.operator <<(System.Int128 value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(System.Int128 left, System.Int128 right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IModulusOperators.operator %(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IMultiplyOperators.operator *(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IBitwiseOperators.operator ~(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IShiftOperators.operator >>(System.Int128 value, int shiftAmount) => throw null; + static System.Int128 System.Numerics.ISubtractionOperators.operator -(System.Int128 left, System.Int128 right) => throw null; + static System.Int128 System.Numerics.IUnaryNegationOperators.operator -(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IUnaryPlusOperators.operator +(System.Int128 value) => throw null; + static System.Int128 System.Numerics.IShiftOperators.operator >>>(System.Int128 value, int shiftAmount) => throw null; + static System.Int128 System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.Int128 System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.Int128 Parse(string s) => throw null; + public static System.Int128 Parse(string s, System.Globalization.NumberStyles style) => throw null; + static System.Int128 System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.Int128 System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static System.Int128 System.Numerics.IBinaryInteger.PopCount(System.Int128 value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static System.Int128 System.Numerics.IBinaryInteger.RotateLeft(System.Int128 value, int rotateAmount) => throw null; + static System.Int128 System.Numerics.IBinaryInteger.RotateRight(System.Int128 value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(System.Int128 value) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + static System.Int128 System.Numerics.IBinaryInteger.TrailingZeroCount(System.Int128 value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.Int128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.Int128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.Int128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(System.Int128 value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(System.Int128 value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(System.Int128 value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int128 result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.Int128 result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.Int128 result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.Int128 result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.Int128 result) => throw null; + public static bool TryParse(string s, out System.Int128 result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int128 value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.Int128 value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static System.Int128 System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct Int16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + { + static short System.Numerics.INumberBase.Abs(short value) => throw null; + static short System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static short System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static short System.Numerics.INumber.Clamp(short value, short min, short max) => throw null; + public int CompareTo(short value) => throw null; + public int CompareTo(object value) => throw null; + static short System.Numerics.INumber.CopySign(short value, short sign) => throw null; + static short System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static short System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static short System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (short Quotient, short Remainder) System.Numerics.IBinaryInteger.DivRem(short left, short right) => throw null; + public bool Equals(short obj) => throw null; + public override bool Equals(object obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(short value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(short value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(short value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(short value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(short value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(short value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(short value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(short value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(short value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(short value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(short value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(short value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(short value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(short value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(short value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(short value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(short value) => throw null; + static bool System.Numerics.INumberBase.IsZero(short value) => throw null; + static short System.Numerics.IBinaryInteger.LeadingZeroCount(short value) => throw null; + static short System.Numerics.IBinaryNumber.Log2(short value) => throw null; + static short System.Numerics.INumber.Max(short x, short y) => throw null; + static short System.Numerics.INumberBase.MaxMagnitude(short x, short y) => throw null; + static short System.Numerics.INumberBase.MaxMagnitudeNumber(short x, short y) => throw null; + static short System.Numerics.INumber.MaxNumber(short x, short y) => throw null; + public static short MaxValue; + static short System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static short System.Numerics.INumber.Min(short x, short y) => throw null; + static short System.Numerics.INumberBase.MinMagnitude(short x, short y) => throw null; + static short System.Numerics.INumberBase.MinMagnitudeNumber(short x, short y) => throw null; + static short System.Numerics.INumber.MinNumber(short x, short y) => throw null; + public static short MinValue; + static short System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static short System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static short System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static short System.Numerics.INumberBase.One { get => throw null; } + static short System.Numerics.IAdditionOperators.operator +(short left, short right) => throw null; + static short System.Numerics.IBitwiseOperators.operator &(short left, short right) => throw null; + static short System.Numerics.IBitwiseOperators.operator |(short left, short right) => throw null; + static short System.Numerics.IAdditionOperators.operator checked +(short left, short right) => throw null; + static short System.Numerics.IDecrementOperators.operator checked --(short value) => throw null; + static short System.Numerics.IIncrementOperators.operator checked ++(short value) => throw null; + static short System.Numerics.IMultiplyOperators.operator checked *(short left, short right) => throw null; + static short System.Numerics.ISubtractionOperators.operator checked -(short left, short right) => throw null; + static short System.Numerics.IUnaryNegationOperators.operator checked -(short value) => throw null; + static short System.Numerics.IDecrementOperators.operator --(short value) => throw null; + static short System.Numerics.IDivisionOperators.operator /(short left, short right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(short left, short right) => throw null; + static short System.Numerics.IBitwiseOperators.operator ^(short left, short right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(short left, short right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(short left, short right) => throw null; + static short System.Numerics.IIncrementOperators.operator ++(short value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(short left, short right) => throw null; + static short System.Numerics.IShiftOperators.operator <<(short value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(short left, short right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(short left, short right) => throw null; + static short System.Numerics.IModulusOperators.operator %(short left, short right) => throw null; + static short System.Numerics.IMultiplyOperators.operator *(short left, short right) => throw null; + static short System.Numerics.IBitwiseOperators.operator ~(short value) => throw null; + static short System.Numerics.IShiftOperators.operator >>(short value, int shiftAmount) => throw null; + static short System.Numerics.ISubtractionOperators.operator -(short left, short right) => throw null; + static short System.Numerics.IUnaryNegationOperators.operator -(short value) => throw null; + static short System.Numerics.IUnaryPlusOperators.operator +(short value) => throw null; + static short System.Numerics.IShiftOperators.operator >>>(short value, int shiftAmount) => throw null; + static short System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static short System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static short Parse(string s) => throw null; + public static short Parse(string s, System.Globalization.NumberStyles style) => throw null; + static short System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static short System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static short System.Numerics.IBinaryInteger.PopCount(short value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static short System.Numerics.IBinaryInteger.RotateLeft(short value, int rotateAmount) => throw null; + static short System.Numerics.IBinaryInteger.RotateRight(short value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(short value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static short System.Numerics.IBinaryInteger.TrailingZeroCount(short value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out short result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out short result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out short result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(short value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(short value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(short value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out short result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out short result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out short result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out short result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out short result) => throw null; + public static bool TryParse(string s, out short result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out short value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out short value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static short System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct Int32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + { + static int System.Numerics.INumberBase.Abs(int value) => throw null; + public static int Abs(int value) => throw null; + static int System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static int System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static int System.Numerics.INumber.Clamp(int value, int min, int max) => throw null; + public int CompareTo(int value) => throw null; + public int CompareTo(object value) => throw null; + static int System.Numerics.INumber.CopySign(int value, int sign) => throw null; + static int System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + public static int CreateChecked(TOther value) => throw null; + static int System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + public static int CreateSaturating(TOther value) => throw null; + static int System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public static int CreateTruncating(TOther value) => throw null; + static (int Quotient, int Remainder) System.Numerics.IBinaryInteger.DivRem(int left, int right) => throw null; + public bool Equals(int obj) => throw null; + public override bool Equals(object obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(int value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(int value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(int value) => throw null; + public static bool IsEvenInteger(int value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(int value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(int value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(int value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(int value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(int value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(int value) => throw null; + public static bool IsNegative(int value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(int value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(int value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(int value) => throw null; + public static bool IsOddInteger(int value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(int value) => throw null; + public static bool IsPositive(int value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(int value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(int value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(int value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(int value) => throw null; + static bool System.Numerics.INumberBase.IsZero(int value) => throw null; + static int System.Numerics.IBinaryInteger.LeadingZeroCount(int value) => throw null; + static int System.Numerics.IBinaryNumber.Log2(int value) => throw null; + static int System.Numerics.INumber.Max(int x, int y) => throw null; + static int System.Numerics.INumberBase.MaxMagnitude(int x, int y) => throw null; + public static int MaxMagnitude(int x, int y) => throw null; + static int System.Numerics.INumberBase.MaxMagnitudeNumber(int x, int y) => throw null; + static int System.Numerics.INumber.MaxNumber(int x, int y) => throw null; + public static int MaxValue; + static int System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static int System.Numerics.INumber.Min(int x, int y) => throw null; + static int System.Numerics.INumberBase.MinMagnitude(int x, int y) => throw null; + public static int MinMagnitude(int x, int y) => throw null; + static int System.Numerics.INumberBase.MinMagnitudeNumber(int x, int y) => throw null; + static int System.Numerics.INumber.MinNumber(int x, int y) => throw null; + public static int MinValue; + static int System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static int System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static int System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static int System.Numerics.INumberBase.One { get => throw null; } + static int System.Numerics.IAdditionOperators.operator +(int left, int right) => throw null; + static int System.Numerics.IBitwiseOperators.operator &(int left, int right) => throw null; + static int System.Numerics.IBitwiseOperators.operator |(int left, int right) => throw null; + static int System.Numerics.IAdditionOperators.operator checked +(int left, int right) => throw null; + static int System.Numerics.IDecrementOperators.operator checked --(int value) => throw null; + static int System.Numerics.IIncrementOperators.operator checked ++(int value) => throw null; + static int System.Numerics.IMultiplyOperators.operator checked *(int left, int right) => throw null; + static int System.Numerics.ISubtractionOperators.operator checked -(int left, int right) => throw null; + static int System.Numerics.IUnaryNegationOperators.operator checked -(int value) => throw null; + static int System.Numerics.IDecrementOperators.operator --(int value) => throw null; + static int System.Numerics.IDivisionOperators.operator /(int left, int right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(int left, int right) => throw null; + static int System.Numerics.IBitwiseOperators.operator ^(int left, int right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(int left, int right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(int left, int right) => throw null; + static int System.Numerics.IIncrementOperators.operator ++(int value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(int left, int right) => throw null; + static int System.Numerics.IShiftOperators.operator <<(int value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(int left, int right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(int left, int right) => throw null; + static int System.Numerics.IModulusOperators.operator %(int left, int right) => throw null; + static int System.Numerics.IMultiplyOperators.operator *(int left, int right) => throw null; + static int System.Numerics.IBitwiseOperators.operator ~(int value) => throw null; + static int System.Numerics.IShiftOperators.operator >>(int value, int shiftAmount) => throw null; + static int System.Numerics.ISubtractionOperators.operator -(int left, int right) => throw null; + static int System.Numerics.IUnaryNegationOperators.operator -(int value) => throw null; + static int System.Numerics.IUnaryPlusOperators.operator +(int value) => throw null; + static int System.Numerics.IShiftOperators.operator >>>(int value, int shiftAmount) => throw null; + static int System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static int Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static int System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static int Parse(string s) => throw null; + public static int Parse(string s, System.Globalization.NumberStyles style) => throw null; + static int System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + public static int Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static int System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static int System.Numerics.IBinaryInteger.PopCount(int value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static int System.Numerics.IBinaryInteger.RotateLeft(int value, int rotateAmount) => throw null; + static int System.Numerics.IBinaryInteger.RotateRight(int value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(int value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static int System.Numerics.IBinaryInteger.TrailingZeroCount(int value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out int result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out int result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out int result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(int value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(int value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(int value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out int result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out int result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; + public static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out int result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out int result) => throw null; + public static bool TryParse(string s, out int result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out int value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out int value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static int System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct Int64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + { + static long System.Numerics.INumberBase.Abs(long value) => throw null; + static long System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static long System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static long System.Numerics.INumber.Clamp(long value, long min, long max) => throw null; + public int CompareTo(long value) => throw null; + public int CompareTo(object value) => throw null; + static long System.Numerics.INumber.CopySign(long value, long sign) => throw null; + static long System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static long System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static long System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (long Quotient, long Remainder) System.Numerics.IBinaryInteger.DivRem(long left, long right) => throw null; + public bool Equals(long obj) => throw null; + public override bool Equals(object obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(long value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(long value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(long value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(long value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(long value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(long value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(long value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(long value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(long value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(long value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(long value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(long value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(long value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(long value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(long value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(long value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(long value) => throw null; + static bool System.Numerics.INumberBase.IsZero(long value) => throw null; + static long System.Numerics.IBinaryInteger.LeadingZeroCount(long value) => throw null; + static long System.Numerics.IBinaryNumber.Log2(long value) => throw null; + static long System.Numerics.INumber.Max(long x, long y) => throw null; + static long System.Numerics.INumberBase.MaxMagnitude(long x, long y) => throw null; + static long System.Numerics.INumberBase.MaxMagnitudeNumber(long x, long y) => throw null; + static long System.Numerics.INumber.MaxNumber(long x, long y) => throw null; + public static long MaxValue; + static long System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static long System.Numerics.INumber.Min(long x, long y) => throw null; + static long System.Numerics.INumberBase.MinMagnitude(long x, long y) => throw null; + static long System.Numerics.INumberBase.MinMagnitudeNumber(long x, long y) => throw null; + static long System.Numerics.INumber.MinNumber(long x, long y) => throw null; + public static long MinValue; + static long System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static long System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static long System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static long System.Numerics.INumberBase.One { get => throw null; } + static long System.Numerics.IAdditionOperators.operator +(long left, long right) => throw null; + static long System.Numerics.IBitwiseOperators.operator &(long left, long right) => throw null; + static long System.Numerics.IBitwiseOperators.operator |(long left, long right) => throw null; + static long System.Numerics.IAdditionOperators.operator checked +(long left, long right) => throw null; + static long System.Numerics.IDecrementOperators.operator checked --(long value) => throw null; + static long System.Numerics.IIncrementOperators.operator checked ++(long value) => throw null; + static long System.Numerics.IMultiplyOperators.operator checked *(long left, long right) => throw null; + static long System.Numerics.ISubtractionOperators.operator checked -(long left, long right) => throw null; + static long System.Numerics.IUnaryNegationOperators.operator checked -(long value) => throw null; + static long System.Numerics.IDecrementOperators.operator --(long value) => throw null; + static long System.Numerics.IDivisionOperators.operator /(long left, long right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(long left, long right) => throw null; + static long System.Numerics.IBitwiseOperators.operator ^(long left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(long left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(long left, long right) => throw null; + static long System.Numerics.IIncrementOperators.operator ++(long value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(long left, long right) => throw null; + static long System.Numerics.IShiftOperators.operator <<(long value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(long left, long right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(long left, long right) => throw null; + static long System.Numerics.IModulusOperators.operator %(long left, long right) => throw null; + static long System.Numerics.IMultiplyOperators.operator *(long left, long right) => throw null; + static long System.Numerics.IBitwiseOperators.operator ~(long value) => throw null; + static long System.Numerics.IShiftOperators.operator >>(long value, int shiftAmount) => throw null; + static long System.Numerics.ISubtractionOperators.operator -(long left, long right) => throw null; + static long System.Numerics.IUnaryNegationOperators.operator -(long value) => throw null; + static long System.Numerics.IUnaryPlusOperators.operator +(long value) => throw null; + static long System.Numerics.IShiftOperators.operator >>>(long value, int shiftAmount) => throw null; + static long System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static long System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static long Parse(string s) => throw null; + public static long Parse(string s, System.Globalization.NumberStyles style) => throw null; + static long System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static long System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static long System.Numerics.IBinaryInteger.PopCount(long value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static long System.Numerics.IBinaryInteger.RotateLeft(long value, int rotateAmount) => throw null; + static long System.Numerics.IBinaryInteger.RotateRight(long value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(long value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static long System.Numerics.IBinaryInteger.TrailingZeroCount(long value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out long result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out long result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out long result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(long value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(long value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(long value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out long result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out long result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out long result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out long result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out long result) => throw null; + public static bool TryParse(string s, out long result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out long value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out long value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static long System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct IntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber, System.Runtime.Serialization.ISerializable + { + static nint System.Numerics.INumberBase.Abs(nint value) => throw null; + public static nint Add(nint pointer, int offset) => throw null; + static nint System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static nint System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static nint System.Numerics.INumber.Clamp(nint value, nint min, nint max) => throw null; + public int CompareTo(nint value) => throw null; + public int CompareTo(object value) => throw null; + static nint System.Numerics.INumber.CopySign(nint value, nint sign) => throw null; + static nint System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static nint System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static nint System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public IntPtr(int value) => throw null; + public IntPtr(long value) => throw null; + public unsafe IntPtr(void* value) => throw null; + static (nint Quotient, nint Remainder) System.Numerics.IBinaryInteger.DivRem(nint left, nint right) => throw null; + public bool Equals(nint other) => throw null; + public override bool Equals(object obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(nint value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(nint value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(nint value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(nint value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(nint value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(nint value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(nint value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(nint value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(nint value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(nint value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(nint value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(nint value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(nint value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(nint value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(nint value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(nint value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(nint value) => throw null; + static bool System.Numerics.INumberBase.IsZero(nint value) => throw null; + static nint System.Numerics.IBinaryInteger.LeadingZeroCount(nint value) => throw null; + static nint System.Numerics.IBinaryNumber.Log2(nint value) => throw null; + static nint System.Numerics.INumber.Max(nint x, nint y) => throw null; + static nint System.Numerics.INumberBase.MaxMagnitude(nint x, nint y) => throw null; + static nint System.Numerics.INumberBase.MaxMagnitudeNumber(nint x, nint y) => throw null; + static nint System.Numerics.INumber.MaxNumber(nint x, nint y) => throw null; + public static nint MaxValue { get => throw null; } + static nint System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static nint System.Numerics.INumber.Min(nint x, nint y) => throw null; + static nint System.Numerics.INumberBase.MinMagnitude(nint x, nint y) => throw null; + static nint System.Numerics.INumberBase.MinMagnitudeNumber(nint x, nint y) => throw null; + static nint System.Numerics.INumber.MinNumber(nint x, nint y) => throw null; + public static nint MinValue { get => throw null; } + static nint System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static nint System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static nint System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static nint System.Numerics.INumberBase.One { get => throw null; } + public static nint operator +(nint pointer, int offset) => throw null; + static nint System.Numerics.IAdditionOperators.operator +(nint left, nint right) => throw null; + static nint System.Numerics.IBitwiseOperators.operator &(nint left, nint right) => throw null; + static nint System.Numerics.IBitwiseOperators.operator |(nint left, nint right) => throw null; + static nint System.Numerics.IAdditionOperators.operator checked +(nint left, nint right) => throw null; + static nint System.Numerics.IDecrementOperators.operator checked --(nint value) => throw null; + static nint System.Numerics.IIncrementOperators.operator checked ++(nint value) => throw null; + static nint System.Numerics.IMultiplyOperators.operator checked *(nint left, nint right) => throw null; + static nint System.Numerics.ISubtractionOperators.operator checked -(nint left, nint right) => throw null; + static nint System.Numerics.IUnaryNegationOperators.operator checked -(nint value) => throw null; + static nint System.Numerics.IDecrementOperators.operator --(nint value) => throw null; + static nint System.Numerics.IDivisionOperators.operator /(nint left, nint right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(nint value1, nint value2) => throw null; + static nint System.Numerics.IBitwiseOperators.operator ^(nint left, nint right) => throw null; + public static explicit operator nint(int value) => throw null; + public static explicit operator nint(long value) => throw null; + public static explicit operator int(nint value) => throw null; + public static explicit operator long(nint value) => throw null; + public static unsafe explicit operator void*(nint value) => throw null; + public static unsafe explicit operator nint(void* value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(nint left, nint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(nint left, nint right) => throw null; + static nint System.Numerics.IIncrementOperators.operator ++(nint value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(nint value1, nint value2) => throw null; + static nint System.Numerics.IShiftOperators.operator <<(nint value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(nint left, nint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(nint left, nint right) => throw null; + static nint System.Numerics.IModulusOperators.operator %(nint left, nint right) => throw null; + static nint System.Numerics.IMultiplyOperators.operator *(nint left, nint right) => throw null; + static nint System.Numerics.IBitwiseOperators.operator ~(nint value) => throw null; + static nint System.Numerics.IShiftOperators.operator >>(nint value, int shiftAmount) => throw null; + public static nint operator -(nint pointer, int offset) => throw null; + static nint System.Numerics.ISubtractionOperators.operator -(nint left, nint right) => throw null; + static nint System.Numerics.IUnaryNegationOperators.operator -(nint value) => throw null; + static nint System.Numerics.IUnaryPlusOperators.operator +(nint value) => throw null; + static nint System.Numerics.IShiftOperators.operator >>>(nint value, int shiftAmount) => throw null; + static nint System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static nint System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static nint Parse(string s) => throw null; + public static nint Parse(string s, System.Globalization.NumberStyles style) => throw null; + static nint System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static nint System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static nint System.Numerics.IBinaryInteger.PopCount(nint value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static nint System.Numerics.IBinaryInteger.RotateLeft(nint value, int rotateAmount) => throw null; + static nint System.Numerics.IBinaryInteger.RotateRight(nint value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(nint value) => throw null; + public static int Size { get => throw null; } + public static nint Subtract(nint pointer, int offset) => throw null; + public int ToInt32() => throw null; + public long ToInt64() => throw null; + public unsafe void* ToPointer() => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + static nint System.Numerics.IBinaryInteger.TrailingZeroCount(nint value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out nint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out nint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out nint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(nint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(nint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(nint value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out nint result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out nint result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out nint result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out nint result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out nint result) => throw null; + public static bool TryParse(string s, out nint result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out nint value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out nint value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + public static nint Zero; + static nint System.Numerics.INumberBase.Zero { get => throw null; } + } + public class InvalidCastException : System.SystemException + { + public InvalidCastException() => throw null; + protected InvalidCastException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidCastException(string message) => throw null; + public InvalidCastException(string message, System.Exception innerException) => throw null; + public InvalidCastException(string message, int errorCode) => throw null; + } + public class InvalidOperationException : System.SystemException + { + public InvalidOperationException() => throw null; + protected InvalidOperationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidOperationException(string message) => throw null; + public InvalidOperationException(string message, System.Exception innerException) => throw null; + } + public sealed class InvalidProgramException : System.SystemException + { + public InvalidProgramException() => throw null; + public InvalidProgramException(string message) => throw null; + public InvalidProgramException(string message, System.Exception inner) => throw null; + } + public class InvalidTimeZoneException : System.Exception + { + public InvalidTimeZoneException() => throw null; + protected InvalidTimeZoneException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public InvalidTimeZoneException(string message) => throw null; + public InvalidTimeZoneException(string message, System.Exception innerException) => throw null; + } + namespace IO + { + public class BinaryReader : System.IDisposable { - Context = 0, - NativeNational = 2, - None = 1, + public virtual System.IO.Stream BaseStream { get => throw null; } + public virtual void Close() => throw null; + public BinaryReader(System.IO.Stream input) => throw null; + public BinaryReader(System.IO.Stream input, System.Text.Encoding encoding) => throw null; + public BinaryReader(System.IO.Stream input, System.Text.Encoding encoding, bool leaveOpen) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + protected virtual void FillBuffer(int numBytes) => throw null; + public virtual int PeekChar() => throw null; + public virtual int Read() => throw null; + public virtual int Read(byte[] buffer, int index, int count) => throw null; + public virtual int Read(char[] buffer, int index, int count) => throw null; + public virtual int Read(System.Span buffer) => throw null; + public virtual int Read(System.Span buffer) => throw null; + public int Read7BitEncodedInt() => throw null; + public long Read7BitEncodedInt64() => throw null; + public virtual bool ReadBoolean() => throw null; + public virtual byte ReadByte() => throw null; + public virtual byte[] ReadBytes(int count) => throw null; + public virtual char ReadChar() => throw null; + public virtual char[] ReadChars(int count) => throw null; + public virtual decimal ReadDecimal() => throw null; + public virtual double ReadDouble() => throw null; + public virtual System.Half ReadHalf() => throw null; + public virtual short ReadInt16() => throw null; + public virtual int ReadInt32() => throw null; + public virtual long ReadInt64() => throw null; + public virtual sbyte ReadSByte() => throw null; + public virtual float ReadSingle() => throw null; + public virtual string ReadString() => throw null; + public virtual ushort ReadUInt16() => throw null; + public virtual uint ReadUInt32() => throw null; + public virtual ulong ReadUInt64() => throw null; } - - public abstract class EastAsianLunisolarCalendar : System.Globalization.Calendar + public class BinaryWriter : System.IAsyncDisposable, System.IDisposable { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - internal EastAsianLunisolarCalendar() => throw null; - public int GetCelestialStem(int sexagenaryYear) => throw null; - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public virtual int GetSexagenaryYear(System.DateTime time) => throw null; - public int GetTerrestrialBranch(int sexagenaryYear) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public virtual System.IO.Stream BaseStream { get => throw null; } + public virtual void Close() => throw null; + protected BinaryWriter() => throw null; + public BinaryWriter(System.IO.Stream output) => throw null; + public BinaryWriter(System.IO.Stream output, System.Text.Encoding encoding) => throw null; + public BinaryWriter(System.IO.Stream output, System.Text.Encoding encoding, bool leaveOpen) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public virtual void Flush() => throw null; + public static System.IO.BinaryWriter Null; + protected System.IO.Stream OutStream; + public virtual long Seek(int offset, System.IO.SeekOrigin origin) => throw null; + public virtual void Write(bool value) => throw null; + public virtual void Write(byte value) => throw null; + public virtual void Write(byte[] buffer) => throw null; + public virtual void Write(byte[] buffer, int index, int count) => throw null; + public virtual void Write(char ch) => throw null; + public virtual void Write(char[] chars) => throw null; + public virtual void Write(char[] chars, int index, int count) => throw null; + public virtual void Write(decimal value) => throw null; + public virtual void Write(double value) => throw null; + public virtual void Write(System.Half value) => throw null; + public virtual void Write(short value) => throw null; + public virtual void Write(int value) => throw null; + public virtual void Write(long value) => throw null; + public virtual void Write(System.ReadOnlySpan buffer) => throw null; + public virtual void Write(System.ReadOnlySpan chars) => throw null; + public virtual void Write(sbyte value) => throw null; + public virtual void Write(float value) => throw null; + public virtual void Write(string value) => throw null; + public virtual void Write(ushort value) => throw null; + public virtual void Write(uint value) => throw null; + public virtual void Write(ulong value) => throw null; + public void Write7BitEncodedInt(int value) => throw null; + public void Write7BitEncodedInt64(long value) => throw null; } - - public static class GlobalizationExtensions + public sealed class BufferedStream : System.IO.Stream { - public static System.StringComparer GetStringComparer(this System.Globalization.CompareInfo compareInfo, System.Globalization.CompareOptions options) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public int BufferSize { get => throw null; } + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } + public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; + public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public BufferedStream(System.IO.Stream stream) => throw null; + public BufferedStream(System.IO.Stream stream, int bufferSize) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public override int EndRead(System.IAsyncResult asyncResult) => throw null; + public override void EndWrite(System.IAsyncResult asyncResult) => throw null; + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span destination) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadByte() => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public System.IO.Stream UnderlyingStream { get => throw null; } + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - - public class GregorianCalendar : System.Globalization.Calendar + public static class Directory { - public const int ADEra = default; - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public virtual System.Globalization.GregorianCalendarTypes CalendarType { get => throw null; set => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public GregorianCalendar() => throw null; - public GregorianCalendar(System.Globalization.GregorianCalendarTypes type) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public static System.IO.DirectoryInfo CreateDirectory(string path) => throw null; + public static System.IO.DirectoryInfo CreateDirectory(string path, System.IO.UnixFileMode unixCreateMode) => throw null; + public static System.IO.FileSystemInfo CreateSymbolicLink(string path, string pathToTarget) => throw null; + public static System.IO.DirectoryInfo CreateTempSubdirectory(string prefix = default(string)) => throw null; + public static void Delete(string path) => throw null; + public static void Delete(string path, bool recursive) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFiles(string path) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static bool Exists(string path) => throw null; + public static System.DateTime GetCreationTime(string path) => throw null; + public static System.DateTime GetCreationTimeUtc(string path) => throw null; + public static string GetCurrentDirectory() => throw null; + public static string[] GetDirectories(string path) => throw null; + public static string[] GetDirectories(string path, string searchPattern) => throw null; + public static string[] GetDirectories(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static string[] GetDirectories(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static string GetDirectoryRoot(string path) => throw null; + public static string[] GetFiles(string path) => throw null; + public static string[] GetFiles(string path, string searchPattern) => throw null; + public static string[] GetFiles(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static string[] GetFiles(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static string[] GetFileSystemEntries(string path) => throw null; + public static string[] GetFileSystemEntries(string path, string searchPattern) => throw null; + public static string[] GetFileSystemEntries(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public static string[] GetFileSystemEntries(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; + public static System.DateTime GetLastAccessTime(string path) => throw null; + public static System.DateTime GetLastAccessTimeUtc(string path) => throw null; + public static System.DateTime GetLastWriteTime(string path) => throw null; + public static System.DateTime GetLastWriteTimeUtc(string path) => throw null; + public static string[] GetLogicalDrives() => throw null; + public static System.IO.DirectoryInfo GetParent(string path) => throw null; + public static void Move(string sourceDirName, string destDirName) => throw null; + public static System.IO.FileSystemInfo ResolveLinkTarget(string linkPath, bool returnFinalTarget) => throw null; + public static void SetCreationTime(string path, System.DateTime creationTime) => throw null; + public static void SetCreationTimeUtc(string path, System.DateTime creationTimeUtc) => throw null; + public static void SetCurrentDirectory(string path) => throw null; + public static void SetLastAccessTime(string path, System.DateTime lastAccessTime) => throw null; + public static void SetLastAccessTimeUtc(string path, System.DateTime lastAccessTimeUtc) => throw null; + public static void SetLastWriteTime(string path, System.DateTime lastWriteTime) => throw null; + public static void SetLastWriteTimeUtc(string path, System.DateTime lastWriteTimeUtc) => throw null; } - - public enum GregorianCalendarTypes : int + public sealed class DirectoryInfo : System.IO.FileSystemInfo { - Arabic = 10, - Localized = 1, - MiddleEastFrench = 9, - TransliteratedEnglish = 11, - TransliteratedFrench = 12, - USEnglish = 2, + public void Create() => throw null; + public System.IO.DirectoryInfo CreateSubdirectory(string path) => throw null; + public DirectoryInfo(string path) => throw null; + public override void Delete() => throw null; + public void Delete(bool recursive) => throw null; + public System.Collections.Generic.IEnumerable EnumerateDirectories() => throw null; + public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern) => throw null; + public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFiles() => throw null; + public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos() => throw null; + public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public override bool Exists { get => throw null; } + public System.IO.DirectoryInfo[] GetDirectories() => throw null; + public System.IO.DirectoryInfo[] GetDirectories(string searchPattern) => throw null; + public System.IO.DirectoryInfo[] GetDirectories(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.IO.DirectoryInfo[] GetDirectories(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public System.IO.FileInfo[] GetFiles() => throw null; + public System.IO.FileInfo[] GetFiles(string searchPattern) => throw null; + public System.IO.FileInfo[] GetFiles(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.IO.FileInfo[] GetFiles(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public System.IO.FileSystemInfo[] GetFileSystemInfos() => throw null; + public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern) => throw null; + public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; + public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern, System.IO.SearchOption searchOption) => throw null; + public void MoveTo(string destDirName) => throw null; + public override string Name { get => throw null; } + public System.IO.DirectoryInfo Parent { get => throw null; } + public System.IO.DirectoryInfo Root { get => throw null; } + public override string ToString() => throw null; } - - public class HebrewCalendar : System.Globalization.Calendar + public class DirectoryNotFoundException : System.IO.IOException { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public HebrewCalendar() => throw null; - public static int HebrewEra; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public DirectoryNotFoundException() => throw null; + protected DirectoryNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DirectoryNotFoundException(string message) => throw null; + public DirectoryNotFoundException(string message, System.Exception innerException) => throw null; } - - public class HijriCalendar : System.Globalization.Calendar + public class EndOfStreamException : System.IO.IOException { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public int HijriAdjustment { get => throw null; set => throw null; } - public HijriCalendar() => throw null; - public static int HijriEra; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public EndOfStreamException() => throw null; + protected EndOfStreamException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public EndOfStreamException(string message) => throw null; + public EndOfStreamException(string message, System.Exception innerException) => throw null; } - - public static class ISOWeek + namespace Enumeration { - public static int GetWeekOfYear(System.DateTime date) => throw null; - public static int GetWeeksInYear(int year) => throw null; - public static int GetYear(System.DateTime date) => throw null; - public static System.DateTime GetYearEnd(int year) => throw null; - public static System.DateTime GetYearStart(int year) => throw null; - public static System.DateTime ToDateTime(int year, int week, System.DayOfWeek dayOfWeek) => throw null; + public struct FileSystemEntry + { + public System.IO.FileAttributes Attributes { get => throw null; } + public System.DateTimeOffset CreationTimeUtc { get => throw null; } + public System.ReadOnlySpan Directory { get => throw null; } + public System.ReadOnlySpan FileName { get => throw null; } + public bool IsDirectory { get => throw null; } + public bool IsHidden { get => throw null; } + public System.DateTimeOffset LastAccessTimeUtc { get => throw null; } + public System.DateTimeOffset LastWriteTimeUtc { get => throw null; } + public long Length { get => throw null; } + public System.ReadOnlySpan OriginalRootDirectory { get => throw null; } + public System.ReadOnlySpan RootDirectory { get => throw null; } + public System.IO.FileSystemInfo ToFileSystemInfo() => throw null; + public string ToFullPath() => throw null; + public string ToSpecifiedFullPath() => throw null; + } + public class FileSystemEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public FileSystemEnumerable(string directory, System.IO.Enumeration.FileSystemEnumerable.FindTransform transform, System.IO.EnumerationOptions options = default(System.IO.EnumerationOptions)) => throw null; + public delegate bool FindPredicate(ref System.IO.Enumeration.FileSystemEntry entry); + public delegate TResult FindTransform(ref System.IO.Enumeration.FileSystemEntry entry); + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldIncludePredicate { get => throw null; set { } } + public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldRecursePredicate { get => throw null; set { } } + } + public abstract class FileSystemEnumerator : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + protected virtual bool ContinueOnError(int error) => throw null; + public FileSystemEnumerator(string directory, System.IO.EnumerationOptions options = default(System.IO.EnumerationOptions)) => throw null; + public TResult Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public bool MoveNext() => throw null; + protected virtual void OnDirectoryFinished(System.ReadOnlySpan directory) => throw null; + public void Reset() => throw null; + protected virtual bool ShouldIncludeEntry(ref System.IO.Enumeration.FileSystemEntry entry) => throw null; + protected virtual bool ShouldRecurseIntoEntry(ref System.IO.Enumeration.FileSystemEntry entry) => throw null; + protected abstract TResult TransformEntry(ref System.IO.Enumeration.FileSystemEntry entry); + } + public static class FileSystemName + { + public static bool MatchesSimpleExpression(System.ReadOnlySpan expression, System.ReadOnlySpan name, bool ignoreCase = default(bool)) => throw null; + public static bool MatchesWin32Expression(System.ReadOnlySpan expression, System.ReadOnlySpan name, bool ignoreCase = default(bool)) => throw null; + public static string TranslateWin32Expression(string expression) => throw null; + } + } + public class EnumerationOptions + { + public System.IO.FileAttributes AttributesToSkip { get => throw null; set { } } + public int BufferSize { get => throw null; set { } } + public EnumerationOptions() => throw null; + public bool IgnoreInaccessible { get => throw null; set { } } + public System.IO.MatchCasing MatchCasing { get => throw null; set { } } + public System.IO.MatchType MatchType { get => throw null; set { } } + public int MaxRecursionDepth { get => throw null; set { } } + public bool RecurseSubdirectories { get => throw null; set { } } + public bool ReturnSpecialDirectories { get => throw null; set { } } } - - public class IdnMapping + public static class File { - public bool AllowUnassigned { get => throw null; set => throw null; } - public override bool Equals(object obj) => throw null; - public string GetAscii(string unicode) => throw null; - public string GetAscii(string unicode, int index) => throw null; - public string GetAscii(string unicode, int index, int count) => throw null; - public override int GetHashCode() => throw null; - public string GetUnicode(string ascii) => throw null; - public string GetUnicode(string ascii, int index) => throw null; - public string GetUnicode(string ascii, int index, int count) => throw null; - public IdnMapping() => throw null; - public bool UseStd3AsciiRules { get => throw null; set => throw null; } + public static void AppendAllLines(string path, System.Collections.Generic.IEnumerable contents) => throw null; + public static void AppendAllLines(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task AppendAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AppendAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void AppendAllText(string path, string contents) => throw null; + public static void AppendAllText(string path, string contents, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task AppendAllTextAsync(string path, string contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AppendAllTextAsync(string path, string contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.IO.StreamWriter AppendText(string path) => throw null; + public static void Copy(string sourceFileName, string destFileName) => throw null; + public static void Copy(string sourceFileName, string destFileName, bool overwrite) => throw null; + public static System.IO.FileStream Create(string path) => throw null; + public static System.IO.FileStream Create(string path, int bufferSize) => throw null; + public static System.IO.FileStream Create(string path, int bufferSize, System.IO.FileOptions options) => throw null; + public static System.IO.FileSystemInfo CreateSymbolicLink(string path, string pathToTarget) => throw null; + public static System.IO.StreamWriter CreateText(string path) => throw null; + public static void Decrypt(string path) => throw null; + public static void Delete(string path) => throw null; + public static void Encrypt(string path) => throw null; + public static bool Exists(string path) => throw null; + public static System.IO.FileAttributes GetAttributes(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.IO.FileAttributes GetAttributes(string path) => throw null; + public static System.DateTime GetCreationTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetCreationTime(string path) => throw null; + public static System.DateTime GetCreationTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetCreationTimeUtc(string path) => throw null; + public static System.DateTime GetLastAccessTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetLastAccessTime(string path) => throw null; + public static System.DateTime GetLastAccessTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetLastAccessTimeUtc(string path) => throw null; + public static System.DateTime GetLastWriteTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetLastWriteTime(string path) => throw null; + public static System.DateTime GetLastWriteTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.DateTime GetLastWriteTimeUtc(string path) => throw null; + public static System.IO.UnixFileMode GetUnixFileMode(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; + public static System.IO.UnixFileMode GetUnixFileMode(string path) => throw null; + public static void Move(string sourceFileName, string destFileName) => throw null; + public static void Move(string sourceFileName, string destFileName, bool overwrite) => throw null; + public static System.IO.FileStream Open(string path, System.IO.FileMode mode) => throw null; + public static System.IO.FileStream Open(string path, System.IO.FileMode mode, System.IO.FileAccess access) => throw null; + public static System.IO.FileStream Open(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; + public static System.IO.FileStream Open(string path, System.IO.FileStreamOptions options) => throw null; + public static Microsoft.Win32.SafeHandles.SafeFileHandle OpenHandle(string path, System.IO.FileMode mode = default(System.IO.FileMode), System.IO.FileAccess access = default(System.IO.FileAccess), System.IO.FileShare share = default(System.IO.FileShare), System.IO.FileOptions options = default(System.IO.FileOptions), long preallocationSize = default(long)) => throw null; + public static System.IO.FileStream OpenRead(string path) => throw null; + public static System.IO.StreamReader OpenText(string path) => throw null; + public static System.IO.FileStream OpenWrite(string path) => throw null; + public static byte[] ReadAllBytes(string path) => throw null; + public static System.Threading.Tasks.Task ReadAllBytesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static string[] ReadAllLines(string path) => throw null; + public static string[] ReadAllLines(string path, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task ReadAllLinesAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task ReadAllLinesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static string ReadAllText(string path) => throw null; + public static string ReadAllText(string path, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task ReadAllTextAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task ReadAllTextAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Collections.Generic.IEnumerable ReadLines(string path) => throw null; + public static System.Collections.Generic.IEnumerable ReadLines(string path, System.Text.Encoding encoding) => throw null; + public static System.Collections.Generic.IAsyncEnumerable ReadLinesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Collections.Generic.IAsyncEnumerable ReadLinesAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void Replace(string sourceFileName, string destinationFileName, string destinationBackupFileName) => throw null; + public static void Replace(string sourceFileName, string destinationFileName, string destinationBackupFileName, bool ignoreMetadataErrors) => throw null; + public static System.IO.FileSystemInfo ResolveLinkTarget(string linkPath, bool returnFinalTarget) => throw null; + public static void SetAttributes(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.IO.FileAttributes fileAttributes) => throw null; + public static void SetAttributes(string path, System.IO.FileAttributes fileAttributes) => throw null; + public static void SetCreationTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime creationTime) => throw null; + public static void SetCreationTime(string path, System.DateTime creationTime) => throw null; + public static void SetCreationTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime creationTimeUtc) => throw null; + public static void SetCreationTimeUtc(string path, System.DateTime creationTimeUtc) => throw null; + public static void SetLastAccessTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastAccessTime) => throw null; + public static void SetLastAccessTime(string path, System.DateTime lastAccessTime) => throw null; + public static void SetLastAccessTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastAccessTimeUtc) => throw null; + public static void SetLastAccessTimeUtc(string path, System.DateTime lastAccessTimeUtc) => throw null; + public static void SetLastWriteTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastWriteTime) => throw null; + public static void SetLastWriteTime(string path, System.DateTime lastWriteTime) => throw null; + public static void SetLastWriteTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastWriteTimeUtc) => throw null; + public static void SetLastWriteTimeUtc(string path, System.DateTime lastWriteTimeUtc) => throw null; + public static void SetUnixFileMode(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.IO.UnixFileMode mode) => throw null; + public static void SetUnixFileMode(string path, System.IO.UnixFileMode mode) => throw null; + public static void WriteAllBytes(string path, byte[] bytes) => throw null; + public static System.Threading.Tasks.Task WriteAllBytesAsync(string path, byte[] bytes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void WriteAllLines(string path, System.Collections.Generic.IEnumerable contents) => throw null; + public static void WriteAllLines(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding) => throw null; + public static void WriteAllLines(string path, string[] contents) => throw null; + public static void WriteAllLines(string path, string[] contents, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task WriteAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void WriteAllText(string path, string contents) => throw null; + public static void WriteAllText(string path, string contents, System.Text.Encoding encoding) => throw null; + public static System.Threading.Tasks.Task WriteAllTextAsync(string path, string contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAllTextAsync(string path, string contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class JapaneseCalendar : System.Globalization.Calendar + [System.Flags] + public enum FileAccess { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public JapaneseCalendar() => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + Read = 1, + Write = 2, + ReadWrite = 3, } - - public class JapaneseLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar + [System.Flags] + public enum FileAttributes { - protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetEra(System.DateTime time) => throw null; - public const int JapaneseEra = default; - public JapaneseLunisolarCalendar() => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } + ReadOnly = 1, + Hidden = 2, + System = 4, + Directory = 16, + Archive = 32, + Device = 64, + Normal = 128, + Temporary = 256, + SparseFile = 512, + ReparsePoint = 1024, + Compressed = 2048, + Offline = 4096, + NotContentIndexed = 8192, + Encrypted = 16384, + IntegrityStream = 32768, + NoScrubData = 131072, } - - public class JulianCalendar : System.Globalization.Calendar + public sealed class FileInfo : System.IO.FileSystemInfo { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public JulianCalendar() => throw null; - public static int JulianEra; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public System.IO.StreamWriter AppendText() => throw null; + public System.IO.FileInfo CopyTo(string destFileName) => throw null; + public System.IO.FileInfo CopyTo(string destFileName, bool overwrite) => throw null; + public System.IO.FileStream Create() => throw null; + public System.IO.StreamWriter CreateText() => throw null; + public FileInfo(string fileName) => throw null; + public void Decrypt() => throw null; + public override void Delete() => throw null; + public System.IO.DirectoryInfo Directory { get => throw null; } + public string DirectoryName { get => throw null; } + public void Encrypt() => throw null; + public override bool Exists { get => throw null; } + public bool IsReadOnly { get => throw null; set { } } + public long Length { get => throw null; } + public void MoveTo(string destFileName) => throw null; + public void MoveTo(string destFileName, bool overwrite) => throw null; + public override string Name { get => throw null; } + public System.IO.FileStream Open(System.IO.FileMode mode) => throw null; + public System.IO.FileStream Open(System.IO.FileMode mode, System.IO.FileAccess access) => throw null; + public System.IO.FileStream Open(System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; + public System.IO.FileStream Open(System.IO.FileStreamOptions options) => throw null; + public System.IO.FileStream OpenRead() => throw null; + public System.IO.StreamReader OpenText() => throw null; + public System.IO.FileStream OpenWrite() => throw null; + public System.IO.FileInfo Replace(string destinationFileName, string destinationBackupFileName) => throw null; + public System.IO.FileInfo Replace(string destinationFileName, string destinationBackupFileName, bool ignoreMetadataErrors) => throw null; } - - public class KoreanCalendar : System.Globalization.Calendar + public class FileLoadException : System.IO.IOException { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public KoreanCalendar() => throw null; - public const int KoreanEra = default; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public FileLoadException() => throw null; + protected FileLoadException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public FileLoadException(string message) => throw null; + public FileLoadException(string message, System.Exception inner) => throw null; + public FileLoadException(string message, string fileName) => throw null; + public FileLoadException(string message, string fileName, System.Exception inner) => throw null; + public string FileName { get => throw null; } + public string FusionLog { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public override string ToString() => throw null; } - - public class KoreanLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar + public enum FileMode { - protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetEra(System.DateTime time) => throw null; - public const int GregorianEra = default; - public KoreanLunisolarCalendar() => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } + CreateNew = 1, + Create = 2, + Open = 3, + OpenOrCreate = 4, + Truncate = 5, + Append = 6, + } + public class FileNotFoundException : System.IO.IOException + { + public FileNotFoundException() => throw null; + protected FileNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public FileNotFoundException(string message) => throw null; + public FileNotFoundException(string message, System.Exception innerException) => throw null; + public FileNotFoundException(string message, string fileName) => throw null; + public FileNotFoundException(string message, string fileName, System.Exception innerException) => throw null; + public string FileName { get => throw null; } + public string FusionLog { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public override string ToString() => throw null; } - - public class NumberFormatInfo : System.ICloneable, System.IFormatProvider + [System.Flags] + public enum FileOptions { - public object Clone() => throw null; - public int CurrencyDecimalDigits { get => throw null; set => throw null; } - public string CurrencyDecimalSeparator { get => throw null; set => throw null; } - public string CurrencyGroupSeparator { get => throw null; set => throw null; } - public int[] CurrencyGroupSizes { get => throw null; set => throw null; } - public int CurrencyNegativePattern { get => throw null; set => throw null; } - public int CurrencyPositivePattern { get => throw null; set => throw null; } - public string CurrencySymbol { get => throw null; set => throw null; } - public static System.Globalization.NumberFormatInfo CurrentInfo { get => throw null; } - public System.Globalization.DigitShapes DigitSubstitution { get => throw null; set => throw null; } - public object GetFormat(System.Type formatType) => throw null; - public static System.Globalization.NumberFormatInfo GetInstance(System.IFormatProvider formatProvider) => throw null; - public static System.Globalization.NumberFormatInfo InvariantInfo { get => throw null; } - public bool IsReadOnly { get => throw null; } - public string NaNSymbol { get => throw null; set => throw null; } - public string[] NativeDigits { get => throw null; set => throw null; } - public string NegativeInfinitySymbol { get => throw null; set => throw null; } - public string NegativeSign { get => throw null; set => throw null; } - public int NumberDecimalDigits { get => throw null; set => throw null; } - public string NumberDecimalSeparator { get => throw null; set => throw null; } - public NumberFormatInfo() => throw null; - public string NumberGroupSeparator { get => throw null; set => throw null; } - public int[] NumberGroupSizes { get => throw null; set => throw null; } - public int NumberNegativePattern { get => throw null; set => throw null; } - public string PerMilleSymbol { get => throw null; set => throw null; } - public int PercentDecimalDigits { get => throw null; set => throw null; } - public string PercentDecimalSeparator { get => throw null; set => throw null; } - public string PercentGroupSeparator { get => throw null; set => throw null; } - public int[] PercentGroupSizes { get => throw null; set => throw null; } - public int PercentNegativePattern { get => throw null; set => throw null; } - public int PercentPositivePattern { get => throw null; set => throw null; } - public string PercentSymbol { get => throw null; set => throw null; } - public string PositiveInfinitySymbol { get => throw null; set => throw null; } - public string PositiveSign { get => throw null; set => throw null; } - public static System.Globalization.NumberFormatInfo ReadOnly(System.Globalization.NumberFormatInfo nfi) => throw null; + WriteThrough = -2147483648, + None = 0, + Encrypted = 16384, + DeleteOnClose = 67108864, + SequentialScan = 134217728, + RandomAccess = 268435456, + Asynchronous = 1073741824, } - [System.Flags] - public enum NumberStyles : int + public enum FileShare { - AllowCurrencySymbol = 256, - AllowDecimalPoint = 32, - AllowExponent = 128, - AllowHexSpecifier = 512, - AllowLeadingSign = 4, - AllowLeadingWhite = 1, - AllowParentheses = 16, - AllowThousands = 64, - AllowTrailingSign = 8, - AllowTrailingWhite = 2, - Any = 511, - Currency = 383, - Float = 167, - HexNumber = 515, - Integer = 7, None = 0, - Number = 111, + Read = 1, + Write = 2, + ReadWrite = 3, + Delete = 4, + Inheritable = 16, } - - public class PersianCalendar : System.Globalization.Calendar + public class FileStream : System.IO.Stream { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public PersianCalendar() => throw null; - public static int PersianEra; - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } + public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access) => throw null; + public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access, int bufferSize) => throw null; + public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access, int bufferSize, bool isAsync) => throw null; + public FileStream(nint handle, System.IO.FileAccess access) => throw null; + public FileStream(nint handle, System.IO.FileAccess access, bool ownsHandle) => throw null; + public FileStream(nint handle, System.IO.FileAccess access, bool ownsHandle, int bufferSize) => throw null; + public FileStream(nint handle, System.IO.FileAccess access, bool ownsHandle, int bufferSize, bool isAsync) => throw null; + public FileStream(string path, System.IO.FileMode mode) => throw null; + public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access) => throw null; + public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; + public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize) => throw null; + public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, bool useAsync) => throw null; + public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, System.IO.FileOptions options) => throw null; + public FileStream(string path, System.IO.FileStreamOptions options) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public override int EndRead(System.IAsyncResult asyncResult) => throw null; + public override void EndWrite(System.IAsyncResult asyncResult) => throw null; + public override void Flush() => throw null; + public virtual void Flush(bool flushToDisk) => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual nint Handle { get => throw null; } + public virtual bool IsAsync { get => throw null; } + public override long Length { get => throw null; } + public virtual void Lock(long position, long length) => throw null; + public virtual string Name { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadByte() => throw null; + public virtual Microsoft.Win32.SafeHandles.SafeFileHandle SafeFileHandle { get => throw null; } + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public virtual void Unlock(long position, long length) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; + } + public sealed class FileStreamOptions + { + public System.IO.FileAccess Access { get => throw null; set { } } + public int BufferSize { get => throw null; set { } } + public FileStreamOptions() => throw null; + public System.IO.FileMode Mode { get => throw null; set { } } + public System.IO.FileOptions Options { get => throw null; set { } } + public long PreallocationSize { get => throw null; set { } } + public System.IO.FileShare Share { get => throw null; set { } } + public System.IO.UnixFileMode? UnixCreateMode { get => throw null; set { } } } - - public class RegionInfo + public abstract class FileSystemInfo : System.MarshalByRefObject, System.Runtime.Serialization.ISerializable { - public virtual string CurrencyEnglishName { get => throw null; } - public virtual string CurrencyNativeName { get => throw null; } - public virtual string CurrencySymbol { get => throw null; } - public static System.Globalization.RegionInfo CurrentRegion { get => throw null; } - public virtual string DisplayName { get => throw null; } - public virtual string EnglishName { get => throw null; } - public override bool Equals(object value) => throw null; - public virtual int GeoId { get => throw null; } - public override int GetHashCode() => throw null; - public virtual string ISOCurrencySymbol { get => throw null; } - public virtual bool IsMetric { get => throw null; } - public virtual string Name { get => throw null; } - public virtual string NativeName { get => throw null; } - public RegionInfo(int culture) => throw null; - public RegionInfo(string name) => throw null; - public virtual string ThreeLetterISORegionName { get => throw null; } - public virtual string ThreeLetterWindowsRegionName { get => throw null; } + public System.IO.FileAttributes Attributes { get => throw null; set { } } + public void CreateAsSymbolicLink(string pathToTarget) => throw null; + public System.DateTime CreationTime { get => throw null; set { } } + public System.DateTime CreationTimeUtc { get => throw null; set { } } + protected FileSystemInfo() => throw null; + protected FileSystemInfo(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public abstract void Delete(); + public abstract bool Exists { get; } + public string Extension { get => throw null; } + public virtual string FullName { get => throw null; } + protected string FullPath; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.DateTime LastAccessTime { get => throw null; set { } } + public System.DateTime LastAccessTimeUtc { get => throw null; set { } } + public System.DateTime LastWriteTime { get => throw null; set { } } + public System.DateTime LastWriteTimeUtc { get => throw null; set { } } + public string LinkTarget { get => throw null; } + public abstract string Name { get; } + protected string OriginalPath; + public void Refresh() => throw null; + public System.IO.FileSystemInfo ResolveLinkTarget(bool returnFinalTarget) => throw null; public override string ToString() => throw null; - public virtual string TwoLetterISORegionName { get => throw null; } + public System.IO.UnixFileMode UnixFileMode { get => throw null; set { } } } - - public class SortKey + public enum HandleInheritability { - public static int Compare(System.Globalization.SortKey sortkey1, System.Globalization.SortKey sortkey2) => throw null; - public override bool Equals(object value) => throw null; - public override int GetHashCode() => throw null; - public System.Byte[] KeyData { get => throw null; } - public string OriginalString { get => throw null; } - public override string ToString() => throw null; + None = 0, + Inheritable = 1, } - - public class SortVersion : System.IEquatable + public sealed class InvalidDataException : System.SystemException { - public static bool operator !=(System.Globalization.SortVersion left, System.Globalization.SortVersion right) => throw null; - public static bool operator ==(System.Globalization.SortVersion left, System.Globalization.SortVersion right) => throw null; - public bool Equals(System.Globalization.SortVersion other) => throw null; - public override bool Equals(object obj) => throw null; - public int FullVersion { get => throw null; } - public override int GetHashCode() => throw null; - public System.Guid SortId { get => throw null; } - public SortVersion(int fullVersion, System.Guid sortId) => throw null; + public InvalidDataException() => throw null; + public InvalidDataException(string message) => throw null; + public InvalidDataException(string message, System.Exception innerException) => throw null; } - - public class StringInfo + public class IOException : System.SystemException { - public override bool Equals(object value) => throw null; - public override int GetHashCode() => throw null; - public static string GetNextTextElement(string str) => throw null; - public static string GetNextTextElement(string str, int index) => throw null; - public static int GetNextTextElementLength(System.ReadOnlySpan str) => throw null; - public static int GetNextTextElementLength(string str) => throw null; - public static int GetNextTextElementLength(string str, int index) => throw null; - public static System.Globalization.TextElementEnumerator GetTextElementEnumerator(string str) => throw null; - public static System.Globalization.TextElementEnumerator GetTextElementEnumerator(string str, int index) => throw null; - public int LengthInTextElements { get => throw null; } - public static int[] ParseCombiningCharacters(string str) => throw null; - public string String { get => throw null; set => throw null; } - public StringInfo() => throw null; - public StringInfo(string value) => throw null; - public string SubstringByTextElements(int startingTextElement) => throw null; - public string SubstringByTextElements(int startingTextElement, int lengthInTextElements) => throw null; + public IOException() => throw null; + protected IOException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public IOException(string message) => throw null; + public IOException(string message, System.Exception innerException) => throw null; + public IOException(string message, int hresult) => throw null; } - - public class TaiwanCalendar : System.Globalization.Calendar + public enum MatchCasing { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public TaiwanCalendar() => throw null; - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + PlatformDefault = 0, + CaseSensitive = 1, + CaseInsensitive = 2, } - - public class TaiwanLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar + public enum MatchType { - protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetEra(System.DateTime time) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public TaiwanLunisolarCalendar() => throw null; + Simple = 0, + Win32 = 1, + } + public class MemoryStream : System.IO.Stream + { + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } + public virtual int Capacity { get => throw null; set { } } + public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; + public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public MemoryStream() => throw null; + public MemoryStream(byte[] buffer) => throw null; + public MemoryStream(byte[] buffer, bool writable) => throw null; + public MemoryStream(byte[] buffer, int index, int count) => throw null; + public MemoryStream(byte[] buffer, int index, int count, bool writable) => throw null; + public MemoryStream(byte[] buffer, int index, int count, bool writable, bool publiclyVisible) => throw null; + public MemoryStream(int capacity) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override int EndRead(System.IAsyncResult asyncResult) => throw null; + public override void EndWrite(System.IAsyncResult asyncResult) => throw null; + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual byte[] GetBuffer() => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadByte() => throw null; + public override long Seek(long offset, System.IO.SeekOrigin loc) => throw null; + public override void SetLength(long value) => throw null; + public virtual byte[] ToArray() => throw null; + public virtual bool TryGetBuffer(out System.ArraySegment buffer) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; + public virtual void WriteTo(System.IO.Stream stream) => throw null; + } + public static class Path + { + public static char AltDirectorySeparatorChar; + public static string ChangeExtension(string path, string extension) => throw null; + public static string Combine(string path1, string path2) => throw null; + public static string Combine(string path1, string path2, string path3) => throw null; + public static string Combine(string path1, string path2, string path3, string path4) => throw null; + public static string Combine(params string[] paths) => throw null; + public static char DirectorySeparatorChar; + public static bool EndsInDirectorySeparator(System.ReadOnlySpan path) => throw null; + public static bool EndsInDirectorySeparator(string path) => throw null; + public static bool Exists(string path) => throw null; + public static System.ReadOnlySpan GetDirectoryName(System.ReadOnlySpan path) => throw null; + public static string GetDirectoryName(string path) => throw null; + public static System.ReadOnlySpan GetExtension(System.ReadOnlySpan path) => throw null; + public static string GetExtension(string path) => throw null; + public static System.ReadOnlySpan GetFileName(System.ReadOnlySpan path) => throw null; + public static string GetFileName(string path) => throw null; + public static System.ReadOnlySpan GetFileNameWithoutExtension(System.ReadOnlySpan path) => throw null; + public static string GetFileNameWithoutExtension(string path) => throw null; + public static string GetFullPath(string path) => throw null; + public static string GetFullPath(string path, string basePath) => throw null; + public static char[] GetInvalidFileNameChars() => throw null; + public static char[] GetInvalidPathChars() => throw null; + public static System.ReadOnlySpan GetPathRoot(System.ReadOnlySpan path) => throw null; + public static string GetPathRoot(string path) => throw null; + public static string GetRandomFileName() => throw null; + public static string GetRelativePath(string relativeTo, string path) => throw null; + public static string GetTempFileName() => throw null; + public static string GetTempPath() => throw null; + public static bool HasExtension(System.ReadOnlySpan path) => throw null; + public static bool HasExtension(string path) => throw null; + public static char[] InvalidPathChars; + public static bool IsPathFullyQualified(System.ReadOnlySpan path) => throw null; + public static bool IsPathFullyQualified(string path) => throw null; + public static bool IsPathRooted(System.ReadOnlySpan path) => throw null; + public static bool IsPathRooted(string path) => throw null; + public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2) => throw null; + public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3) => throw null; + public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3, System.ReadOnlySpan path4) => throw null; + public static string Join(string path1, string path2) => throw null; + public static string Join(string path1, string path2, string path3) => throw null; + public static string Join(string path1, string path2, string path3, string path4) => throw null; + public static string Join(params string[] paths) => throw null; + public static char PathSeparator; + public static System.ReadOnlySpan TrimEndingDirectorySeparator(System.ReadOnlySpan path) => throw null; + public static string TrimEndingDirectorySeparator(string path) => throw null; + public static bool TryJoin(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3, System.Span destination, out int charsWritten) => throw null; + public static bool TryJoin(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.Span destination, out int charsWritten) => throw null; + public static char VolumeSeparatorChar; + } + public class PathTooLongException : System.IO.IOException + { + public PathTooLongException() => throw null; + protected PathTooLongException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public PathTooLongException(string message) => throw null; + public PathTooLongException(string message, System.Exception innerException) => throw null; + } + public static class RandomAccess + { + public static long GetLength(Microsoft.Win32.SafeHandles.SafeFileHandle handle) => throw null; + public static long Read(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, long fileOffset) => throw null; + public static int Read(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Span buffer, long fileOffset) => throw null; + public static System.Threading.Tasks.ValueTask ReadAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, long fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Memory buffer, long fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void SetLength(Microsoft.Win32.SafeHandles.SafeFileHandle handle, long length) => throw null; + public static void Write(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, long fileOffset) => throw null; + public static void Write(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.ReadOnlySpan buffer, long fileOffset) => throw null; + public static System.Threading.Tasks.ValueTask WriteAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, long fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask WriteAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.ReadOnlyMemory buffer, long fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class TextElementEnumerator : System.Collections.IEnumerator + public enum SearchOption { - public object Current { get => throw null; } - public int ElementIndex { get => throw null; } - public string GetTextElement() => throw null; - public bool MoveNext() => throw null; - public void Reset() => throw null; + TopDirectoryOnly = 0, + AllDirectories = 1, } - - public class TextInfo : System.ICloneable, System.Runtime.Serialization.IDeserializationCallback + public enum SeekOrigin { - public int ANSICodePage { get => throw null; } - public object Clone() => throw null; - public string CultureName { get => throw null; } - public int EBCDICCodePage { get => throw null; } - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsRightToLeft { get => throw null; } - public int LCID { get => throw null; } - public string ListSeparator { get => throw null; set => throw null; } - public int MacCodePage { get => throw null; } - public int OEMCodePage { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public static System.Globalization.TextInfo ReadOnly(System.Globalization.TextInfo textInfo) => throw null; - public System.Char ToLower(System.Char c) => throw null; - public string ToLower(string str) => throw null; - public override string ToString() => throw null; - public string ToTitleCase(string str) => throw null; - public System.Char ToUpper(System.Char c) => throw null; - public string ToUpper(string str) => throw null; + Begin = 0, + Current = 1, + End = 2, } - - public class ThaiBuddhistCalendar : System.Globalization.Calendar + public abstract class Stream : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetWeekOfYear(System.DateTime time, System.Globalization.CalendarWeekRule rule, System.DayOfWeek firstDayOfWeek) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public ThaiBuddhistCalendar() => throw null; - public const int ThaiBuddhistEra = default; - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } + public virtual System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public virtual System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public abstract bool CanRead { get; } + public abstract bool CanSeek { get; } + public virtual bool CanTimeout { get => throw null; } + public abstract bool CanWrite { get; } + public virtual void Close() => throw null; + public void CopyTo(System.IO.Stream destination) => throw null; + public virtual void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize) => throw null; + public virtual System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.WaitHandle CreateWaitHandle() => throw null; + protected Stream() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public virtual int EndRead(System.IAsyncResult asyncResult) => throw null; + public virtual void EndWrite(System.IAsyncResult asyncResult) => throw null; + public abstract void Flush(); + public System.Threading.Tasks.Task FlushAsync() => throw null; + public virtual System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public abstract long Length { get; } + public static System.IO.Stream Null; + protected virtual void ObjectInvariant() => throw null; + public abstract long Position { get; set; } + public abstract int Read(byte[] buffer, int offset, int count); + public virtual int Read(System.Span buffer) => throw null; + public System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int ReadAtLeast(System.Span buffer, int minimumBytes, bool throwOnEndOfStream = default(bool)) => throw null; + public System.Threading.Tasks.ValueTask ReadAtLeastAsync(System.Memory buffer, int minimumBytes, bool throwOnEndOfStream = default(bool), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual int ReadByte() => throw null; + public void ReadExactly(byte[] buffer, int offset, int count) => throw null; + public void ReadExactly(System.Span buffer) => throw null; + public System.Threading.Tasks.ValueTask ReadExactlyAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.ValueTask ReadExactlyAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual int ReadTimeout { get => throw null; set { } } + public abstract long Seek(long offset, System.IO.SeekOrigin origin); + public abstract void SetLength(long value); + public static System.IO.Stream Synchronized(System.IO.Stream stream) => throw null; + protected static void ValidateBufferArguments(byte[] buffer, int offset, int count) => throw null; + protected static void ValidateCopyToArguments(System.IO.Stream destination, int bufferSize) => throw null; + public abstract void Write(byte[] buffer, int offset, int count); + public virtual void Write(System.ReadOnlySpan buffer) => throw null; + public System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteByte(byte value) => throw null; + public virtual int WriteTimeout { get => throw null; set { } } } - - [System.Flags] - public enum TimeSpanStyles : int + public class StreamReader : System.IO.TextReader { - AssumeNegative = 1, - None = 0, + public virtual System.IO.Stream BaseStream { get => throw null; } + public override void Close() => throw null; + public StreamReader(System.IO.Stream stream) => throw null; + public StreamReader(System.IO.Stream stream, bool detectEncodingFromByteOrderMarks) => throw null; + public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; + public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks) => throw null; + public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, int bufferSize) => throw null; + public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding = default(System.Text.Encoding), bool detectEncodingFromByteOrderMarks = default(bool), int bufferSize = default(int), bool leaveOpen = default(bool)) => throw null; + public StreamReader(string path) => throw null; + public StreamReader(string path, bool detectEncodingFromByteOrderMarks) => throw null; + public StreamReader(string path, System.IO.FileStreamOptions options) => throw null; + public StreamReader(string path, System.Text.Encoding encoding) => throw null; + public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks) => throw null; + public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, int bufferSize) => throw null; + public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, System.IO.FileStreamOptions options) => throw null; + public virtual System.Text.Encoding CurrentEncoding { get => throw null; } + public void DiscardBufferedData() => throw null; + protected override void Dispose(bool disposing) => throw null; + public bool EndOfStream { get => throw null; } + public static System.IO.StreamReader Null; + public override int Peek() => throw null; + public override int Read() => throw null; + public override int Read(char[] buffer, int index, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadBlock(char[] buffer, int index, int count) => throw null; + public override int ReadBlock(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadBlockAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override string ReadLine() => throw null; + public override System.Threading.Tasks.Task ReadLineAsync() => throw null; + public override System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override string ReadToEnd() => throw null; + public override System.Threading.Tasks.Task ReadToEndAsync() => throw null; + public override System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - - public class UmAlQuraCalendar : System.Globalization.Calendar + public class StreamWriter : System.IO.TextWriter { - public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; - public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } - protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } - public override int[] Eras { get => throw null; } - public override int GetDayOfMonth(System.DateTime time) => throw null; - public override System.DayOfWeek GetDayOfWeek(System.DateTime time) => throw null; - public override int GetDayOfYear(System.DateTime time) => throw null; - public override int GetDaysInMonth(int year, int month, int era) => throw null; - public override int GetDaysInYear(int year, int era) => throw null; - public override int GetEra(System.DateTime time) => throw null; - public override int GetLeapMonth(int year, int era) => throw null; - public override int GetMonth(System.DateTime time) => throw null; - public override int GetMonthsInYear(int year, int era) => throw null; - public override int GetYear(System.DateTime time) => throw null; - public override bool IsLeapDay(int year, int month, int day, int era) => throw null; - public override bool IsLeapMonth(int year, int month, int era) => throw null; - public override bool IsLeapYear(int year, int era) => throw null; - public override System.DateTime MaxSupportedDateTime { get => throw null; } - public override System.DateTime MinSupportedDateTime { get => throw null; } - public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; - public override int ToFourDigitYear(int year) => throw null; - public override int TwoDigitYearMax { get => throw null; set => throw null; } - public UmAlQuraCalendar() => throw null; - public const int UmAlQuraEra = default; + public virtual bool AutoFlush { get => throw null; set { } } + public virtual System.IO.Stream BaseStream { get => throw null; } + public override void Close() => throw null; + public StreamWriter(System.IO.Stream stream) => throw null; + public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; + public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize) => throw null; + public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding = default(System.Text.Encoding), int bufferSize = default(int), bool leaveOpen = default(bool)) => throw null; + public StreamWriter(string path) => throw null; + public StreamWriter(string path, bool append) => throw null; + public StreamWriter(string path, bool append, System.Text.Encoding encoding) => throw null; + public StreamWriter(string path, bool append, System.Text.Encoding encoding, int bufferSize) => throw null; + public StreamWriter(string path, System.IO.FileStreamOptions options) => throw null; + public StreamWriter(string path, System.Text.Encoding encoding, System.IO.FileStreamOptions options) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public override System.Text.Encoding Encoding { get => throw null; } + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync() => throw null; + public static System.IO.StreamWriter Null; + public override void Write(char value) => throw null; + public override void Write(char[] buffer) => throw null; + public override void Write(char[] buffer, int index, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override void Write(string value) => throw null; + public override void Write(string format, object arg0) => throw null; + public override void Write(string format, object arg0, object arg1) => throw null; + public override void Write(string format, object arg0, object arg1, object arg2) => throw null; + public override void Write(string format, params object[] arg) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; + public override void WriteLine(System.ReadOnlySpan buffer) => throw null; + public override void WriteLine(string value) => throw null; + public override void WriteLine(string format, object arg0) => throw null; + public override void WriteLine(string format, object arg0, object arg1) => throw null; + public override void WriteLine(string format, object arg0, object arg1, object arg2) => throw null; + public override void WriteLine(string format, params object[] arg) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync() => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; } - - public enum UnicodeCategory : int + public class StringReader : System.IO.TextReader { - ClosePunctuation = 21, - ConnectorPunctuation = 18, - Control = 14, - CurrencySymbol = 26, - DashPunctuation = 19, - DecimalDigitNumber = 8, - EnclosingMark = 7, - FinalQuotePunctuation = 23, - Format = 15, - InitialQuotePunctuation = 22, - LetterNumber = 9, - LineSeparator = 12, - LowercaseLetter = 1, - MathSymbol = 25, - ModifierLetter = 3, - ModifierSymbol = 27, - NonSpacingMark = 5, - OpenPunctuation = 20, - OtherLetter = 4, - OtherNotAssigned = 29, - OtherNumber = 10, - OtherPunctuation = 24, - OtherSymbol = 28, - ParagraphSeparator = 13, - PrivateUse = 17, - SpaceSeparator = 11, - SpacingCombiningMark = 6, - Surrogate = 16, - TitlecaseLetter = 2, - UppercaseLetter = 0, + public override void Close() => throw null; + public StringReader(string s) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override int Peek() => throw null; + public override int Read() => throw null; + public override int Read(char[] buffer, int index, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadBlock(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadBlockAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override string ReadLine() => throw null; + public override System.Threading.Tasks.Task ReadLineAsync() => throw null; + public override System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override string ReadToEnd() => throw null; + public override System.Threading.Tasks.Task ReadToEndAsync() => throw null; + public override System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - - } - namespace IO - { - public class BinaryReader : System.IDisposable + public class StringWriter : System.IO.TextWriter + { + public override void Close() => throw null; + public StringWriter() => throw null; + public StringWriter(System.IFormatProvider formatProvider) => throw null; + public StringWriter(System.Text.StringBuilder sb) => throw null; + public StringWriter(System.Text.StringBuilder sb, System.IFormatProvider formatProvider) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override System.Text.Encoding Encoding { get => throw null; } + public override System.Threading.Tasks.Task FlushAsync() => throw null; + public virtual System.Text.StringBuilder GetStringBuilder() => throw null; + public override string ToString() => throw null; + public override void Write(char value) => throw null; + public override void Write(char[] buffer, int index, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override void Write(string value) => throw null; + public override void Write(System.Text.StringBuilder value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteLine(System.ReadOnlySpan buffer) => throw null; + public override void WriteLine(System.Text.StringBuilder value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public abstract class TextReader : System.MarshalByRefObject, System.IDisposable { - public virtual System.IO.Stream BaseStream { get => throw null; } - public BinaryReader(System.IO.Stream input) => throw null; - public BinaryReader(System.IO.Stream input, System.Text.Encoding encoding) => throw null; - public BinaryReader(System.IO.Stream input, System.Text.Encoding encoding, bool leaveOpen) => throw null; public virtual void Close() => throw null; + protected TextReader() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - protected virtual void FillBuffer(int numBytes) => throw null; - public virtual int PeekChar() => throw null; + public static System.IO.TextReader Null; + public virtual int Peek() => throw null; public virtual int Read() => throw null; - public virtual int Read(System.Byte[] buffer, int index, int count) => throw null; - public virtual int Read(System.Char[] buffer, int index, int count) => throw null; - public virtual int Read(System.Span buffer) => throw null; - public virtual int Read(System.Span buffer) => throw null; - public int Read7BitEncodedInt() => throw null; - public System.Int64 Read7BitEncodedInt64() => throw null; - public virtual bool ReadBoolean() => throw null; - public virtual System.Byte ReadByte() => throw null; - public virtual System.Byte[] ReadBytes(int count) => throw null; - public virtual System.Char ReadChar() => throw null; - public virtual System.Char[] ReadChars(int count) => throw null; - public virtual System.Decimal ReadDecimal() => throw null; - public virtual double ReadDouble() => throw null; - public virtual System.Half ReadHalf() => throw null; - public virtual System.Int16 ReadInt16() => throw null; - public virtual int ReadInt32() => throw null; - public virtual System.Int64 ReadInt64() => throw null; - public virtual System.SByte ReadSByte() => throw null; - public virtual float ReadSingle() => throw null; - public virtual string ReadString() => throw null; - public virtual System.UInt16 ReadUInt16() => throw null; - public virtual System.UInt32 ReadUInt32() => throw null; - public virtual System.UInt64 ReadUInt64() => throw null; + public virtual int Read(char[] buffer, int index, int count) => throw null; + public virtual int Read(System.Span buffer) => throw null; + public virtual System.Threading.Tasks.Task ReadAsync(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual int ReadBlock(char[] buffer, int index, int count) => throw null; + public virtual int ReadBlock(System.Span buffer) => throw null; + public virtual System.Threading.Tasks.Task ReadBlockAsync(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual string ReadLine() => throw null; + public virtual System.Threading.Tasks.Task ReadLineAsync() => throw null; + public virtual System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual string ReadToEnd() => throw null; + public virtual System.Threading.Tasks.Task ReadToEndAsync() => throw null; + public virtual System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public static System.IO.TextReader Synchronized(System.IO.TextReader reader) => throw null; } - - public class BinaryWriter : System.IAsyncDisposable, System.IDisposable + public abstract class TextWriter : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable { - public virtual System.IO.Stream BaseStream { get => throw null; } - protected BinaryWriter() => throw null; - public BinaryWriter(System.IO.Stream output) => throw null; - public BinaryWriter(System.IO.Stream output, System.Text.Encoding encoding) => throw null; - public BinaryWriter(System.IO.Stream output, System.Text.Encoding encoding, bool leaveOpen) => throw null; public virtual void Close() => throw null; + protected char[] CoreNewLine; + protected TextWriter() => throw null; + protected TextWriter(System.IFormatProvider formatProvider) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public abstract System.Text.Encoding Encoding { get; } public virtual void Flush() => throw null; - public static System.IO.BinaryWriter Null; - protected System.IO.Stream OutStream; - public virtual System.Int64 Seek(int offset, System.IO.SeekOrigin origin) => throw null; - public virtual void Write(System.Byte[] buffer) => throw null; - public virtual void Write(System.Byte[] buffer, int index, int count) => throw null; - public virtual void Write(System.Char[] chars) => throw null; - public virtual void Write(System.Char[] chars, int index, int count) => throw null; - public virtual void Write(System.Half value) => throw null; - public virtual void Write(System.ReadOnlySpan buffer) => throw null; - public virtual void Write(System.ReadOnlySpan chars) => throw null; + public virtual System.Threading.Tasks.Task FlushAsync() => throw null; + public virtual System.IFormatProvider FormatProvider { get => throw null; } + public virtual string NewLine { get => throw null; set { } } + public static System.IO.TextWriter Null; + public static System.IO.TextWriter Synchronized(System.IO.TextWriter writer) => throw null; public virtual void Write(bool value) => throw null; - public virtual void Write(System.Byte value) => throw null; - public virtual void Write(System.Char ch) => throw null; - public virtual void Write(System.Decimal value) => throw null; + public virtual void Write(char value) => throw null; + public virtual void Write(char[] buffer) => throw null; + public virtual void Write(char[] buffer, int index, int count) => throw null; + public virtual void Write(decimal value) => throw null; public virtual void Write(double value) => throw null; - public virtual void Write(float value) => throw null; public virtual void Write(int value) => throw null; - public virtual void Write(System.Int64 value) => throw null; - public virtual void Write(System.SByte value) => throw null; - public virtual void Write(System.Int16 value) => throw null; + public virtual void Write(long value) => throw null; + public virtual void Write(object value) => throw null; + public virtual void Write(System.ReadOnlySpan buffer) => throw null; + public virtual void Write(float value) => throw null; public virtual void Write(string value) => throw null; - public virtual void Write(System.UInt32 value) => throw null; - public virtual void Write(System.UInt64 value) => throw null; - public virtual void Write(System.UInt16 value) => throw null; - public void Write7BitEncodedInt(int value) => throw null; - public void Write7BitEncodedInt64(System.Int64 value) => throw null; - } - - public class BufferedStream : System.IO.Stream - { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public int BufferSize { get => throw null; } - public BufferedStream(System.IO.Stream stream) => throw null; - public BufferedStream(System.IO.Stream stream, int bufferSize) => throw null; - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } - public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; - public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public override int EndRead(System.IAsyncResult asyncResult) => throw null; - public override void EndWrite(System.IAsyncResult asyncResult) => throw null; - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span destination) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public System.IO.Stream UnderlyingStream { get => throw null; } - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - } - - public static class Directory - { - public static System.IO.DirectoryInfo CreateDirectory(string path) => throw null; - public static System.IO.DirectoryInfo CreateDirectory(string path, System.IO.UnixFileMode unixCreateMode) => throw null; - public static System.IO.FileSystemInfo CreateSymbolicLink(string path, string pathToTarget) => throw null; - public static System.IO.DirectoryInfo CreateTempSubdirectory(string prefix = default(string)) => throw null; - public static void Delete(string path) => throw null; - public static void Delete(string path, bool recursive) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateDirectories(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFileSystemEntries(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFiles(string path) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static System.Collections.Generic.IEnumerable EnumerateFiles(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static bool Exists(string path) => throw null; - public static System.DateTime GetCreationTime(string path) => throw null; - public static System.DateTime GetCreationTimeUtc(string path) => throw null; - public static string GetCurrentDirectory() => throw null; - public static string[] GetDirectories(string path) => throw null; - public static string[] GetDirectories(string path, string searchPattern) => throw null; - public static string[] GetDirectories(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static string[] GetDirectories(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static string GetDirectoryRoot(string path) => throw null; - public static string[] GetFileSystemEntries(string path) => throw null; - public static string[] GetFileSystemEntries(string path, string searchPattern) => throw null; - public static string[] GetFileSystemEntries(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static string[] GetFileSystemEntries(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static string[] GetFiles(string path) => throw null; - public static string[] GetFiles(string path, string searchPattern) => throw null; - public static string[] GetFiles(string path, string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public static string[] GetFiles(string path, string searchPattern, System.IO.SearchOption searchOption) => throw null; - public static System.DateTime GetLastAccessTime(string path) => throw null; - public static System.DateTime GetLastAccessTimeUtc(string path) => throw null; - public static System.DateTime GetLastWriteTime(string path) => throw null; - public static System.DateTime GetLastWriteTimeUtc(string path) => throw null; - public static string[] GetLogicalDrives() => throw null; - public static System.IO.DirectoryInfo GetParent(string path) => throw null; - public static void Move(string sourceDirName, string destDirName) => throw null; - public static System.IO.FileSystemInfo ResolveLinkTarget(string linkPath, bool returnFinalTarget) => throw null; - public static void SetCreationTime(string path, System.DateTime creationTime) => throw null; - public static void SetCreationTimeUtc(string path, System.DateTime creationTimeUtc) => throw null; - public static void SetCurrentDirectory(string path) => throw null; - public static void SetLastAccessTime(string path, System.DateTime lastAccessTime) => throw null; - public static void SetLastAccessTimeUtc(string path, System.DateTime lastAccessTimeUtc) => throw null; - public static void SetLastWriteTime(string path, System.DateTime lastWriteTime) => throw null; - public static void SetLastWriteTimeUtc(string path, System.DateTime lastWriteTimeUtc) => throw null; - } - - public class DirectoryInfo : System.IO.FileSystemInfo - { - public void Create() => throw null; - public System.IO.DirectoryInfo CreateSubdirectory(string path) => throw null; - public override void Delete() => throw null; - public void Delete(bool recursive) => throw null; - public DirectoryInfo(string path) => throw null; - public System.Collections.Generic.IEnumerable EnumerateDirectories() => throw null; - public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern) => throw null; - public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.Collections.Generic.IEnumerable EnumerateDirectories(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos() => throw null; - public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFileSystemInfos(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFiles() => throw null; - public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.Collections.Generic.IEnumerable EnumerateFiles(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public override bool Exists { get => throw null; } - public System.IO.DirectoryInfo[] GetDirectories() => throw null; - public System.IO.DirectoryInfo[] GetDirectories(string searchPattern) => throw null; - public System.IO.DirectoryInfo[] GetDirectories(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.IO.DirectoryInfo[] GetDirectories(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public System.IO.FileSystemInfo[] GetFileSystemInfos() => throw null; - public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern) => throw null; - public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.IO.FileSystemInfo[] GetFileSystemInfos(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public System.IO.FileInfo[] GetFiles() => throw null; - public System.IO.FileInfo[] GetFiles(string searchPattern) => throw null; - public System.IO.FileInfo[] GetFiles(string searchPattern, System.IO.EnumerationOptions enumerationOptions) => throw null; - public System.IO.FileInfo[] GetFiles(string searchPattern, System.IO.SearchOption searchOption) => throw null; - public void MoveTo(string destDirName) => throw null; - public override string Name { get => throw null; } - public System.IO.DirectoryInfo Parent { get => throw null; } - public System.IO.DirectoryInfo Root { get => throw null; } - public override string ToString() => throw null; - } - - public class DirectoryNotFoundException : System.IO.IOException - { - public DirectoryNotFoundException() => throw null; - protected DirectoryNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public DirectoryNotFoundException(string message) => throw null; - public DirectoryNotFoundException(string message, System.Exception innerException) => throw null; - } - - public class EndOfStreamException : System.IO.IOException - { - public EndOfStreamException() => throw null; - protected EndOfStreamException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public EndOfStreamException(string message) => throw null; - public EndOfStreamException(string message, System.Exception innerException) => throw null; - } - - public class EnumerationOptions - { - public System.IO.FileAttributes AttributesToSkip { get => throw null; set => throw null; } - public int BufferSize { get => throw null; set => throw null; } - public EnumerationOptions() => throw null; - public bool IgnoreInaccessible { get => throw null; set => throw null; } - public System.IO.MatchCasing MatchCasing { get => throw null; set => throw null; } - public System.IO.MatchType MatchType { get => throw null; set => throw null; } - public int MaxRecursionDepth { get => throw null; set => throw null; } - public bool RecurseSubdirectories { get => throw null; set => throw null; } - public bool ReturnSpecialDirectories { get => throw null; set => throw null; } - } - - public static class File - { - public static void AppendAllLines(string path, System.Collections.Generic.IEnumerable contents) => throw null; - public static void AppendAllLines(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task AppendAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AppendAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void AppendAllText(string path, string contents) => throw null; - public static void AppendAllText(string path, string contents, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task AppendAllTextAsync(string path, string contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AppendAllTextAsync(string path, string contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.IO.StreamWriter AppendText(string path) => throw null; - public static void Copy(string sourceFileName, string destFileName) => throw null; - public static void Copy(string sourceFileName, string destFileName, bool overwrite) => throw null; - public static System.IO.FileStream Create(string path) => throw null; - public static System.IO.FileStream Create(string path, int bufferSize) => throw null; - public static System.IO.FileStream Create(string path, int bufferSize, System.IO.FileOptions options) => throw null; - public static System.IO.FileSystemInfo CreateSymbolicLink(string path, string pathToTarget) => throw null; - public static System.IO.StreamWriter CreateText(string path) => throw null; - public static void Decrypt(string path) => throw null; - public static void Delete(string path) => throw null; - public static void Encrypt(string path) => throw null; - public static bool Exists(string path) => throw null; - public static System.IO.FileAttributes GetAttributes(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.IO.FileAttributes GetAttributes(string path) => throw null; - public static System.DateTime GetCreationTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetCreationTime(string path) => throw null; - public static System.DateTime GetCreationTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetCreationTimeUtc(string path) => throw null; - public static System.DateTime GetLastAccessTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetLastAccessTime(string path) => throw null; - public static System.DateTime GetLastAccessTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetLastAccessTimeUtc(string path) => throw null; - public static System.DateTime GetLastWriteTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetLastWriteTime(string path) => throw null; - public static System.DateTime GetLastWriteTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.DateTime GetLastWriteTimeUtc(string path) => throw null; - public static System.IO.UnixFileMode GetUnixFileMode(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle) => throw null; - public static System.IO.UnixFileMode GetUnixFileMode(string path) => throw null; - public static void Move(string sourceFileName, string destFileName) => throw null; - public static void Move(string sourceFileName, string destFileName, bool overwrite) => throw null; - public static System.IO.FileStream Open(string path, System.IO.FileMode mode) => throw null; - public static System.IO.FileStream Open(string path, System.IO.FileMode mode, System.IO.FileAccess access) => throw null; - public static System.IO.FileStream Open(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; - public static System.IO.FileStream Open(string path, System.IO.FileStreamOptions options) => throw null; - public static Microsoft.Win32.SafeHandles.SafeFileHandle OpenHandle(string path, System.IO.FileMode mode = default(System.IO.FileMode), System.IO.FileAccess access = default(System.IO.FileAccess), System.IO.FileShare share = default(System.IO.FileShare), System.IO.FileOptions options = default(System.IO.FileOptions), System.Int64 preallocationSize = default(System.Int64)) => throw null; - public static System.IO.FileStream OpenRead(string path) => throw null; - public static System.IO.StreamReader OpenText(string path) => throw null; - public static System.IO.FileStream OpenWrite(string path) => throw null; - public static System.Byte[] ReadAllBytes(string path) => throw null; - public static System.Threading.Tasks.Task ReadAllBytesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static string[] ReadAllLines(string path) => throw null; - public static string[] ReadAllLines(string path, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task ReadAllLinesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task ReadAllLinesAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static string ReadAllText(string path) => throw null; - public static string ReadAllText(string path, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task ReadAllTextAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task ReadAllTextAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Collections.Generic.IEnumerable ReadLines(string path) => throw null; - public static System.Collections.Generic.IEnumerable ReadLines(string path, System.Text.Encoding encoding) => throw null; - public static System.Collections.Generic.IAsyncEnumerable ReadLinesAsync(string path, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Collections.Generic.IAsyncEnumerable ReadLinesAsync(string path, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void Replace(string sourceFileName, string destinationFileName, string destinationBackupFileName) => throw null; - public static void Replace(string sourceFileName, string destinationFileName, string destinationBackupFileName, bool ignoreMetadataErrors) => throw null; - public static System.IO.FileSystemInfo ResolveLinkTarget(string linkPath, bool returnFinalTarget) => throw null; - public static void SetAttributes(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.IO.FileAttributes fileAttributes) => throw null; - public static void SetAttributes(string path, System.IO.FileAttributes fileAttributes) => throw null; - public static void SetCreationTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime creationTime) => throw null; - public static void SetCreationTime(string path, System.DateTime creationTime) => throw null; - public static void SetCreationTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime creationTimeUtc) => throw null; - public static void SetCreationTimeUtc(string path, System.DateTime creationTimeUtc) => throw null; - public static void SetLastAccessTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastAccessTime) => throw null; - public static void SetLastAccessTime(string path, System.DateTime lastAccessTime) => throw null; - public static void SetLastAccessTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastAccessTimeUtc) => throw null; - public static void SetLastAccessTimeUtc(string path, System.DateTime lastAccessTimeUtc) => throw null; - public static void SetLastWriteTime(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastWriteTime) => throw null; - public static void SetLastWriteTime(string path, System.DateTime lastWriteTime) => throw null; - public static void SetLastWriteTimeUtc(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.DateTime lastWriteTimeUtc) => throw null; - public static void SetLastWriteTimeUtc(string path, System.DateTime lastWriteTimeUtc) => throw null; - public static void SetUnixFileMode(Microsoft.Win32.SafeHandles.SafeFileHandle fileHandle, System.IO.UnixFileMode mode) => throw null; - public static void SetUnixFileMode(string path, System.IO.UnixFileMode mode) => throw null; - public static void WriteAllBytes(string path, System.Byte[] bytes) => throw null; - public static System.Threading.Tasks.Task WriteAllBytesAsync(string path, System.Byte[] bytes, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void WriteAllLines(string path, System.Collections.Generic.IEnumerable contents) => throw null; - public static void WriteAllLines(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding) => throw null; - public static void WriteAllLines(string path, string[] contents) => throw null; - public static void WriteAllLines(string path, string[] contents, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task WriteAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAllLinesAsync(string path, System.Collections.Generic.IEnumerable contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void WriteAllText(string path, string contents) => throw null; - public static void WriteAllText(string path, string contents, System.Text.Encoding encoding) => throw null; - public static System.Threading.Tasks.Task WriteAllTextAsync(string path, string contents, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAllTextAsync(string path, string contents, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - [System.Flags] - public enum FileAccess : int - { - Read = 1, - ReadWrite = 3, - Write = 2, + public virtual void Write(string format, object arg0) => throw null; + public virtual void Write(string format, object arg0, object arg1) => throw null; + public virtual void Write(string format, object arg0, object arg1, object arg2) => throw null; + public virtual void Write(string format, params object[] arg) => throw null; + public virtual void Write(System.Text.StringBuilder value) => throw null; + public virtual void Write(uint value) => throw null; + public virtual void Write(ulong value) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(char value) => throw null; + public System.Threading.Tasks.Task WriteAsync(char[] buffer) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(string value) => throw null; + public virtual System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual void WriteLine() => throw null; + public virtual void WriteLine(bool value) => throw null; + public virtual void WriteLine(char value) => throw null; + public virtual void WriteLine(char[] buffer) => throw null; + public virtual void WriteLine(char[] buffer, int index, int count) => throw null; + public virtual void WriteLine(decimal value) => throw null; + public virtual void WriteLine(double value) => throw null; + public virtual void WriteLine(int value) => throw null; + public virtual void WriteLine(long value) => throw null; + public virtual void WriteLine(object value) => throw null; + public virtual void WriteLine(System.ReadOnlySpan buffer) => throw null; + public virtual void WriteLine(float value) => throw null; + public virtual void WriteLine(string value) => throw null; + public virtual void WriteLine(string format, object arg0) => throw null; + public virtual void WriteLine(string format, object arg0, object arg1) => throw null; + public virtual void WriteLine(string format, object arg0, object arg1, object arg2) => throw null; + public virtual void WriteLine(string format, params object[] arg) => throw null; + public virtual void WriteLine(System.Text.StringBuilder value) => throw null; + public virtual void WriteLine(uint value) => throw null; + public virtual void WriteLine(ulong value) => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync() => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync(char value) => throw null; + public System.Threading.Tasks.Task WriteLineAsync(char[] buffer) => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + public virtual System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - [System.Flags] - public enum FileAttributes : int - { - Archive = 32, - Compressed = 2048, - Device = 64, - Directory = 16, - Encrypted = 16384, - Hidden = 2, - IntegrityStream = 32768, - NoScrubData = 131072, - Normal = 128, - NotContentIndexed = 8192, - Offline = 4096, - ReadOnly = 1, - ReparsePoint = 1024, - SparseFile = 512, - System = 4, - Temporary = 256, - } - - public class FileInfo : System.IO.FileSystemInfo - { - public System.IO.StreamWriter AppendText() => throw null; - public System.IO.FileInfo CopyTo(string destFileName) => throw null; - public System.IO.FileInfo CopyTo(string destFileName, bool overwrite) => throw null; - public System.IO.FileStream Create() => throw null; - public System.IO.StreamWriter CreateText() => throw null; - public void Decrypt() => throw null; - public override void Delete() => throw null; - public System.IO.DirectoryInfo Directory { get => throw null; } - public string DirectoryName { get => throw null; } - public void Encrypt() => throw null; - public override bool Exists { get => throw null; } - public FileInfo(string fileName) => throw null; - public bool IsReadOnly { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } - public void MoveTo(string destFileName) => throw null; - public void MoveTo(string destFileName, bool overwrite) => throw null; - public override string Name { get => throw null; } - public System.IO.FileStream Open(System.IO.FileMode mode) => throw null; - public System.IO.FileStream Open(System.IO.FileMode mode, System.IO.FileAccess access) => throw null; - public System.IO.FileStream Open(System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; - public System.IO.FileStream Open(System.IO.FileStreamOptions options) => throw null; - public System.IO.FileStream OpenRead() => throw null; - public System.IO.StreamReader OpenText() => throw null; - public System.IO.FileStream OpenWrite() => throw null; - public System.IO.FileInfo Replace(string destinationFileName, string destinationBackupFileName) => throw null; - public System.IO.FileInfo Replace(string destinationFileName, string destinationBackupFileName, bool ignoreMetadataErrors) => throw null; - } - - public class FileLoadException : System.IO.IOException + public enum UnixFileMode { - public FileLoadException() => throw null; - protected FileLoadException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public FileLoadException(string message) => throw null; - public FileLoadException(string message, System.Exception inner) => throw null; - public FileLoadException(string message, string fileName) => throw null; - public FileLoadException(string message, string fileName, System.Exception inner) => throw null; - public string FileName { get => throw null; } - public string FusionLog { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public override string ToString() => throw null; + None = 0, + OtherExecute = 1, + OtherWrite = 2, + OtherRead = 4, + GroupExecute = 8, + GroupWrite = 16, + GroupRead = 32, + UserExecute = 64, + UserWrite = 128, + UserRead = 256, + StickyBit = 512, + SetGroup = 1024, + SetUser = 2048, } - - public enum FileMode : int + public class UnmanagedMemoryStream : System.IO.Stream { - Append = 6, - Create = 2, - CreateNew = 1, - Open = 3, - OpenOrCreate = 4, - Truncate = 5, + public override bool CanRead { get => throw null; } + public override bool CanSeek { get => throw null; } + public override bool CanWrite { get => throw null; } + public long Capacity { get => throw null; } + protected UnmanagedMemoryStream() => throw null; + public unsafe UnmanagedMemoryStream(byte* pointer, long length) => throw null; + public unsafe UnmanagedMemoryStream(byte* pointer, long length, long capacity, System.IO.FileAccess access) => throw null; + public UnmanagedMemoryStream(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long length) => throw null; + public UnmanagedMemoryStream(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long length, System.IO.FileAccess access) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected unsafe void Initialize(byte* pointer, long length, long capacity, System.IO.FileAccess access) => throw null; + protected void Initialize(System.Runtime.InteropServices.SafeBuffer buffer, long offset, long length, System.IO.FileAccess access) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public unsafe byte* PositionPointer { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ReadByte() => throw null; + public override long Seek(long offset, System.IO.SeekOrigin loc) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override void Write(System.ReadOnlySpan buffer) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - - public class FileNotFoundException : System.IO.IOException + } + public interface IObservable + { + System.IDisposable Subscribe(System.IObserver observer); + } + public interface IObserver + { + void OnCompleted(); + void OnError(System.Exception error); + void OnNext(T value); + } + public interface IParsable where TSelf : System.IParsable + { + abstract static TSelf Parse(string s, System.IFormatProvider provider); + abstract static bool TryParse(string s, System.IFormatProvider provider, out TSelf result); + } + public interface IProgress + { + void Report(T value); + } + public interface ISpanFormattable : System.IFormattable + { + bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider); + } + public interface ISpanParsable : System.IParsable where TSelf : System.ISpanParsable + { + abstract static TSelf Parse(System.ReadOnlySpan s, System.IFormatProvider provider); + abstract static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out TSelf result); + } + public class Lazy + { + public Lazy() => throw null; + public Lazy(bool isThreadSafe) => throw null; + public Lazy(System.Func valueFactory) => throw null; + public Lazy(System.Func valueFactory, bool isThreadSafe) => throw null; + public Lazy(System.Func valueFactory, System.Threading.LazyThreadSafetyMode mode) => throw null; + public Lazy(System.Threading.LazyThreadSafetyMode mode) => throw null; + public Lazy(T value) => throw null; + public bool IsValueCreated { get => throw null; } + public override string ToString() => throw null; + public T Value { get => throw null; } + } + public class Lazy : System.Lazy + { + public Lazy(System.Func valueFactory, TMetadata metadata) => throw null; + public Lazy(System.Func valueFactory, TMetadata metadata, bool isThreadSafe) => throw null; + public Lazy(System.Func valueFactory, TMetadata metadata, System.Threading.LazyThreadSafetyMode mode) => throw null; + public Lazy(TMetadata metadata) => throw null; + public Lazy(TMetadata metadata, bool isThreadSafe) => throw null; + public Lazy(TMetadata metadata, System.Threading.LazyThreadSafetyMode mode) => throw null; + public TMetadata Metadata { get => throw null; } + } + public class LdapStyleUriParser : System.UriParser + { + public LdapStyleUriParser() => throw null; + } + public enum LoaderOptimization + { + NotSpecified = 0, + SingleDomain = 1, + MultiDomain = 2, + DomainMask = 3, + MultiDomainHost = 3, + DisallowBindings = 4, + } + public sealed class LoaderOptimizationAttribute : System.Attribute + { + public LoaderOptimizationAttribute(byte value) => throw null; + public LoaderOptimizationAttribute(System.LoaderOptimization value) => throw null; + public System.LoaderOptimization Value { get => throw null; } + } + public abstract class MarshalByRefObject + { + protected MarshalByRefObject() => throw null; + public object GetLifetimeService() => throw null; + public virtual object InitializeLifetimeService() => throw null; + protected System.MarshalByRefObject MemberwiseClone(bool cloneIdentity) => throw null; + } + public static class Math + { + public static decimal Abs(decimal value) => throw null; + public static double Abs(double value) => throw null; + public static short Abs(short value) => throw null; + public static int Abs(int value) => throw null; + public static long Abs(long value) => throw null; + public static nint Abs(nint value) => throw null; + public static sbyte Abs(sbyte value) => throw null; + public static float Abs(float value) => throw null; + public static double Acos(double d) => throw null; + public static double Acosh(double d) => throw null; + public static double Asin(double d) => throw null; + public static double Asinh(double d) => throw null; + public static double Atan(double d) => throw null; + public static double Atan2(double y, double x) => throw null; + public static double Atanh(double d) => throw null; + public static long BigMul(int a, int b) => throw null; + public static long BigMul(long a, long b, out long low) => throw null; + public static ulong BigMul(ulong a, ulong b, out ulong low) => throw null; + public static double BitDecrement(double x) => throw null; + public static double BitIncrement(double x) => throw null; + public static double Cbrt(double d) => throw null; + public static decimal Ceiling(decimal d) => throw null; + public static double Ceiling(double a) => throw null; + public static byte Clamp(byte value, byte min, byte max) => throw null; + public static decimal Clamp(decimal value, decimal min, decimal max) => throw null; + public static double Clamp(double value, double min, double max) => throw null; + public static short Clamp(short value, short min, short max) => throw null; + public static int Clamp(int value, int min, int max) => throw null; + public static long Clamp(long value, long min, long max) => throw null; + public static nint Clamp(nint value, nint min, nint max) => throw null; + public static sbyte Clamp(sbyte value, sbyte min, sbyte max) => throw null; + public static float Clamp(float value, float min, float max) => throw null; + public static ushort Clamp(ushort value, ushort min, ushort max) => throw null; + public static uint Clamp(uint value, uint min, uint max) => throw null; + public static ulong Clamp(ulong value, ulong min, ulong max) => throw null; + public static nuint Clamp(nuint value, nuint min, nuint max) => throw null; + public static double CopySign(double x, double y) => throw null; + public static double Cos(double d) => throw null; + public static double Cosh(double value) => throw null; + public static int DivRem(int a, int b, out int result) => throw null; + public static long DivRem(long a, long b, out long result) => throw null; + public static (byte Quotient, byte Remainder) DivRem(byte left, byte right) => throw null; + public static (short Quotient, short Remainder) DivRem(short left, short right) => throw null; + public static (int Quotient, int Remainder) DivRem(int left, int right) => throw null; + public static (long Quotient, long Remainder) DivRem(long left, long right) => throw null; + public static (nint Quotient, nint Remainder) DivRem(nint left, nint right) => throw null; + public static (sbyte Quotient, sbyte Remainder) DivRem(sbyte left, sbyte right) => throw null; + public static (ushort Quotient, ushort Remainder) DivRem(ushort left, ushort right) => throw null; + public static (uint Quotient, uint Remainder) DivRem(uint left, uint right) => throw null; + public static (ulong Quotient, ulong Remainder) DivRem(ulong left, ulong right) => throw null; + public static (nuint Quotient, nuint Remainder) DivRem(nuint left, nuint right) => throw null; + public static double E; + public static double Exp(double d) => throw null; + public static decimal Floor(decimal d) => throw null; + public static double Floor(double d) => throw null; + public static double FusedMultiplyAdd(double x, double y, double z) => throw null; + public static double IEEERemainder(double x, double y) => throw null; + public static int ILogB(double x) => throw null; + public static double Log(double d) => throw null; + public static double Log(double a, double newBase) => throw null; + public static double Log10(double d) => throw null; + public static double Log2(double x) => throw null; + public static byte Max(byte val1, byte val2) => throw null; + public static decimal Max(decimal val1, decimal val2) => throw null; + public static double Max(double val1, double val2) => throw null; + public static short Max(short val1, short val2) => throw null; + public static int Max(int val1, int val2) => throw null; + public static long Max(long val1, long val2) => throw null; + public static nint Max(nint val1, nint val2) => throw null; + public static sbyte Max(sbyte val1, sbyte val2) => throw null; + public static float Max(float val1, float val2) => throw null; + public static ushort Max(ushort val1, ushort val2) => throw null; + public static uint Max(uint val1, uint val2) => throw null; + public static ulong Max(ulong val1, ulong val2) => throw null; + public static nuint Max(nuint val1, nuint val2) => throw null; + public static double MaxMagnitude(double x, double y) => throw null; + public static byte Min(byte val1, byte val2) => throw null; + public static decimal Min(decimal val1, decimal val2) => throw null; + public static double Min(double val1, double val2) => throw null; + public static short Min(short val1, short val2) => throw null; + public static int Min(int val1, int val2) => throw null; + public static long Min(long val1, long val2) => throw null; + public static nint Min(nint val1, nint val2) => throw null; + public static sbyte Min(sbyte val1, sbyte val2) => throw null; + public static float Min(float val1, float val2) => throw null; + public static ushort Min(ushort val1, ushort val2) => throw null; + public static uint Min(uint val1, uint val2) => throw null; + public static ulong Min(ulong val1, ulong val2) => throw null; + public static nuint Min(nuint val1, nuint val2) => throw null; + public static double MinMagnitude(double x, double y) => throw null; + public static double PI; + public static double Pow(double x, double y) => throw null; + public static double ReciprocalEstimate(double d) => throw null; + public static double ReciprocalSqrtEstimate(double d) => throw null; + public static decimal Round(decimal d) => throw null; + public static decimal Round(decimal d, int decimals) => throw null; + public static decimal Round(decimal d, int decimals, System.MidpointRounding mode) => throw null; + public static decimal Round(decimal d, System.MidpointRounding mode) => throw null; + public static double Round(double a) => throw null; + public static double Round(double value, int digits) => throw null; + public static double Round(double value, int digits, System.MidpointRounding mode) => throw null; + public static double Round(double value, System.MidpointRounding mode) => throw null; + public static double ScaleB(double x, int n) => throw null; + public static int Sign(decimal value) => throw null; + public static int Sign(double value) => throw null; + public static int Sign(short value) => throw null; + public static int Sign(int value) => throw null; + public static int Sign(long value) => throw null; + public static int Sign(nint value) => throw null; + public static int Sign(sbyte value) => throw null; + public static int Sign(float value) => throw null; + public static double Sin(double a) => throw null; + public static (double Sin, double Cos) SinCos(double x) => throw null; + public static double Sinh(double value) => throw null; + public static double Sqrt(double d) => throw null; + public static double Tan(double a) => throw null; + public static double Tanh(double value) => throw null; + public static double Tau; + public static decimal Truncate(decimal d) => throw null; + public static double Truncate(double d) => throw null; + } + public static class MathF + { + public static float Abs(float x) => throw null; + public static float Acos(float x) => throw null; + public static float Acosh(float x) => throw null; + public static float Asin(float x) => throw null; + public static float Asinh(float x) => throw null; + public static float Atan(float x) => throw null; + public static float Atan2(float y, float x) => throw null; + public static float Atanh(float x) => throw null; + public static float BitDecrement(float x) => throw null; + public static float BitIncrement(float x) => throw null; + public static float Cbrt(float x) => throw null; + public static float Ceiling(float x) => throw null; + public static float CopySign(float x, float y) => throw null; + public static float Cos(float x) => throw null; + public static float Cosh(float x) => throw null; + public static float E; + public static float Exp(float x) => throw null; + public static float Floor(float x) => throw null; + public static float FusedMultiplyAdd(float x, float y, float z) => throw null; + public static float IEEERemainder(float x, float y) => throw null; + public static int ILogB(float x) => throw null; + public static float Log(float x) => throw null; + public static float Log(float x, float y) => throw null; + public static float Log10(float x) => throw null; + public static float Log2(float x) => throw null; + public static float Max(float x, float y) => throw null; + public static float MaxMagnitude(float x, float y) => throw null; + public static float Min(float x, float y) => throw null; + public static float MinMagnitude(float x, float y) => throw null; + public static float PI; + public static float Pow(float x, float y) => throw null; + public static float ReciprocalEstimate(float x) => throw null; + public static float ReciprocalSqrtEstimate(float x) => throw null; + public static float Round(float x) => throw null; + public static float Round(float x, int digits) => throw null; + public static float Round(float x, int digits, System.MidpointRounding mode) => throw null; + public static float Round(float x, System.MidpointRounding mode) => throw null; + public static float ScaleB(float x, int n) => throw null; + public static int Sign(float x) => throw null; + public static float Sin(float x) => throw null; + public static (float Sin, float Cos) SinCos(float x) => throw null; + public static float Sinh(float x) => throw null; + public static float Sqrt(float x) => throw null; + public static float Tan(float x) => throw null; + public static float Tanh(float x) => throw null; + public static float Tau; + public static float Truncate(float x) => throw null; + } + public class MemberAccessException : System.SystemException + { + public MemberAccessException() => throw null; + protected MemberAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MemberAccessException(string message) => throw null; + public MemberAccessException(string message, System.Exception inner) => throw null; + } + public struct Memory : System.IEquatable> + { + public void CopyTo(System.Memory destination) => throw null; + public Memory(T[] array) => throw null; + public Memory(T[] array, int start, int length) => throw null; + public static System.Memory Empty { get => throw null; } + public bool Equals(System.Memory other) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public bool IsEmpty { get => throw null; } + public int Length { get => throw null; } + public static implicit operator System.Memory(System.ArraySegment segment) => throw null; + public static implicit operator System.ReadOnlyMemory(System.Memory memory) => throw null; + public static implicit operator System.Memory(T[] array) => throw null; + public System.Buffers.MemoryHandle Pin() => throw null; + public System.Memory Slice(int start) => throw null; + public System.Memory Slice(int start, int length) => throw null; + public System.Span Span { get => throw null; } + public T[] ToArray() => throw null; + public override string ToString() => throw null; + public bool TryCopyTo(System.Memory destination) => throw null; + } + public class MethodAccessException : System.MemberAccessException + { + public MethodAccessException() => throw null; + protected MethodAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MethodAccessException(string message) => throw null; + public MethodAccessException(string message, System.Exception inner) => throw null; + } + public enum MidpointRounding + { + ToEven = 0, + AwayFromZero = 1, + ToZero = 2, + ToNegativeInfinity = 3, + ToPositiveInfinity = 4, + } + public class MissingFieldException : System.MissingMemberException, System.Runtime.Serialization.ISerializable + { + public MissingFieldException() => throw null; + protected MissingFieldException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MissingFieldException(string message) => throw null; + public MissingFieldException(string message, System.Exception inner) => throw null; + public MissingFieldException(string className, string fieldName) => throw null; + public override string Message { get => throw null; } + } + public class MissingMemberException : System.MemberAccessException, System.Runtime.Serialization.ISerializable + { + protected string ClassName; + public MissingMemberException() => throw null; + protected MissingMemberException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MissingMemberException(string message) => throw null; + public MissingMemberException(string message, System.Exception inner) => throw null; + public MissingMemberException(string className, string memberName) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected string MemberName; + public override string Message { get => throw null; } + protected byte[] Signature; + } + public class MissingMethodException : System.MissingMemberException + { + public MissingMethodException() => throw null; + protected MissingMethodException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public MissingMethodException(string message) => throw null; + public MissingMethodException(string message, System.Exception inner) => throw null; + public MissingMethodException(string className, string methodName) => throw null; + public override string Message { get => throw null; } + } + public struct ModuleHandle : System.IEquatable + { + public static System.ModuleHandle EmptyHandle; + public bool Equals(System.ModuleHandle handle) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public System.RuntimeFieldHandle GetRuntimeFieldHandleFromMetadataToken(int fieldToken) => throw null; + public System.RuntimeMethodHandle GetRuntimeMethodHandleFromMetadataToken(int methodToken) => throw null; + public System.RuntimeTypeHandle GetRuntimeTypeHandleFromMetadataToken(int typeToken) => throw null; + public int MDStreamVersion { get => throw null; } + public static bool operator ==(System.ModuleHandle left, System.ModuleHandle right) => throw null; + public static bool operator !=(System.ModuleHandle left, System.ModuleHandle right) => throw null; + public System.RuntimeFieldHandle ResolveFieldHandle(int fieldToken) => throw null; + public System.RuntimeFieldHandle ResolveFieldHandle(int fieldToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; + public System.RuntimeMethodHandle ResolveMethodHandle(int methodToken) => throw null; + public System.RuntimeMethodHandle ResolveMethodHandle(int methodToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; + public System.RuntimeTypeHandle ResolveTypeHandle(int typeToken) => throw null; + public System.RuntimeTypeHandle ResolveTypeHandle(int typeToken, System.RuntimeTypeHandle[] typeInstantiationContext, System.RuntimeTypeHandle[] methodInstantiationContext) => throw null; + } + public sealed class MTAThreadAttribute : System.Attribute + { + public MTAThreadAttribute() => throw null; + } + public abstract class MulticastDelegate : System.Delegate + { + protected override sealed System.Delegate CombineImpl(System.Delegate follow) => throw null; + protected MulticastDelegate(object target, string method) : base(default(object), default(string)) => throw null; + protected MulticastDelegate(System.Type target, string method) : base(default(object), default(string)) => throw null; + public override sealed bool Equals(object obj) => throw null; + public override sealed int GetHashCode() => throw null; + public override sealed System.Delegate[] GetInvocationList() => throw null; + protected override System.Reflection.MethodInfo GetMethodImpl() => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static bool operator ==(System.MulticastDelegate d1, System.MulticastDelegate d2) => throw null; + public static bool operator !=(System.MulticastDelegate d1, System.MulticastDelegate d2) => throw null; + protected override sealed System.Delegate RemoveImpl(System.Delegate value) => throw null; + } + public sealed class MulticastNotSupportedException : System.SystemException + { + public MulticastNotSupportedException() => throw null; + public MulticastNotSupportedException(string message) => throw null; + public MulticastNotSupportedException(string message, System.Exception inner) => throw null; + } + namespace Net + { + public static class WebUtility { - public string FileName { get => throw null; } - public FileNotFoundException() => throw null; - protected FileNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public FileNotFoundException(string message) => throw null; - public FileNotFoundException(string message, System.Exception innerException) => throw null; - public FileNotFoundException(string message, string fileName) => throw null; - public FileNotFoundException(string message, string fileName, System.Exception innerException) => throw null; - public string FusionLog { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public override string ToString() => throw null; + public static string HtmlDecode(string value) => throw null; + public static void HtmlDecode(string value, System.IO.TextWriter output) => throw null; + public static string HtmlEncode(string value) => throw null; + public static void HtmlEncode(string value, System.IO.TextWriter output) => throw null; + public static string UrlDecode(string encodedValue) => throw null; + public static byte[] UrlDecodeToBytes(byte[] encodedValue, int offset, int count) => throw null; + public static string UrlEncode(string value) => throw null; + public static byte[] UrlEncodeToBytes(byte[] value, int offset, int count) => throw null; } - - [System.Flags] - public enum FileOptions : int + } + public class NetPipeStyleUriParser : System.UriParser + { + public NetPipeStyleUriParser() => throw null; + } + public class NetTcpStyleUriParser : System.UriParser + { + public NetTcpStyleUriParser() => throw null; + } + public class NewsStyleUriParser : System.UriParser + { + public NewsStyleUriParser() => throw null; + } + public sealed class NonSerializedAttribute : System.Attribute + { + public NonSerializedAttribute() => throw null; + } + public class NotFiniteNumberException : System.ArithmeticException + { + public NotFiniteNumberException() => throw null; + public NotFiniteNumberException(double offendingNumber) => throw null; + protected NotFiniteNumberException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public NotFiniteNumberException(string message) => throw null; + public NotFiniteNumberException(string message, double offendingNumber) => throw null; + public NotFiniteNumberException(string message, double offendingNumber, System.Exception innerException) => throw null; + public NotFiniteNumberException(string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public double OffendingNumber { get => throw null; } + } + public class NotImplementedException : System.SystemException + { + public NotImplementedException() => throw null; + protected NotImplementedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public NotImplementedException(string message) => throw null; + public NotImplementedException(string message, System.Exception inner) => throw null; + } + public class NotSupportedException : System.SystemException + { + public NotSupportedException() => throw null; + protected NotSupportedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public NotSupportedException(string message) => throw null; + public NotSupportedException(string message, System.Exception innerException) => throw null; + } + public static class Nullable + { + public static int Compare(T? n1, T? n2) where T : struct => throw null; + public static bool Equals(T? n1, T? n2) where T : struct => throw null; + public static System.Type GetUnderlyingType(System.Type nullableType) => throw null; + public static T GetValueRefOrDefaultRef(in T? nullable) where T : struct => throw null; + } + public struct Nullable where T : struct + { + public Nullable(T value) => throw null; + public override bool Equals(object other) => throw null; + public override int GetHashCode() => throw null; + public T GetValueOrDefault() => throw null; + public T GetValueOrDefault(T defaultValue) => throw null; + public bool HasValue { get => throw null; } + public static explicit operator T(T? value) => throw null; + public static implicit operator T?(T value) => throw null; + public override string ToString() => throw null; + public T Value { get => throw null; } + } + public class NullReferenceException : System.SystemException + { + public NullReferenceException() => throw null; + protected NullReferenceException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public NullReferenceException(string message) => throw null; + public NullReferenceException(string message, System.Exception innerException) => throw null; + } + namespace Numerics + { + public static class BitOperations { - Asynchronous = 1073741824, - DeleteOnClose = 67108864, - Encrypted = 16384, - None = 0, - RandomAccess = 268435456, - SequentialScan = 134217728, - WriteThrough = -2147483648, + public static bool IsPow2(int value) => throw null; + public static bool IsPow2(long value) => throw null; + public static bool IsPow2(nint value) => throw null; + public static bool IsPow2(uint value) => throw null; + public static bool IsPow2(ulong value) => throw null; + public static bool IsPow2(nuint value) => throw null; + public static int LeadingZeroCount(uint value) => throw null; + public static int LeadingZeroCount(ulong value) => throw null; + public static int LeadingZeroCount(nuint value) => throw null; + public static int Log2(uint value) => throw null; + public static int Log2(ulong value) => throw null; + public static int Log2(nuint value) => throw null; + public static int PopCount(uint value) => throw null; + public static int PopCount(ulong value) => throw null; + public static int PopCount(nuint value) => throw null; + public static uint RotateLeft(uint value, int offset) => throw null; + public static ulong RotateLeft(ulong value, int offset) => throw null; + public static nuint RotateLeft(nuint value, int offset) => throw null; + public static uint RotateRight(uint value, int offset) => throw null; + public static ulong RotateRight(ulong value, int offset) => throw null; + public static nuint RotateRight(nuint value, int offset) => throw null; + public static uint RoundUpToPowerOf2(uint value) => throw null; + public static ulong RoundUpToPowerOf2(ulong value) => throw null; + public static nuint RoundUpToPowerOf2(nuint value) => throw null; + public static int TrailingZeroCount(int value) => throw null; + public static int TrailingZeroCount(long value) => throw null; + public static int TrailingZeroCount(nint value) => throw null; + public static int TrailingZeroCount(uint value) => throw null; + public static int TrailingZeroCount(ulong value) => throw null; + public static int TrailingZeroCount(nuint value) => throw null; } - - [System.Flags] - public enum FileShare : int + public interface IAdditionOperators where TSelf : System.Numerics.IAdditionOperators { - Delete = 4, - Inheritable = 16, - None = 0, - Read = 1, - ReadWrite = 3, - Write = 2, + abstract static TResult operator +(TSelf left, TOther right); + static virtual TResult operator checked +(TSelf left, TOther right) => throw null; } - - public class FileStream : System.IO.Stream - { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } - public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public override int EndRead(System.IAsyncResult asyncResult) => throw null; - public override void EndWrite(System.IAsyncResult asyncResult) => throw null; - public FileStream(System.IntPtr handle, System.IO.FileAccess access) => throw null; - public FileStream(System.IntPtr handle, System.IO.FileAccess access, bool ownsHandle) => throw null; - public FileStream(System.IntPtr handle, System.IO.FileAccess access, bool ownsHandle, int bufferSize) => throw null; - public FileStream(System.IntPtr handle, System.IO.FileAccess access, bool ownsHandle, int bufferSize, bool isAsync) => throw null; - public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access) => throw null; - public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access, int bufferSize) => throw null; - public FileStream(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.IO.FileAccess access, int bufferSize, bool isAsync) => throw null; - public FileStream(string path, System.IO.FileMode mode) => throw null; - public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access) => throw null; - public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share) => throw null; - public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize) => throw null; - public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, System.IO.FileOptions options) => throw null; - public FileStream(string path, System.IO.FileMode mode, System.IO.FileAccess access, System.IO.FileShare share, int bufferSize, bool useAsync) => throw null; - public FileStream(string path, System.IO.FileStreamOptions options) => throw null; - public override void Flush() => throw null; - public virtual void Flush(bool flushToDisk) => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.IntPtr Handle { get => throw null; } - public virtual bool IsAsync { get => throw null; } - public override System.Int64 Length { get => throw null; } - public virtual void Lock(System.Int64 position, System.Int64 length) => throw null; - public virtual string Name { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadByte() => throw null; - public virtual Microsoft.Win32.SafeHandles.SafeFileHandle SafeFileHandle { get => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public virtual void Unlock(System.Int64 position, System.Int64 length) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - // ERR: Stub generator didn't handle member: ~FileStream - } - - public class FileStreamOptions - { - public System.IO.FileAccess Access { get => throw null; set => throw null; } - public int BufferSize { get => throw null; set => throw null; } - public FileStreamOptions() => throw null; - public System.IO.FileMode Mode { get => throw null; set => throw null; } - public System.IO.FileOptions Options { get => throw null; set => throw null; } - public System.Int64 PreallocationSize { get => throw null; set => throw null; } - public System.IO.FileShare Share { get => throw null; set => throw null; } - public System.IO.UnixFileMode? UnixCreateMode { get => throw null; set => throw null; } + public interface IAdditiveIdentity where TSelf : System.Numerics.IAdditiveIdentity + { + abstract static TResult AdditiveIdentity { get; } } - - public abstract class FileSystemInfo : System.MarshalByRefObject, System.Runtime.Serialization.ISerializable + public interface IBinaryFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions where TSelf : System.Numerics.IBinaryFloatingPointIeee754 { - public System.IO.FileAttributes Attributes { get => throw null; set => throw null; } - public void CreateAsSymbolicLink(string pathToTarget) => throw null; - public System.DateTime CreationTime { get => throw null; set => throw null; } - public System.DateTime CreationTimeUtc { get => throw null; set => throw null; } - public abstract void Delete(); - public abstract bool Exists { get; } - public string Extension { get => throw null; } - protected FileSystemInfo() => throw null; - protected FileSystemInfo(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public virtual string FullName { get => throw null; } - protected string FullPath; - public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.DateTime LastAccessTime { get => throw null; set => throw null; } - public System.DateTime LastAccessTimeUtc { get => throw null; set => throw null; } - public System.DateTime LastWriteTime { get => throw null; set => throw null; } - public System.DateTime LastWriteTimeUtc { get => throw null; set => throw null; } - public string LinkTarget { get => throw null; } - public abstract string Name { get; } - protected string OriginalPath; - public void Refresh() => throw null; - public System.IO.FileSystemInfo ResolveLinkTarget(bool returnFinalTarget) => throw null; - public override string ToString() => throw null; - public System.IO.UnixFileMode UnixFileMode { get => throw null; set => throw null; } } - - public enum HandleInheritability : int + public interface IBinaryInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators where TSelf : System.Numerics.IBinaryInteger { - Inheritable = 1, - None = 0, + static virtual (TSelf Quotient, TSelf Remainder) DivRem(TSelf left, TSelf right) => throw null; + int GetByteCount(); + int GetShortestBitLength(); + static virtual TSelf LeadingZeroCount(TSelf value) => throw null; + abstract static TSelf PopCount(TSelf value); + static virtual TSelf ReadBigEndian(byte[] source, bool isUnsigned) => throw null; + static virtual TSelf ReadBigEndian(byte[] source, int startIndex, bool isUnsigned) => throw null; + static virtual TSelf ReadBigEndian(System.ReadOnlySpan source, bool isUnsigned) => throw null; + static virtual TSelf ReadLittleEndian(byte[] source, bool isUnsigned) => throw null; + static virtual TSelf ReadLittleEndian(byte[] source, int startIndex, bool isUnsigned) => throw null; + static virtual TSelf ReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned) => throw null; + static virtual TSelf RotateLeft(TSelf value, int rotateAmount) => throw null; + static virtual TSelf RotateRight(TSelf value, int rotateAmount) => throw null; + abstract static TSelf TrailingZeroCount(TSelf value); + abstract static bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out TSelf value); + abstract static bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out TSelf value); + bool TryWriteBigEndian(System.Span destination, out int bytesWritten); + bool TryWriteLittleEndian(System.Span destination, out int bytesWritten); + virtual int WriteBigEndian(byte[] destination) => throw null; + virtual int WriteBigEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteBigEndian(System.Span destination) => throw null; + virtual int WriteLittleEndian(byte[] destination) => throw null; + virtual int WriteLittleEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteLittleEndian(System.Span destination) => throw null; + } + public interface IBinaryNumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryNumber + { + static virtual TSelf AllBitsSet { get => throw null; } + abstract static bool IsPow2(TSelf value); + abstract static TSelf Log2(TSelf value); } - - public class IOException : System.SystemException + public interface IBitwiseOperators where TSelf : System.Numerics.IBitwiseOperators { - public IOException() => throw null; - protected IOException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public IOException(string message) => throw null; - public IOException(string message, System.Exception innerException) => throw null; - public IOException(string message, int hresult) => throw null; + abstract static TResult operator &(TSelf left, TOther right); + abstract static TResult operator |(TSelf left, TOther right); + abstract static TResult operator ^(TSelf left, TOther right); + abstract static TResult operator ~(TSelf value); } - - public class InvalidDataException : System.SystemException + public interface IComparisonOperators : System.Numerics.IEqualityOperators where TSelf : System.Numerics.IComparisonOperators { - public InvalidDataException() => throw null; - public InvalidDataException(string message) => throw null; - public InvalidDataException(string message, System.Exception innerException) => throw null; + abstract static TResult operator >(TSelf left, TOther right); + abstract static TResult operator >=(TSelf left, TOther right); + abstract static TResult operator <(TSelf left, TOther right); + abstract static TResult operator <=(TSelf left, TOther right); } - - public enum MatchCasing : int + public interface IDecrementOperators where TSelf : System.Numerics.IDecrementOperators { - CaseInsensitive = 2, - CaseSensitive = 1, - PlatformDefault = 0, + static virtual TSelf operator checked --(TSelf value) => throw null; + abstract static TSelf operator --(TSelf value); } - - public enum MatchType : int + public interface IDivisionOperators where TSelf : System.Numerics.IDivisionOperators { - Simple = 0, - Win32 = 1, + static virtual TResult operator checked /(TSelf left, TOther right) => throw null; + abstract static TResult operator /(TSelf left, TOther right); } - - public class MemoryStream : System.IO.Stream + public interface IEqualityOperators where TSelf : System.Numerics.IEqualityOperators { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } - public virtual int Capacity { get => throw null; set => throw null; } - public override void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; - public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override int EndRead(System.IAsyncResult asyncResult) => throw null; - public override void EndWrite(System.IAsyncResult asyncResult) => throw null; - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Byte[] GetBuffer() => throw null; - public override System.Int64 Length { get => throw null; } - public MemoryStream() => throw null; - public MemoryStream(System.Byte[] buffer) => throw null; - public MemoryStream(System.Byte[] buffer, bool writable) => throw null; - public MemoryStream(System.Byte[] buffer, int index, int count) => throw null; - public MemoryStream(System.Byte[] buffer, int index, int count, bool writable) => throw null; - public MemoryStream(System.Byte[] buffer, int index, int count, bool writable, bool publiclyVisible) => throw null; - public MemoryStream(int capacity) => throw null; - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin loc) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public virtual System.Byte[] ToArray() => throw null; - public virtual bool TryGetBuffer(out System.ArraySegment buffer) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - public virtual void WriteTo(System.IO.Stream stream) => throw null; + abstract static TResult operator ==(TSelf left, TOther right); + abstract static TResult operator !=(TSelf left, TOther right); } - - public static class Path + public interface IExponentialFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IExponentialFunctions { - public static System.Char AltDirectorySeparatorChar; - public static string ChangeExtension(string path, string extension) => throw null; - public static string Combine(params string[] paths) => throw null; - public static string Combine(string path1, string path2) => throw null; - public static string Combine(string path1, string path2, string path3) => throw null; - public static string Combine(string path1, string path2, string path3, string path4) => throw null; - public static System.Char DirectorySeparatorChar; - public static bool EndsInDirectorySeparator(System.ReadOnlySpan path) => throw null; - public static bool EndsInDirectorySeparator(string path) => throw null; - public static bool Exists(string path) => throw null; - public static System.ReadOnlySpan GetDirectoryName(System.ReadOnlySpan path) => throw null; - public static string GetDirectoryName(string path) => throw null; - public static System.ReadOnlySpan GetExtension(System.ReadOnlySpan path) => throw null; - public static string GetExtension(string path) => throw null; - public static System.ReadOnlySpan GetFileName(System.ReadOnlySpan path) => throw null; - public static string GetFileName(string path) => throw null; - public static System.ReadOnlySpan GetFileNameWithoutExtension(System.ReadOnlySpan path) => throw null; - public static string GetFileNameWithoutExtension(string path) => throw null; - public static string GetFullPath(string path) => throw null; - public static string GetFullPath(string path, string basePath) => throw null; - public static System.Char[] GetInvalidFileNameChars() => throw null; - public static System.Char[] GetInvalidPathChars() => throw null; - public static System.ReadOnlySpan GetPathRoot(System.ReadOnlySpan path) => throw null; - public static string GetPathRoot(string path) => throw null; - public static string GetRandomFileName() => throw null; - public static string GetRelativePath(string relativeTo, string path) => throw null; - public static string GetTempFileName() => throw null; - public static string GetTempPath() => throw null; - public static bool HasExtension(System.ReadOnlySpan path) => throw null; - public static bool HasExtension(string path) => throw null; - public static System.Char[] InvalidPathChars; - public static bool IsPathFullyQualified(System.ReadOnlySpan path) => throw null; - public static bool IsPathFullyQualified(string path) => throw null; - public static bool IsPathRooted(System.ReadOnlySpan path) => throw null; - public static bool IsPathRooted(string path) => throw null; - public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2) => throw null; - public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3) => throw null; - public static string Join(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3, System.ReadOnlySpan path4) => throw null; - public static string Join(params string[] paths) => throw null; - public static string Join(string path1, string path2) => throw null; - public static string Join(string path1, string path2, string path3) => throw null; - public static string Join(string path1, string path2, string path3, string path4) => throw null; - public static System.Char PathSeparator; - public static System.ReadOnlySpan TrimEndingDirectorySeparator(System.ReadOnlySpan path) => throw null; - public static string TrimEndingDirectorySeparator(string path) => throw null; - public static bool TryJoin(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.ReadOnlySpan path3, System.Span destination, out int charsWritten) => throw null; - public static bool TryJoin(System.ReadOnlySpan path1, System.ReadOnlySpan path2, System.Span destination, out int charsWritten) => throw null; - public static System.Char VolumeSeparatorChar; + abstract static TSelf Exp(TSelf x); + abstract static TSelf Exp10(TSelf x); + static virtual TSelf Exp10M1(TSelf x) => throw null; + abstract static TSelf Exp2(TSelf x); + static virtual TSelf Exp2M1(TSelf x) => throw null; + static virtual TSelf ExpM1(TSelf x) => throw null; } - - public class PathTooLongException : System.IO.IOException + public interface IFloatingPoint : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber where TSelf : System.Numerics.IFloatingPoint { - public PathTooLongException() => throw null; - protected PathTooLongException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public PathTooLongException(string message) => throw null; - public PathTooLongException(string message, System.Exception innerException) => throw null; + static virtual TSelf Ceiling(TSelf x) => throw null; + static virtual TSelf Floor(TSelf x) => throw null; + int GetExponentByteCount(); + int GetExponentShortestBitLength(); + int GetSignificandBitLength(); + int GetSignificandByteCount(); + static virtual TSelf Round(TSelf x) => throw null; + static virtual TSelf Round(TSelf x, int digits) => throw null; + abstract static TSelf Round(TSelf x, int digits, System.MidpointRounding mode); + static virtual TSelf Round(TSelf x, System.MidpointRounding mode) => throw null; + static virtual TSelf Truncate(TSelf x) => throw null; + bool TryWriteExponentBigEndian(System.Span destination, out int bytesWritten); + bool TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten); + bool TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten); + bool TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten); + virtual int WriteExponentBigEndian(byte[] destination) => throw null; + virtual int WriteExponentBigEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteExponentBigEndian(System.Span destination) => throw null; + virtual int WriteExponentLittleEndian(byte[] destination) => throw null; + virtual int WriteExponentLittleEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteExponentLittleEndian(System.Span destination) => throw null; + virtual int WriteSignificandBigEndian(byte[] destination) => throw null; + virtual int WriteSignificandBigEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteSignificandBigEndian(System.Span destination) => throw null; + virtual int WriteSignificandLittleEndian(byte[] destination) => throw null; + virtual int WriteSignificandLittleEndian(byte[] destination, int startIndex) => throw null; + virtual int WriteSignificandLittleEndian(System.Span destination) => throw null; + } + public interface IFloatingPointConstants : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointConstants + { + abstract static TSelf E { get; } + abstract static TSelf Pi { get; } + abstract static TSelf Tau { get; } + } + public interface IFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IFloatingPoint, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions where TSelf : System.Numerics.IFloatingPointIeee754 + { + abstract static TSelf Atan2(TSelf y, TSelf x); + abstract static TSelf Atan2Pi(TSelf y, TSelf x); + abstract static TSelf BitDecrement(TSelf x); + abstract static TSelf BitIncrement(TSelf x); + abstract static TSelf Epsilon { get; } + abstract static TSelf FusedMultiplyAdd(TSelf left, TSelf right, TSelf addend); + abstract static TSelf Ieee754Remainder(TSelf left, TSelf right); + abstract static int ILogB(TSelf x); + abstract static TSelf NaN { get; } + abstract static TSelf NegativeInfinity { get; } + abstract static TSelf NegativeZero { get; } + abstract static TSelf PositiveInfinity { get; } + static virtual TSelf ReciprocalEstimate(TSelf x) => throw null; + static virtual TSelf ReciprocalSqrtEstimate(TSelf x) => throw null; + abstract static TSelf ScaleB(TSelf x, int n); } - - public static class RandomAccess + public interface IHyperbolicFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IHyperbolicFunctions { - public static System.Int64 GetLength(Microsoft.Win32.SafeHandles.SafeFileHandle handle) => throw null; - public static System.Int64 Read(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, System.Int64 fileOffset) => throw null; - public static int Read(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Span buffer, System.Int64 fileOffset) => throw null; - public static System.Threading.Tasks.ValueTask ReadAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, System.Int64 fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Memory buffer, System.Int64 fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void SetLength(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Int64 length) => throw null; - public static void Write(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, System.Int64 fileOffset) => throw null; - public static void Write(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.ReadOnlySpan buffer, System.Int64 fileOffset) => throw null; - public static System.Threading.Tasks.ValueTask WriteAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.Collections.Generic.IReadOnlyList> buffers, System.Int64 fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask WriteAsync(Microsoft.Win32.SafeHandles.SafeFileHandle handle, System.ReadOnlyMemory buffer, System.Int64 fileOffset, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + abstract static TSelf Acosh(TSelf x); + abstract static TSelf Asinh(TSelf x); + abstract static TSelf Atanh(TSelf x); + abstract static TSelf Cosh(TSelf x); + abstract static TSelf Sinh(TSelf x); + abstract static TSelf Tanh(TSelf x); } - - public enum SearchOption : int + public interface IIncrementOperators where TSelf : System.Numerics.IIncrementOperators { - AllDirectories = 1, - TopDirectoryOnly = 0, + static virtual TSelf operator checked ++(TSelf value) => throw null; + abstract static TSelf operator ++(TSelf value); } - - public enum SeekOrigin : int + public interface ILogarithmicFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ILogarithmicFunctions { - Begin = 0, - Current = 1, - End = 2, + abstract static TSelf Log(TSelf x); + abstract static TSelf Log(TSelf x, TSelf newBase); + abstract static TSelf Log10(TSelf x); + static virtual TSelf Log10P1(TSelf x) => throw null; + abstract static TSelf Log2(TSelf x); + static virtual TSelf Log2P1(TSelf x) => throw null; + static virtual TSelf LogP1(TSelf x) => throw null; } - - public abstract class Stream : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable + public interface IMinMaxValue where TSelf : System.Numerics.IMinMaxValue { - public virtual System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public virtual System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public abstract bool CanRead { get; } - public abstract bool CanSeek { get; } - public virtual bool CanTimeout { get => throw null; } - public abstract bool CanWrite { get; } - public virtual void Close() => throw null; - public void CopyTo(System.IO.Stream destination) => throw null; - public virtual void CopyTo(System.IO.Stream destination, int bufferSize) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize) => throw null; - public virtual System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.Threading.WaitHandle CreateWaitHandle() => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public virtual int EndRead(System.IAsyncResult asyncResult) => throw null; - public virtual void EndWrite(System.IAsyncResult asyncResult) => throw null; - public abstract void Flush(); - public System.Threading.Tasks.Task FlushAsync() => throw null; - public virtual System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Int64 Length { get; } - public static System.IO.Stream Null; - protected virtual void ObjectInvariant() => throw null; - public abstract System.Int64 Position { get; set; } - public abstract int Read(System.Byte[] buffer, int offset, int count); - public virtual int Read(System.Span buffer) => throw null; - public System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public int ReadAtLeast(System.Span buffer, int minimumBytes, bool throwOnEndOfStream = default(bool)) => throw null; - public System.Threading.Tasks.ValueTask ReadAtLeastAsync(System.Memory buffer, int minimumBytes, bool throwOnEndOfStream = default(bool), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual int ReadByte() => throw null; - public void ReadExactly(System.Byte[] buffer, int offset, int count) => throw null; - public void ReadExactly(System.Span buffer) => throw null; - public System.Threading.Tasks.ValueTask ReadExactlyAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.ValueTask ReadExactlyAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual int ReadTimeout { get => throw null; set => throw null; } - public abstract System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin); - public abstract void SetLength(System.Int64 value); - protected Stream() => throw null; - public static System.IO.Stream Synchronized(System.IO.Stream stream) => throw null; - protected static void ValidateBufferArguments(System.Byte[] buffer, int offset, int count) => throw null; - protected static void ValidateCopyToArguments(System.IO.Stream destination, int bufferSize) => throw null; - public abstract void Write(System.Byte[] buffer, int offset, int count); - public virtual void Write(System.ReadOnlySpan buffer) => throw null; - public System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual void WriteByte(System.Byte value) => throw null; - public virtual int WriteTimeout { get => throw null; set => throw null; } - } - - public class StreamReader : System.IO.TextReader + abstract static TSelf MaxValue { get; } + abstract static TSelf MinValue { get; } + } + public interface IModulusOperators where TSelf : System.Numerics.IModulusOperators { - public virtual System.IO.Stream BaseStream { get => throw null; } - public override void Close() => throw null; - public virtual System.Text.Encoding CurrentEncoding { get => throw null; } - public void DiscardBufferedData() => throw null; - protected override void Dispose(bool disposing) => throw null; - public bool EndOfStream { get => throw null; } - public static System.IO.StreamReader Null; - public override int Peek() => throw null; - public override int Read() => throw null; - public override int Read(System.Char[] buffer, int index, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadBlock(System.Char[] buffer, int index, int count) => throw null; - public override int ReadBlock(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadBlockAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override string ReadLine() => throw null; - public override System.Threading.Tasks.Task ReadLineAsync() => throw null; - public override System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override string ReadToEnd() => throw null; - public override System.Threading.Tasks.Task ReadToEndAsync() => throw null; - public override System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public StreamReader(System.IO.Stream stream) => throw null; - public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; - public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks) => throw null; - public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, int bufferSize) => throw null; - public StreamReader(System.IO.Stream stream, System.Text.Encoding encoding = default(System.Text.Encoding), bool detectEncodingFromByteOrderMarks = default(bool), int bufferSize = default(int), bool leaveOpen = default(bool)) => throw null; - public StreamReader(System.IO.Stream stream, bool detectEncodingFromByteOrderMarks) => throw null; - public StreamReader(string path) => throw null; - public StreamReader(string path, System.Text.Encoding encoding) => throw null; - public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks) => throw null; - public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, System.IO.FileStreamOptions options) => throw null; - public StreamReader(string path, System.Text.Encoding encoding, bool detectEncodingFromByteOrderMarks, int bufferSize) => throw null; - public StreamReader(string path, System.IO.FileStreamOptions options) => throw null; - public StreamReader(string path, bool detectEncodingFromByteOrderMarks) => throw null; + abstract static TResult operator %(TSelf left, TOther right); } - - public class StreamWriter : System.IO.TextWriter + public interface IMultiplicativeIdentity where TSelf : System.Numerics.IMultiplicativeIdentity { - public virtual bool AutoFlush { get => throw null; set => throw null; } - public virtual System.IO.Stream BaseStream { get => throw null; } - public override void Close() => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public override System.Text.Encoding Encoding { get => throw null; } - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync() => throw null; - public static System.IO.StreamWriter Null; - public StreamWriter(System.IO.Stream stream) => throw null; - public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; - public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize) => throw null; - public StreamWriter(System.IO.Stream stream, System.Text.Encoding encoding = default(System.Text.Encoding), int bufferSize = default(int), bool leaveOpen = default(bool)) => throw null; - public StreamWriter(string path) => throw null; - public StreamWriter(string path, System.Text.Encoding encoding, System.IO.FileStreamOptions options) => throw null; - public StreamWriter(string path, System.IO.FileStreamOptions options) => throw null; - public StreamWriter(string path, bool append) => throw null; - public StreamWriter(string path, bool append, System.Text.Encoding encoding) => throw null; - public StreamWriter(string path, bool append, System.Text.Encoding encoding, int bufferSize) => throw null; - public override void Write(System.Char[] buffer) => throw null; - public override void Write(System.Char[] buffer, int index, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override void Write(System.Char value) => throw null; - public override void Write(string value) => throw null; - public override void Write(string format, object arg0) => throw null; - public override void Write(string format, object arg0, object arg1) => throw null; - public override void Write(string format, object arg0, object arg1, object arg2) => throw null; - public override void Write(string format, params object[] arg) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; - public override void WriteLine(System.ReadOnlySpan buffer) => throw null; - public override void WriteLine(string value) => throw null; - public override void WriteLine(string format, object arg0) => throw null; - public override void WriteLine(string format, object arg0, object arg1) => throw null; - public override void WriteLine(string format, object arg0, object arg1, object arg2) => throw null; - public override void WriteLine(string format, params object[] arg) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync() => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + abstract static TResult MultiplicativeIdentity { get; } } - - public class StringReader : System.IO.TextReader + public interface IMultiplyOperators where TSelf : System.Numerics.IMultiplyOperators { - public override void Close() => throw null; - protected override void Dispose(bool disposing) => throw null; - public override int Peek() => throw null; - public override int Read() => throw null; - public override int Read(System.Char[] buffer, int index, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadBlock(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadBlockAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override string ReadLine() => throw null; - public override System.Threading.Tasks.Task ReadLineAsync() => throw null; - public override System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override string ReadToEnd() => throw null; - public override System.Threading.Tasks.Task ReadToEndAsync() => throw null; - public override System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public StringReader(string s) => throw null; + static virtual TResult operator checked *(TSelf left, TOther right) => throw null; + abstract static TResult operator *(TSelf left, TOther right); } - - public class StringWriter : System.IO.TextWriter + public interface INumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumber { - public override void Close() => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Text.Encoding Encoding { get => throw null; } - public override System.Threading.Tasks.Task FlushAsync() => throw null; - public virtual System.Text.StringBuilder GetStringBuilder() => throw null; - public StringWriter() => throw null; - public StringWriter(System.IFormatProvider formatProvider) => throw null; - public StringWriter(System.Text.StringBuilder sb) => throw null; - public StringWriter(System.Text.StringBuilder sb, System.IFormatProvider formatProvider) => throw null; - public override string ToString() => throw null; - public override void Write(System.Char[] buffer, int index, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override void Write(System.Text.StringBuilder value) => throw null; - public override void Write(System.Char value) => throw null; - public override void Write(string value) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; - public override void WriteLine(System.ReadOnlySpan buffer) => throw null; - public override void WriteLine(System.Text.StringBuilder value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + static virtual TSelf Clamp(TSelf value, TSelf min, TSelf max) => throw null; + static virtual TSelf CopySign(TSelf value, TSelf sign) => throw null; + static virtual TSelf Max(TSelf x, TSelf y) => throw null; + static virtual TSelf MaxNumber(TSelf x, TSelf y) => throw null; + static virtual TSelf Min(TSelf x, TSelf y) => throw null; + static virtual TSelf MinNumber(TSelf x, TSelf y) => throw null; + static virtual int Sign(TSelf value) => throw null; + } + public interface INumberBase : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumberBase + { + abstract static TSelf Abs(TSelf value); + static virtual TSelf CreateChecked(TOther value) where TOther : System.Numerics.INumberBase => throw null; + static virtual TSelf CreateSaturating(TOther value) where TOther : System.Numerics.INumberBase => throw null; + static virtual TSelf CreateTruncating(TOther value) where TOther : System.Numerics.INumberBase => throw null; + abstract static bool IsCanonical(TSelf value); + abstract static bool IsComplexNumber(TSelf value); + abstract static bool IsEvenInteger(TSelf value); + abstract static bool IsFinite(TSelf value); + abstract static bool IsImaginaryNumber(TSelf value); + abstract static bool IsInfinity(TSelf value); + abstract static bool IsInteger(TSelf value); + abstract static bool IsNaN(TSelf value); + abstract static bool IsNegative(TSelf value); + abstract static bool IsNegativeInfinity(TSelf value); + abstract static bool IsNormal(TSelf value); + abstract static bool IsOddInteger(TSelf value); + abstract static bool IsPositive(TSelf value); + abstract static bool IsPositiveInfinity(TSelf value); + abstract static bool IsRealNumber(TSelf value); + abstract static bool IsSubnormal(TSelf value); + abstract static bool IsZero(TSelf value); + abstract static TSelf MaxMagnitude(TSelf x, TSelf y); + abstract static TSelf MaxMagnitudeNumber(TSelf x, TSelf y); + abstract static TSelf MinMagnitude(TSelf x, TSelf y); + abstract static TSelf MinMagnitudeNumber(TSelf x, TSelf y); + abstract static TSelf One { get; } + abstract static TSelf Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider); + abstract static TSelf Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider); + abstract static int Radix { get; } + abstract static bool TryConvertFromChecked(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; + abstract static bool TryConvertFromSaturating(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; + abstract static bool TryConvertFromTruncating(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; + abstract static bool TryConvertToChecked(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; + abstract static bool TryConvertToSaturating(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; + abstract static bool TryConvertToTruncating(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; + abstract static bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out TSelf result); + abstract static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out TSelf result); + abstract static TSelf Zero { get; } + } + public interface IPowerFunctions : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IPowerFunctions + { + abstract static TSelf Pow(TSelf x, TSelf y); + } + public interface IRootFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IRootFunctions + { + abstract static TSelf Cbrt(TSelf x); + abstract static TSelf Hypot(TSelf x, TSelf y); + abstract static TSelf RootN(TSelf x, int n); + abstract static TSelf Sqrt(TSelf x); } - - public abstract class TextReader : System.MarshalByRefObject, System.IDisposable + public interface IShiftOperators where TSelf : System.Numerics.IShiftOperators { - public virtual void Close() => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public static System.IO.TextReader Null; - public virtual int Peek() => throw null; - public virtual int Read() => throw null; - public virtual int Read(System.Char[] buffer, int index, int count) => throw null; - public virtual int Read(System.Span buffer) => throw null; - public virtual System.Threading.Tasks.Task ReadAsync(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual int ReadBlock(System.Char[] buffer, int index, int count) => throw null; - public virtual int ReadBlock(System.Span buffer) => throw null; - public virtual System.Threading.Tasks.Task ReadBlockAsync(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.ValueTask ReadBlockAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual string ReadLine() => throw null; - public virtual System.Threading.Tasks.Task ReadLineAsync() => throw null; - public virtual System.Threading.Tasks.ValueTask ReadLineAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual string ReadToEnd() => throw null; - public virtual System.Threading.Tasks.Task ReadToEndAsync() => throw null; - public virtual System.Threading.Tasks.Task ReadToEndAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public static System.IO.TextReader Synchronized(System.IO.TextReader reader) => throw null; - protected TextReader() => throw null; + abstract static TResult operator <<(TSelf value, TOther shiftAmount); + abstract static TResult operator >>(TSelf value, TOther shiftAmount); + abstract static TResult operator >>>(TSelf value, TOther shiftAmount); } - - public abstract class TextWriter : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable + public interface ISignedNumber : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ISignedNumber { - public virtual void Close() => throw null; - protected System.Char[] CoreNewLine; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public abstract System.Text.Encoding Encoding { get; } - public virtual void Flush() => throw null; - public virtual System.Threading.Tasks.Task FlushAsync() => throw null; - public virtual System.IFormatProvider FormatProvider { get => throw null; } - public virtual string NewLine { get => throw null; set => throw null; } - public static System.IO.TextWriter Null; - public static System.IO.TextWriter Synchronized(System.IO.TextWriter writer) => throw null; - protected TextWriter() => throw null; - protected TextWriter(System.IFormatProvider formatProvider) => throw null; - public virtual void Write(System.Char[] buffer) => throw null; - public virtual void Write(System.Char[] buffer, int index, int count) => throw null; - public virtual void Write(System.ReadOnlySpan buffer) => throw null; - public virtual void Write(System.Text.StringBuilder value) => throw null; - public virtual void Write(bool value) => throw null; - public virtual void Write(System.Char value) => throw null; - public virtual void Write(System.Decimal value) => throw null; - public virtual void Write(double value) => throw null; - public virtual void Write(float value) => throw null; - public virtual void Write(int value) => throw null; - public virtual void Write(System.Int64 value) => throw null; - public virtual void Write(object value) => throw null; - public virtual void Write(string value) => throw null; - public virtual void Write(string format, object arg0) => throw null; - public virtual void Write(string format, object arg0, object arg1) => throw null; - public virtual void Write(string format, object arg0, object arg1, object arg2) => throw null; - public virtual void Write(string format, params object[] arg) => throw null; - public virtual void Write(System.UInt32 value) => throw null; - public virtual void Write(System.UInt64 value) => throw null; - public System.Threading.Tasks.Task WriteAsync(System.Char[] buffer) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(System.Char value) => throw null; - public virtual System.Threading.Tasks.Task WriteAsync(string value) => throw null; - public virtual void WriteLine() => throw null; - public virtual void WriteLine(System.Char[] buffer) => throw null; - public virtual void WriteLine(System.Char[] buffer, int index, int count) => throw null; - public virtual void WriteLine(System.ReadOnlySpan buffer) => throw null; - public virtual void WriteLine(System.Text.StringBuilder value) => throw null; - public virtual void WriteLine(bool value) => throw null; - public virtual void WriteLine(System.Char value) => throw null; - public virtual void WriteLine(System.Decimal value) => throw null; - public virtual void WriteLine(double value) => throw null; - public virtual void WriteLine(float value) => throw null; - public virtual void WriteLine(int value) => throw null; - public virtual void WriteLine(System.Int64 value) => throw null; - public virtual void WriteLine(object value) => throw null; - public virtual void WriteLine(string value) => throw null; - public virtual void WriteLine(string format, object arg0) => throw null; - public virtual void WriteLine(string format, object arg0, object arg1) => throw null; - public virtual void WriteLine(string format, object arg0, object arg1, object arg2) => throw null; - public virtual void WriteLine(string format, params object[] arg) => throw null; - public virtual void WriteLine(System.UInt32 value) => throw null; - public virtual void WriteLine(System.UInt64 value) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync() => throw null; - public System.Threading.Tasks.Task WriteLineAsync(System.Char[] buffer) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync(System.Text.StringBuilder value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync(System.Char value) => throw null; - public virtual System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; + abstract static TSelf NegativeOne { get; } } - - [System.Flags] - public enum UnixFileMode : int + public interface ISubtractionOperators where TSelf : System.Numerics.ISubtractionOperators { - GroupExecute = 8, - GroupRead = 32, - GroupWrite = 16, - None = 0, - OtherExecute = 1, - OtherRead = 4, - OtherWrite = 2, - SetGroup = 1024, - SetUser = 2048, - StickyBit = 512, - UserExecute = 64, - UserRead = 256, - UserWrite = 128, + static virtual TResult operator checked -(TSelf left, TOther right) => throw null; + abstract static TResult operator -(TSelf left, TOther right); + } + public interface ITrigonometricFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ITrigonometricFunctions + { + abstract static TSelf Acos(TSelf x); + abstract static TSelf AcosPi(TSelf x); + abstract static TSelf Asin(TSelf x); + abstract static TSelf AsinPi(TSelf x); + abstract static TSelf Atan(TSelf x); + abstract static TSelf AtanPi(TSelf x); + abstract static TSelf Cos(TSelf x); + abstract static TSelf CosPi(TSelf x); + abstract static TSelf Sin(TSelf x); + abstract static (TSelf Sin, TSelf Cos) SinCos(TSelf x); + abstract static (TSelf SinPi, TSelf CosPi) SinCosPi(TSelf x); + abstract static TSelf SinPi(TSelf x); + abstract static TSelf Tan(TSelf x); + abstract static TSelf TanPi(TSelf x); } - - public class UnmanagedMemoryStream : System.IO.Stream + public interface IUnaryNegationOperators where TSelf : System.Numerics.IUnaryNegationOperators { - public override bool CanRead { get => throw null; } - public override bool CanSeek { get => throw null; } - public override bool CanWrite { get => throw null; } - public System.Int64 Capacity { get => throw null; } - protected override void Dispose(bool disposing) => throw null; - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected void Initialize(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 length, System.IO.FileAccess access) => throw null; - unsafe protected void Initialize(System.Byte* pointer, System.Int64 length, System.Int64 capacity, System.IO.FileAccess access) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - unsafe public System.Byte* PositionPointer { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin loc) => throw null; - public override void SetLength(System.Int64 value) => throw null; - protected UnmanagedMemoryStream() => throw null; - public UnmanagedMemoryStream(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 length) => throw null; - public UnmanagedMemoryStream(System.Runtime.InteropServices.SafeBuffer buffer, System.Int64 offset, System.Int64 length, System.IO.FileAccess access) => throw null; - unsafe public UnmanagedMemoryStream(System.Byte* pointer, System.Int64 length) => throw null; - unsafe public UnmanagedMemoryStream(System.Byte* pointer, System.Int64 length, System.Int64 capacity, System.IO.FileAccess access) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override void Write(System.ReadOnlySpan buffer) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; - } - - namespace Enumeration + static virtual TResult operator checked -(TSelf value) => throw null; + abstract static TResult operator -(TSelf value); + } + public interface IUnaryPlusOperators where TSelf : System.Numerics.IUnaryPlusOperators + { + abstract static TResult operator +(TSelf value); + } + public interface IUnsignedNumber : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IUnsignedNumber { - public struct FileSystemEntry - { - public System.IO.FileAttributes Attributes { get => throw null; } - public System.DateTimeOffset CreationTimeUtc { get => throw null; } - public System.ReadOnlySpan Directory { get => throw null; } - public System.ReadOnlySpan FileName { get => throw null; } - // Stub generator skipped constructor - public bool IsDirectory { get => throw null; } - public bool IsHidden { get => throw null; } - public System.DateTimeOffset LastAccessTimeUtc { get => throw null; } - public System.DateTimeOffset LastWriteTimeUtc { get => throw null; } - public System.Int64 Length { get => throw null; } - public System.ReadOnlySpan OriginalRootDirectory { get => throw null; } - public System.ReadOnlySpan RootDirectory { get => throw null; } - public System.IO.FileSystemInfo ToFileSystemInfo() => throw null; - public string ToFullPath() => throw null; - public string ToSpecifiedFullPath() => throw null; - } - - public class FileSystemEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public delegate bool FindPredicate(ref System.IO.Enumeration.FileSystemEntry entry); - - - public delegate TResult FindTransform(ref System.IO.Enumeration.FileSystemEntry entry); - - - public FileSystemEnumerable(string directory, System.IO.Enumeration.FileSystemEnumerable.FindTransform transform, System.IO.EnumerationOptions options = default(System.IO.EnumerationOptions)) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldIncludePredicate { get => throw null; set => throw null; } - public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldRecursePredicate { get => throw null; set => throw null; } - } - - public abstract class FileSystemEnumerator : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable - { - protected virtual bool ContinueOnError(int error) => throw null; - public TResult Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public FileSystemEnumerator(string directory, System.IO.EnumerationOptions options = default(System.IO.EnumerationOptions)) => throw null; - public bool MoveNext() => throw null; - protected virtual void OnDirectoryFinished(System.ReadOnlySpan directory) => throw null; - public void Reset() => throw null; - protected virtual bool ShouldIncludeEntry(ref System.IO.Enumeration.FileSystemEntry entry) => throw null; - protected virtual bool ShouldRecurseIntoEntry(ref System.IO.Enumeration.FileSystemEntry entry) => throw null; - protected abstract TResult TransformEntry(ref System.IO.Enumeration.FileSystemEntry entry); - } - - public static class FileSystemName - { - public static bool MatchesSimpleExpression(System.ReadOnlySpan expression, System.ReadOnlySpan name, bool ignoreCase = default(bool)) => throw null; - public static bool MatchesWin32Expression(System.ReadOnlySpan expression, System.ReadOnlySpan name, bool ignoreCase = default(bool)) => throw null; - public static string TranslateWin32Expression(string expression) => throw null; - } - } } - namespace Net + public class Object + { + public Object() => throw null; + public virtual bool Equals(object obj) => throw null; + public static bool Equals(object objA, object objB) => throw null; + public virtual int GetHashCode() => throw null; + public System.Type GetType() => throw null; + protected object MemberwiseClone() => throw null; + public static bool ReferenceEquals(object objA, object objB) => throw null; + public virtual string ToString() => throw null; + } + public class ObjectDisposedException : System.InvalidOperationException + { + protected ObjectDisposedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ObjectDisposedException(string objectName) => throw null; + public ObjectDisposedException(string message, System.Exception innerException) => throw null; + public ObjectDisposedException(string objectName, string message) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public string ObjectName { get => throw null; } + public static void ThrowIf(bool condition, object instance) => throw null; + public static void ThrowIf(bool condition, System.Type type) => throw null; + } + public sealed class ObsoleteAttribute : System.Attribute + { + public ObsoleteAttribute() => throw null; + public ObsoleteAttribute(string message) => throw null; + public ObsoleteAttribute(string message, bool error) => throw null; + public string DiagnosticId { get => throw null; set { } } + public bool IsError { get => throw null; } + public string Message { get => throw null; } + public string UrlFormat { get => throw null; set { } } + } + public sealed class OperatingSystem : System.ICloneable, System.Runtime.Serialization.ISerializable + { + public object Clone() => throw null; + public OperatingSystem(System.PlatformID platform, System.Version version) => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static bool IsAndroid() => throw null; + public static bool IsAndroidVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; + public static bool IsBrowser() => throw null; + public static bool IsFreeBSD() => throw null; + public static bool IsFreeBSDVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; + public static bool IsIOS() => throw null; + public static bool IsIOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; + public static bool IsLinux() => throw null; + public static bool IsMacCatalyst() => throw null; + public static bool IsMacCatalystVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; + public static bool IsMacOS() => throw null; + public static bool IsMacOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; + public static bool IsOSPlatform(string platform) => throw null; + public static bool IsOSPlatformVersionAtLeast(string platform, int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; + public static bool IsTvOS() => throw null; + public static bool IsTvOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; + public static bool IsWatchOS() => throw null; + public static bool IsWatchOSVersionAtLeast(int major, int minor = default(int), int build = default(int)) => throw null; + public static bool IsWindows() => throw null; + public static bool IsWindowsVersionAtLeast(int major, int minor = default(int), int build = default(int), int revision = default(int)) => throw null; + public System.PlatformID Platform { get => throw null; } + public string ServicePack { get => throw null; } + public override string ToString() => throw null; + public System.Version Version { get => throw null; } + public string VersionString { get => throw null; } + } + public class OperationCanceledException : System.SystemException + { + public System.Threading.CancellationToken CancellationToken { get => throw null; } + public OperationCanceledException() => throw null; + protected OperationCanceledException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public OperationCanceledException(string message) => throw null; + public OperationCanceledException(string message, System.Exception innerException) => throw null; + public OperationCanceledException(string message, System.Exception innerException, System.Threading.CancellationToken token) => throw null; + public OperationCanceledException(string message, System.Threading.CancellationToken token) => throw null; + public OperationCanceledException(System.Threading.CancellationToken token) => throw null; + } + public class OutOfMemoryException : System.SystemException + { + public OutOfMemoryException() => throw null; + protected OutOfMemoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public OutOfMemoryException(string message) => throw null; + public OutOfMemoryException(string message, System.Exception innerException) => throw null; + } + public class OverflowException : System.ArithmeticException + { + public OverflowException() => throw null; + protected OverflowException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public OverflowException(string message) => throw null; + public OverflowException(string message, System.Exception innerException) => throw null; + } + public sealed class ParamArrayAttribute : System.Attribute + { + public ParamArrayAttribute() => throw null; + } + public enum PlatformID + { + Win32S = 0, + Win32Windows = 1, + Win32NT = 2, + WinCE = 3, + Unix = 4, + Xbox = 5, + MacOSX = 6, + Other = 7, + } + public class PlatformNotSupportedException : System.NotSupportedException + { + public PlatformNotSupportedException() => throw null; + protected PlatformNotSupportedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public PlatformNotSupportedException(string message) => throw null; + public PlatformNotSupportedException(string message, System.Exception inner) => throw null; + } + public delegate bool Predicate(T obj); + public class Progress : System.IProgress + { + public Progress() => throw null; + public Progress(System.Action handler) => throw null; + protected virtual void OnReport(T value) => throw null; + public event System.EventHandler ProgressChanged { add { } remove { } } + void System.IProgress.Report(T value) => throw null; + } + public class Random + { + public Random() => throw null; + public Random(int Seed) => throw null; + public virtual int Next() => throw null; + public virtual int Next(int maxValue) => throw null; + public virtual int Next(int minValue, int maxValue) => throw null; + public virtual void NextBytes(byte[] buffer) => throw null; + public virtual void NextBytes(System.Span buffer) => throw null; + public virtual double NextDouble() => throw null; + public virtual long NextInt64() => throw null; + public virtual long NextInt64(long maxValue) => throw null; + public virtual long NextInt64(long minValue, long maxValue) => throw null; + public virtual float NextSingle() => throw null; + protected virtual double Sample() => throw null; + public static System.Random Shared { get => throw null; } + } + public struct Range : System.IEquatable + { + public static System.Range All { get => throw null; } + public Range(System.Index start, System.Index end) => throw null; + public System.Index End { get => throw null; } + public static System.Range EndAt(System.Index end) => throw null; + public override bool Equals(object value) => throw null; + public bool Equals(System.Range other) => throw null; + public override int GetHashCode() => throw null; + public (int Offset, int Length) GetOffsetAndLength(int length) => throw null; + public System.Index Start { get => throw null; } + public static System.Range StartAt(System.Index start) => throw null; + public override string ToString() => throw null; + } + public class RankException : System.SystemException { - public static class WebUtility - { - public static string HtmlDecode(string value) => throw null; - public static void HtmlDecode(string value, System.IO.TextWriter output) => throw null; - public static string HtmlEncode(string value) => throw null; - public static void HtmlEncode(string value, System.IO.TextWriter output) => throw null; - public static string UrlDecode(string encodedValue) => throw null; - public static System.Byte[] UrlDecodeToBytes(System.Byte[] encodedValue, int offset, int count) => throw null; - public static string UrlEncode(string value) => throw null; - public static System.Byte[] UrlEncodeToBytes(System.Byte[] value, int offset, int count) => throw null; - } - + public RankException() => throw null; + protected RankException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public RankException(string message) => throw null; + public RankException(string message, System.Exception innerException) => throw null; } - namespace Numerics + public struct ReadOnlyMemory : System.IEquatable> { - public static class BitOperations - { - public static bool IsPow2(System.IntPtr value) => throw null; - public static bool IsPow2(System.UIntPtr value) => throw null; - public static bool IsPow2(int value) => throw null; - public static bool IsPow2(System.Int64 value) => throw null; - public static bool IsPow2(System.UInt32 value) => throw null; - public static bool IsPow2(System.UInt64 value) => throw null; - public static int LeadingZeroCount(System.UIntPtr value) => throw null; - public static int LeadingZeroCount(System.UInt32 value) => throw null; - public static int LeadingZeroCount(System.UInt64 value) => throw null; - public static int Log2(System.UIntPtr value) => throw null; - public static int Log2(System.UInt32 value) => throw null; - public static int Log2(System.UInt64 value) => throw null; - public static int PopCount(System.UIntPtr value) => throw null; - public static int PopCount(System.UInt32 value) => throw null; - public static int PopCount(System.UInt64 value) => throw null; - public static System.UIntPtr RotateLeft(System.UIntPtr value, int offset) => throw null; - public static System.UInt32 RotateLeft(System.UInt32 value, int offset) => throw null; - public static System.UInt64 RotateLeft(System.UInt64 value, int offset) => throw null; - public static System.UIntPtr RotateRight(System.UIntPtr value, int offset) => throw null; - public static System.UInt32 RotateRight(System.UInt32 value, int offset) => throw null; - public static System.UInt64 RotateRight(System.UInt64 value, int offset) => throw null; - public static System.UIntPtr RoundUpToPowerOf2(System.UIntPtr value) => throw null; - public static System.UInt32 RoundUpToPowerOf2(System.UInt32 value) => throw null; - public static System.UInt64 RoundUpToPowerOf2(System.UInt64 value) => throw null; - public static int TrailingZeroCount(System.IntPtr value) => throw null; - public static int TrailingZeroCount(System.UIntPtr value) => throw null; - public static int TrailingZeroCount(int value) => throw null; - public static int TrailingZeroCount(System.Int64 value) => throw null; - public static int TrailingZeroCount(System.UInt32 value) => throw null; - public static int TrailingZeroCount(System.UInt64 value) => throw null; - } - - public interface IAdditionOperators where TSelf : System.Numerics.IAdditionOperators - { - static abstract TResult operator +(TSelf left, TOther right); - static virtual TResult operator checked +(TSelf left, TOther right) => throw null; - } - - public interface IAdditiveIdentity where TSelf : System.Numerics.IAdditiveIdentity - { - static abstract TResult AdditiveIdentity { get; } - } - - public interface IBinaryFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryFloatingPointIeee754 - { - } - - public interface IBinaryInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IShiftOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryInteger - { - static virtual (TSelf, TSelf) DivRem(TSelf left, TSelf right) => throw null; - int GetByteCount(); - int GetShortestBitLength(); - static virtual TSelf LeadingZeroCount(TSelf value) => throw null; - static abstract TSelf PopCount(TSelf value); - static virtual TSelf ReadBigEndian(System.Byte[] source, bool isUnsigned) => throw null; - static virtual TSelf ReadBigEndian(System.Byte[] source, int startIndex, bool isUnsigned) => throw null; - static virtual TSelf ReadBigEndian(System.ReadOnlySpan source, bool isUnsigned) => throw null; - static virtual TSelf ReadLittleEndian(System.Byte[] source, bool isUnsigned) => throw null; - static virtual TSelf ReadLittleEndian(System.Byte[] source, int startIndex, bool isUnsigned) => throw null; - static virtual TSelf ReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned) => throw null; - static virtual TSelf RotateLeft(TSelf value, int rotateAmount) => throw null; - static virtual TSelf RotateRight(TSelf value, int rotateAmount) => throw null; - static abstract TSelf TrailingZeroCount(TSelf value); - static abstract bool TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out TSelf value); - static abstract bool TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out TSelf value); - bool TryWriteBigEndian(System.Span destination, out int bytesWritten); - bool TryWriteLittleEndian(System.Span destination, out int bytesWritten); - int WriteBigEndian(System.Byte[] destination) => throw null; - int WriteBigEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteBigEndian(System.Span destination) => throw null; - int WriteLittleEndian(System.Byte[] destination) => throw null; - int WriteLittleEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteLittleEndian(System.Span destination) => throw null; - } - - public interface IBinaryNumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryNumber - { - static virtual TSelf AllBitsSet { get => throw null; } - static abstract bool IsPow2(TSelf value); - static abstract TSelf Log2(TSelf value); - } - - public interface IBitwiseOperators where TSelf : System.Numerics.IBitwiseOperators - { - static abstract TResult operator &(TSelf left, TOther right); - static abstract TResult operator ^(TSelf left, TOther right); - static abstract TResult operator |(TSelf left, TOther right); - static abstract TResult operator ~(TSelf value); - } - - public interface IComparisonOperators : System.Numerics.IEqualityOperators where TSelf : System.Numerics.IComparisonOperators - { - static abstract TResult operator <(TSelf left, TOther right); - static abstract TResult operator <=(TSelf left, TOther right); - static abstract TResult operator >(TSelf left, TOther right); - static abstract TResult operator >=(TSelf left, TOther right); - } - - public interface IDecrementOperators where TSelf : System.Numerics.IDecrementOperators - { - static abstract TSelf operator --(TSelf value); - static virtual TSelf operator checked --(TSelf value) => throw null; - } - - public interface IDivisionOperators where TSelf : System.Numerics.IDivisionOperators - { - static abstract TResult operator /(TSelf left, TOther right); - static virtual TResult operator checked /(TSelf left, TOther right) => throw null; - } - - public interface IEqualityOperators where TSelf : System.Numerics.IEqualityOperators - { - static abstract TResult operator !=(TSelf left, TOther right); - static abstract TResult operator ==(TSelf left, TOther right); - } - - public interface IExponentialFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IExponentialFunctions - { - static abstract TSelf Exp(TSelf x); - static abstract TSelf Exp10(TSelf x); - static virtual TSelf Exp10M1(TSelf x) => throw null; - static abstract TSelf Exp2(TSelf x); - static virtual TSelf Exp2M1(TSelf x) => throw null; - static virtual TSelf ExpM1(TSelf x) => throw null; - } - - public interface IFloatingPoint : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPoint - { - static virtual TSelf Ceiling(TSelf x) => throw null; - static virtual TSelf Floor(TSelf x) => throw null; - int GetExponentByteCount(); - int GetExponentShortestBitLength(); - int GetSignificandBitLength(); - int GetSignificandByteCount(); - static virtual TSelf Round(TSelf x) => throw null; - static virtual TSelf Round(TSelf x, System.MidpointRounding mode) => throw null; - static virtual TSelf Round(TSelf x, int digits) => throw null; - static abstract TSelf Round(TSelf x, int digits, System.MidpointRounding mode); - static virtual TSelf Truncate(TSelf x) => throw null; - bool TryWriteExponentBigEndian(System.Span destination, out int bytesWritten); - bool TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten); - bool TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten); - bool TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten); - int WriteExponentBigEndian(System.Byte[] destination) => throw null; - int WriteExponentBigEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteExponentBigEndian(System.Span destination) => throw null; - int WriteExponentLittleEndian(System.Byte[] destination) => throw null; - int WriteExponentLittleEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteExponentLittleEndian(System.Span destination) => throw null; - int WriteSignificandBigEndian(System.Byte[] destination) => throw null; - int WriteSignificandBigEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteSignificandBigEndian(System.Span destination) => throw null; - int WriteSignificandLittleEndian(System.Byte[] destination) => throw null; - int WriteSignificandLittleEndian(System.Byte[] destination, int startIndex) => throw null; - int WriteSignificandLittleEndian(System.Span destination) => throw null; - } - - public interface IFloatingPointConstants : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointConstants - { - static abstract TSelf E { get; } - static abstract TSelf Pi { get; } - static abstract TSelf Tau { get; } - } - - public interface IFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointIeee754 - { - static abstract TSelf Atan2(TSelf y, TSelf x); - static abstract TSelf Atan2Pi(TSelf y, TSelf x); - static abstract TSelf BitDecrement(TSelf x); - static abstract TSelf BitIncrement(TSelf x); - static abstract TSelf Epsilon { get; } - static abstract TSelf FusedMultiplyAdd(TSelf left, TSelf right, TSelf addend); - static abstract int ILogB(TSelf x); - static abstract TSelf Ieee754Remainder(TSelf left, TSelf right); - static abstract TSelf NaN { get; } - static abstract TSelf NegativeInfinity { get; } - static abstract TSelf NegativeZero { get; } - static abstract TSelf PositiveInfinity { get; } - static virtual TSelf ReciprocalEstimate(TSelf x) => throw null; - static virtual TSelf ReciprocalSqrtEstimate(TSelf x) => throw null; - static abstract TSelf ScaleB(TSelf x, int n); - } - - public interface IHyperbolicFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IHyperbolicFunctions - { - static abstract TSelf Acosh(TSelf x); - static abstract TSelf Asinh(TSelf x); - static abstract TSelf Atanh(TSelf x); - static abstract TSelf Cosh(TSelf x); - static abstract TSelf Sinh(TSelf x); - static abstract TSelf Tanh(TSelf x); - } - - public interface IIncrementOperators where TSelf : System.Numerics.IIncrementOperators - { - static abstract TSelf operator ++(TSelf value); - static virtual TSelf operator checked ++(TSelf value) => throw null; - } - - public interface ILogarithmicFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ILogarithmicFunctions - { - static abstract TSelf Log(TSelf x); - static abstract TSelf Log(TSelf x, TSelf newBase); - static abstract TSelf Log10(TSelf x); - static virtual TSelf Log10P1(TSelf x) => throw null; - static abstract TSelf Log2(TSelf x); - static virtual TSelf Log2P1(TSelf x) => throw null; - static virtual TSelf LogP1(TSelf x) => throw null; - } - - public interface IMinMaxValue where TSelf : System.Numerics.IMinMaxValue - { - static abstract TSelf MaxValue { get; } - static abstract TSelf MinValue { get; } - } - - public interface IModulusOperators where TSelf : System.Numerics.IModulusOperators - { - static abstract TResult operator %(TSelf left, TOther right); - } - - public interface IMultiplicativeIdentity where TSelf : System.Numerics.IMultiplicativeIdentity - { - static abstract TResult MultiplicativeIdentity { get; } - } - - public interface IMultiplyOperators where TSelf : System.Numerics.IMultiplyOperators - { - static abstract TResult operator *(TSelf left, TOther right); - static virtual TResult operator checked *(TSelf left, TOther right) => throw null; - } - - public interface INumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumber - { - static virtual TSelf Clamp(TSelf value, TSelf min, TSelf max) => throw null; - static virtual TSelf CopySign(TSelf value, TSelf sign) => throw null; - static virtual TSelf Max(TSelf x, TSelf y) => throw null; - static virtual TSelf MaxNumber(TSelf x, TSelf y) => throw null; - static virtual TSelf Min(TSelf x, TSelf y) => throw null; - static virtual TSelf MinNumber(TSelf x, TSelf y) => throw null; - static virtual int Sign(TSelf value) => throw null; - } - - public interface INumberBase : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumberBase - { - static abstract TSelf Abs(TSelf value); - static virtual TSelf CreateChecked(TOther value) where TOther : System.Numerics.INumberBase => throw null; - static virtual TSelf CreateSaturating(TOther value) where TOther : System.Numerics.INumberBase => throw null; - static virtual TSelf CreateTruncating(TOther value) where TOther : System.Numerics.INumberBase => throw null; - static abstract bool IsCanonical(TSelf value); - static abstract bool IsComplexNumber(TSelf value); - static abstract bool IsEvenInteger(TSelf value); - static abstract bool IsFinite(TSelf value); - static abstract bool IsImaginaryNumber(TSelf value); - static abstract bool IsInfinity(TSelf value); - static abstract bool IsInteger(TSelf value); - static abstract bool IsNaN(TSelf value); - static abstract bool IsNegative(TSelf value); - static abstract bool IsNegativeInfinity(TSelf value); - static abstract bool IsNormal(TSelf value); - static abstract bool IsOddInteger(TSelf value); - static abstract bool IsPositive(TSelf value); - static abstract bool IsPositiveInfinity(TSelf value); - static abstract bool IsRealNumber(TSelf value); - static abstract bool IsSubnormal(TSelf value); - static abstract bool IsZero(TSelf value); - static abstract TSelf MaxMagnitude(TSelf x, TSelf y); - static abstract TSelf MaxMagnitudeNumber(TSelf x, TSelf y); - static abstract TSelf MinMagnitude(TSelf x, TSelf y); - static abstract TSelf MinMagnitudeNumber(TSelf x, TSelf y); - static abstract TSelf One { get; } - static abstract TSelf Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider); - static abstract TSelf Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider); - static abstract int Radix { get; } - static abstract bool TryConvertFromChecked(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; - static abstract bool TryConvertFromSaturating(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; - static abstract bool TryConvertFromTruncating(TOther value, out TSelf result) where TOther : System.Numerics.INumberBase; - static abstract bool TryConvertToChecked(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; - static abstract bool TryConvertToSaturating(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; - static abstract bool TryConvertToTruncating(TSelf value, out TOther result) where TOther : System.Numerics.INumberBase; - static abstract bool TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out TSelf result); - static abstract bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out TSelf result); - static abstract TSelf Zero { get; } - } - - public interface IPowerFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IPowerFunctions - { - static abstract TSelf Pow(TSelf x, TSelf y); - } - - public interface IRootFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IRootFunctions - { - static abstract TSelf Cbrt(TSelf x); - static abstract TSelf Hypot(TSelf x, TSelf y); - static abstract TSelf RootN(TSelf x, int n); - static abstract TSelf Sqrt(TSelf x); - } - - public interface IShiftOperators where TSelf : System.Numerics.IShiftOperators - { - static abstract TResult operator <<(TSelf value, TOther shiftAmount); - static abstract TResult operator >>(TSelf value, TOther shiftAmount); - static abstract TResult operator >>>(TSelf value, TOther shiftAmount); - } - - public interface ISignedNumber : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ISignedNumber - { - static abstract TSelf NegativeOne { get; } - } - - public interface ISubtractionOperators where TSelf : System.Numerics.ISubtractionOperators - { - static abstract TResult operator -(TSelf left, TOther right); - static virtual TResult operator checked -(TSelf left, TOther right) => throw null; - } - - public interface ITrigonometricFunctions : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IFloatingPointConstants, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ITrigonometricFunctions - { - static abstract TSelf Acos(TSelf x); - static abstract TSelf AcosPi(TSelf x); - static abstract TSelf Asin(TSelf x); - static abstract TSelf AsinPi(TSelf x); - static abstract TSelf Atan(TSelf x); - static abstract TSelf AtanPi(TSelf x); - static abstract TSelf Cos(TSelf x); - static abstract TSelf CosPi(TSelf x); - static abstract TSelf Sin(TSelf x); - static abstract (TSelf, TSelf) SinCos(TSelf x); - static abstract (TSelf, TSelf) SinCosPi(TSelf x); - static abstract TSelf SinPi(TSelf x); - static abstract TSelf Tan(TSelf x); - static abstract TSelf TanPi(TSelf x); - } - - public interface IUnaryNegationOperators where TSelf : System.Numerics.IUnaryNegationOperators - { - static abstract TResult operator -(TSelf value); - static virtual TResult operator checked -(TSelf value) => throw null; - } - - public interface IUnaryPlusOperators where TSelf : System.Numerics.IUnaryPlusOperators - { - static abstract TResult operator +(TSelf value); - } - - public interface IUnsignedNumber : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IUnsignedNumber + public void CopyTo(System.Memory destination) => throw null; + public ReadOnlyMemory(T[] array) => throw null; + public ReadOnlyMemory(T[] array, int start, int length) => throw null; + public static System.ReadOnlyMemory Empty { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.ReadOnlyMemory other) => throw null; + public override int GetHashCode() => throw null; + public bool IsEmpty { get => throw null; } + public int Length { get => throw null; } + public static implicit operator System.ReadOnlyMemory(System.ArraySegment segment) => throw null; + public static implicit operator System.ReadOnlyMemory(T[] array) => throw null; + public System.Buffers.MemoryHandle Pin() => throw null; + public System.ReadOnlyMemory Slice(int start) => throw null; + public System.ReadOnlyMemory Slice(int start, int length) => throw null; + public System.ReadOnlySpan Span { get => throw null; } + public T[] ToArray() => throw null; + public override string ToString() => throw null; + public bool TryCopyTo(System.Memory destination) => throw null; + } + public struct ReadOnlySpan + { + public void CopyTo(System.Span destination) => throw null; + public unsafe ReadOnlySpan(void* pointer, int length) => throw null; + public ReadOnlySpan(T[] array) => throw null; + public ReadOnlySpan(T[] array, int start, int length) => throw null; + public ReadOnlySpan(in T reference) => throw null; + public static System.ReadOnlySpan Empty { get => throw null; } + public struct Enumerator { + public T Current { get => throw null; } + public bool MoveNext() => throw null; } - + public override bool Equals(object obj) => throw null; + public System.ReadOnlySpan.Enumerator GetEnumerator() => throw null; + public override int GetHashCode() => throw null; + public T GetPinnableReference() => throw null; + public bool IsEmpty { get => throw null; } + public int Length { get => throw null; } + public static bool operator ==(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; + public static implicit operator System.ReadOnlySpan(System.ArraySegment segment) => throw null; + public static implicit operator System.ReadOnlySpan(T[] array) => throw null; + public static bool operator !=(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; + public System.ReadOnlySpan Slice(int start) => throw null; + public System.ReadOnlySpan Slice(int start, int length) => throw null; + public T this[int index] { get => throw null; } + public T[] ToArray() => throw null; + public override string ToString() => throw null; + public bool TryCopyTo(System.Span destination) => throw null; } namespace Reflection { - public class AmbiguousMatchException : System.SystemException + public sealed class AmbiguousMatchException : System.SystemException { public AmbiguousMatchException() => throw null; public AmbiguousMatchException(string message) => throw null; public AmbiguousMatchException(string message, System.Exception inner) => throw null; } - public abstract class Assembly : System.Reflection.ICustomAttributeProvider, System.Runtime.Serialization.ISerializable { - public static bool operator !=(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; - public static bool operator ==(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; - protected Assembly() => throw null; public virtual string CodeBase { get => throw null; } public object CreateInstance(string typeName) => throw null; public object CreateInstance(string typeName, bool ignoreCase) => throw null; public virtual object CreateInstance(string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; public static string CreateQualifiedName(string assemblyName, string typeName) => throw null; + protected Assembly() => throw null; public virtual System.Collections.Generic.IEnumerable CustomAttributes { get => throw null; } public virtual System.Collections.Generic.IEnumerable DefinedTypes { get => throw null; } public virtual System.Reflection.MethodInfo EntryPoint { get => throw null; } @@ -10578,8 +7470,8 @@ public abstract class Assembly : System.Reflection.ICustomAttributeProvider, Sys public virtual string FullName { get => throw null; } public static System.Reflection.Assembly GetAssembly(System.Type type) => throw null; public static System.Reflection.Assembly GetCallingAssembly() => throw null; - public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual object[] GetCustomAttributes(bool inherit) => throw null; + public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual System.Collections.Generic.IList GetCustomAttributesData() => throw null; public static System.Reflection.Assembly GetEntryAssembly() => throw null; public static System.Reflection.Assembly GetExecutingAssembly() => throw null; @@ -10593,8 +7485,8 @@ public abstract class Assembly : System.Reflection.ICustomAttributeProvider, Sys public virtual System.Reflection.Module[] GetLoadedModules(bool getResourceModules) => throw null; public virtual System.Reflection.ManifestResourceInfo GetManifestResourceInfo(string resourceName) => throw null; public virtual string[] GetManifestResourceNames() => throw null; - public virtual System.IO.Stream GetManifestResourceStream(System.Type type, string name) => throw null; public virtual System.IO.Stream GetManifestResourceStream(string name) => throw null; + public virtual System.IO.Stream GetManifestResourceStream(System.Type type, string name) => throw null; public virtual System.Reflection.Module GetModule(string name) => throw null; public System.Reflection.Module[] GetModules() => throw null; public virtual System.Reflection.Module[] GetModules(bool getResourceModules) => throw null; @@ -10609,267 +7501,241 @@ public abstract class Assembly : System.Reflection.ICustomAttributeProvider, Sys public virtual System.Type GetType(string name, bool throwOnError, bool ignoreCase) => throw null; public virtual System.Type[] GetTypes() => throw null; public virtual bool GlobalAssemblyCache { get => throw null; } - public virtual System.Int64 HostContext { get => throw null; } + public virtual long HostContext { get => throw null; } public virtual string ImageRuntimeVersion { get => throw null; } public virtual bool IsCollectible { get => throw null; } public virtual bool IsDefined(System.Type attributeType, bool inherit) => throw null; public virtual bool IsDynamic { get => throw null; } public bool IsFullyTrusted { get => throw null; } + public static System.Reflection.Assembly Load(byte[] rawAssembly) => throw null; + public static System.Reflection.Assembly Load(byte[] rawAssembly, byte[] rawSymbolStore) => throw null; public static System.Reflection.Assembly Load(System.Reflection.AssemblyName assemblyRef) => throw null; - public static System.Reflection.Assembly Load(System.Byte[] rawAssembly) => throw null; - public static System.Reflection.Assembly Load(System.Byte[] rawAssembly, System.Byte[] rawSymbolStore) => throw null; public static System.Reflection.Assembly Load(string assemblyString) => throw null; public static System.Reflection.Assembly LoadFile(string path) => throw null; public static System.Reflection.Assembly LoadFrom(string assemblyFile) => throw null; - public static System.Reflection.Assembly LoadFrom(string assemblyFile, System.Byte[] hashValue, System.Configuration.Assemblies.AssemblyHashAlgorithm hashAlgorithm) => throw null; - public System.Reflection.Module LoadModule(string moduleName, System.Byte[] rawModule) => throw null; - public virtual System.Reflection.Module LoadModule(string moduleName, System.Byte[] rawModule, System.Byte[] rawSymbolStore) => throw null; + public static System.Reflection.Assembly LoadFrom(string assemblyFile, byte[] hashValue, System.Configuration.Assemblies.AssemblyHashAlgorithm hashAlgorithm) => throw null; + public System.Reflection.Module LoadModule(string moduleName, byte[] rawModule) => throw null; + public virtual System.Reflection.Module LoadModule(string moduleName, byte[] rawModule, byte[] rawSymbolStore) => throw null; public static System.Reflection.Assembly LoadWithPartialName(string partialName) => throw null; public virtual string Location { get => throw null; } public virtual System.Reflection.Module ManifestModule { get => throw null; } - public virtual event System.Reflection.ModuleResolveEventHandler ModuleResolve; + public virtual event System.Reflection.ModuleResolveEventHandler ModuleResolve { add { } remove { } } public virtual System.Collections.Generic.IEnumerable Modules { get => throw null; } + public static bool operator ==(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; + public static bool operator !=(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; public virtual bool ReflectionOnly { get => throw null; } - public static System.Reflection.Assembly ReflectionOnlyLoad(System.Byte[] rawAssembly) => throw null; + public static System.Reflection.Assembly ReflectionOnlyLoad(byte[] rawAssembly) => throw null; public static System.Reflection.Assembly ReflectionOnlyLoad(string assemblyString) => throw null; public static System.Reflection.Assembly ReflectionOnlyLoadFrom(string assemblyFile) => throw null; public virtual System.Security.SecurityRuleSet SecurityRuleSet { get => throw null; } public override string ToString() => throw null; public static System.Reflection.Assembly UnsafeLoadFrom(string assemblyFile) => throw null; } - - public class AssemblyAlgorithmIdAttribute : System.Attribute + public sealed class AssemblyAlgorithmIdAttribute : System.Attribute { - public System.UInt32 AlgorithmId { get => throw null; } + public uint AlgorithmId { get => throw null; } public AssemblyAlgorithmIdAttribute(System.Configuration.Assemblies.AssemblyHashAlgorithm algorithmId) => throw null; - public AssemblyAlgorithmIdAttribute(System.UInt32 algorithmId) => throw null; + public AssemblyAlgorithmIdAttribute(uint algorithmId) => throw null; } - - public class AssemblyCompanyAttribute : System.Attribute + public sealed class AssemblyCompanyAttribute : System.Attribute { - public AssemblyCompanyAttribute(string company) => throw null; public string Company { get => throw null; } + public AssemblyCompanyAttribute(string company) => throw null; } - - public class AssemblyConfigurationAttribute : System.Attribute + public sealed class AssemblyConfigurationAttribute : System.Attribute { - public AssemblyConfigurationAttribute(string configuration) => throw null; public string Configuration { get => throw null; } + public AssemblyConfigurationAttribute(string configuration) => throw null; } - - public enum AssemblyContentType : int + public enum AssemblyContentType { Default = 0, WindowsRuntime = 1, } - - public class AssemblyCopyrightAttribute : System.Attribute + public sealed class AssemblyCopyrightAttribute : System.Attribute { - public AssemblyCopyrightAttribute(string copyright) => throw null; public string Copyright { get => throw null; } + public AssemblyCopyrightAttribute(string copyright) => throw null; } - - public class AssemblyCultureAttribute : System.Attribute + public sealed class AssemblyCultureAttribute : System.Attribute { public AssemblyCultureAttribute(string culture) => throw null; public string Culture { get => throw null; } } - - public class AssemblyDefaultAliasAttribute : System.Attribute + public sealed class AssemblyDefaultAliasAttribute : System.Attribute { public AssemblyDefaultAliasAttribute(string defaultAlias) => throw null; public string DefaultAlias { get => throw null; } } - - public class AssemblyDelaySignAttribute : System.Attribute + public sealed class AssemblyDelaySignAttribute : System.Attribute { public AssemblyDelaySignAttribute(bool delaySign) => throw null; public bool DelaySign { get => throw null; } } - - public class AssemblyDescriptionAttribute : System.Attribute + public sealed class AssemblyDescriptionAttribute : System.Attribute { public AssemblyDescriptionAttribute(string description) => throw null; public string Description { get => throw null; } } - - public class AssemblyFileVersionAttribute : System.Attribute + public sealed class AssemblyFileVersionAttribute : System.Attribute { public AssemblyFileVersionAttribute(string version) => throw null; public string Version { get => throw null; } } - - public class AssemblyFlagsAttribute : System.Attribute + public sealed class AssemblyFlagsAttribute : System.Attribute { public int AssemblyFlags { get => throw null; } - public AssemblyFlagsAttribute(System.Reflection.AssemblyNameFlags assemblyFlags) => throw null; public AssemblyFlagsAttribute(int assemblyFlags) => throw null; - public AssemblyFlagsAttribute(System.UInt32 flags) => throw null; - public System.UInt32 Flags { get => throw null; } + public AssemblyFlagsAttribute(System.Reflection.AssemblyNameFlags assemblyFlags) => throw null; + public AssemblyFlagsAttribute(uint flags) => throw null; + public uint Flags { get => throw null; } } - - public class AssemblyInformationalVersionAttribute : System.Attribute + public sealed class AssemblyInformationalVersionAttribute : System.Attribute { public AssemblyInformationalVersionAttribute(string informationalVersion) => throw null; public string InformationalVersion { get => throw null; } } - - public class AssemblyKeyFileAttribute : System.Attribute + public sealed class AssemblyKeyFileAttribute : System.Attribute { public AssemblyKeyFileAttribute(string keyFile) => throw null; public string KeyFile { get => throw null; } } - - public class AssemblyKeyNameAttribute : System.Attribute + public sealed class AssemblyKeyNameAttribute : System.Attribute { public AssemblyKeyNameAttribute(string keyName) => throw null; public string KeyName { get => throw null; } } - - public class AssemblyMetadataAttribute : System.Attribute + public sealed class AssemblyMetadataAttribute : System.Attribute { public AssemblyMetadataAttribute(string key, string value) => throw null; public string Key { get => throw null; } public string Value { get => throw null; } } - - public class AssemblyName : System.ICloneable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public sealed class AssemblyName : System.ICloneable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { + public object Clone() => throw null; + public string CodeBase { get => throw null; set { } } + public System.Reflection.AssemblyContentType ContentType { get => throw null; set { } } public AssemblyName() => throw null; public AssemblyName(string assemblyName) => throw null; - public object Clone() => throw null; - public string CodeBase { get => throw null; set => throw null; } - public System.Reflection.AssemblyContentType ContentType { get => throw null; set => throw null; } - public System.Globalization.CultureInfo CultureInfo { get => throw null; set => throw null; } - public string CultureName { get => throw null; set => throw null; } + public System.Globalization.CultureInfo CultureInfo { get => throw null; set { } } + public string CultureName { get => throw null; set { } } public string EscapedCodeBase { get => throw null; } - public System.Reflection.AssemblyNameFlags Flags { get => throw null; set => throw null; } + public System.Reflection.AssemblyNameFlags Flags { get => throw null; set { } } public string FullName { get => throw null; } public static System.Reflection.AssemblyName GetAssemblyName(string assemblyFile) => throw null; public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Byte[] GetPublicKey() => throw null; - public System.Byte[] GetPublicKeyToken() => throw null; - public System.Configuration.Assemblies.AssemblyHashAlgorithm HashAlgorithm { get => throw null; set => throw null; } - public System.Reflection.StrongNameKeyPair KeyPair { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public byte[] GetPublicKey() => throw null; + public byte[] GetPublicKeyToken() => throw null; + public System.Configuration.Assemblies.AssemblyHashAlgorithm HashAlgorithm { get => throw null; set { } } + public System.Reflection.StrongNameKeyPair KeyPair { get => throw null; set { } } + public string Name { get => throw null; set { } } public void OnDeserialization(object sender) => throw null; - public System.Reflection.ProcessorArchitecture ProcessorArchitecture { get => throw null; set => throw null; } + public System.Reflection.ProcessorArchitecture ProcessorArchitecture { get => throw null; set { } } public static bool ReferenceMatchesDefinition(System.Reflection.AssemblyName reference, System.Reflection.AssemblyName definition) => throw null; - public void SetPublicKey(System.Byte[] publicKey) => throw null; - public void SetPublicKeyToken(System.Byte[] publicKeyToken) => throw null; + public void SetPublicKey(byte[] publicKey) => throw null; + public void SetPublicKeyToken(byte[] publicKeyToken) => throw null; public override string ToString() => throw null; - public System.Version Version { get => throw null; set => throw null; } - public System.Configuration.Assemblies.AssemblyVersionCompatibility VersionCompatibility { get => throw null; set => throw null; } + public System.Version Version { get => throw null; set { } } + public System.Configuration.Assemblies.AssemblyVersionCompatibility VersionCompatibility { get => throw null; set { } } } - [System.Flags] - public enum AssemblyNameFlags : int + public enum AssemblyNameFlags { - EnableJITcompileOptimizer = 16384, - EnableJITcompileTracking = 32768, None = 0, PublicKey = 1, Retargetable = 256, + EnableJITcompileOptimizer = 16384, + EnableJITcompileTracking = 32768, } - public class AssemblyNameProxy : System.MarshalByRefObject { public AssemblyNameProxy() => throw null; public System.Reflection.AssemblyName GetAssemblyName(string assemblyFile) => throw null; } - - public class AssemblyProductAttribute : System.Attribute + public sealed class AssemblyProductAttribute : System.Attribute { public AssemblyProductAttribute(string product) => throw null; public string Product { get => throw null; } } - - public class AssemblySignatureKeyAttribute : System.Attribute + public sealed class AssemblySignatureKeyAttribute : System.Attribute { - public AssemblySignatureKeyAttribute(string publicKey, string countersignature) => throw null; public string Countersignature { get => throw null; } + public AssemblySignatureKeyAttribute(string publicKey, string countersignature) => throw null; public string PublicKey { get => throw null; } } - - public class AssemblyTitleAttribute : System.Attribute + public sealed class AssemblyTitleAttribute : System.Attribute { public AssemblyTitleAttribute(string title) => throw null; public string Title { get => throw null; } } - - public class AssemblyTrademarkAttribute : System.Attribute + public sealed class AssemblyTrademarkAttribute : System.Attribute { public AssemblyTrademarkAttribute(string trademark) => throw null; public string Trademark { get => throw null; } } - - public class AssemblyVersionAttribute : System.Attribute + public sealed class AssemblyVersionAttribute : System.Attribute { public AssemblyVersionAttribute(string version) => throw null; public string Version { get => throw null; } } - public abstract class Binder { public abstract System.Reflection.FieldInfo BindToField(System.Reflection.BindingFlags bindingAttr, System.Reflection.FieldInfo[] match, object value, System.Globalization.CultureInfo culture); public abstract System.Reflection.MethodBase BindToMethod(System.Reflection.BindingFlags bindingAttr, System.Reflection.MethodBase[] match, ref object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] names, out object state); - protected Binder() => throw null; public abstract object ChangeType(object value, System.Type type, System.Globalization.CultureInfo culture); + protected Binder() => throw null; public abstract void ReorderArgumentArray(ref object[] args, object state); public abstract System.Reflection.MethodBase SelectMethod(System.Reflection.BindingFlags bindingAttr, System.Reflection.MethodBase[] match, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); public abstract System.Reflection.PropertyInfo SelectProperty(System.Reflection.BindingFlags bindingAttr, System.Reflection.PropertyInfo[] match, System.Type returnType, System.Type[] indexes, System.Reflection.ParameterModifier[] modifiers); } - [System.Flags] - public enum BindingFlags : int + public enum BindingFlags { - CreateInstance = 512, - DeclaredOnly = 2, Default = 0, - DoNotWrapExceptions = 33554432, - ExactBinding = 65536, - FlattenHierarchy = 64, - GetField = 1024, - GetProperty = 4096, IgnoreCase = 1, - IgnoreReturn = 16777216, + DeclaredOnly = 2, Instance = 4, - InvokeMethod = 256, - NonPublic = 32, - OptionalParamBinding = 262144, + Static = 8, Public = 16, - PutDispProperty = 16384, - PutRefDispProperty = 32768, + NonPublic = 32, + FlattenHierarchy = 64, + InvokeMethod = 256, + CreateInstance = 512, + GetField = 1024, SetField = 2048, + GetProperty = 4096, SetProperty = 8192, - Static = 8, + PutDispProperty = 16384, + PutRefDispProperty = 32768, + ExactBinding = 65536, SuppressChangeType = 131072, + OptionalParamBinding = 262144, + IgnoreReturn = 16777216, + DoNotWrapExceptions = 33554432, } - [System.Flags] - public enum CallingConventions : int + public enum CallingConventions { - Any = 3, - ExplicitThis = 64, - HasThis = 32, Standard = 1, VarArgs = 2, + Any = 3, + HasThis = 32, + ExplicitThis = 64, } - public abstract class ConstructorInfo : System.Reflection.MethodBase { - public static bool operator !=(System.Reflection.ConstructorInfo left, System.Reflection.ConstructorInfo right) => throw null; - public static bool operator ==(System.Reflection.ConstructorInfo left, System.Reflection.ConstructorInfo right) => throw null; - protected ConstructorInfo() => throw null; public static string ConstructorName; + protected ConstructorInfo() => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public abstract object Invoke(System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture); public object Invoke(object[] parameters) => throw null; + public abstract object Invoke(System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture); public override System.Reflection.MemberTypes MemberType { get => throw null; } + public static bool operator ==(System.Reflection.ConstructorInfo left, System.Reflection.ConstructorInfo right) => throw null; + public static bool operator !=(System.Reflection.ConstructorInfo left, System.Reflection.ConstructorInfo right) => throw null; public static string TypeConstructorName; } - public class CustomAttributeData { public virtual System.Type AttributeType { get => throw null; } @@ -10885,8 +7751,7 @@ public class CustomAttributeData public virtual System.Collections.Generic.IList NamedArguments { get => throw null; } public override string ToString() => throw null; } - - public static class CustomAttributeExtensions + public static partial class CustomAttributeExtensions { public static System.Attribute GetCustomAttribute(this System.Reflection.Assembly element, System.Type attributeType) => throw null; public static System.Attribute GetCustomAttribute(this System.Reflection.MemberInfo element, System.Type attributeType) => throw null; @@ -10903,15 +7768,15 @@ public static class CustomAttributeExtensions public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.Assembly element) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.Assembly element, System.Type attributeType) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element) => throw null; + public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element, bool inherit) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element, System.Type attributeType) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element, System.Type attributeType, bool inherit) => throw null; - public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element, bool inherit) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.Module element) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.Module element, System.Type attributeType) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.ParameterInfo element) => throw null; + public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.ParameterInfo element, bool inherit) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.ParameterInfo element, System.Type attributeType) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.ParameterInfo element, System.Type attributeType, bool inherit) => throw null; - public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.ParameterInfo element, bool inherit) => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.Assembly element) where T : System.Attribute => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element) where T : System.Attribute => throw null; public static System.Collections.Generic.IEnumerable GetCustomAttributes(this System.Reflection.MemberInfo element, bool inherit) where T : System.Attribute => throw null; @@ -10925,7 +7790,6 @@ public static class CustomAttributeExtensions public static bool IsDefined(this System.Reflection.ParameterInfo element, System.Type attributeType) => throw null; public static bool IsDefined(this System.Reflection.ParameterInfo element, System.Type attributeType, bool inherit) => throw null; } - public class CustomAttributeFormatException : System.FormatException { public CustomAttributeFormatException() => throw null; @@ -10933,64 +7797,55 @@ public class CustomAttributeFormatException : System.FormatException public CustomAttributeFormatException(string message) => throw null; public CustomAttributeFormatException(string message, System.Exception inner) => throw null; } - public struct CustomAttributeNamedArgument : System.IEquatable { - public static bool operator !=(System.Reflection.CustomAttributeNamedArgument left, System.Reflection.CustomAttributeNamedArgument right) => throw null; - public static bool operator ==(System.Reflection.CustomAttributeNamedArgument left, System.Reflection.CustomAttributeNamedArgument right) => throw null; - // Stub generator skipped constructor - public CustomAttributeNamedArgument(System.Reflection.MemberInfo memberInfo, System.Reflection.CustomAttributeTypedArgument typedArgument) => throw null; public CustomAttributeNamedArgument(System.Reflection.MemberInfo memberInfo, object value) => throw null; + public CustomAttributeNamedArgument(System.Reflection.MemberInfo memberInfo, System.Reflection.CustomAttributeTypedArgument typedArgument) => throw null; public bool Equals(System.Reflection.CustomAttributeNamedArgument other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsField { get => throw null; } public System.Reflection.MemberInfo MemberInfo { get => throw null; } public string MemberName { get => throw null; } + public static bool operator ==(System.Reflection.CustomAttributeNamedArgument left, System.Reflection.CustomAttributeNamedArgument right) => throw null; + public static bool operator !=(System.Reflection.CustomAttributeNamedArgument left, System.Reflection.CustomAttributeNamedArgument right) => throw null; public override string ToString() => throw null; public System.Reflection.CustomAttributeTypedArgument TypedValue { get => throw null; } } - public struct CustomAttributeTypedArgument : System.IEquatable { - public static bool operator !=(System.Reflection.CustomAttributeTypedArgument left, System.Reflection.CustomAttributeTypedArgument right) => throw null; - public static bool operator ==(System.Reflection.CustomAttributeTypedArgument left, System.Reflection.CustomAttributeTypedArgument right) => throw null; public System.Type ArgumentType { get => throw null; } - // Stub generator skipped constructor - public CustomAttributeTypedArgument(System.Type argumentType, object value) => throw null; public CustomAttributeTypedArgument(object value) => throw null; - public bool Equals(System.Reflection.CustomAttributeTypedArgument other) => throw null; + public CustomAttributeTypedArgument(System.Type argumentType, object value) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Reflection.CustomAttributeTypedArgument other) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Reflection.CustomAttributeTypedArgument left, System.Reflection.CustomAttributeTypedArgument right) => throw null; + public static bool operator !=(System.Reflection.CustomAttributeTypedArgument left, System.Reflection.CustomAttributeTypedArgument right) => throw null; public override string ToString() => throw null; public object Value { get => throw null; } } - - public class DefaultMemberAttribute : System.Attribute + public sealed class DefaultMemberAttribute : System.Attribute { public DefaultMemberAttribute(string memberName) => throw null; public string MemberName { get => throw null; } } - [System.Flags] - public enum EventAttributes : int + public enum EventAttributes { None = 0, - RTSpecialName = 1024, - ReservedMask = 1024, SpecialName = 512, + ReservedMask = 1024, + RTSpecialName = 1024, } - public abstract class EventInfo : System.Reflection.MemberInfo { - public static bool operator !=(System.Reflection.EventInfo left, System.Reflection.EventInfo right) => throw null; - public static bool operator ==(System.Reflection.EventInfo left, System.Reflection.EventInfo right) => throw null; public virtual void AddEventHandler(object target, System.Delegate handler) => throw null; public virtual System.Reflection.MethodInfo AddMethod { get => throw null; } public abstract System.Reflection.EventAttributes Attributes { get; } + protected EventInfo() => throw null; public override bool Equals(object obj) => throw null; public virtual System.Type EventHandlerType { get => throw null; } - protected EventInfo() => throw null; public System.Reflection.MethodInfo GetAddMethod() => throw null; public abstract System.Reflection.MethodInfo GetAddMethod(bool nonPublic); public override int GetHashCode() => throw null; @@ -11003,11 +7858,12 @@ public abstract class EventInfo : System.Reflection.MemberInfo public virtual bool IsMulticast { get => throw null; } public bool IsSpecialName { get => throw null; } public override System.Reflection.MemberTypes MemberType { get => throw null; } + public static bool operator ==(System.Reflection.EventInfo left, System.Reflection.EventInfo right) => throw null; + public static bool operator !=(System.Reflection.EventInfo left, System.Reflection.EventInfo right) => throw null; public virtual System.Reflection.MethodInfo RaiseMethod { get => throw null; } public virtual void RemoveEventHandler(object target, System.Delegate handler) => throw null; public virtual System.Reflection.MethodInfo RemoveMethod { get => throw null; } } - public class ExceptionHandlingClause { public virtual System.Type CatchType { get => throw null; } @@ -11020,48 +7876,43 @@ public class ExceptionHandlingClause public virtual int TryLength { get => throw null; } public virtual int TryOffset { get => throw null; } } - [System.Flags] - public enum ExceptionHandlingClauseOptions : int + public enum ExceptionHandlingClauseOptions { Clause = 0, - Fault = 4, Filter = 1, Finally = 2, + Fault = 4, } - [System.Flags] - public enum FieldAttributes : int + public enum FieldAttributes { - Assembly = 3, + PrivateScope = 0, + Private = 1, FamANDAssem = 2, - FamORAssem = 5, + Assembly = 3, Family = 4, + FamORAssem = 5, + Public = 6, FieldAccessMask = 7, - HasDefault = 32768, - HasFieldMarshal = 4096, - HasFieldRVA = 256, + Static = 16, InitOnly = 32, Literal = 64, NotSerialized = 128, - PinvokeImpl = 8192, - Private = 1, - PrivateScope = 0, - Public = 6, + HasFieldRVA = 256, + SpecialName = 512, RTSpecialName = 1024, + HasFieldMarshal = 4096, + PinvokeImpl = 8192, + HasDefault = 32768, ReservedMask = 38144, - SpecialName = 512, - Static = 16, } - public abstract class FieldInfo : System.Reflection.MemberInfo { - public static bool operator !=(System.Reflection.FieldInfo left, System.Reflection.FieldInfo right) => throw null; - public static bool operator ==(System.Reflection.FieldInfo left, System.Reflection.FieldInfo right) => throw null; public abstract System.Reflection.FieldAttributes Attributes { get; } + protected FieldInfo() => throw null; public override bool Equals(object obj) => throw null; public abstract System.RuntimeFieldHandle FieldHandle { get; } - protected FieldInfo() => throw null; public abstract System.Type FieldType { get; } public static System.Reflection.FieldInfo GetFieldFromHandle(System.RuntimeFieldHandle handle) => throw null; public static System.Reflection.FieldInfo GetFieldFromHandle(System.RuntimeFieldHandle handle, System.RuntimeTypeHandle declaringType) => throw null; @@ -11087,74 +7938,48 @@ public abstract class FieldInfo : System.Reflection.MemberInfo public bool IsSpecialName { get => throw null; } public bool IsStatic { get => throw null; } public override System.Reflection.MemberTypes MemberType { get => throw null; } + public static bool operator ==(System.Reflection.FieldInfo left, System.Reflection.FieldInfo right) => throw null; + public static bool operator !=(System.Reflection.FieldInfo left, System.Reflection.FieldInfo right) => throw null; public void SetValue(object obj, object value) => throw null; public abstract void SetValue(object obj, object value, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, System.Globalization.CultureInfo culture); public virtual void SetValueDirect(System.TypedReference obj, object value) => throw null; } - [System.Flags] - public enum GenericParameterAttributes : int + public enum GenericParameterAttributes { - Contravariant = 2, - Covariant = 1, - DefaultConstructorConstraint = 16, None = 0, - NotNullableValueTypeConstraint = 8, + Covariant = 1, + Contravariant = 2, + VarianceMask = 3, ReferenceTypeConstraint = 4, + NotNullableValueTypeConstraint = 8, + DefaultConstructorConstraint = 16, SpecialConstraintMask = 28, - VarianceMask = 3, } - public interface ICustomAttributeProvider { - object[] GetCustomAttributes(System.Type attributeType, bool inherit); object[] GetCustomAttributes(bool inherit); + object[] GetCustomAttributes(System.Type attributeType, bool inherit); bool IsDefined(System.Type attributeType, bool inherit); } - - public interface IReflect - { - System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr); - System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingAttr); - System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.BindingFlags bindingAttr); - System.Reflection.MemberInfo[] GetMembers(System.Reflection.BindingFlags bindingAttr); - System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr); - System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); - System.Reflection.MethodInfo[] GetMethods(System.Reflection.BindingFlags bindingAttr); - System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr); - System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr); - System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); - object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters); - System.Type UnderlyingSystemType { get; } - } - - public interface IReflectableType - { - System.Reflection.TypeInfo GetTypeInfo(); - } - - public enum ImageFileMachine : int + public enum ImageFileMachine { - AMD64 = 34404, - ARM = 452, I386 = 332, + ARM = 452, IA64 = 512, + AMD64 = 34404, } - public struct InterfaceMapping { - // Stub generator skipped constructor public System.Reflection.MethodInfo[] InterfaceMethods; public System.Type InterfaceType; public System.Reflection.MethodInfo[] TargetMethods; public System.Type TargetType; } - - public static class IntrospectionExtensions + public static partial class IntrospectionExtensions { public static System.Reflection.TypeInfo GetTypeInfo(this System.Type type) => throw null; } - public class InvalidFilterCriteriaException : System.ApplicationException { public InvalidFilterCriteriaException() => throw null; @@ -11162,98 +7987,109 @@ public class InvalidFilterCriteriaException : System.ApplicationException public InvalidFilterCriteriaException(string message) => throw null; public InvalidFilterCriteriaException(string message, System.Exception inner) => throw null; } - + public interface IReflect + { + System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr); + System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingAttr); + System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.BindingFlags bindingAttr); + System.Reflection.MemberInfo[] GetMembers(System.Reflection.BindingFlags bindingAttr); + System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr); + System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); + System.Reflection.MethodInfo[] GetMethods(System.Reflection.BindingFlags bindingAttr); + System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr); + System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr); + System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); + object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters); + System.Type UnderlyingSystemType { get; } + } + public interface IReflectableType + { + System.Reflection.TypeInfo GetTypeInfo(); + } public class LocalVariableInfo { + protected LocalVariableInfo() => throw null; public virtual bool IsPinned { get => throw null; } public virtual int LocalIndex { get => throw null; } public virtual System.Type LocalType { get => throw null; } - protected LocalVariableInfo() => throw null; public override string ToString() => throw null; } - public class ManifestResourceInfo { - public virtual string FileName { get => throw null; } public ManifestResourceInfo(System.Reflection.Assembly containingAssembly, string containingFileName, System.Reflection.ResourceLocation resourceLocation) => throw null; + public virtual string FileName { get => throw null; } public virtual System.Reflection.Assembly ReferencedAssembly { get => throw null; } public virtual System.Reflection.ResourceLocation ResourceLocation { get => throw null; } } - public delegate bool MemberFilter(System.Reflection.MemberInfo m, object filterCriteria); - public abstract class MemberInfo : System.Reflection.ICustomAttributeProvider { - public static bool operator !=(System.Reflection.MemberInfo left, System.Reflection.MemberInfo right) => throw null; - public static bool operator ==(System.Reflection.MemberInfo left, System.Reflection.MemberInfo right) => throw null; + protected MemberInfo() => throw null; public virtual System.Collections.Generic.IEnumerable CustomAttributes { get => throw null; } public abstract System.Type DeclaringType { get; } public override bool Equals(object obj) => throw null; - public abstract object[] GetCustomAttributes(System.Type attributeType, bool inherit); public abstract object[] GetCustomAttributes(bool inherit); + public abstract object[] GetCustomAttributes(System.Type attributeType, bool inherit); public virtual System.Collections.Generic.IList GetCustomAttributesData() => throw null; public override int GetHashCode() => throw null; public virtual bool HasSameMetadataDefinitionAs(System.Reflection.MemberInfo other) => throw null; public virtual bool IsCollectible { get => throw null; } public abstract bool IsDefined(System.Type attributeType, bool inherit); - protected MemberInfo() => throw null; public abstract System.Reflection.MemberTypes MemberType { get; } public virtual int MetadataToken { get => throw null; } public virtual System.Reflection.Module Module { get => throw null; } public abstract string Name { get; } + public static bool operator ==(System.Reflection.MemberInfo left, System.Reflection.MemberInfo right) => throw null; + public static bool operator !=(System.Reflection.MemberInfo left, System.Reflection.MemberInfo right) => throw null; public abstract System.Type ReflectedType { get; } } - [System.Flags] - public enum MemberTypes : int + public enum MemberTypes { - All = 191, Constructor = 1, - Custom = 64, Event = 2, Field = 4, Method = 8, - NestedType = 128, Property = 16, TypeInfo = 32, + Custom = 64, + NestedType = 128, + All = 191, } - [System.Flags] - public enum MethodAttributes : int + public enum MethodAttributes { - Abstract = 1024, - Assembly = 3, - CheckAccessOnOverride = 512, + PrivateScope = 0, + ReuseSlot = 0, + Private = 1, FamANDAssem = 2, - FamORAssem = 5, + Assembly = 3, Family = 4, + FamORAssem = 5, + Public = 6, + MemberAccessMask = 7, + UnmanagedExport = 8, + Static = 16, Final = 32, - HasSecurity = 16384, + Virtual = 64, HideBySig = 128, - MemberAccessMask = 7, NewSlot = 256, - PinvokeImpl = 8192, - Private = 1, - PrivateScope = 0, - Public = 6, + VtableLayoutMask = 256, + CheckAccessOnOverride = 512, + Abstract = 1024, + SpecialName = 2048, RTSpecialName = 4096, + PinvokeImpl = 8192, + HasSecurity = 16384, RequireSecObject = 32768, ReservedMask = 53248, - ReuseSlot = 0, - SpecialName = 2048, - Static = 16, - UnmanagedExport = 8, - Virtual = 64, - VtableLayoutMask = 256, } - public abstract class MethodBase : System.Reflection.MemberInfo { - public static bool operator !=(System.Reflection.MethodBase left, System.Reflection.MethodBase right) => throw null; - public static bool operator ==(System.Reflection.MethodBase left, System.Reflection.MethodBase right) => throw null; public abstract System.Reflection.MethodAttributes Attributes { get; } public virtual System.Reflection.CallingConventions CallingConvention { get => throw null; } public virtual bool ContainsGenericParameters { get => throw null; } + protected MethodBase() => throw null; public override bool Equals(object obj) => throw null; public static System.Reflection.MethodBase GetCurrentMethod() => throw null; public virtual System.Type[] GetGenericArguments() => throw null; @@ -11263,8 +8099,8 @@ public abstract class MethodBase : System.Reflection.MemberInfo public static System.Reflection.MethodBase GetMethodFromHandle(System.RuntimeMethodHandle handle, System.RuntimeTypeHandle declaringType) => throw null; public abstract System.Reflection.MethodImplAttributes GetMethodImplementationFlags(); public abstract System.Reflection.ParameterInfo[] GetParameters(); - public abstract object Invoke(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture); public object Invoke(object obj, object[] parameters) => throw null; + public abstract object Invoke(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] parameters, System.Globalization.CultureInfo culture); public bool IsAbstract { get => throw null; } public bool IsAssembly { get => throw null; } public virtual bool IsConstructedGenericMethod { get => throw null; } @@ -11284,51 +8120,48 @@ public abstract class MethodBase : System.Reflection.MemberInfo public bool IsSpecialName { get => throw null; } public bool IsStatic { get => throw null; } public bool IsVirtual { get => throw null; } - protected MethodBase() => throw null; public abstract System.RuntimeMethodHandle MethodHandle { get; } public virtual System.Reflection.MethodImplAttributes MethodImplementationFlags { get => throw null; } + public static bool operator ==(System.Reflection.MethodBase left, System.Reflection.MethodBase right) => throw null; + public static bool operator !=(System.Reflection.MethodBase left, System.Reflection.MethodBase right) => throw null; } - public class MethodBody { + protected MethodBody() => throw null; public virtual System.Collections.Generic.IList ExceptionHandlingClauses { get => throw null; } - public virtual System.Byte[] GetILAsByteArray() => throw null; + public virtual byte[] GetILAsByteArray() => throw null; public virtual bool InitLocals { get => throw null; } public virtual int LocalSignatureMetadataToken { get => throw null; } public virtual System.Collections.Generic.IList LocalVariables { get => throw null; } public virtual int MaxStackSize { get => throw null; } - protected MethodBody() => throw null; } - - public enum MethodImplAttributes : int + public enum MethodImplAttributes { - AggressiveInlining = 256, - AggressiveOptimization = 512, - CodeTypeMask = 3, - ForwardRef = 16, IL = 0, - InternalCall = 4096, Managed = 0, - ManagedMask = 4, - MaxMethodImplVal = 65535, Native = 1, - NoInlining = 8, - NoOptimization = 64, OPTIL = 2, - PreserveSig = 128, + CodeTypeMask = 3, Runtime = 3, - Synchronized = 32, + ManagedMask = 4, Unmanaged = 4, + NoInlining = 8, + ForwardRef = 16, + Synchronized = 32, + NoOptimization = 64, + PreserveSig = 128, + AggressiveInlining = 256, + AggressiveOptimization = 512, + InternalCall = 4096, + MaxMethodImplVal = 65535, } - public abstract class MethodInfo : System.Reflection.MethodBase { - public static bool operator !=(System.Reflection.MethodInfo left, System.Reflection.MethodInfo right) => throw null; - public static bool operator ==(System.Reflection.MethodInfo left, System.Reflection.MethodInfo right) => throw null; public virtual System.Delegate CreateDelegate(System.Type delegateType) => throw null; public virtual System.Delegate CreateDelegate(System.Type delegateType, object target) => throw null; public T CreateDelegate() where T : System.Delegate => throw null; public T CreateDelegate(object target) where T : System.Delegate => throw null; + protected MethodInfo() => throw null; public override bool Equals(object obj) => throw null; public abstract System.Reflection.MethodInfo GetBaseDefinition(); public override System.Type[] GetGenericArguments() => throw null; @@ -11336,31 +8169,29 @@ public abstract class MethodInfo : System.Reflection.MethodBase public override int GetHashCode() => throw null; public virtual System.Reflection.MethodInfo MakeGenericMethod(params System.Type[] typeArguments) => throw null; public override System.Reflection.MemberTypes MemberType { get => throw null; } - protected MethodInfo() => throw null; + public static bool operator ==(System.Reflection.MethodInfo left, System.Reflection.MethodInfo right) => throw null; + public static bool operator !=(System.Reflection.MethodInfo left, System.Reflection.MethodInfo right) => throw null; public virtual System.Reflection.ParameterInfo ReturnParameter { get => throw null; } public virtual System.Type ReturnType { get => throw null; } public abstract System.Reflection.ICustomAttributeProvider ReturnTypeCustomAttributes { get; } } - - public class Missing : System.Runtime.Serialization.ISerializable + public sealed class Missing : System.Runtime.Serialization.ISerializable { void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public static System.Reflection.Missing Value; } - public abstract class Module : System.Reflection.ICustomAttributeProvider, System.Runtime.Serialization.ISerializable { - public static bool operator !=(System.Reflection.Module left, System.Reflection.Module right) => throw null; - public static bool operator ==(System.Reflection.Module left, System.Reflection.Module right) => throw null; public virtual System.Reflection.Assembly Assembly { get => throw null; } + protected Module() => throw null; public virtual System.Collections.Generic.IEnumerable CustomAttributes { get => throw null; } public override bool Equals(object o) => throw null; public static System.Reflection.TypeFilter FilterTypeName; public static System.Reflection.TypeFilter FilterTypeNameIgnoreCase; public virtual System.Type[] FindTypes(System.Reflection.TypeFilter filter, object filterCriteria) => throw null; public virtual string FullyQualifiedName { get => throw null; } - public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual object[] GetCustomAttributes(bool inherit) => throw null; + public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual System.Collections.Generic.IList GetCustomAttributesData() => throw null; public System.Reflection.FieldInfo GetField(string name) => throw null; public virtual System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr) => throw null; @@ -11383,27 +8214,26 @@ public abstract class Module : System.Reflection.ICustomAttributeProvider, Syste public virtual bool IsResource() => throw null; public virtual int MDStreamVersion { get => throw null; } public virtual int MetadataToken { get => throw null; } - protected Module() => throw null; public System.ModuleHandle ModuleHandle { get => throw null; } public virtual System.Guid ModuleVersionId { get => throw null; } public virtual string Name { get => throw null; } + public static bool operator ==(System.Reflection.Module left, System.Reflection.Module right) => throw null; + public static bool operator !=(System.Reflection.Module left, System.Reflection.Module right) => throw null; public System.Reflection.FieldInfo ResolveField(int metadataToken) => throw null; public virtual System.Reflection.FieldInfo ResolveField(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public System.Reflection.MemberInfo ResolveMember(int metadataToken) => throw null; public virtual System.Reflection.MemberInfo ResolveMember(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public System.Reflection.MethodBase ResolveMethod(int metadataToken) => throw null; public virtual System.Reflection.MethodBase ResolveMethod(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; - public virtual System.Byte[] ResolveSignature(int metadataToken) => throw null; + public virtual byte[] ResolveSignature(int metadataToken) => throw null; public virtual string ResolveString(int metadataToken) => throw null; public System.Type ResolveType(int metadataToken) => throw null; public virtual System.Type ResolveType(int metadataToken, System.Type[] genericTypeArguments, System.Type[] genericMethodArguments) => throw null; public virtual string ScopeName { get => throw null; } public override string ToString() => throw null; } - public delegate System.Reflection.Module ModuleResolveEventHandler(object sender, System.ResolveEventArgs e); - - public class NullabilityInfo + public sealed class NullabilityInfo { public System.Reflection.NullabilityInfo ElementType { get => throw null; } public System.Reflection.NullabilityInfo[] GenericTypeArguments { get => throw null; } @@ -11411,8 +8241,7 @@ public class NullabilityInfo public System.Type Type { get => throw null; } public System.Reflection.NullabilityState WriteState { get => throw null; } } - - public class NullabilityInfoContext + public sealed class NullabilityInfoContext { public System.Reflection.NullabilityInfo Create(System.Reflection.EventInfo eventInfo) => throw null; public System.Reflection.NullabilityInfo Create(System.Reflection.FieldInfo fieldInfo) => throw null; @@ -11420,56 +8249,52 @@ public class NullabilityInfoContext public System.Reflection.NullabilityInfo Create(System.Reflection.PropertyInfo propertyInfo) => throw null; public NullabilityInfoContext() => throw null; } - - public enum NullabilityState : int + public enum NullabilityState { + Unknown = 0, NotNull = 1, Nullable = 2, - Unknown = 0, } - - public class ObfuscateAssemblyAttribute : System.Attribute + public sealed class ObfuscateAssemblyAttribute : System.Attribute { public bool AssemblyIsPrivate { get => throw null; } public ObfuscateAssemblyAttribute(bool assemblyIsPrivate) => throw null; - public bool StripAfterObfuscation { get => throw null; set => throw null; } + public bool StripAfterObfuscation { get => throw null; set { } } } - - public class ObfuscationAttribute : System.Attribute + public sealed class ObfuscationAttribute : System.Attribute { - public bool ApplyToMembers { get => throw null; set => throw null; } - public bool Exclude { get => throw null; set => throw null; } - public string Feature { get => throw null; set => throw null; } + public bool ApplyToMembers { get => throw null; set { } } public ObfuscationAttribute() => throw null; - public bool StripAfterObfuscation { get => throw null; set => throw null; } + public bool Exclude { get => throw null; set { } } + public string Feature { get => throw null; set { } } + public bool StripAfterObfuscation { get => throw null; set { } } } - [System.Flags] - public enum ParameterAttributes : int + public enum ParameterAttributes { - HasDefault = 4096, - HasFieldMarshal = 8192, + None = 0, In = 1, + Out = 2, Lcid = 4, - None = 0, + Retval = 8, Optional = 16, - Out = 2, + HasDefault = 4096, + HasFieldMarshal = 8192, Reserved3 = 16384, Reserved4 = 32768, ReservedMask = 61440, - Retval = 8, } - public class ParameterInfo : System.Reflection.ICustomAttributeProvider, System.Runtime.Serialization.IObjectReference { public virtual System.Reflection.ParameterAttributes Attributes { get => throw null; } protected System.Reflection.ParameterAttributes AttrsImpl; protected System.Type ClassImpl; + protected ParameterInfo() => throw null; public virtual System.Collections.Generic.IEnumerable CustomAttributes { get => throw null; } public virtual object DefaultValue { get => throw null; } protected object DefaultValueImpl; - public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual object[] GetCustomAttributes(bool inherit) => throw null; + public virtual object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public virtual System.Collections.Generic.IList GetCustomAttributesData() => throw null; public virtual System.Type[] GetOptionalCustomModifiers() => throw null; public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; @@ -11486,71 +8311,62 @@ public class ParameterInfo : System.Reflection.ICustomAttributeProvider, System. public virtual int MetadataToken { get => throw null; } public virtual string Name { get => throw null; } protected string NameImpl; - protected ParameterInfo() => throw null; public virtual System.Type ParameterType { get => throw null; } public virtual int Position { get => throw null; } protected int PositionImpl; public virtual object RawDefaultValue { get => throw null; } public override string ToString() => throw null; } - public struct ParameterModifier { - public bool this[int index] { get => throw null; set => throw null; } - // Stub generator skipped constructor public ParameterModifier(int parameterCount) => throw null; + public bool this[int index] { get => throw null; set { } } } - - public class Pointer : System.Runtime.Serialization.ISerializable + public sealed class Pointer : System.Runtime.Serialization.ISerializable { - unsafe public static object Box(void* ptr, System.Type type) => throw null; + public static unsafe object Box(void* ptr, System.Type type) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - unsafe public static void* Unbox(object ptr) => throw null; + public static unsafe void* Unbox(object ptr) => throw null; } - [System.Flags] - public enum PortableExecutableKinds : int + public enum PortableExecutableKinds { - ILOnly = 1, NotAPortableExecutableImage = 0, - PE32Plus = 4, - Preferred32Bit = 16, + ILOnly = 1, Required32Bit = 2, + PE32Plus = 4, Unmanaged32Bit = 8, + Preferred32Bit = 16, } - - public enum ProcessorArchitecture : int + public enum ProcessorArchitecture { - Amd64 = 4, - Arm = 5, - IA64 = 3, - MSIL = 1, None = 0, + MSIL = 1, X86 = 2, + IA64 = 3, + Amd64 = 4, + Arm = 5, } - [System.Flags] - public enum PropertyAttributes : int + public enum PropertyAttributes { - HasDefault = 4096, None = 0, + SpecialName = 512, RTSpecialName = 1024, + HasDefault = 4096, Reserved2 = 8192, Reserved3 = 16384, Reserved4 = 32768, ReservedMask = 62464, - SpecialName = 512, } - public abstract class PropertyInfo : System.Reflection.MemberInfo { - public static bool operator !=(System.Reflection.PropertyInfo left, System.Reflection.PropertyInfo right) => throw null; - public static bool operator ==(System.Reflection.PropertyInfo left, System.Reflection.PropertyInfo right) => throw null; public abstract System.Reflection.PropertyAttributes Attributes { get; } public abstract bool CanRead { get; } public abstract bool CanWrite { get; } + protected PropertyInfo() => throw null; public override bool Equals(object obj) => throw null; public System.Reflection.MethodInfo[] GetAccessors() => throw null; public abstract System.Reflection.MethodInfo[] GetAccessors(bool nonPublic); @@ -11566,53 +8382,49 @@ public abstract class PropertyInfo : System.Reflection.MemberInfo public System.Reflection.MethodInfo GetSetMethod() => throw null; public abstract System.Reflection.MethodInfo GetSetMethod(bool nonPublic); public object GetValue(object obj) => throw null; - public abstract object GetValue(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture); public virtual object GetValue(object obj, object[] index) => throw null; + public abstract object GetValue(object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture); public bool IsSpecialName { get => throw null; } public override System.Reflection.MemberTypes MemberType { get => throw null; } - protected PropertyInfo() => throw null; + public static bool operator ==(System.Reflection.PropertyInfo left, System.Reflection.PropertyInfo right) => throw null; + public static bool operator !=(System.Reflection.PropertyInfo left, System.Reflection.PropertyInfo right) => throw null; public abstract System.Type PropertyType { get; } public virtual System.Reflection.MethodInfo SetMethod { get => throw null; } public void SetValue(object obj, object value) => throw null; - public abstract void SetValue(object obj, object value, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture); public virtual void SetValue(object obj, object value, object[] index) => throw null; + public abstract void SetValue(object obj, object value, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object[] index, System.Globalization.CultureInfo culture); } - public abstract class ReflectionContext { + protected ReflectionContext() => throw null; public virtual System.Reflection.TypeInfo GetTypeForObject(object value) => throw null; public abstract System.Reflection.Assembly MapAssembly(System.Reflection.Assembly assembly); public abstract System.Reflection.TypeInfo MapType(System.Reflection.TypeInfo type); - protected ReflectionContext() => throw null; } - - public class ReflectionTypeLoadException : System.SystemException, System.Runtime.Serialization.ISerializable + public sealed class ReflectionTypeLoadException : System.SystemException, System.Runtime.Serialization.ISerializable { + public ReflectionTypeLoadException(System.Type[] classes, System.Exception[] exceptions) => throw null; + public ReflectionTypeLoadException(System.Type[] classes, System.Exception[] exceptions, string message) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public System.Exception[] LoaderExceptions { get => throw null; } public override string Message { get => throw null; } - public ReflectionTypeLoadException(System.Type[] classes, System.Exception[] exceptions) => throw null; - public ReflectionTypeLoadException(System.Type[] classes, System.Exception[] exceptions, string message) => throw null; public override string ToString() => throw null; public System.Type[] Types { get => throw null; } } - [System.Flags] - public enum ResourceAttributes : int + public enum ResourceAttributes { - Private = 2, Public = 1, + Private = 2, } - [System.Flags] - public enum ResourceLocation : int + public enum ResourceLocation { + Embedded = 1, ContainedInAnotherAssembly = 2, ContainedInManifestFile = 4, - Embedded = 1, } - - public static class RuntimeReflectionExtensions + public static partial class RuntimeReflectionExtensions { public static System.Reflection.MethodInfo GetMethodInfo(this System.Delegate del) => throw null; public static System.Reflection.MethodInfo GetRuntimeBaseDefinition(this System.Reflection.MethodInfo method) => throw null; @@ -11626,18 +8438,16 @@ public static class RuntimeReflectionExtensions public static System.Collections.Generic.IEnumerable GetRuntimeProperties(this System.Type type) => throw null; public static System.Reflection.PropertyInfo GetRuntimeProperty(this System.Type type, string name) => throw null; } - public class StrongNameKeyPair : System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public System.Byte[] PublicKey { get => throw null; } - public StrongNameKeyPair(System.Byte[] keyPairArray) => throw null; + public StrongNameKeyPair(byte[] keyPairArray) => throw null; public StrongNameKeyPair(System.IO.FileStream keyPairFile) => throw null; protected StrongNameKeyPair(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public StrongNameKeyPair(string keyPairContainer) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public byte[] PublicKey { get => throw null; } } - public class TargetException : System.ApplicationException { public TargetException() => throw null; @@ -11645,69 +8455,66 @@ public class TargetException : System.ApplicationException public TargetException(string message) => throw null; public TargetException(string message, System.Exception inner) => throw null; } - - public class TargetInvocationException : System.ApplicationException + public sealed class TargetInvocationException : System.ApplicationException { public TargetInvocationException(System.Exception inner) => throw null; public TargetInvocationException(string message, System.Exception inner) => throw null; } - - public class TargetParameterCountException : System.ApplicationException + public sealed class TargetParameterCountException : System.ApplicationException { public TargetParameterCountException() => throw null; public TargetParameterCountException(string message) => throw null; public TargetParameterCountException(string message, System.Exception inner) => throw null; } - [System.Flags] - public enum TypeAttributes : int + public enum TypeAttributes { - Abstract = 128, AnsiClass = 0, - AutoClass = 131072, AutoLayout = 0, - BeforeFieldInit = 1048576, Class = 0, - ClassSemanticsMask = 32, - CustomFormatClass = 196608, - CustomFormatMask = 12582912, - ExplicitLayout = 16, - HasSecurity = 262144, - Import = 4096, - Interface = 32, - LayoutMask = 24, + NotPublic = 0, + Public = 1, + NestedPublic = 2, + NestedPrivate = 3, + NestedFamily = 4, NestedAssembly = 5, NestedFamANDAssem = 6, NestedFamORAssem = 7, - NestedFamily = 4, - NestedPrivate = 3, - NestedPublic = 2, - NotPublic = 0, - Public = 1, - RTSpecialName = 2048, - ReservedMask = 264192, - Sealed = 256, + VisibilityMask = 7, SequentialLayout = 8, - Serializable = 8192, + ExplicitLayout = 16, + LayoutMask = 24, + ClassSemanticsMask = 32, + Interface = 32, + Abstract = 128, + Sealed = 256, SpecialName = 1024, - StringFormatMask = 196608, - UnicodeClass = 65536, - VisibilityMask = 7, + RTSpecialName = 2048, + Import = 4096, + Serializable = 8192, WindowsRuntime = 16384, + UnicodeClass = 65536, + AutoClass = 131072, + CustomFormatClass = 196608, + StringFormatMask = 196608, + HasSecurity = 262144, + ReservedMask = 264192, + BeforeFieldInit = 1048576, + CustomFormatMask = 12582912, } - public class TypeDelegator : System.Reflection.TypeInfo { public override System.Reflection.Assembly Assembly { get => throw null; } public override string AssemblyQualifiedName { get => throw null; } public override System.Type BaseType { get => throw null; } + protected TypeDelegator() => throw null; + public TypeDelegator(System.Type delegatingType) => throw null; public override string FullName { get => throw null; } - public override System.Guid GUID { get => throw null; } protected override System.Reflection.TypeAttributes GetAttributeFlagsImpl() => throw null; protected override System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; public override System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr) => throw null; - public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override object[] GetCustomAttributes(bool inherit) => throw null; + public override object[] GetCustomAttributes(System.Type attributeType, bool inherit) => throw null; public override System.Type GetElementType() => throw null; public override System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.EventInfo[] GetEvents() => throw null; @@ -11718,22 +8525,23 @@ public class TypeDelegator : System.Reflection.TypeInfo public override System.Reflection.InterfaceMapping GetInterfaceMap(System.Type interfaceType) => throw null; public override System.Type[] GetInterfaces() => throw null; public override System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.MemberTypes type, System.Reflection.BindingFlags bindingAttr) => throw null; - public override System.Reflection.MemberInfo GetMemberWithSameMetadataDefinitionAs(System.Reflection.MemberInfo member) => throw null; public override System.Reflection.MemberInfo[] GetMembers(System.Reflection.BindingFlags bindingAttr) => throw null; + public override System.Reflection.MemberInfo GetMemberWithSameMetadataDefinitionAs(System.Reflection.MemberInfo member) => throw null; protected override System.Reflection.MethodInfo GetMethodImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; public override System.Reflection.MethodInfo[] GetMethods(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Type GetNestedType(string name, System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr) => throw null; public override System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr) => throw null; protected override System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public override System.Guid GUID { get => throw null; } protected override bool HasElementTypeImpl() => throw null; public override object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters) => throw null; protected override bool IsArrayImpl() => throw null; public override bool IsAssignableFrom(System.Reflection.TypeInfo typeInfo) => throw null; protected override bool IsByRefImpl() => throw null; public override bool IsByRefLike { get => throw null; } - protected override bool IsCOMObjectImpl() => throw null; public override bool IsCollectible { get => throw null; } + protected override bool IsCOMObjectImpl() => throw null; public override bool IsConstructedGenericType { get => throw null; } public override bool IsDefined(System.Type attributeType, bool inherit) => throw null; public override bool IsGenericMethodParameter { get => throw null; } @@ -11748,18 +8556,15 @@ public class TypeDelegator : System.Reflection.TypeInfo public override System.Reflection.Module Module { get => throw null; } public override string Name { get => throw null; } public override string Namespace { get => throw null; } - protected TypeDelegator() => throw null; - public TypeDelegator(System.Type delegatingType) => throw null; public override System.RuntimeTypeHandle TypeHandle { get => throw null; } - public override System.Type UnderlyingSystemType { get => throw null; } protected System.Type typeImpl; + public override System.Type UnderlyingSystemType { get => throw null; } } - public delegate bool TypeFilter(System.Type m, object filterCriteria); - public abstract class TypeInfo : System.Type, System.Reflection.IReflectableType { public virtual System.Type AsType() => throw null; + protected TypeInfo() => throw null; public virtual System.Collections.Generic.IEnumerable DeclaredConstructors { get => throw null; } public virtual System.Collections.Generic.IEnumerable DeclaredEvents { get => throw null; } public virtual System.Collections.Generic.IEnumerable DeclaredFields { get => throw null; } @@ -11777,10 +8582,16 @@ public abstract class TypeInfo : System.Type, System.Reflection.IReflectableType System.Reflection.TypeInfo System.Reflection.IReflectableType.GetTypeInfo() => throw null; public virtual System.Collections.Generic.IEnumerable ImplementedInterfaces { get => throw null; } public virtual bool IsAssignableFrom(System.Reflection.TypeInfo typeInfo) => throw null; - protected TypeInfo() => throw null; } - } + public class ResolveEventArgs : System.EventArgs + { + public ResolveEventArgs(string name) => throw null; + public ResolveEventArgs(string name, System.Reflection.Assembly requestingAssembly) => throw null; + public string Name { get => throw null; } + public System.Reflection.Assembly RequestingAssembly { get => throw null; } + } + public delegate System.Reflection.Assembly ResolveEventHandler(object sender, System.ResolveEventArgs args); namespace Resources { public interface IResourceReader : System.Collections.IEnumerable, System.IDisposable @@ -11788,7 +8599,6 @@ public interface IResourceReader : System.Collections.IEnumerable, System.IDispo void Close(); System.Collections.IDictionaryEnumerator GetEnumerator(); } - public class MissingManifestResourceException : System.SystemException { public MissingManifestResourceException() => throw null; @@ -11796,30 +8606,31 @@ public class MissingManifestResourceException : System.SystemException public MissingManifestResourceException(string message) => throw null; public MissingManifestResourceException(string message, System.Exception inner) => throw null; } - public class MissingSatelliteAssemblyException : System.SystemException { - public string CultureName { get => throw null; } public MissingSatelliteAssemblyException() => throw null; protected MissingSatelliteAssemblyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public MissingSatelliteAssemblyException(string message) => throw null; public MissingSatelliteAssemblyException(string message, System.Exception inner) => throw null; public MissingSatelliteAssemblyException(string message, string cultureName) => throw null; + public string CultureName { get => throw null; } } - - public class NeutralResourcesLanguageAttribute : System.Attribute + public sealed class NeutralResourcesLanguageAttribute : System.Attribute { - public string CultureName { get => throw null; } - public System.Resources.UltimateResourceFallbackLocation Location { get => throw null; } public NeutralResourcesLanguageAttribute(string cultureName) => throw null; public NeutralResourcesLanguageAttribute(string cultureName, System.Resources.UltimateResourceFallbackLocation location) => throw null; + public string CultureName { get => throw null; } + public System.Resources.UltimateResourceFallbackLocation Location { get => throw null; } } - public class ResourceManager { public virtual string BaseName { get => throw null; } public static System.Resources.ResourceManager CreateFileBasedResourceManager(string baseName, string resourceDir, System.Type usingResourceSet) => throw null; - protected System.Resources.UltimateResourceFallbackLocation FallbackLocation { get => throw null; set => throw null; } + protected ResourceManager() => throw null; + public ResourceManager(string baseName, System.Reflection.Assembly assembly) => throw null; + public ResourceManager(string baseName, System.Reflection.Assembly assembly, System.Type usingResourceSet) => throw null; + public ResourceManager(System.Type resourceSource) => throw null; + protected System.Resources.UltimateResourceFallbackLocation FallbackLocation { get => throw null; set { } } protected static System.Globalization.CultureInfo GetNeutralResourcesLanguage(System.Reflection.Assembly a) => throw null; public virtual object GetObject(string name) => throw null; public virtual object GetObject(string name, System.Globalization.CultureInfo culture) => throw null; @@ -11831,32 +8642,30 @@ public class ResourceManager public virtual string GetString(string name) => throw null; public virtual string GetString(string name, System.Globalization.CultureInfo culture) => throw null; public static int HeaderVersionNumber; - public virtual bool IgnoreCase { get => throw null; set => throw null; } + public virtual bool IgnoreCase { get => throw null; set { } } protected virtual System.Resources.ResourceSet InternalGetResourceSet(System.Globalization.CultureInfo culture, bool createIfNotExists, bool tryParents) => throw null; public static int MagicNumber; protected System.Reflection.Assembly MainAssembly; public virtual void ReleaseAllResources() => throw null; - protected ResourceManager() => throw null; - public ResourceManager(System.Type resourceSource) => throw null; - public ResourceManager(string baseName, System.Reflection.Assembly assembly) => throw null; - public ResourceManager(string baseName, System.Reflection.Assembly assembly, System.Type usingResourceSet) => throw null; public virtual System.Type ResourceSetType { get => throw null; } } - - public class ResourceReader : System.Collections.IEnumerable, System.IDisposable, System.Resources.IResourceReader + public sealed class ResourceReader : System.Collections.IEnumerable, System.IDisposable, System.Resources.IResourceReader { public void Close() => throw null; + public ResourceReader(System.IO.Stream stream) => throw null; + public ResourceReader(string fileName) => throw null; public void Dispose() => throw null; public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public void GetResourceData(string resourceName, out string resourceType, out System.Byte[] resourceData) => throw null; - public ResourceReader(System.IO.Stream stream) => throw null; - public ResourceReader(string fileName) => throw null; + public void GetResourceData(string resourceName, out string resourceType, out byte[] resourceData) => throw null; } - public class ResourceSet : System.Collections.IEnumerable, System.IDisposable { public virtual void Close() => throw null; + protected ResourceSet() => throw null; + public ResourceSet(System.IO.Stream stream) => throw null; + public ResourceSet(System.Resources.IResourceReader reader) => throw null; + public ResourceSet(string fileName) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public virtual System.Type GetDefaultReader() => throw null; @@ -11868,141 +8677,61 @@ public class ResourceSet : System.Collections.IEnumerable, System.IDisposable public virtual string GetString(string name) => throw null; public virtual string GetString(string name, bool ignoreCase) => throw null; protected virtual void ReadResources() => throw null; - protected ResourceSet() => throw null; - public ResourceSet(System.Resources.IResourceReader reader) => throw null; - public ResourceSet(System.IO.Stream stream) => throw null; - public ResourceSet(string fileName) => throw null; } - - public class SatelliteContractVersionAttribute : System.Attribute + public sealed class SatelliteContractVersionAttribute : System.Attribute { public SatelliteContractVersionAttribute(string version) => throw null; public string Version { get => throw null; } } - - public enum UltimateResourceFallbackLocation : int + public enum UltimateResourceFallbackLocation { MainAssembly = 0, Satellite = 1, } - } namespace Runtime { - public class AmbiguousImplementationException : System.Exception + public sealed class AmbiguousImplementationException : System.Exception { public AmbiguousImplementationException() => throw null; public AmbiguousImplementationException(string message) => throw null; public AmbiguousImplementationException(string message, System.Exception innerException) => throw null; } - - public class AssemblyTargetedPatchBandAttribute : System.Attribute + public sealed class AssemblyTargetedPatchBandAttribute : System.Attribute { public AssemblyTargetedPatchBandAttribute(string targetedPatchBand) => throw null; public string TargetedPatchBand { get => throw null; } } - - public static class ControlledExecution - { - public static void Run(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; - } - - public struct DependentHandle : System.IDisposable - { - public object Dependent { get => throw null; set => throw null; } - // Stub generator skipped constructor - public DependentHandle(object target, object dependent) => throw null; - public void Dispose() => throw null; - public bool IsAllocated { get => throw null; } - public object Target { get => throw null; set => throw null; } - public (object, object) TargetAndDependent { get => throw null; } - } - - public enum GCLargeObjectHeapCompactionMode : int - { - CompactOnce = 2, - Default = 1, - } - - public enum GCLatencyMode : int - { - Batch = 0, - Interactive = 1, - LowLatency = 2, - NoGCRegion = 4, - SustainedLowLatency = 3, - } - - public static class GCSettings - { - public static bool IsServerGC { get => throw null; } - public static System.Runtime.GCLargeObjectHeapCompactionMode LargeObjectHeapCompactionMode { get => throw null; set => throw null; } - public static System.Runtime.GCLatencyMode LatencyMode { get => throw null; set => throw null; } - } - - public static class JitInfo - { - public static System.TimeSpan GetCompilationTime(bool currentThread = default(bool)) => throw null; - public static System.Int64 GetCompiledILBytes(bool currentThread = default(bool)) => throw null; - public static System.Int64 GetCompiledMethodCount(bool currentThread = default(bool)) => throw null; - } - - public class MemoryFailPoint : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.IDisposable - { - public void Dispose() => throw null; - public MemoryFailPoint(int sizeInMegabytes) => throw null; - // ERR: Stub generator didn't handle member: ~MemoryFailPoint - } - - public static class ProfileOptimization - { - public static void SetProfileRoot(string directoryPath) => throw null; - public static void StartProfile(string profile) => throw null; - } - - public class TargetedPatchingOptOutAttribute : System.Attribute - { - public string Reason { get => throw null; } - public TargetedPatchingOptOutAttribute(string reason) => throw null; - } - namespace CompilerServices { - public class AccessedThroughPropertyAttribute : System.Attribute + public sealed class AccessedThroughPropertyAttribute : System.Attribute { public AccessedThroughPropertyAttribute(string propertyName) => throw null; public string PropertyName { get => throw null; } } - public struct AsyncIteratorMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void Complete() => throw null; public static System.Runtime.CompilerServices.AsyncIteratorMethodBuilder Create() => throw null; public void MoveNext(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; } - - public class AsyncIteratorStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute + public sealed class AsyncIteratorStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute { public AsyncIteratorStateMachineAttribute(System.Type stateMachineType) : base(default(System.Type)) => throw null; } - - public class AsyncMethodBuilderAttribute : System.Attribute + public sealed class AsyncMethodBuilderAttribute : System.Attribute { - public AsyncMethodBuilderAttribute(System.Type builderType) => throw null; public System.Type BuilderType { get => throw null; } + public AsyncMethodBuilderAttribute(System.Type builderType) => throw null; } - - public class AsyncStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute + public sealed class AsyncStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute { public AsyncStateMachineAttribute(System.Type stateMachineType) : base(default(System.Type)) => throw null; } - public struct AsyncTaskMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.AsyncTaskMethodBuilder Create() => throw null; @@ -12012,10 +8741,8 @@ public struct AsyncTaskMethodBuilder public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.Task Task { get => throw null; } } - public struct AsyncTaskMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.AsyncTaskMethodBuilder Create() => throw null; @@ -12025,10 +8752,8 @@ public struct AsyncTaskMethodBuilder public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.Task Task { get => throw null; } } - public struct AsyncValueTaskMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder Create() => throw null; @@ -12038,10 +8763,8 @@ public struct AsyncValueTaskMethodBuilder public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.ValueTask Task { get => throw null; } } - public struct AsyncValueTaskMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.AsyncValueTaskMethodBuilder Create() => throw null; @@ -12051,10 +8774,8 @@ public struct AsyncValueTaskMethodBuilder public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.ValueTask Task { get => throw null; } } - public struct AsyncVoidMethodBuilder { - // Stub generator skipped constructor public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.AsyncVoidMethodBuilder Create() => throw null; @@ -12063,98 +8784,80 @@ public struct AsyncVoidMethodBuilder public void SetStateMachine(System.Runtime.CompilerServices.IAsyncStateMachine stateMachine) => throw null; public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; } - public class CallConvCdecl { public CallConvCdecl() => throw null; } - public class CallConvFastcall { public CallConvFastcall() => throw null; } - public class CallConvMemberFunction { public CallConvMemberFunction() => throw null; } - public class CallConvStdcall { public CallConvStdcall() => throw null; } - public class CallConvSuppressGCTransition { public CallConvSuppressGCTransition() => throw null; } - public class CallConvThiscall { public CallConvThiscall() => throw null; } - - public class CallerArgumentExpressionAttribute : System.Attribute + public sealed class CallerArgumentExpressionAttribute : System.Attribute { public CallerArgumentExpressionAttribute(string parameterName) => throw null; public string ParameterName { get => throw null; } } - - public class CallerFilePathAttribute : System.Attribute + public sealed class CallerFilePathAttribute : System.Attribute { public CallerFilePathAttribute() => throw null; } - - public class CallerLineNumberAttribute : System.Attribute + public sealed class CallerLineNumberAttribute : System.Attribute { public CallerLineNumberAttribute() => throw null; } - - public class CallerMemberNameAttribute : System.Attribute + public sealed class CallerMemberNameAttribute : System.Attribute { public CallerMemberNameAttribute() => throw null; } - [System.Flags] - public enum CompilationRelaxations : int + public enum CompilationRelaxations { NoStringInterning = 8, } - public class CompilationRelaxationsAttribute : System.Attribute { public int CompilationRelaxations { get => throw null; } - public CompilationRelaxationsAttribute(System.Runtime.CompilerServices.CompilationRelaxations relaxations) => throw null; public CompilationRelaxationsAttribute(int relaxations) => throw null; + public CompilationRelaxationsAttribute(System.Runtime.CompilerServices.CompilationRelaxations relaxations) => throw null; } - - public class CompilerFeatureRequiredAttribute : System.Attribute + public sealed class CompilerFeatureRequiredAttribute : System.Attribute { public CompilerFeatureRequiredAttribute(string featureName) => throw null; public string FeatureName { get => throw null; } - public bool IsOptional { get => throw null; set => throw null; } - public const string RefStructs = default; - public const string RequiredMembers = default; + public bool IsOptional { get => throw null; set { } } + public static string RefStructs; + public static string RequiredMembers; } - - public class CompilerGeneratedAttribute : System.Attribute + public sealed class CompilerGeneratedAttribute : System.Attribute { public CompilerGeneratedAttribute() => throw null; } - public class CompilerGlobalScopeAttribute : System.Attribute { public CompilerGlobalScopeAttribute() => throw null; } - - public class ConditionalWeakTable : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable where TKey : class where TValue : class + public sealed class ConditionalWeakTable : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable where TKey : class where TValue : class { - public delegate TValue CreateValueCallback(TKey key); - - public void Add(TKey key, TValue value) => throw null; public void AddOrUpdate(TKey key, TValue value) => throw null; public void Clear() => throw null; + public delegate TValue CreateValueCallback(TKey key); public ConditionalWeakTable() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -12164,124 +8867,92 @@ public class ConditionalWeakTable : System.Collections.Generic.IEn public bool TryAdd(TKey key, TValue value) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; } - public struct ConfiguredAsyncDisposable { - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable DisposeAsync() => throw null; } - public struct ConfiguredCancelableAsyncEnumerable { + public System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable ConfigureAwait(bool continueOnCapturedContext) => throw null; public struct Enumerator { public T Current { get => throw null; } public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable DisposeAsync() => throw null; - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable MoveNextAsync() => throw null; } - - - public System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable ConfigureAwait(bool continueOnCapturedContext) => throw null; - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable.Enumerator GetAsyncEnumerator() => throw null; public System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable WithCancellation(System.Threading.CancellationToken cancellationToken) => throw null; } - public struct ConfiguredTaskAwaitable { public struct ConfiguredTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { - // Stub generator skipped constructor public void GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; } - - - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredTaskAwaitable.ConfiguredTaskAwaiter GetAwaiter() => throw null; } - public struct ConfiguredTaskAwaitable { public struct ConfiguredTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { - // Stub generator skipped constructor public TResult GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; } - - - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredTaskAwaitable.ConfiguredTaskAwaiter GetAwaiter() => throw null; } - public struct ConfiguredValueTaskAwaitable { public struct ConfiguredValueTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { - // Stub generator skipped constructor public void GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; } - - - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable.ConfiguredValueTaskAwaiter GetAwaiter() => throw null; } - public struct ConfiguredValueTaskAwaitable { public struct ConfiguredValueTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { - // Stub generator skipped constructor public TResult GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; } - - - // Stub generator skipped constructor public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable.ConfiguredValueTaskAwaiter GetAwaiter() => throw null; } - public abstract class CustomConstantAttribute : System.Attribute { protected CustomConstantAttribute() => throw null; public abstract object Value { get; } } - - public class DateTimeConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute + public sealed class DateTimeConstantAttribute : System.Runtime.CompilerServices.CustomConstantAttribute { - public DateTimeConstantAttribute(System.Int64 ticks) => throw null; + public DateTimeConstantAttribute(long ticks) => throw null; public override object Value { get => throw null; } } - - public class DecimalConstantAttribute : System.Attribute + public sealed class DecimalConstantAttribute : System.Attribute { - public DecimalConstantAttribute(System.Byte scale, System.Byte sign, int hi, int mid, int low) => throw null; - public DecimalConstantAttribute(System.Byte scale, System.Byte sign, System.UInt32 hi, System.UInt32 mid, System.UInt32 low) => throw null; - public System.Decimal Value { get => throw null; } + public DecimalConstantAttribute(byte scale, byte sign, int hi, int mid, int low) => throw null; + public DecimalConstantAttribute(byte scale, byte sign, uint hi, uint mid, uint low) => throw null; + public decimal Value { get => throw null; } } - - public class DefaultDependencyAttribute : System.Attribute + public sealed class DefaultDependencyAttribute : System.Attribute { public DefaultDependencyAttribute(System.Runtime.CompilerServices.LoadHint loadHintArgument) => throw null; public System.Runtime.CompilerServices.LoadHint LoadHint { get => throw null; } } - public struct DefaultInterpolatedStringHandler { - public void AppendFormatted(System.ReadOnlySpan value) => throw null; - public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(System.ReadOnlySpan value) => throw null; + public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; public void AppendFormatted(string value) => throw null; public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; public void AppendFormatted(T value) => throw null; @@ -12289,256 +8960,211 @@ public struct DefaultInterpolatedStringHandler public void AppendFormatted(T value, int alignment, string format) => throw null; public void AppendFormatted(T value, string format) => throw null; public void AppendLiteral(string value) => throw null; - // Stub generator skipped constructor public DefaultInterpolatedStringHandler(int literalLength, int formattedCount) => throw null; public DefaultInterpolatedStringHandler(int literalLength, int formattedCount, System.IFormatProvider provider) => throw null; - public DefaultInterpolatedStringHandler(int literalLength, int formattedCount, System.IFormatProvider provider, System.Span initialBuffer) => throw null; + public DefaultInterpolatedStringHandler(int literalLength, int formattedCount, System.IFormatProvider provider, System.Span initialBuffer) => throw null; public override string ToString() => throw null; public string ToStringAndClear() => throw null; } - - public class DependencyAttribute : System.Attribute + public sealed class DependencyAttribute : System.Attribute { public DependencyAttribute(string dependentAssemblyArgument, System.Runtime.CompilerServices.LoadHint loadHintArgument) => throw null; public string DependentAssembly { get => throw null; } public System.Runtime.CompilerServices.LoadHint LoadHint { get => throw null; } } - - public class DisablePrivateReflectionAttribute : System.Attribute + public sealed class DisablePrivateReflectionAttribute : System.Attribute { public DisablePrivateReflectionAttribute() => throw null; } - - public class DisableRuntimeMarshallingAttribute : System.Attribute + public sealed class DisableRuntimeMarshallingAttribute : System.Attribute { public DisableRuntimeMarshallingAttribute() => throw null; } - public class DiscardableAttribute : System.Attribute { public DiscardableAttribute() => throw null; } - - public class EnumeratorCancellationAttribute : System.Attribute + public sealed class EnumeratorCancellationAttribute : System.Attribute { public EnumeratorCancellationAttribute() => throw null; } - - public class ExtensionAttribute : System.Attribute + public sealed class ExtensionAttribute : System.Attribute { public ExtensionAttribute() => throw null; } - - public class FixedAddressValueTypeAttribute : System.Attribute + public sealed class FixedAddressValueTypeAttribute : System.Attribute { public FixedAddressValueTypeAttribute() => throw null; } - - public class FixedBufferAttribute : System.Attribute + public sealed class FixedBufferAttribute : System.Attribute { - public System.Type ElementType { get => throw null; } public FixedBufferAttribute(System.Type elementType, int length) => throw null; + public System.Type ElementType { get => throw null; } public int Length { get => throw null; } } - public static class FormattableStringFactory { public static System.FormattableString Create(string format, params object[] arguments) => throw null; } - public interface IAsyncStateMachine { void MoveNext(); void SetStateMachine(System.Runtime.CompilerServices.IAsyncStateMachine stateMachine); } - public interface ICriticalNotifyCompletion : System.Runtime.CompilerServices.INotifyCompletion { void UnsafeOnCompleted(System.Action continuation); } - - public interface INotifyCompletion - { - void OnCompleted(System.Action continuation); - } - - public interface IStrongBox - { - object Value { get; set; } - } - - public interface ITuple + public sealed class IndexerNameAttribute : System.Attribute { - object this[int index] { get; } - int Length { get; } + public IndexerNameAttribute(string indexerName) => throw null; } - - public class IndexerNameAttribute : System.Attribute + public interface INotifyCompletion { - public IndexerNameAttribute(string indexerName) => throw null; + void OnCompleted(System.Action continuation); } - - public class InternalsVisibleToAttribute : System.Attribute + public sealed class InternalsVisibleToAttribute : System.Attribute { - public bool AllInternalsVisible { get => throw null; set => throw null; } + public bool AllInternalsVisible { get => throw null; set { } } public string AssemblyName { get => throw null; } public InternalsVisibleToAttribute(string assemblyName) => throw null; } - - public class InterpolatedStringHandlerArgumentAttribute : System.Attribute + public sealed class InterpolatedStringHandlerArgumentAttribute : System.Attribute { public string[] Arguments { get => throw null; } - public InterpolatedStringHandlerArgumentAttribute(params string[] arguments) => throw null; public InterpolatedStringHandlerArgumentAttribute(string argument) => throw null; + public InterpolatedStringHandlerArgumentAttribute(params string[] arguments) => throw null; } - - public class InterpolatedStringHandlerAttribute : System.Attribute + public sealed class InterpolatedStringHandlerAttribute : System.Attribute { public InterpolatedStringHandlerAttribute() => throw null; } - - public class IsByRefLikeAttribute : System.Attribute + public sealed class IsByRefLikeAttribute : System.Attribute { public IsByRefLikeAttribute() => throw null; } - public static class IsConst { } - public static class IsExternalInit { } - - public partial class IsReadOnlyAttribute : System.Attribute + public sealed class IsReadOnlyAttribute : System.Attribute { public IsReadOnlyAttribute() => throw null; } - + public interface IStrongBox + { + object Value { get; set; } + } public static class IsVolatile { } - - public class IteratorStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute + public sealed class IteratorStateMachineAttribute : System.Runtime.CompilerServices.StateMachineAttribute { public IteratorStateMachineAttribute(System.Type stateMachineType) : base(default(System.Type)) => throw null; } - - public enum LoadHint : int + public interface ITuple + { + int Length { get; } + object this[int index] { get; } + } + public enum LoadHint { - Always = 1, Default = 0, + Always = 1, Sometimes = 2, } - - public enum MethodCodeType : int + public enum MethodCodeType { IL = 0, Native = 1, OPTIL = 2, Runtime = 3, } - - public class MethodImplAttribute : System.Attribute + public sealed class MethodImplAttribute : System.Attribute { - public System.Runtime.CompilerServices.MethodCodeType MethodCodeType; public MethodImplAttribute() => throw null; + public MethodImplAttribute(short value) => throw null; public MethodImplAttribute(System.Runtime.CompilerServices.MethodImplOptions methodImplOptions) => throw null; - public MethodImplAttribute(System.Int16 value) => throw null; + public System.Runtime.CompilerServices.MethodCodeType MethodCodeType; public System.Runtime.CompilerServices.MethodImplOptions Value { get => throw null; } } - [System.Flags] - public enum MethodImplOptions : int + public enum MethodImplOptions { - AggressiveInlining = 256, - AggressiveOptimization = 512, - ForwardRef = 16, - InternalCall = 4096, + Unmanaged = 4, NoInlining = 8, + ForwardRef = 16, + Synchronized = 32, NoOptimization = 64, PreserveSig = 128, - Synchronized = 32, - Unmanaged = 4, + AggressiveInlining = 256, + AggressiveOptimization = 512, + InternalCall = 4096, } - - public class ModuleInitializerAttribute : System.Attribute + public sealed class ModuleInitializerAttribute : System.Attribute { public ModuleInitializerAttribute() => throw null; } - public struct PoolingAsyncValueTaskMethodBuilder { public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder Create() => throw null; - // Stub generator skipped constructor public void SetException(System.Exception exception) => throw null; public void SetResult() => throw null; public void SetStateMachine(System.Runtime.CompilerServices.IAsyncStateMachine stateMachine) => throw null; public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.ValueTask Task { get => throw null; } } - public struct PoolingAsyncValueTaskMethodBuilder { public void AwaitOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.INotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public void AwaitUnsafeOnCompleted(ref TAwaiter awaiter, ref TStateMachine stateMachine) where TAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public static System.Runtime.CompilerServices.PoolingAsyncValueTaskMethodBuilder Create() => throw null; - // Stub generator skipped constructor public void SetException(System.Exception exception) => throw null; public void SetResult(TResult result) => throw null; public void SetStateMachine(System.Runtime.CompilerServices.IAsyncStateMachine stateMachine) => throw null; public void Start(ref TStateMachine stateMachine) where TStateMachine : System.Runtime.CompilerServices.IAsyncStateMachine => throw null; public System.Threading.Tasks.ValueTask Task { get => throw null; } } - - public class PreserveBaseOverridesAttribute : System.Attribute + public sealed class PreserveBaseOverridesAttribute : System.Attribute { public PreserveBaseOverridesAttribute() => throw null; } - - public class ReferenceAssemblyAttribute : System.Attribute + public sealed class ReferenceAssemblyAttribute : System.Attribute { - public string Description { get => throw null; } public ReferenceAssemblyAttribute() => throw null; public ReferenceAssemblyAttribute(string description) => throw null; + public string Description { get => throw null; } } - - public class RequiredMemberAttribute : System.Attribute + public sealed class RequiredMemberAttribute : System.Attribute { public RequiredMemberAttribute() => throw null; } - - public class RuntimeCompatibilityAttribute : System.Attribute + public sealed class RuntimeCompatibilityAttribute : System.Attribute { public RuntimeCompatibilityAttribute() => throw null; - public bool WrapNonExceptionThrows { get => throw null; set => throw null; } + public bool WrapNonExceptionThrows { get => throw null; set { } } } - public static class RuntimeFeature { - public const string ByRefFields = default; - public const string CovariantReturnsOfClasses = default; - public const string DefaultImplementationsOfInterfaces = default; + public static string ByRefFields; + public static string CovariantReturnsOfClasses; + public static string DefaultImplementationsOfInterfaces; public static bool IsDynamicCodeCompiled { get => throw null; } public static bool IsDynamicCodeSupported { get => throw null; } public static bool IsSupported(string feature) => throw null; - public const string NumericIntPtr = default; - public const string PortablePdb = default; - public const string UnmanagedSignatureCallingConvention = default; - public const string VirtualStaticsInInterfaces = default; + public static string NumericIntPtr; + public static string PortablePdb; + public static string UnmanagedSignatureCallingConvention; + public static string VirtualStaticsInInterfaces; } - public static class RuntimeHelpers { + public static nint AllocateTypeAssociatedMemory(System.Type type, int size) => throw null; public delegate void CleanupCode(object userData, bool exceptionThrown); - - - public delegate void TryCode(object userData); - - - public static System.IntPtr AllocateTypeAssociatedMemory(System.Type type, int size) => throw null; public static System.ReadOnlySpan CreateSpan(System.RuntimeFieldHandle fldHandle) => throw null; public static void EnsureSufficientExecutionStack() => throw null; public static bool Equals(object o1, object o2) => throw null; @@ -12559,223 +9185,204 @@ public static class RuntimeHelpers public static void ProbeForSufficientStack() => throw null; public static void RunClassConstructor(System.RuntimeTypeHandle type) => throw null; public static void RunModuleConstructor(System.ModuleHandle module) => throw null; + public delegate void TryCode(object userData); public static bool TryEnsureSufficientExecutionStack() => throw null; } - - public class RuntimeWrappedException : System.Exception + public sealed class RuntimeWrappedException : System.Exception { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public RuntimeWrappedException(object thrownObject) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public object WrappedException { get => throw null; } } - - public class SkipLocalsInitAttribute : System.Attribute + public sealed class SkipLocalsInitAttribute : System.Attribute { public SkipLocalsInitAttribute() => throw null; } - - public class SpecialNameAttribute : System.Attribute + public sealed class SpecialNameAttribute : System.Attribute { public SpecialNameAttribute() => throw null; } - public class StateMachineAttribute : System.Attribute { public StateMachineAttribute(System.Type stateMachineType) => throw null; public System.Type StateMachineType { get => throw null; } } - - public class StringFreezingAttribute : System.Attribute + public sealed class StringFreezingAttribute : System.Attribute { public StringFreezingAttribute() => throw null; } - public class StrongBox : System.Runtime.CompilerServices.IStrongBox { public StrongBox() => throw null; public StrongBox(T value) => throw null; public T Value; - object System.Runtime.CompilerServices.IStrongBox.Value { get => throw null; set => throw null; } + object System.Runtime.CompilerServices.IStrongBox.Value { get => throw null; set { } } } - - public class SuppressIldasmAttribute : System.Attribute + public sealed class SuppressIldasmAttribute : System.Attribute { public SuppressIldasmAttribute() => throw null; } - - public class SwitchExpressionException : System.InvalidOperationException + public sealed class SwitchExpressionException : System.InvalidOperationException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } public SwitchExpressionException() => throw null; public SwitchExpressionException(System.Exception innerException) => throw null; public SwitchExpressionException(object unmatchedValue) => throw null; public SwitchExpressionException(string message) => throw null; public SwitchExpressionException(string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } public object UnmatchedValue { get => throw null; } } - public struct TaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { public void GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; - // Stub generator skipped constructor public void UnsafeOnCompleted(System.Action continuation) => throw null; } - public struct TaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { public TResult GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; - // Stub generator skipped constructor public void UnsafeOnCompleted(System.Action continuation) => throw null; } - - public class TupleElementNamesAttribute : System.Attribute + public sealed class TupleElementNamesAttribute : System.Attribute { - public System.Collections.Generic.IList TransformNames { get => throw null; } public TupleElementNamesAttribute(string[] transformNames) => throw null; + public System.Collections.Generic.IList TransformNames { get => throw null; } } - - public class TypeForwardedFromAttribute : System.Attribute + public sealed class TypeForwardedFromAttribute : System.Attribute { public string AssemblyFullName { get => throw null; } public TypeForwardedFromAttribute(string assemblyFullName) => throw null; } - - public class TypeForwardedToAttribute : System.Attribute + public sealed class TypeForwardedToAttribute : System.Attribute { - public System.Type Destination { get => throw null; } public TypeForwardedToAttribute(System.Type destination) => throw null; + public System.Type Destination { get => throw null; } } - public static class Unsafe { - unsafe public static void* Add(void* source, int elementOffset) => throw null; - public static T Add(ref T source, System.IntPtr elementOffset) => throw null; - public static T Add(ref T source, System.UIntPtr elementOffset) => throw null; + public static unsafe void* Add(void* source, int elementOffset) => throw null; public static T Add(ref T source, int elementOffset) => throw null; - public static T AddByteOffset(ref T source, System.IntPtr byteOffset) => throw null; - public static T AddByteOffset(ref T source, System.UIntPtr byteOffset) => throw null; + public static T Add(ref T source, nint elementOffset) => throw null; + public static T Add(ref T source, nuint elementOffset) => throw null; + public static T AddByteOffset(ref T source, nint byteOffset) => throw null; + public static T AddByteOffset(ref T source, nuint byteOffset) => throw null; public static bool AreSame(ref T left, ref T right) => throw null; public static T As(object o) where T : class => throw null; public static TTo As(ref TFrom source) => throw null; - unsafe public static void* AsPointer(ref T value) => throw null; - public static T AsRef(T source) => throw null; - unsafe public static T AsRef(void* source) => throw null; - public static System.IntPtr ByteOffset(ref T origin, ref T target) => throw null; - unsafe public static void Copy(void* destination, ref T source) => throw null; - unsafe public static void Copy(ref T destination, void* source) => throw null; - unsafe public static void CopyBlock(void* destination, void* source, System.UInt32 byteCount) => throw null; - public static void CopyBlock(ref System.Byte destination, ref System.Byte source, System.UInt32 byteCount) => throw null; - unsafe public static void CopyBlockUnaligned(void* destination, void* source, System.UInt32 byteCount) => throw null; - public static void CopyBlockUnaligned(ref System.Byte destination, ref System.Byte source, System.UInt32 byteCount) => throw null; - unsafe public static void InitBlock(void* startAddress, System.Byte value, System.UInt32 byteCount) => throw null; - public static void InitBlock(ref System.Byte startAddress, System.Byte value, System.UInt32 byteCount) => throw null; - unsafe public static void InitBlockUnaligned(void* startAddress, System.Byte value, System.UInt32 byteCount) => throw null; - public static void InitBlockUnaligned(ref System.Byte startAddress, System.Byte value, System.UInt32 byteCount) => throw null; + public static unsafe void* AsPointer(ref T value) => throw null; + public static unsafe T AsRef(void* source) => throw null; + public static T AsRef(in T source) => throw null; + public static nint ByteOffset(ref T origin, ref T target) => throw null; + public static unsafe void Copy(void* destination, ref T source) => throw null; + public static unsafe void Copy(ref T destination, void* source) => throw null; + public static void CopyBlock(ref byte destination, ref byte source, uint byteCount) => throw null; + public static unsafe void CopyBlock(void* destination, void* source, uint byteCount) => throw null; + public static void CopyBlockUnaligned(ref byte destination, ref byte source, uint byteCount) => throw null; + public static unsafe void CopyBlockUnaligned(void* destination, void* source, uint byteCount) => throw null; + public static void InitBlock(ref byte startAddress, byte value, uint byteCount) => throw null; + public static unsafe void InitBlock(void* startAddress, byte value, uint byteCount) => throw null; + public static void InitBlockUnaligned(ref byte startAddress, byte value, uint byteCount) => throw null; + public static unsafe void InitBlockUnaligned(void* startAddress, byte value, uint byteCount) => throw null; public static bool IsAddressGreaterThan(ref T left, ref T right) => throw null; public static bool IsAddressLessThan(ref T left, ref T right) => throw null; public static bool IsNullRef(ref T source) => throw null; public static T NullRef() => throw null; - unsafe public static T Read(void* source) => throw null; - unsafe public static T ReadUnaligned(void* source) => throw null; - public static T ReadUnaligned(ref System.Byte source) => throw null; + public static unsafe T Read(void* source) => throw null; + public static T ReadUnaligned(ref byte source) => throw null; + public static unsafe T ReadUnaligned(void* source) => throw null; public static int SizeOf() => throw null; public static void SkipInit(out T value) => throw null; - unsafe public static void* Subtract(void* source, int elementOffset) => throw null; - public static T Subtract(ref T source, System.IntPtr elementOffset) => throw null; - public static T Subtract(ref T source, System.UIntPtr elementOffset) => throw null; + public static unsafe void* Subtract(void* source, int elementOffset) => throw null; public static T Subtract(ref T source, int elementOffset) => throw null; - public static T SubtractByteOffset(ref T source, System.IntPtr byteOffset) => throw null; - public static T SubtractByteOffset(ref T source, System.UIntPtr byteOffset) => throw null; + public static T Subtract(ref T source, nint elementOffset) => throw null; + public static T Subtract(ref T source, nuint elementOffset) => throw null; + public static T SubtractByteOffset(ref T source, nint byteOffset) => throw null; + public static T SubtractByteOffset(ref T source, nuint byteOffset) => throw null; public static T Unbox(object box) where T : struct => throw null; - unsafe public static void Write(void* destination, T value) => throw null; - unsafe public static void WriteUnaligned(void* destination, T value) => throw null; - public static void WriteUnaligned(ref System.Byte destination, T value) => throw null; + public static unsafe void Write(void* destination, T value) => throw null; + public static void WriteUnaligned(ref byte destination, T value) => throw null; + public static unsafe void WriteUnaligned(void* destination, T value) => throw null; } - - public class UnsafeValueTypeAttribute : System.Attribute + public sealed class UnsafeValueTypeAttribute : System.Attribute { public UnsafeValueTypeAttribute() => throw null; } - public struct ValueTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { public void GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; - // Stub generator skipped constructor } - public struct ValueTaskAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { public TResult GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; - // Stub generator skipped constructor } - public struct YieldAwaitable { + public System.Runtime.CompilerServices.YieldAwaitable.YieldAwaiter GetAwaiter() => throw null; public struct YieldAwaiter : System.Runtime.CompilerServices.ICriticalNotifyCompletion, System.Runtime.CompilerServices.INotifyCompletion { public void GetResult() => throw null; public bool IsCompleted { get => throw null; } public void OnCompleted(System.Action continuation) => throw null; public void UnsafeOnCompleted(System.Action continuation) => throw null; - // Stub generator skipped constructor } - - - public System.Runtime.CompilerServices.YieldAwaitable.YieldAwaiter GetAwaiter() => throw null; - // Stub generator skipped constructor } - } namespace ConstrainedExecution { - public enum Cer : int + public enum Cer { - MayFail = 1, None = 0, + MayFail = 1, Success = 2, } - - public enum Consistency : int + public enum Consistency { + MayCorruptProcess = 0, MayCorruptAppDomain = 1, MayCorruptInstance = 2, - MayCorruptProcess = 0, WillNotCorruptState = 3, } - public abstract class CriticalFinalizerObject { protected CriticalFinalizerObject() => throw null; - // ERR: Stub generator didn't handle member: ~CriticalFinalizerObject } - - public class PrePrepareMethodAttribute : System.Attribute + public sealed class PrePrepareMethodAttribute : System.Attribute { public PrePrepareMethodAttribute() => throw null; } - - public class ReliabilityContractAttribute : System.Attribute + public sealed class ReliabilityContractAttribute : System.Attribute { public System.Runtime.ConstrainedExecution.Cer Cer { get => throw null; } public System.Runtime.ConstrainedExecution.Consistency ConsistencyGuarantee { get => throw null; } public ReliabilityContractAttribute(System.Runtime.ConstrainedExecution.Consistency consistencyGuarantee, System.Runtime.ConstrainedExecution.Cer cer) => throw null; } - + } + public static class ControlledExecution + { + public static void Run(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; + } + public struct DependentHandle : System.IDisposable + { + public DependentHandle(object target, object dependent) => throw null; + public object Dependent { get => throw null; set { } } + public void Dispose() => throw null; + public bool IsAllocated { get => throw null; } + public object Target { get => throw null; set { } } + public (object Target, object Dependent) TargetAndDependent { get => throw null; } } namespace ExceptionServices { - public class ExceptionDispatchInfo + public sealed class ExceptionDispatchInfo { public static System.Runtime.ExceptionServices.ExceptionDispatchInfo Capture(System.Exception source) => throw null; public static System.Exception SetCurrentStackTrace(System.Exception source) => throw null; @@ -12784,141 +9391,218 @@ public class ExceptionDispatchInfo public void Throw() => throw null; public static void Throw(System.Exception source) => throw null; } - public class FirstChanceExceptionEventArgs : System.EventArgs { - public System.Exception Exception { get => throw null; } public FirstChanceExceptionEventArgs(System.Exception exception) => throw null; + public System.Exception Exception { get => throw null; } } - - public class HandleProcessCorruptedStateExceptionsAttribute : System.Attribute + public sealed class HandleProcessCorruptedStateExceptionsAttribute : System.Attribute { public HandleProcessCorruptedStateExceptionsAttribute() => throw null; } - + } + public enum GCLargeObjectHeapCompactionMode + { + Default = 1, + CompactOnce = 2, + } + public enum GCLatencyMode + { + Batch = 0, + Interactive = 1, + LowLatency = 2, + SustainedLowLatency = 3, + NoGCRegion = 4, + } + public static class GCSettings + { + public static bool IsServerGC { get => throw null; } + public static System.Runtime.GCLargeObjectHeapCompactionMode LargeObjectHeapCompactionMode { get => throw null; set { } } + public static System.Runtime.GCLatencyMode LatencyMode { get => throw null; set { } } } namespace InteropServices { - public enum Architecture : int + public enum Architecture { + X86 = 0, + X64 = 1, Arm = 2, Arm64 = 3, - Armv6 = 7, - LoongArch64 = 6, - Ppc64le = 8, - S390x = 5, Wasm = 4, - X64 = 1, - X86 = 0, + S390x = 5, + LoongArch64 = 6, + Armv6 = 7, + Ppc64le = 8, } - - public enum CharSet : int + public enum CharSet { - Ansi = 2, - Auto = 4, None = 1, + Ansi = 2, Unicode = 3, + Auto = 4, } - - public class ComVisibleAttribute : System.Attribute + public sealed class ComVisibleAttribute : System.Attribute { public ComVisibleAttribute(bool visibility) => throw null; public bool Value { get => throw null; } } - public abstract class CriticalHandle : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.IDisposable { public void Close() => throw null; - protected CriticalHandle(System.IntPtr invalidHandleValue) => throw null; + protected CriticalHandle(nint invalidHandleValue) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; + protected nint handle; public bool IsClosed { get => throw null; } public abstract bool IsInvalid { get; } protected abstract bool ReleaseHandle(); - protected void SetHandle(System.IntPtr handle) => throw null; + protected void SetHandle(nint handle) => throw null; public void SetHandleAsInvalid() => throw null; - protected System.IntPtr handle; - // ERR: Stub generator didn't handle member: ~CriticalHandle } - public class ExternalException : System.SystemException { - public virtual int ErrorCode { get => throw null; } public ExternalException() => throw null; protected ExternalException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ExternalException(string message) => throw null; public ExternalException(string message, System.Exception inner) => throw null; public ExternalException(string message, int errorCode) => throw null; + public virtual int ErrorCode { get => throw null; } public override string ToString() => throw null; } - - public class FieldOffsetAttribute : System.Attribute + public sealed class FieldOffsetAttribute : System.Attribute { public FieldOffsetAttribute(int offset) => throw null; public int Value { get => throw null; } } - public struct GCHandle : System.IEquatable { - public static bool operator !=(System.Runtime.InteropServices.GCHandle a, System.Runtime.InteropServices.GCHandle b) => throw null; - public static bool operator ==(System.Runtime.InteropServices.GCHandle a, System.Runtime.InteropServices.GCHandle b) => throw null; - public System.IntPtr AddrOfPinnedObject() => throw null; + public nint AddrOfPinnedObject() => throw null; public static System.Runtime.InteropServices.GCHandle Alloc(object value) => throw null; public static System.Runtime.InteropServices.GCHandle Alloc(object value, System.Runtime.InteropServices.GCHandleType type) => throw null; - public bool Equals(System.Runtime.InteropServices.GCHandle other) => throw null; public override bool Equals(object o) => throw null; + public bool Equals(System.Runtime.InteropServices.GCHandle other) => throw null; public void Free() => throw null; - public static System.Runtime.InteropServices.GCHandle FromIntPtr(System.IntPtr value) => throw null; - // Stub generator skipped constructor + public static System.Runtime.InteropServices.GCHandle FromIntPtr(nint value) => throw null; public override int GetHashCode() => throw null; public bool IsAllocated { get => throw null; } - public object Target { get => throw null; set => throw null; } - public static System.IntPtr ToIntPtr(System.Runtime.InteropServices.GCHandle value) => throw null; - public static explicit operator System.IntPtr(System.Runtime.InteropServices.GCHandle value) => throw null; - public static explicit operator System.Runtime.InteropServices.GCHandle(System.IntPtr value) => throw null; + public static bool operator ==(System.Runtime.InteropServices.GCHandle a, System.Runtime.InteropServices.GCHandle b) => throw null; + public static explicit operator System.Runtime.InteropServices.GCHandle(nint value) => throw null; + public static explicit operator nint(System.Runtime.InteropServices.GCHandle value) => throw null; + public static bool operator !=(System.Runtime.InteropServices.GCHandle a, System.Runtime.InteropServices.GCHandle b) => throw null; + public object Target { get => throw null; set { } } + public static nint ToIntPtr(System.Runtime.InteropServices.GCHandle value) => throw null; } - - public enum GCHandleType : int + public enum GCHandleType { - Normal = 2, - Pinned = 3, Weak = 0, WeakTrackResurrection = 1, + Normal = 2, + Pinned = 3, } - - public class InAttribute : System.Attribute + public sealed class InAttribute : System.Attribute { public InAttribute() => throw null; } - - public enum LayoutKind : int + public enum LayoutKind { - Auto = 3, - Explicit = 2, Sequential = 0, + Explicit = 2, + Auto = 3, + } + namespace Marshalling + { + public sealed class ContiguousCollectionMarshallerAttribute : System.Attribute + { + public ContiguousCollectionMarshallerAttribute() => throw null; + } + public sealed class CustomMarshallerAttribute : System.Attribute + { + public CustomMarshallerAttribute(System.Type managedType, System.Runtime.InteropServices.Marshalling.MarshalMode marshalMode, System.Type marshallerType) => throw null; + public struct GenericPlaceholder + { + } + public System.Type ManagedType { get => throw null; } + public System.Type MarshallerType { get => throw null; } + public System.Runtime.InteropServices.Marshalling.MarshalMode MarshalMode { get => throw null; } + } + public enum MarshalMode + { + Default = 0, + ManagedToUnmanagedIn = 1, + ManagedToUnmanagedRef = 2, + ManagedToUnmanagedOut = 3, + UnmanagedToManagedIn = 4, + UnmanagedToManagedRef = 5, + UnmanagedToManagedOut = 6, + ElementIn = 7, + ElementRef = 8, + ElementOut = 9, + } + public sealed class NativeMarshallingAttribute : System.Attribute + { + public NativeMarshallingAttribute(System.Type nativeType) => throw null; + public System.Type NativeType { get => throw null; } + } + public static class ReadOnlySpanMarshaller where TUnmanagedElement : unmanaged + { + public struct ManagedToUnmanagedIn + { + public static int BufferSize { get => throw null; } + public void Free() => throw null; + public void FromManaged(System.ReadOnlySpan managed, System.Span buffer) => throw null; + public System.ReadOnlySpan GetManagedValuesSource() => throw null; + public TUnmanagedElement GetPinnableReference() => throw null; + public static T GetPinnableReference(System.ReadOnlySpan managed) => throw null; + public System.Span GetUnmanagedValuesDestination() => throw null; + public unsafe TUnmanagedElement* ToUnmanaged() => throw null; + } + public static class UnmanagedToManagedOut + { + public static unsafe TUnmanagedElement* AllocateContainerForUnmanagedElements(System.ReadOnlySpan managed, out int numElements) => throw null; + public static System.ReadOnlySpan GetManagedValuesSource(System.ReadOnlySpan managed) => throw null; + public static unsafe System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; + } + } + public static class SpanMarshaller where TUnmanagedElement : unmanaged + { + public static unsafe System.Span AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe TUnmanagedElement* AllocateContainerForUnmanagedElements(System.Span managed, out int numElements) => throw null; + public static unsafe void Free(TUnmanagedElement* unmanaged) => throw null; + public static System.Span GetManagedValuesDestination(System.Span managed) => throw null; + public static System.ReadOnlySpan GetManagedValuesSource(System.Span managed) => throw null; + public static unsafe System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; + public static unsafe System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanaged, int numElements) => throw null; + public struct ManagedToUnmanagedIn + { + public static int BufferSize { get => throw null; } + public void Free() => throw null; + public void FromManaged(System.Span managed, System.Span buffer) => throw null; + public System.ReadOnlySpan GetManagedValuesSource() => throw null; + public TUnmanagedElement GetPinnableReference() => throw null; + public static T GetPinnableReference(System.Span managed) => throw null; + public System.Span GetUnmanagedValuesDestination() => throw null; + public unsafe TUnmanagedElement* ToUnmanaged() => throw null; + } + } } - public struct OSPlatform : System.IEquatable { - public static bool operator !=(System.Runtime.InteropServices.OSPlatform left, System.Runtime.InteropServices.OSPlatform right) => throw null; - public static bool operator ==(System.Runtime.InteropServices.OSPlatform left, System.Runtime.InteropServices.OSPlatform right) => throw null; public static System.Runtime.InteropServices.OSPlatform Create(string osPlatform) => throw null; - public bool Equals(System.Runtime.InteropServices.OSPlatform other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.InteropServices.OSPlatform other) => throw null; public static System.Runtime.InteropServices.OSPlatform FreeBSD { get => throw null; } public override int GetHashCode() => throw null; public static System.Runtime.InteropServices.OSPlatform Linux { get => throw null; } - // Stub generator skipped constructor + public static bool operator ==(System.Runtime.InteropServices.OSPlatform left, System.Runtime.InteropServices.OSPlatform right) => throw null; + public static bool operator !=(System.Runtime.InteropServices.OSPlatform left, System.Runtime.InteropServices.OSPlatform right) => throw null; public static System.Runtime.InteropServices.OSPlatform OSX { get => throw null; } public override string ToString() => throw null; public static System.Runtime.InteropServices.OSPlatform Windows { get => throw null; } } - - public class OutAttribute : System.Attribute + public sealed class OutAttribute : System.Attribute { public OutAttribute() => throw null; } - public static class RuntimeInformation { public static string FrameworkDescription { get => throw null; } @@ -12928,192 +9612,108 @@ public static class RuntimeInformation public static System.Runtime.InteropServices.Architecture ProcessArchitecture { get => throw null; } public static string RuntimeIdentifier { get => throw null; } } - public abstract class SafeBuffer : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { - unsafe public void AcquirePointer(ref System.Byte* pointer) => throw null; - public System.UInt64 ByteLength { get => throw null; } - public void Initialize(System.UInt32 numElements, System.UInt32 sizeOfEachElement) => throw null; - public void Initialize(System.UInt64 numBytes) => throw null; - public void Initialize(System.UInt32 numElements) where T : struct => throw null; - public T Read(System.UInt64 byteOffset) where T : struct => throw null; - public void ReadArray(System.UInt64 byteOffset, T[] array, int index, int count) where T : struct => throw null; - public void ReadSpan(System.UInt64 byteOffset, System.Span buffer) where T : struct => throw null; - public void ReleasePointer() => throw null; + public unsafe void AcquirePointer(ref byte* pointer) => throw null; + public ulong ByteLength { get => throw null; } protected SafeBuffer(bool ownsHandle) : base(default(bool)) => throw null; - public void Write(System.UInt64 byteOffset, T value) where T : struct => throw null; - public void WriteArray(System.UInt64 byteOffset, T[] array, int index, int count) where T : struct => throw null; - public void WriteSpan(System.UInt64 byteOffset, System.ReadOnlySpan data) where T : struct => throw null; + public void Initialize(uint numElements, uint sizeOfEachElement) => throw null; + public void Initialize(ulong numBytes) => throw null; + public void Initialize(uint numElements) where T : struct => throw null; + public T Read(ulong byteOffset) where T : struct => throw null; + public void ReadArray(ulong byteOffset, T[] array, int index, int count) where T : struct => throw null; + public void ReadSpan(ulong byteOffset, System.Span buffer) where T : struct => throw null; + public void ReleasePointer() => throw null; + public void Write(ulong byteOffset, T value) where T : struct => throw null; + public void WriteArray(ulong byteOffset, T[] array, int index, int count) where T : struct => throw null; + public void WriteSpan(ulong byteOffset, System.ReadOnlySpan data) where T : struct => throw null; } - public abstract class SafeHandle : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.IDisposable { public void Close() => throw null; + protected SafeHandle(nint invalidHandleValue, bool ownsHandle) => throw null; public void DangerousAddRef(ref bool success) => throw null; - public System.IntPtr DangerousGetHandle() => throw null; + public nint DangerousGetHandle() => throw null; public void DangerousRelease() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; + protected nint handle; public bool IsClosed { get => throw null; } public abstract bool IsInvalid { get; } protected abstract bool ReleaseHandle(); - protected SafeHandle(System.IntPtr invalidHandleValue, bool ownsHandle) => throw null; - protected void SetHandle(System.IntPtr handle) => throw null; + protected void SetHandle(nint handle) => throw null; public void SetHandleAsInvalid() => throw null; - protected System.IntPtr handle; - // ERR: Stub generator didn't handle member: ~SafeHandle } - - public class StructLayoutAttribute : System.Attribute + public sealed class StructLayoutAttribute : System.Attribute { public System.Runtime.InteropServices.CharSet CharSet; + public StructLayoutAttribute(short layoutKind) => throw null; + public StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind layoutKind) => throw null; public int Pack; public int Size; - public StructLayoutAttribute(System.Runtime.InteropServices.LayoutKind layoutKind) => throw null; - public StructLayoutAttribute(System.Int16 layoutKind) => throw null; public System.Runtime.InteropServices.LayoutKind Value { get => throw null; } } - - public class SuppressGCTransitionAttribute : System.Attribute + public sealed class SuppressGCTransitionAttribute : System.Attribute { public SuppressGCTransitionAttribute() => throw null; } - - public enum UnmanagedType : int + public enum UnmanagedType { - AnsiBStr = 35, - AsAny = 40, - BStr = 19, Bool = 2, - ByValArray = 30, - ByValTStr = 23, - Currency = 15, - CustomMarshaler = 44, - Error = 45, - FunctionPtr = 38, - HString = 47, I1 = 3, + U1 = 4, I2 = 5, + U2 = 6, I4 = 7, + U4 = 8, I8 = 9, - IDispatch = 26, - IInspectable = 46, - IUnknown = 25, - Interface = 28, - LPArray = 42, - LPStr = 20, - LPStruct = 43, - LPTStr = 22, - LPUTF8Str = 48, - LPWStr = 21, + U8 = 10, R4 = 11, R8 = 12, - SafeArray = 29, + Currency = 15, + BStr = 19, + LPStr = 20, + LPWStr = 21, + LPTStr = 22, + ByValTStr = 23, + IUnknown = 25, + IDispatch = 26, Struct = 27, + Interface = 28, + SafeArray = 29, + ByValArray = 30, SysInt = 31, SysUInt = 32, - TBStr = 36, - U1 = 4, - U2 = 6, - U4 = 8, - U8 = 10, VBByRefStr = 34, + AnsiBStr = 35, + TBStr = 36, VariantBool = 37, + FunctionPtr = 38, + AsAny = 40, + LPArray = 42, + LPStruct = 43, + CustomMarshaler = 44, + Error = 45, + IInspectable = 46, + HString = 47, + LPUTF8Str = 48, } - - namespace Marshalling - { - public class ContiguousCollectionMarshallerAttribute : System.Attribute - { - public ContiguousCollectionMarshallerAttribute() => throw null; - } - - public class CustomMarshallerAttribute : System.Attribute - { - public struct GenericPlaceholder - { - // Stub generator skipped constructor - } - - - public CustomMarshallerAttribute(System.Type managedType, System.Runtime.InteropServices.Marshalling.MarshalMode marshalMode, System.Type marshallerType) => throw null; - public System.Type ManagedType { get => throw null; } - public System.Runtime.InteropServices.Marshalling.MarshalMode MarshalMode { get => throw null; } - public System.Type MarshallerType { get => throw null; } - } - - public enum MarshalMode : int - { - Default = 0, - ElementIn = 7, - ElementOut = 9, - ElementRef = 8, - ManagedToUnmanagedIn = 1, - ManagedToUnmanagedOut = 3, - ManagedToUnmanagedRef = 2, - UnmanagedToManagedIn = 4, - UnmanagedToManagedOut = 6, - UnmanagedToManagedRef = 5, - } - - public class NativeMarshallingAttribute : System.Attribute - { - public NativeMarshallingAttribute(System.Type nativeType) => throw null; - public System.Type NativeType { get => throw null; } - } - - public static class ReadOnlySpanMarshaller where TUnmanagedElement : unmanaged - { - public struct ManagedToUnmanagedIn - { - public static int BufferSize { get => throw null; } - public void Free() => throw null; - public void FromManaged(System.ReadOnlySpan managed, System.Span buffer) => throw null; - public System.ReadOnlySpan GetManagedValuesSource() => throw null; - public TUnmanagedElement GetPinnableReference() => throw null; - public static T GetPinnableReference(System.ReadOnlySpan managed) => throw null; - public System.Span GetUnmanagedValuesDestination() => throw null; - // Stub generator skipped constructor - unsafe public TUnmanagedElement* ToUnmanaged() => throw null; - } - - - public static class UnmanagedToManagedOut - { - unsafe public static TUnmanagedElement* AllocateContainerForUnmanagedElements(System.ReadOnlySpan managed, out int numElements) => throw null; - public static System.ReadOnlySpan GetManagedValuesSource(System.ReadOnlySpan managed) => throw null; - unsafe public static System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; - } - - - } - - public static class SpanMarshaller where TUnmanagedElement : unmanaged - { - public struct ManagedToUnmanagedIn - { - public static int BufferSize { get => throw null; } - public void Free() => throw null; - public void FromManaged(System.Span managed, System.Span buffer) => throw null; - public System.ReadOnlySpan GetManagedValuesSource() => throw null; - public TUnmanagedElement GetPinnableReference() => throw null; - public static T GetPinnableReference(System.Span managed) => throw null; - public System.Span GetUnmanagedValuesDestination() => throw null; - // Stub generator skipped constructor - unsafe public TUnmanagedElement* ToUnmanaged() => throw null; - } - - - unsafe public static System.Span AllocateContainerForManagedElements(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static TUnmanagedElement* AllocateContainerForUnmanagedElements(System.Span managed, out int numElements) => throw null; - unsafe public static void Free(TUnmanagedElement* unmanaged) => throw null; - public static System.Span GetManagedValuesDestination(System.Span managed) => throw null; - public static System.ReadOnlySpan GetManagedValuesSource(System.Span managed) => throw null; - unsafe public static System.Span GetUnmanagedValuesDestination(TUnmanagedElement* unmanaged, int numElements) => throw null; - unsafe public static System.ReadOnlySpan GetUnmanagedValuesSource(TUnmanagedElement* unmanaged, int numElements) => throw null; - } - - } + } + public static class JitInfo + { + public static System.TimeSpan GetCompilationTime(bool currentThread = default(bool)) => throw null; + public static long GetCompiledILBytes(bool currentThread = default(bool)) => throw null; + public static long GetCompiledMethodCount(bool currentThread = default(bool)) => throw null; + } + public sealed class MemoryFailPoint : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.IDisposable + { + public MemoryFailPoint(int sizeInMegabytes) => throw null; + public void Dispose() => throw null; + } + public static class ProfileOptimization + { + public static void SetProfileRoot(string directoryPath) => throw null; + public static void StartProfile(string profile) => throw null; } namespace Remoting { @@ -13122,7 +9722,6 @@ public class ObjectHandle : System.MarshalByRefObject public ObjectHandle(object o) => throw null; public object Unwrap() => throw null; } - } namespace Serialization { @@ -13130,83 +9729,70 @@ public interface IDeserializationCallback { void OnDeserialization(object sender); } - public interface IFormatterConverter { object Convert(object value, System.Type type); object Convert(object value, System.TypeCode typeCode); bool ToBoolean(object value); - System.Byte ToByte(object value); - System.Char ToChar(object value); + byte ToByte(object value); + char ToChar(object value); System.DateTime ToDateTime(object value); - System.Decimal ToDecimal(object value); + decimal ToDecimal(object value); double ToDouble(object value); - System.Int16 ToInt16(object value); + short ToInt16(object value); int ToInt32(object value); - System.Int64 ToInt64(object value); - System.SByte ToSByte(object value); + long ToInt64(object value); + sbyte ToSByte(object value); float ToSingle(object value); string ToString(object value); - System.UInt16 ToUInt16(object value); - System.UInt32 ToUInt32(object value); - System.UInt64 ToUInt64(object value); + ushort ToUInt16(object value); + uint ToUInt32(object value); + ulong ToUInt64(object value); } - public interface IObjectReference { object GetRealObject(System.Runtime.Serialization.StreamingContext context); } - public interface ISafeSerializationData { void CompleteDeserialization(object deserialized); } - public interface ISerializable { void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context); } - - public class OnDeserializedAttribute : System.Attribute + public sealed class OnDeserializedAttribute : System.Attribute { public OnDeserializedAttribute() => throw null; } - - public class OnDeserializingAttribute : System.Attribute + public sealed class OnDeserializingAttribute : System.Attribute { public OnDeserializingAttribute() => throw null; } - - public class OnSerializedAttribute : System.Attribute + public sealed class OnSerializedAttribute : System.Attribute { public OnSerializedAttribute() => throw null; } - - public class OnSerializingAttribute : System.Attribute + public sealed class OnSerializingAttribute : System.Attribute { public OnSerializingAttribute() => throw null; } - - public class OptionalFieldAttribute : System.Attribute + public sealed class OptionalFieldAttribute : System.Attribute { public OptionalFieldAttribute() => throw null; - public int VersionAdded { get => throw null; set => throw null; } + public int VersionAdded { get => throw null; set { } } } - - public class SafeSerializationEventArgs : System.EventArgs + public sealed class SafeSerializationEventArgs : System.EventArgs { public void AddSerializedState(System.Runtime.Serialization.ISafeSerializationData serializedState) => throw null; public System.Runtime.Serialization.StreamingContext StreamingContext { get => throw null; } } - public struct SerializationEntry { public string Name { get => throw null; } public System.Type ObjectType { get => throw null; } - // Stub generator skipped constructor public object Value { get => throw null; } } - public class SerializationException : System.SystemException { public SerializationException() => throw null; @@ -13214,54 +9800,52 @@ public class SerializationException : System.SystemException public SerializationException(string message) => throw null; public SerializationException(string message, System.Exception innerException) => throw null; } - - public class SerializationInfo + public sealed class SerializationInfo { - public void AddValue(string name, System.DateTime value) => throw null; public void AddValue(string name, bool value) => throw null; - public void AddValue(string name, System.Byte value) => throw null; - public void AddValue(string name, System.Char value) => throw null; - public void AddValue(string name, System.Decimal value) => throw null; + public void AddValue(string name, byte value) => throw null; + public void AddValue(string name, char value) => throw null; + public void AddValue(string name, System.DateTime value) => throw null; + public void AddValue(string name, decimal value) => throw null; public void AddValue(string name, double value) => throw null; - public void AddValue(string name, float value) => throw null; + public void AddValue(string name, short value) => throw null; public void AddValue(string name, int value) => throw null; - public void AddValue(string name, System.Int64 value) => throw null; + public void AddValue(string name, long value) => throw null; public void AddValue(string name, object value) => throw null; public void AddValue(string name, object value, System.Type type) => throw null; - public void AddValue(string name, System.SByte value) => throw null; - public void AddValue(string name, System.Int16 value) => throw null; - public void AddValue(string name, System.UInt32 value) => throw null; - public void AddValue(string name, System.UInt64 value) => throw null; - public void AddValue(string name, System.UInt16 value) => throw null; - public string AssemblyName { get => throw null; set => throw null; } - public string FullTypeName { get => throw null; set => throw null; } + public void AddValue(string name, sbyte value) => throw null; + public void AddValue(string name, float value) => throw null; + public void AddValue(string name, ushort value) => throw null; + public void AddValue(string name, uint value) => throw null; + public void AddValue(string name, ulong value) => throw null; + public string AssemblyName { get => throw null; set { } } + public SerializationInfo(System.Type type, System.Runtime.Serialization.IFormatterConverter converter) => throw null; + public SerializationInfo(System.Type type, System.Runtime.Serialization.IFormatterConverter converter, bool requireSameTokenInPartialTrust) => throw null; + public string FullTypeName { get => throw null; set { } } public bool GetBoolean(string name) => throw null; - public System.Byte GetByte(string name) => throw null; - public System.Char GetChar(string name) => throw null; + public byte GetByte(string name) => throw null; + public char GetChar(string name) => throw null; public System.DateTime GetDateTime(string name) => throw null; - public System.Decimal GetDecimal(string name) => throw null; + public decimal GetDecimal(string name) => throw null; public double GetDouble(string name) => throw null; public System.Runtime.Serialization.SerializationInfoEnumerator GetEnumerator() => throw null; - public System.Int16 GetInt16(string name) => throw null; + public short GetInt16(string name) => throw null; public int GetInt32(string name) => throw null; - public System.Int64 GetInt64(string name) => throw null; - public System.SByte GetSByte(string name) => throw null; + public long GetInt64(string name) => throw null; + public sbyte GetSByte(string name) => throw null; public float GetSingle(string name) => throw null; public string GetString(string name) => throw null; - public System.UInt16 GetUInt16(string name) => throw null; - public System.UInt32 GetUInt32(string name) => throw null; - public System.UInt64 GetUInt64(string name) => throw null; + public ushort GetUInt16(string name) => throw null; + public uint GetUInt32(string name) => throw null; + public ulong GetUInt64(string name) => throw null; public object GetValue(string name, System.Type type) => throw null; public bool IsAssemblyNameSetExplicit { get => throw null; } public bool IsFullTypeNameSetExplicit { get => throw null; } public int MemberCount { get => throw null; } public System.Type ObjectType { get => throw null; } - public SerializationInfo(System.Type type, System.Runtime.Serialization.IFormatterConverter converter) => throw null; - public SerializationInfo(System.Type type, System.Runtime.Serialization.IFormatterConverter converter, bool requireSameTokenInPartialTrust) => throw null; public void SetType(System.Type type) => throw null; } - - public class SerializationInfoEnumerator : System.Collections.IEnumerator + public sealed class SerializationInfoEnumerator : System.Collections.IEnumerator { public System.Runtime.Serialization.SerializationEntry Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -13271,165 +9855,335 @@ public class SerializationInfoEnumerator : System.Collections.IEnumerator public void Reset() => throw null; public object Value { get => throw null; } } - public struct StreamingContext { public object Context { get => throw null; } + public StreamingContext(System.Runtime.Serialization.StreamingContextStates state) => throw null; + public StreamingContext(System.Runtime.Serialization.StreamingContextStates state, object additional) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public System.Runtime.Serialization.StreamingContextStates State { get => throw null; } - // Stub generator skipped constructor - public StreamingContext(System.Runtime.Serialization.StreamingContextStates state) => throw null; - public StreamingContext(System.Runtime.Serialization.StreamingContextStates state, object additional) => throw null; } - [System.Flags] - public enum StreamingContextStates : int + public enum StreamingContextStates { - All = 255, - Clone = 64, - CrossAppDomain = 128, - CrossMachine = 2, CrossProcess = 1, + CrossMachine = 2, File = 4, - Other = 32, Persistence = 8, Remoting = 16, + Other = 32, + Clone = 64, + CrossAppDomain = 128, + All = 255, } - + } + public sealed class TargetedPatchingOptOutAttribute : System.Attribute + { + public TargetedPatchingOptOutAttribute(string reason) => throw null; + public string Reason { get => throw null; } } namespace Versioning { - public class ComponentGuaranteesAttribute : System.Attribute + public sealed class ComponentGuaranteesAttribute : System.Attribute { public ComponentGuaranteesAttribute(System.Runtime.Versioning.ComponentGuaranteesOptions guarantees) => throw null; public System.Runtime.Versioning.ComponentGuaranteesOptions Guarantees { get => throw null; } } - [System.Flags] - public enum ComponentGuaranteesOptions : int + public enum ComponentGuaranteesOptions { - Exchange = 1, None = 0, - SideBySide = 4, + Exchange = 1, Stable = 2, + SideBySide = 4, } - - public class FrameworkName : System.IEquatable + public sealed class FrameworkName : System.IEquatable { - public static bool operator !=(System.Runtime.Versioning.FrameworkName left, System.Runtime.Versioning.FrameworkName right) => throw null; - public static bool operator ==(System.Runtime.Versioning.FrameworkName left, System.Runtime.Versioning.FrameworkName right) => throw null; - public bool Equals(System.Runtime.Versioning.FrameworkName other) => throw null; - public override bool Equals(object obj) => throw null; public FrameworkName(string frameworkName) => throw null; public FrameworkName(string identifier, System.Version version) => throw null; public FrameworkName(string identifier, System.Version version, string profile) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Runtime.Versioning.FrameworkName other) => throw null; public string FullName { get => throw null; } public override int GetHashCode() => throw null; public string Identifier { get => throw null; } + public static bool operator ==(System.Runtime.Versioning.FrameworkName left, System.Runtime.Versioning.FrameworkName right) => throw null; + public static bool operator !=(System.Runtime.Versioning.FrameworkName left, System.Runtime.Versioning.FrameworkName right) => throw null; public string Profile { get => throw null; } public override string ToString() => throw null; public System.Version Version { get => throw null; } } - - public abstract class OSPlatformAttribute : System.Attribute + public sealed class ObsoletedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute { - protected private OSPlatformAttribute(string platformName) => throw null; - public string PlatformName { get => throw null; } + public ObsoletedOSPlatformAttribute(string platformName) => throw null; + public ObsoletedOSPlatformAttribute(string platformName, string message) => throw null; + public string Message { get => throw null; } + public string Url { get => throw null; set { } } } - - public class ObsoletedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute + public abstract class OSPlatformAttribute : System.Attribute { - public string Message { get => throw null; } - public ObsoletedOSPlatformAttribute(string platformName) : base(default(string)) => throw null; - public ObsoletedOSPlatformAttribute(string platformName, string message) : base(default(string)) => throw null; - public string Url { get => throw null; set => throw null; } + public string PlatformName { get => throw null; } } - - public class RequiresPreviewFeaturesAttribute : System.Attribute + public sealed class RequiresPreviewFeaturesAttribute : System.Attribute { - public string Message { get => throw null; } public RequiresPreviewFeaturesAttribute() => throw null; public RequiresPreviewFeaturesAttribute(string message) => throw null; - public string Url { get => throw null; set => throw null; } + public string Message { get => throw null; } + public string Url { get => throw null; set { } } } - - public class ResourceConsumptionAttribute : System.Attribute + public sealed class ResourceConsumptionAttribute : System.Attribute { public System.Runtime.Versioning.ResourceScope ConsumptionScope { get => throw null; } public ResourceConsumptionAttribute(System.Runtime.Versioning.ResourceScope resourceScope) => throw null; public ResourceConsumptionAttribute(System.Runtime.Versioning.ResourceScope resourceScope, System.Runtime.Versioning.ResourceScope consumptionScope) => throw null; public System.Runtime.Versioning.ResourceScope ResourceScope { get => throw null; } } - - public class ResourceExposureAttribute : System.Attribute + public sealed class ResourceExposureAttribute : System.Attribute { public ResourceExposureAttribute(System.Runtime.Versioning.ResourceScope exposureLevel) => throw null; public System.Runtime.Versioning.ResourceScope ResourceExposureLevel { get => throw null; } } - [System.Flags] - public enum ResourceScope : int + public enum ResourceScope { + None = 0, + Machine = 1, + Process = 2, AppDomain = 4, - Assembly = 32, Library = 8, - Machine = 1, - None = 0, Private = 16, - Process = 2, + Assembly = 32, } - - public class SupportedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute + public sealed class SupportedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute { - public SupportedOSPlatformAttribute(string platformName) : base(default(string)) => throw null; + public SupportedOSPlatformAttribute(string platformName) => throw null; } - - public class SupportedOSPlatformGuardAttribute : System.Runtime.Versioning.OSPlatformAttribute + public sealed class SupportedOSPlatformGuardAttribute : System.Runtime.Versioning.OSPlatformAttribute { - public SupportedOSPlatformGuardAttribute(string platformName) : base(default(string)) => throw null; + public SupportedOSPlatformGuardAttribute(string platformName) => throw null; } - - public class TargetFrameworkAttribute : System.Attribute + public sealed class TargetFrameworkAttribute : System.Attribute { - public string FrameworkDisplayName { get => throw null; set => throw null; } - public string FrameworkName { get => throw null; } public TargetFrameworkAttribute(string frameworkName) => throw null; + public string FrameworkDisplayName { get => throw null; set { } } + public string FrameworkName { get => throw null; } } - - public class TargetPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute + public sealed class TargetPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute { - public TargetPlatformAttribute(string platformName) : base(default(string)) => throw null; + public TargetPlatformAttribute(string platformName) => throw null; } - - public class UnsupportedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute + public sealed class UnsupportedOSPlatformAttribute : System.Runtime.Versioning.OSPlatformAttribute { + public UnsupportedOSPlatformAttribute(string platformName) => throw null; + public UnsupportedOSPlatformAttribute(string platformName, string message) => throw null; public string Message { get => throw null; } - public UnsupportedOSPlatformAttribute(string platformName) : base(default(string)) => throw null; - public UnsupportedOSPlatformAttribute(string platformName, string message) : base(default(string)) => throw null; } - - public class UnsupportedOSPlatformGuardAttribute : System.Runtime.Versioning.OSPlatformAttribute + public sealed class UnsupportedOSPlatformGuardAttribute : System.Runtime.Versioning.OSPlatformAttribute { - public UnsupportedOSPlatformGuardAttribute(string platformName) : base(default(string)) => throw null; + public UnsupportedOSPlatformGuardAttribute(string platformName) => throw null; } - public static class VersioningHelper { public static string MakeVersionSafeName(string name, System.Runtime.Versioning.ResourceScope from, System.Runtime.Versioning.ResourceScope to) => throw null; public static string MakeVersionSafeName(string name, System.Runtime.Versioning.ResourceScope from, System.Runtime.Versioning.ResourceScope to, System.Type type) => throw null; } - } } + public struct RuntimeArgumentHandle + { + } + public struct RuntimeFieldHandle : System.IEquatable, System.Runtime.Serialization.ISerializable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.RuntimeFieldHandle handle) => throw null; + public static System.RuntimeFieldHandle FromIntPtr(nint value) => throw null; + public override int GetHashCode() => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static bool operator ==(System.RuntimeFieldHandle left, System.RuntimeFieldHandle right) => throw null; + public static bool operator !=(System.RuntimeFieldHandle left, System.RuntimeFieldHandle right) => throw null; + public static nint ToIntPtr(System.RuntimeFieldHandle value) => throw null; + public nint Value { get => throw null; } + } + public struct RuntimeMethodHandle : System.IEquatable, System.Runtime.Serialization.ISerializable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.RuntimeMethodHandle handle) => throw null; + public static System.RuntimeMethodHandle FromIntPtr(nint value) => throw null; + public nint GetFunctionPointer() => throw null; + public override int GetHashCode() => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static bool operator ==(System.RuntimeMethodHandle left, System.RuntimeMethodHandle right) => throw null; + public static bool operator !=(System.RuntimeMethodHandle left, System.RuntimeMethodHandle right) => throw null; + public static nint ToIntPtr(System.RuntimeMethodHandle value) => throw null; + public nint Value { get => throw null; } + } + public struct RuntimeTypeHandle : System.IEquatable, System.Runtime.Serialization.ISerializable + { + public override bool Equals(object obj) => throw null; + public bool Equals(System.RuntimeTypeHandle handle) => throw null; + public static System.RuntimeTypeHandle FromIntPtr(nint value) => throw null; + public override int GetHashCode() => throw null; + public System.ModuleHandle GetModuleHandle() => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static bool operator ==(object left, System.RuntimeTypeHandle right) => throw null; + public static bool operator ==(System.RuntimeTypeHandle left, object right) => throw null; + public static bool operator !=(object left, System.RuntimeTypeHandle right) => throw null; + public static bool operator !=(System.RuntimeTypeHandle left, object right) => throw null; + public static nint ToIntPtr(System.RuntimeTypeHandle value) => throw null; + public nint Value { get => throw null; } + } + public struct SByte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + { + static sbyte System.Numerics.INumberBase.Abs(sbyte value) => throw null; + static sbyte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static sbyte System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static sbyte System.Numerics.INumber.Clamp(sbyte value, sbyte min, sbyte max) => throw null; + public int CompareTo(object obj) => throw null; + public int CompareTo(sbyte value) => throw null; + static sbyte System.Numerics.INumber.CopySign(sbyte value, sbyte sign) => throw null; + static sbyte System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static sbyte System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static sbyte System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (sbyte Quotient, sbyte Remainder) System.Numerics.IBinaryInteger.DivRem(sbyte left, sbyte right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(sbyte obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(sbyte value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(sbyte value) => throw null; + static bool System.Numerics.INumberBase.IsZero(sbyte value) => throw null; + static sbyte System.Numerics.IBinaryInteger.LeadingZeroCount(sbyte value) => throw null; + static sbyte System.Numerics.IBinaryNumber.Log2(sbyte value) => throw null; + static sbyte System.Numerics.INumber.Max(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumberBase.MaxMagnitude(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumberBase.MaxMagnitudeNumber(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumber.MaxNumber(sbyte x, sbyte y) => throw null; + public static sbyte MaxValue; + static sbyte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static sbyte System.Numerics.INumber.Min(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumberBase.MinMagnitude(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumberBase.MinMagnitudeNumber(sbyte x, sbyte y) => throw null; + static sbyte System.Numerics.INumber.MinNumber(sbyte x, sbyte y) => throw null; + public static sbyte MinValue; + static sbyte System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static sbyte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static sbyte System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + static sbyte System.Numerics.INumberBase.One { get => throw null; } + static sbyte System.Numerics.IAdditionOperators.operator +(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IBitwiseOperators.operator &(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IBitwiseOperators.operator |(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IAdditionOperators.operator checked +(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IDecrementOperators.operator checked --(sbyte value) => throw null; + static sbyte System.Numerics.IIncrementOperators.operator checked ++(sbyte value) => throw null; + static sbyte System.Numerics.IMultiplyOperators.operator checked *(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.ISubtractionOperators.operator checked -(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IUnaryNegationOperators.operator checked -(sbyte value) => throw null; + static sbyte System.Numerics.IDecrementOperators.operator --(sbyte value) => throw null; + static sbyte System.Numerics.IDivisionOperators.operator /(sbyte left, sbyte right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IBitwiseOperators.operator ^(sbyte left, sbyte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(sbyte left, sbyte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IIncrementOperators.operator ++(sbyte value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IShiftOperators.operator <<(sbyte value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(sbyte left, sbyte right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IModulusOperators.operator %(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IMultiplyOperators.operator *(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IBitwiseOperators.operator ~(sbyte value) => throw null; + static sbyte System.Numerics.IShiftOperators.operator >>(sbyte value, int shiftAmount) => throw null; + static sbyte System.Numerics.ISubtractionOperators.operator -(sbyte left, sbyte right) => throw null; + static sbyte System.Numerics.IUnaryNegationOperators.operator -(sbyte value) => throw null; + static sbyte System.Numerics.IUnaryPlusOperators.operator +(sbyte value) => throw null; + static sbyte System.Numerics.IShiftOperators.operator >>>(sbyte value, int shiftAmount) => throw null; + static sbyte System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static sbyte System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static sbyte Parse(string s) => throw null; + public static sbyte Parse(string s, System.Globalization.NumberStyles style) => throw null; + static sbyte System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static sbyte System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static sbyte System.Numerics.IBinaryInteger.PopCount(sbyte value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static sbyte System.Numerics.IBinaryInteger.RotateLeft(sbyte value, int rotateAmount) => throw null; + static sbyte System.Numerics.IBinaryInteger.RotateRight(sbyte value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(sbyte value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static sbyte System.Numerics.IBinaryInteger.TrailingZeroCount(sbyte value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out sbyte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out sbyte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out sbyte result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(sbyte value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(sbyte value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(sbyte value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out sbyte result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out sbyte result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out sbyte result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out sbyte result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out sbyte result) => throw null; + public static bool TryParse(string s, out sbyte result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out sbyte value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out sbyte value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static sbyte System.Numerics.INumberBase.Zero { get => throw null; } + } namespace Security { - public class AllowPartiallyTrustedCallersAttribute : System.Attribute + public sealed class AllowPartiallyTrustedCallersAttribute : System.Attribute { public AllowPartiallyTrustedCallersAttribute() => throw null; - public System.Security.PartialTrustVisibilityLevel PartialTrustVisibilityLevel { get => throw null; set => throw null; } + public System.Security.PartialTrustVisibilityLevel PartialTrustVisibilityLevel { get => throw null; set { } } + } + namespace Cryptography + { + public class CryptographicException : System.SystemException + { + public CryptographicException() => throw null; + public CryptographicException(int hr) => throw null; + protected CryptographicException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public CryptographicException(string message) => throw null; + public CryptographicException(string message, System.Exception inner) => throw null; + public CryptographicException(string format, string insert) => throw null; + } } - public interface IPermission : System.Security.ISecurityEncodable { System.Security.IPermission Copy(); @@ -13438,13 +10192,11 @@ public interface IPermission : System.Security.ISecurityEncodable bool IsSubsetOf(System.Security.IPermission target); System.Security.IPermission Union(System.Security.IPermission target); } - public interface ISecurityEncodable { void FromXml(System.Security.SecurityElement e); System.Security.SecurityElement ToXml(); } - public interface IStackWalk { void Assert(); @@ -13452,23 +10204,94 @@ public interface IStackWalk void Deny(); void PermitOnly(); } - - public enum PartialTrustVisibilityLevel : int + public enum PartialTrustVisibilityLevel { - NotVisibleByDefault = 1, VisibleToAllHosts = 0, + NotVisibleByDefault = 1, + } + namespace Permissions + { + public abstract class CodeAccessSecurityAttribute : System.Security.Permissions.SecurityAttribute + { + protected CodeAccessSecurityAttribute(System.Security.Permissions.SecurityAction action) : base(default(System.Security.Permissions.SecurityAction)) => throw null; + } + public enum PermissionState + { + None = 0, + Unrestricted = 1, + } + public enum SecurityAction + { + Demand = 2, + Assert = 3, + Deny = 4, + PermitOnly = 5, + LinkDemand = 6, + InheritanceDemand = 7, + RequestMinimum = 8, + RequestOptional = 9, + RequestRefuse = 10, + } + public abstract class SecurityAttribute : System.Attribute + { + public System.Security.Permissions.SecurityAction Action { get => throw null; set { } } + public abstract System.Security.IPermission CreatePermission(); + protected SecurityAttribute(System.Security.Permissions.SecurityAction action) => throw null; + public bool Unrestricted { get => throw null; set { } } + } + public sealed class SecurityPermissionAttribute : System.Security.Permissions.CodeAccessSecurityAttribute + { + public bool Assertion { get => throw null; set { } } + public bool BindingRedirects { get => throw null; set { } } + public bool ControlAppDomain { get => throw null; set { } } + public bool ControlDomainPolicy { get => throw null; set { } } + public bool ControlEvidence { get => throw null; set { } } + public bool ControlPolicy { get => throw null; set { } } + public bool ControlPrincipal { get => throw null; set { } } + public bool ControlThread { get => throw null; set { } } + public override System.Security.IPermission CreatePermission() => throw null; + public SecurityPermissionAttribute(System.Security.Permissions.SecurityAction action) : base(default(System.Security.Permissions.SecurityAction)) => throw null; + public bool Execution { get => throw null; set { } } + public System.Security.Permissions.SecurityPermissionFlag Flags { get => throw null; set { } } + public bool Infrastructure { get => throw null; set { } } + public bool RemotingConfiguration { get => throw null; set { } } + public bool SerializationFormatter { get => throw null; set { } } + public bool SkipVerification { get => throw null; set { } } + public bool UnmanagedCode { get => throw null; set { } } + } + [System.Flags] + public enum SecurityPermissionFlag + { + NoFlags = 0, + Assertion = 1, + UnmanagedCode = 2, + SkipVerification = 4, + Execution = 8, + ControlThread = 16, + ControlEvidence = 32, + ControlPolicy = 64, + SerializationFormatter = 128, + ControlDomainPolicy = 256, + ControlPrincipal = 512, + ControlAppDomain = 1024, + RemotingConfiguration = 2048, + Infrastructure = 4096, + BindingRedirects = 8192, + AllFlags = 16383, + } } - public class PermissionSet : System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Security.ISecurityEncodable, System.Security.IStackWalk { public System.Security.IPermission AddPermission(System.Security.IPermission perm) => throw null; protected virtual System.Security.IPermission AddPermissionImpl(System.Security.IPermission perm) => throw null; public void Assert() => throw null; public bool ContainsNonCodeAccessPermissions() => throw null; - public static System.Byte[] ConvertPermissionSet(string inFormat, System.Byte[] inData, string outFormat) => throw null; + public static byte[] ConvertPermissionSet(string inFormat, byte[] inData, string outFormat) => throw null; public virtual System.Security.PermissionSet Copy() => throw null; public virtual void CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + public PermissionSet(System.Security.Permissions.PermissionState state) => throw null; + public PermissionSet(System.Security.PermissionSet permSet) => throw null; public void Demand() => throw null; public void Deny() => throw null; public override bool Equals(object o) => throw null; @@ -13485,8 +10308,6 @@ public class PermissionSet : System.Collections.ICollection, System.Collections. public virtual bool IsSynchronized { get => throw null; } public bool IsUnrestricted() => throw null; void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public PermissionSet(System.Security.PermissionSet permSet) => throw null; - public PermissionSet(System.Security.Permissions.PermissionState state) => throw null; public void PermitOnly() => throw null; public System.Security.IPermission RemovePermission(System.Type permClass) => throw null; protected virtual System.Security.IPermission RemovePermissionImpl(System.Type permClass) => throw null; @@ -13498,28 +10319,55 @@ public class PermissionSet : System.Collections.ICollection, System.Collections. public virtual System.Security.SecurityElement ToXml() => throw null; public System.Security.PermissionSet Union(System.Security.PermissionSet other) => throw null; } - - public class SecurityCriticalAttribute : System.Attribute + namespace Principal + { + public interface IIdentity + { + string AuthenticationType { get; } + bool IsAuthenticated { get; } + string Name { get; } + } + public interface IPrincipal + { + System.Security.Principal.IIdentity Identity { get; } + bool IsInRole(string role); + } + public enum PrincipalPolicy + { + UnauthenticatedPrincipal = 0, + NoPrincipal = 1, + WindowsPrincipal = 2, + } + public enum TokenImpersonationLevel + { + None = 0, + Anonymous = 1, + Identification = 2, + Impersonation = 3, + Delegation = 4, + } + } + public sealed class SecurityCriticalAttribute : System.Attribute { - public System.Security.SecurityCriticalScope Scope { get => throw null; } public SecurityCriticalAttribute() => throw null; public SecurityCriticalAttribute(System.Security.SecurityCriticalScope scope) => throw null; + public System.Security.SecurityCriticalScope Scope { get => throw null; } } - - public enum SecurityCriticalScope : int + public enum SecurityCriticalScope { - Everything = 1, Explicit = 0, + Everything = 1, } - - public class SecurityElement + public sealed class SecurityElement { public void AddAttribute(string name, string value) => throw null; public void AddChild(System.Security.SecurityElement child) => throw null; public string Attribute(string name) => throw null; - public System.Collections.Hashtable Attributes { get => throw null; set => throw null; } - public System.Collections.ArrayList Children { get => throw null; set => throw null; } + public System.Collections.Hashtable Attributes { get => throw null; set { } } + public System.Collections.ArrayList Children { get => throw null; set { } } public System.Security.SecurityElement Copy() => throw null; + public SecurityElement(string tag) => throw null; + public SecurityElement(string tag, string text) => throw null; public bool Equal(System.Security.SecurityElement other) => throw null; public static string Escape(string str) => throw null; public static System.Security.SecurityElement FromString(string xml) => throw null; @@ -13529,74 +10377,63 @@ public class SecurityElement public static bool IsValidText(string text) => throw null; public System.Security.SecurityElement SearchForChildByTag(string tag) => throw null; public string SearchForTextOfTag(string tag) => throw null; - public SecurityElement(string tag) => throw null; - public SecurityElement(string tag, string text) => throw null; - public string Tag { get => throw null; set => throw null; } - public string Text { get => throw null; set => throw null; } + public string Tag { get => throw null; set { } } + public string Text { get => throw null; set { } } public override string ToString() => throw null; } - public class SecurityException : System.SystemException { - public object Demanded { get => throw null; set => throw null; } - public object DenySetInstance { get => throw null; set => throw null; } - public System.Reflection.AssemblyName FailedAssemblyInfo { get => throw null; set => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string GrantedSet { get => throw null; set => throw null; } - public System.Reflection.MethodInfo Method { get => throw null; set => throw null; } - public string PermissionState { get => throw null; set => throw null; } - public System.Type PermissionType { get => throw null; set => throw null; } - public object PermitOnlySetInstance { get => throw null; set => throw null; } - public string RefusedSet { get => throw null; set => throw null; } public SecurityException() => throw null; protected SecurityException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public SecurityException(string message) => throw null; public SecurityException(string message, System.Exception inner) => throw null; public SecurityException(string message, System.Type type) => throw null; public SecurityException(string message, System.Type type, string state) => throw null; + public object Demanded { get => throw null; set { } } + public object DenySetInstance { get => throw null; set { } } + public System.Reflection.AssemblyName FailedAssemblyInfo { get => throw null; set { } } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string GrantedSet { get => throw null; set { } } + public System.Reflection.MethodInfo Method { get => throw null; set { } } + public string PermissionState { get => throw null; set { } } + public System.Type PermissionType { get => throw null; set { } } + public object PermitOnlySetInstance { get => throw null; set { } } + public string RefusedSet { get => throw null; set { } } public override string ToString() => throw null; - public string Url { get => throw null; set => throw null; } + public string Url { get => throw null; set { } } + } + public sealed class SecurityRulesAttribute : System.Attribute + { + public SecurityRulesAttribute(System.Security.SecurityRuleSet ruleSet) => throw null; + public System.Security.SecurityRuleSet RuleSet { get => throw null; } + public bool SkipVerificationInFullTrust { get => throw null; set { } } } - public enum SecurityRuleSet : byte { + None = 0, Level1 = 1, Level2 = 2, - None = 0, - } - - public class SecurityRulesAttribute : System.Attribute - { - public System.Security.SecurityRuleSet RuleSet { get => throw null; } - public SecurityRulesAttribute(System.Security.SecurityRuleSet ruleSet) => throw null; - public bool SkipVerificationInFullTrust { get => throw null; set => throw null; } } - - public class SecuritySafeCriticalAttribute : System.Attribute + public sealed class SecuritySafeCriticalAttribute : System.Attribute { public SecuritySafeCriticalAttribute() => throw null; } - - public class SecurityTransparentAttribute : System.Attribute + public sealed class SecurityTransparentAttribute : System.Attribute { public SecurityTransparentAttribute() => throw null; } - - public class SecurityTreatAsSafeAttribute : System.Attribute + public sealed class SecurityTreatAsSafeAttribute : System.Attribute { public SecurityTreatAsSafeAttribute() => throw null; } - - public class SuppressUnmanagedCodeSecurityAttribute : System.Attribute + public sealed class SuppressUnmanagedCodeSecurityAttribute : System.Attribute { public SuppressUnmanagedCodeSecurityAttribute() => throw null; } - - public class UnverifiableCodeAttribute : System.Attribute + public sealed class UnverifiableCodeAttribute : System.Attribute { public UnverifiableCodeAttribute() => throw null; } - public class VerificationException : System.SystemException { public VerificationException() => throw null; @@ -13604,152 +10441,506 @@ public class VerificationException : System.SystemException public VerificationException(string message) => throw null; public VerificationException(string message, System.Exception innerException) => throw null; } - - namespace Cryptography - { - public class CryptographicException : System.SystemException - { - public CryptographicException() => throw null; - protected CryptographicException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public CryptographicException(int hr) => throw null; - public CryptographicException(string message) => throw null; - public CryptographicException(string message, System.Exception inner) => throw null; - public CryptographicException(string format, string insert) => throw null; - } - - } - namespace Permissions - { - public abstract class CodeAccessSecurityAttribute : System.Security.Permissions.SecurityAttribute - { - protected CodeAccessSecurityAttribute(System.Security.Permissions.SecurityAction action) : base(default(System.Security.Permissions.SecurityAction)) => throw null; - } - - public enum PermissionState : int - { - None = 0, - Unrestricted = 1, - } - - public enum SecurityAction : int - { - Assert = 3, - Demand = 2, - Deny = 4, - InheritanceDemand = 7, - LinkDemand = 6, - PermitOnly = 5, - RequestMinimum = 8, - RequestOptional = 9, - RequestRefuse = 10, - } - - public abstract class SecurityAttribute : System.Attribute - { - public System.Security.Permissions.SecurityAction Action { get => throw null; set => throw null; } - public abstract System.Security.IPermission CreatePermission(); - protected SecurityAttribute(System.Security.Permissions.SecurityAction action) => throw null; - public bool Unrestricted { get => throw null; set => throw null; } - } - - public class SecurityPermissionAttribute : System.Security.Permissions.CodeAccessSecurityAttribute - { - public bool Assertion { get => throw null; set => throw null; } - public bool BindingRedirects { get => throw null; set => throw null; } - public bool ControlAppDomain { get => throw null; set => throw null; } - public bool ControlDomainPolicy { get => throw null; set => throw null; } - public bool ControlEvidence { get => throw null; set => throw null; } - public bool ControlPolicy { get => throw null; set => throw null; } - public bool ControlPrincipal { get => throw null; set => throw null; } - public bool ControlThread { get => throw null; set => throw null; } - public override System.Security.IPermission CreatePermission() => throw null; - public bool Execution { get => throw null; set => throw null; } - public System.Security.Permissions.SecurityPermissionFlag Flags { get => throw null; set => throw null; } - public bool Infrastructure { get => throw null; set => throw null; } - public bool RemotingConfiguration { get => throw null; set => throw null; } - public SecurityPermissionAttribute(System.Security.Permissions.SecurityAction action) : base(default(System.Security.Permissions.SecurityAction)) => throw null; - public bool SerializationFormatter { get => throw null; set => throw null; } - public bool SkipVerification { get => throw null; set => throw null; } - public bool UnmanagedCode { get => throw null; set => throw null; } - } - - [System.Flags] - public enum SecurityPermissionFlag : int - { - AllFlags = 16383, - Assertion = 1, - BindingRedirects = 8192, - ControlAppDomain = 1024, - ControlDomainPolicy = 256, - ControlEvidence = 32, - ControlPolicy = 64, - ControlPrincipal = 512, - ControlThread = 16, - Execution = 8, - Infrastructure = 4096, - NoFlags = 0, - RemotingConfiguration = 2048, - SerializationFormatter = 128, - SkipVerification = 4, - UnmanagedCode = 2, - } - - } - namespace Principal + } + public sealed class SerializableAttribute : System.Attribute + { + public SerializableAttribute() => throw null; + } + public struct Single : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + { + static float System.Numerics.INumberBase.Abs(float value) => throw null; + static float System.Numerics.ITrigonometricFunctions.Acos(float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Acosh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.AcosPi(float x) => throw null; + static float System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static float System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static float System.Numerics.ITrigonometricFunctions.Asin(float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Asinh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.AsinPi(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.Atan(float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.Atan2(float y, float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.Atan2Pi(float y, float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Atanh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.AtanPi(float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.BitDecrement(float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.BitIncrement(float x) => throw null; + static float System.Numerics.IRootFunctions.Cbrt(float x) => throw null; + static float System.Numerics.IFloatingPoint.Ceiling(float x) => throw null; + static float System.Numerics.INumber.Clamp(float value, float min, float max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(float value) => throw null; + static float System.Numerics.INumber.CopySign(float value, float sign) => throw null; + static float System.Numerics.ITrigonometricFunctions.Cos(float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Cosh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.CosPi(float x) => throw null; + static float System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static float System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static float System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public static float E; + static float System.Numerics.IFloatingPointConstants.E { get => throw null; } + public static float Epsilon; + static float System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(float obj) => throw null; + static float System.Numerics.IExponentialFunctions.Exp(float x) => throw null; + static float System.Numerics.IExponentialFunctions.Exp10(float x) => throw null; + static float System.Numerics.IExponentialFunctions.Exp10M1(float x) => throw null; + static float System.Numerics.IExponentialFunctions.Exp2(float x) => throw null; + static float System.Numerics.IExponentialFunctions.Exp2M1(float x) => throw null; + static float System.Numerics.IExponentialFunctions.ExpM1(float x) => throw null; + static float System.Numerics.IFloatingPoint.Floor(float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.FusedMultiplyAdd(float left, float right, float addend) => throw null; + int System.Numerics.IFloatingPoint.GetExponentByteCount() => throw null; + int System.Numerics.IFloatingPoint.GetExponentShortestBitLength() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandBitLength() => throw null; + int System.Numerics.IFloatingPoint.GetSignificandByteCount() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static float System.Numerics.IRootFunctions.Hypot(float x, float y) => throw null; + static float System.Numerics.IFloatingPointIeee754.Ieee754Remainder(float left, float right) => throw null; + static int System.Numerics.IFloatingPointIeee754.ILogB(float x) => throw null; + static bool System.Numerics.INumberBase.IsCanonical(float value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(float value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(float value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(float f) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(float value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(float f) => throw null; + static bool System.Numerics.INumberBase.IsInteger(float value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(float f) => throw null; + static bool System.Numerics.INumberBase.IsNegative(float f) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(float f) => throw null; + static bool System.Numerics.INumberBase.IsNormal(float f) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(float value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(float value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(float f) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(float value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(float value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(float f) => throw null; + static bool System.Numerics.INumberBase.IsZero(float value) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log(float x) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log(float x, float newBase) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log10(float x) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log10P1(float x) => throw null; + static float System.Numerics.IBinaryNumber.Log2(float value) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log2(float value) => throw null; + static float System.Numerics.ILogarithmicFunctions.Log2P1(float x) => throw null; + static float System.Numerics.ILogarithmicFunctions.LogP1(float x) => throw null; + static float System.Numerics.INumber.Max(float x, float y) => throw null; + static float System.Numerics.INumberBase.MaxMagnitude(float x, float y) => throw null; + static float System.Numerics.INumberBase.MaxMagnitudeNumber(float x, float y) => throw null; + static float System.Numerics.INumber.MaxNumber(float x, float y) => throw null; + public static float MaxValue; + static float System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static float System.Numerics.INumber.Min(float x, float y) => throw null; + static float System.Numerics.INumberBase.MinMagnitude(float x, float y) => throw null; + static float System.Numerics.INumberBase.MinMagnitudeNumber(float x, float y) => throw null; + static float System.Numerics.INumber.MinNumber(float x, float y) => throw null; + public static float MinValue; + static float System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static float System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + public static float NaN; + static float System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } + public static float NegativeInfinity; + static float System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } + static float System.Numerics.ISignedNumber.NegativeOne { get => throw null; } + public static float NegativeZero; + static float System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } + static float System.Numerics.INumberBase.One { get => throw null; } + static float System.Numerics.IAdditionOperators.operator +(float left, float right) => throw null; + static float System.Numerics.IBitwiseOperators.operator &(float left, float right) => throw null; + static float System.Numerics.IBitwiseOperators.operator |(float left, float right) => throw null; + static float System.Numerics.IDecrementOperators.operator --(float value) => throw null; + static float System.Numerics.IDivisionOperators.operator /(float left, float right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(float left, float right) => throw null; + static float System.Numerics.IBitwiseOperators.operator ^(float left, float right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(float left, float right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(float left, float right) => throw null; + static float System.Numerics.IIncrementOperators.operator ++(float value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(float left, float right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(float left, float right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(float left, float right) => throw null; + static float System.Numerics.IModulusOperators.operator %(float left, float right) => throw null; + static float System.Numerics.IMultiplyOperators.operator *(float left, float right) => throw null; + static float System.Numerics.IBitwiseOperators.operator ~(float value) => throw null; + static float System.Numerics.ISubtractionOperators.operator -(float left, float right) => throw null; + static float System.Numerics.IUnaryNegationOperators.operator -(float value) => throw null; + static float System.Numerics.IUnaryPlusOperators.operator +(float value) => throw null; + static float System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static float System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static float Parse(string s) => throw null; + public static float Parse(string s, System.Globalization.NumberStyles style) => throw null; + static float System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static float System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static float Pi; + static float System.Numerics.IFloatingPointConstants.Pi { get => throw null; } + public static float PositiveInfinity; + static float System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } + static float System.Numerics.IPowerFunctions.Pow(float x, float y) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static float System.Numerics.IFloatingPointIeee754.ReciprocalEstimate(float x) => throw null; + static float System.Numerics.IFloatingPointIeee754.ReciprocalSqrtEstimate(float x) => throw null; + static float System.Numerics.IRootFunctions.RootN(float x, int n) => throw null; + static float System.Numerics.IFloatingPoint.Round(float x) => throw null; + static float System.Numerics.IFloatingPoint.Round(float x, int digits) => throw null; + static float System.Numerics.IFloatingPoint.Round(float x, int digits, System.MidpointRounding mode) => throw null; + static float System.Numerics.IFloatingPoint.Round(float x, System.MidpointRounding mode) => throw null; + static float System.Numerics.IFloatingPointIeee754.ScaleB(float x, int n) => throw null; + static int System.Numerics.INumber.Sign(float value) => throw null; + static float System.Numerics.ITrigonometricFunctions.Sin(float x) => throw null; + static (float Sin, float Cos) System.Numerics.ITrigonometricFunctions.SinCos(float x) => throw null; + static (float SinPi, float CosPi) System.Numerics.ITrigonometricFunctions.SinCosPi(float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Sinh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.SinPi(float x) => throw null; + static float System.Numerics.IRootFunctions.Sqrt(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.Tan(float x) => throw null; + static float System.Numerics.IHyperbolicFunctions.Tanh(float x) => throw null; + static float System.Numerics.ITrigonometricFunctions.TanPi(float x) => throw null; + public static float Tau; + static float System.Numerics.IFloatingPointConstants.Tau { get => throw null; } + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static float System.Numerics.IFloatingPoint.Truncate(float x) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out float result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out float result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out float result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(float value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(float value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(float value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out float result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out float result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out float result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out float result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out float result) => throw null; + public static bool TryParse(string s, out float result) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static float System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct Span + { + public void Clear() => throw null; + public void CopyTo(System.Span destination) => throw null; + public unsafe Span(void* pointer, int length) => throw null; + public Span(T[] array) => throw null; + public Span(T[] array, int start, int length) => throw null; + public Span(ref T reference) => throw null; + public static System.Span Empty { get => throw null; } + public struct Enumerator { - public interface IIdentity - { - string AuthenticationType { get; } - bool IsAuthenticated { get; } - string Name { get; } - } - - public interface IPrincipal - { - System.Security.Principal.IIdentity Identity { get; } - bool IsInRole(string role); - } - - public enum PrincipalPolicy : int - { - NoPrincipal = 1, - UnauthenticatedPrincipal = 0, - WindowsPrincipal = 2, - } - - public enum TokenImpersonationLevel : int - { - Anonymous = 1, - Delegation = 4, - Identification = 2, - Impersonation = 3, - None = 0, - } - + public T Current { get => throw null; } + public bool MoveNext() => throw null; } + public override bool Equals(object obj) => throw null; + public void Fill(T value) => throw null; + public System.Span.Enumerator GetEnumerator() => throw null; + public override int GetHashCode() => throw null; + public T GetPinnableReference() => throw null; + public bool IsEmpty { get => throw null; } + public int Length { get => throw null; } + public static bool operator ==(System.Span left, System.Span right) => throw null; + public static implicit operator System.Span(System.ArraySegment segment) => throw null; + public static implicit operator System.ReadOnlySpan(System.Span span) => throw null; + public static implicit operator System.Span(T[] array) => throw null; + public static bool operator !=(System.Span left, System.Span right) => throw null; + public System.Span Slice(int start) => throw null; + public System.Span Slice(int start, int length) => throw null; + public T this[int index] { get => throw null; } + public T[] ToArray() => throw null; + public override string ToString() => throw null; + public bool TryCopyTo(System.Span destination) => throw null; + } + public sealed class StackOverflowException : System.SystemException + { + public StackOverflowException() => throw null; + public StackOverflowException(string message) => throw null; + public StackOverflowException(string message, System.Exception innerException) => throw null; + } + public sealed class STAThreadAttribute : System.Attribute + { + public STAThreadAttribute() => throw null; + } + public sealed class String : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.ICloneable, System.IComparable, System.IComparable, System.IConvertible, System.IEquatable + { + public object Clone() => throw null; + public static int Compare(string strA, int indexA, string strB, int indexB, int length) => throw null; + public static int Compare(string strA, int indexA, string strB, int indexB, int length, bool ignoreCase) => throw null; + public static int Compare(string strA, int indexA, string strB, int indexB, int length, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; + public static int Compare(string strA, int indexA, string strB, int indexB, int length, System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; + public static int Compare(string strA, int indexA, string strB, int indexB, int length, System.StringComparison comparisonType) => throw null; + public static int Compare(string strA, string strB) => throw null; + public static int Compare(string strA, string strB, bool ignoreCase) => throw null; + public static int Compare(string strA, string strB, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; + public static int Compare(string strA, string strB, System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; + public static int Compare(string strA, string strB, System.StringComparison comparisonType) => throw null; + public static int CompareOrdinal(string strA, int indexA, string strB, int indexB, int length) => throw null; + public static int CompareOrdinal(string strA, string strB) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(string strB) => throw null; + public static string Concat(System.Collections.Generic.IEnumerable values) => throw null; + public static string Concat(object arg0) => throw null; + public static string Concat(object arg0, object arg1) => throw null; + public static string Concat(object arg0, object arg1, object arg2) => throw null; + public static string Concat(params object[] args) => throw null; + public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1) => throw null; + public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1, System.ReadOnlySpan str2) => throw null; + public static string Concat(System.ReadOnlySpan str0, System.ReadOnlySpan str1, System.ReadOnlySpan str2, System.ReadOnlySpan str3) => throw null; + public static string Concat(string str0, string str1) => throw null; + public static string Concat(string str0, string str1, string str2) => throw null; + public static string Concat(string str0, string str1, string str2, string str3) => throw null; + public static string Concat(params string[] values) => throw null; + public static string Concat(System.Collections.Generic.IEnumerable values) => throw null; + public bool Contains(char value) => throw null; + public bool Contains(char value, System.StringComparison comparisonType) => throw null; + public bool Contains(string value) => throw null; + public bool Contains(string value, System.StringComparison comparisonType) => throw null; + public static string Copy(string str) => throw null; + public void CopyTo(int sourceIndex, char[] destination, int destinationIndex, int count) => throw null; + public void CopyTo(System.Span destination) => throw null; + public static string Create(System.IFormatProvider provider, ref System.Runtime.CompilerServices.DefaultInterpolatedStringHandler handler) => throw null; + public static string Create(System.IFormatProvider provider, System.Span initialBuffer, ref System.Runtime.CompilerServices.DefaultInterpolatedStringHandler handler) => throw null; + public static string Create(int length, TState state, System.Buffers.SpanAction action) => throw null; + public unsafe String(char* value) => throw null; + public unsafe String(char* value, int startIndex, int length) => throw null; + public String(char c, int count) => throw null; + public String(char[] value) => throw null; + public String(char[] value, int startIndex, int length) => throw null; + public String(System.ReadOnlySpan value) => throw null; + public unsafe String(sbyte* value) => throw null; + public unsafe String(sbyte* value, int startIndex, int length) => throw null; + public unsafe String(sbyte* value, int startIndex, int length, System.Text.Encoding enc) => throw null; + public static string Empty; + public bool EndsWith(char value) => throw null; + public bool EndsWith(string value) => throw null; + public bool EndsWith(string value, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; + public bool EndsWith(string value, System.StringComparison comparisonType) => throw null; + public System.Text.StringRuneEnumerator EnumerateRunes() => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(string value) => throw null; + public static bool Equals(string a, string b) => throw null; + public static bool Equals(string a, string b, System.StringComparison comparisonType) => throw null; + public bool Equals(string value, System.StringComparison comparisonType) => throw null; + public static string Format(System.IFormatProvider provider, string format, object arg0) => throw null; + public static string Format(System.IFormatProvider provider, string format, object arg0, object arg1) => throw null; + public static string Format(System.IFormatProvider provider, string format, object arg0, object arg1, object arg2) => throw null; + public static string Format(System.IFormatProvider provider, string format, params object[] args) => throw null; + public static string Format(string format, object arg0) => throw null; + public static string Format(string format, object arg0, object arg1) => throw null; + public static string Format(string format, object arg0, object arg1, object arg2) => throw null; + public static string Format(string format, params object[] args) => throw null; + public System.CharEnumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public override int GetHashCode() => throw null; + public static int GetHashCode(System.ReadOnlySpan value) => throw null; + public static int GetHashCode(System.ReadOnlySpan value, System.StringComparison comparisonType) => throw null; + public int GetHashCode(System.StringComparison comparisonType) => throw null; + public char GetPinnableReference() => throw null; + public System.TypeCode GetTypeCode() => throw null; + public int IndexOf(char value) => throw null; + public int IndexOf(char value, int startIndex) => throw null; + public int IndexOf(char value, int startIndex, int count) => throw null; + public int IndexOf(char value, System.StringComparison comparisonType) => throw null; + public int IndexOf(string value) => throw null; + public int IndexOf(string value, int startIndex) => throw null; + public int IndexOf(string value, int startIndex, int count) => throw null; + public int IndexOf(string value, int startIndex, int count, System.StringComparison comparisonType) => throw null; + public int IndexOf(string value, int startIndex, System.StringComparison comparisonType) => throw null; + public int IndexOf(string value, System.StringComparison comparisonType) => throw null; + public int IndexOfAny(char[] anyOf) => throw null; + public int IndexOfAny(char[] anyOf, int startIndex) => throw null; + public int IndexOfAny(char[] anyOf, int startIndex, int count) => throw null; + public string Insert(int startIndex, string value) => throw null; + public static string Intern(string str) => throw null; + public static string IsInterned(string str) => throw null; + public bool IsNormalized() => throw null; + public bool IsNormalized(System.Text.NormalizationForm normalizationForm) => throw null; + public static bool IsNullOrEmpty(string value) => throw null; + public static bool IsNullOrWhiteSpace(string value) => throw null; + public static string Join(char separator, params object[] values) => throw null; + public static string Join(char separator, params string[] value) => throw null; + public static string Join(char separator, string[] value, int startIndex, int count) => throw null; + public static string Join(string separator, System.Collections.Generic.IEnumerable values) => throw null; + public static string Join(string separator, params object[] values) => throw null; + public static string Join(string separator, params string[] value) => throw null; + public static string Join(string separator, string[] value, int startIndex, int count) => throw null; + public static string Join(char separator, System.Collections.Generic.IEnumerable values) => throw null; + public static string Join(string separator, System.Collections.Generic.IEnumerable values) => throw null; + public int LastIndexOf(char value) => throw null; + public int LastIndexOf(char value, int startIndex) => throw null; + public int LastIndexOf(char value, int startIndex, int count) => throw null; + public int LastIndexOf(string value) => throw null; + public int LastIndexOf(string value, int startIndex) => throw null; + public int LastIndexOf(string value, int startIndex, int count) => throw null; + public int LastIndexOf(string value, int startIndex, int count, System.StringComparison comparisonType) => throw null; + public int LastIndexOf(string value, int startIndex, System.StringComparison comparisonType) => throw null; + public int LastIndexOf(string value, System.StringComparison comparisonType) => throw null; + public int LastIndexOfAny(char[] anyOf) => throw null; + public int LastIndexOfAny(char[] anyOf, int startIndex) => throw null; + public int LastIndexOfAny(char[] anyOf, int startIndex, int count) => throw null; + public int Length { get => throw null; } + public string Normalize() => throw null; + public string Normalize(System.Text.NormalizationForm normalizationForm) => throw null; + public static bool operator ==(string a, string b) => throw null; + public static implicit operator System.ReadOnlySpan(string value) => throw null; + public static bool operator !=(string a, string b) => throw null; + public string PadLeft(int totalWidth) => throw null; + public string PadLeft(int totalWidth, char paddingChar) => throw null; + public string PadRight(int totalWidth) => throw null; + public string PadRight(int totalWidth, char paddingChar) => throw null; + public string Remove(int startIndex) => throw null; + public string Remove(int startIndex, int count) => throw null; + public string Replace(char oldChar, char newChar) => throw null; + public string Replace(string oldValue, string newValue) => throw null; + public string Replace(string oldValue, string newValue, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; + public string Replace(string oldValue, string newValue, System.StringComparison comparisonType) => throw null; + public string ReplaceLineEndings() => throw null; + public string ReplaceLineEndings(string replacementText) => throw null; + public string[] Split(char separator, int count, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; + public string[] Split(char separator, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; + public string[] Split(params char[] separator) => throw null; + public string[] Split(char[] separator, int count) => throw null; + public string[] Split(char[] separator, int count, System.StringSplitOptions options) => throw null; + public string[] Split(char[] separator, System.StringSplitOptions options) => throw null; + public string[] Split(string separator, int count, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; + public string[] Split(string separator, System.StringSplitOptions options = default(System.StringSplitOptions)) => throw null; + public string[] Split(string[] separator, int count, System.StringSplitOptions options) => throw null; + public string[] Split(string[] separator, System.StringSplitOptions options) => throw null; + public bool StartsWith(char value) => throw null; + public bool StartsWith(string value) => throw null; + public bool StartsWith(string value, bool ignoreCase, System.Globalization.CultureInfo culture) => throw null; + public bool StartsWith(string value, System.StringComparison comparisonType) => throw null; + public string Substring(int startIndex) => throw null; + public string Substring(int startIndex, int length) => throw null; + [System.Runtime.CompilerServices.IndexerName("Chars")] + public char this[int index] { get => throw null; } + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + public char[] ToCharArray() => throw null; + public char[] ToCharArray(int startIndex, int length) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + public string ToLower() => throw null; + public string ToLower(System.Globalization.CultureInfo culture) => throw null; + public string ToLowerInvariant() => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + public string ToUpper() => throw null; + public string ToUpper(System.Globalization.CultureInfo culture) => throw null; + public string ToUpperInvariant() => throw null; + public string Trim() => throw null; + public string Trim(char trimChar) => throw null; + public string Trim(params char[] trimChars) => throw null; + public string TrimEnd() => throw null; + public string TrimEnd(char trimChar) => throw null; + public string TrimEnd(params char[] trimChars) => throw null; + public string TrimStart() => throw null; + public string TrimStart(char trimChar) => throw null; + public string TrimStart(params char[] trimChars) => throw null; + public bool TryCopyTo(System.Span destination) => throw null; + } + public abstract class StringComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.IComparer, System.Collections.IEqualityComparer + { + public int Compare(object x, object y) => throw null; + public abstract int Compare(string x, string y); + public static System.StringComparer Create(System.Globalization.CultureInfo culture, bool ignoreCase) => throw null; + public static System.StringComparer Create(System.Globalization.CultureInfo culture, System.Globalization.CompareOptions options) => throw null; + protected StringComparer() => throw null; + public static System.StringComparer CurrentCulture { get => throw null; } + public static System.StringComparer CurrentCultureIgnoreCase { get => throw null; } + public bool Equals(object x, object y) => throw null; + public abstract bool Equals(string x, string y); + public static System.StringComparer FromComparison(System.StringComparison comparisonType) => throw null; + public int GetHashCode(object obj) => throw null; + public abstract int GetHashCode(string obj); + public static System.StringComparer InvariantCulture { get => throw null; } + public static System.StringComparer InvariantCultureIgnoreCase { get => throw null; } + public static bool IsWellKnownCultureAwareComparer(System.Collections.Generic.IEqualityComparer comparer, out System.Globalization.CompareInfo compareInfo, out System.Globalization.CompareOptions compareOptions) => throw null; + public static bool IsWellKnownOrdinalComparer(System.Collections.Generic.IEqualityComparer comparer, out bool ignoreCase) => throw null; + public static System.StringComparer Ordinal { get => throw null; } + public static System.StringComparer OrdinalIgnoreCase { get => throw null; } + } + public enum StringComparison + { + CurrentCulture = 0, + CurrentCultureIgnoreCase = 1, + InvariantCulture = 2, + InvariantCultureIgnoreCase = 3, + Ordinal = 4, + OrdinalIgnoreCase = 5, + } + public static partial class StringNormalizationExtensions + { + public static bool IsNormalized(this string strInput) => throw null; + public static bool IsNormalized(this string strInput, System.Text.NormalizationForm normalizationForm) => throw null; + public static string Normalize(this string strInput) => throw null; + public static string Normalize(this string strInput, System.Text.NormalizationForm normalizationForm) => throw null; + } + [System.Flags] + public enum StringSplitOptions + { + None = 0, + RemoveEmptyEntries = 1, + TrimEntries = 2, + } + public class SystemException : System.Exception + { + public SystemException() => throw null; + protected SystemException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SystemException(string message) => throw null; + public SystemException(string message, System.Exception innerException) => throw null; } namespace Text { public abstract class Decoder { - public virtual void Convert(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex, int charCount, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; - public virtual void Convert(System.ReadOnlySpan bytes, System.Span chars, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; - unsafe public virtual void Convert(System.Byte* bytes, int byteCount, System.Char* chars, int charCount, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; + public virtual unsafe void Convert(byte* bytes, int byteCount, char* chars, int charCount, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; + public virtual void Convert(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex, int charCount, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; + public virtual void Convert(System.ReadOnlySpan bytes, System.Span chars, bool flush, out int bytesUsed, out int charsUsed, out bool completed) => throw null; protected Decoder() => throw null; - public System.Text.DecoderFallback Fallback { get => throw null; set => throw null; } + public System.Text.DecoderFallback Fallback { get => throw null; set { } } public System.Text.DecoderFallbackBuffer FallbackBuffer { get => throw null; } - public abstract int GetCharCount(System.Byte[] bytes, int index, int count); - public virtual int GetCharCount(System.Byte[] bytes, int index, int count, bool flush) => throw null; - public virtual int GetCharCount(System.ReadOnlySpan bytes, bool flush) => throw null; - unsafe public virtual int GetCharCount(System.Byte* bytes, int count, bool flush) => throw null; - public abstract int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex); - public virtual int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex, bool flush) => throw null; - public virtual int GetChars(System.ReadOnlySpan bytes, System.Span chars, bool flush) => throw null; - unsafe public virtual int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount, bool flush) => throw null; + public virtual unsafe int GetCharCount(byte* bytes, int count, bool flush) => throw null; + public abstract int GetCharCount(byte[] bytes, int index, int count); + public virtual int GetCharCount(byte[] bytes, int index, int count, bool flush) => throw null; + public virtual int GetCharCount(System.ReadOnlySpan bytes, bool flush) => throw null; + public virtual unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount, bool flush) => throw null; + public abstract int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex); + public virtual int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex, bool flush) => throw null; + public virtual int GetChars(System.ReadOnlySpan bytes, System.Span chars, bool flush) => throw null; public virtual void Reset() => throw null; } - - public class DecoderExceptionFallback : System.Text.DecoderFallback + public sealed class DecoderExceptionFallback : System.Text.DecoderFallback { public override System.Text.DecoderFallbackBuffer CreateFallbackBuffer() => throw null; public DecoderExceptionFallback() => throw null; @@ -13757,16 +10948,14 @@ public class DecoderExceptionFallback : System.Text.DecoderFallback public override int GetHashCode() => throw null; public override int MaxCharCount { get => throw null; } } - - public class DecoderExceptionFallbackBuffer : System.Text.DecoderFallbackBuffer + public sealed class DecoderExceptionFallbackBuffer : System.Text.DecoderFallbackBuffer { public DecoderExceptionFallbackBuffer() => throw null; - public override bool Fallback(System.Byte[] bytesUnknown, int index) => throw null; - public override System.Char GetNextChar() => throw null; + public override bool Fallback(byte[] bytesUnknown, int index) => throw null; + public override char GetNextChar() => throw null; public override bool MovePrevious() => throw null; public override int Remaining { get => throw null; } } - public abstract class DecoderFallback { public abstract System.Text.DecoderFallbackBuffer CreateFallbackBuffer(); @@ -13775,28 +10964,25 @@ public abstract class DecoderFallback public abstract int MaxCharCount { get; } public static System.Text.DecoderFallback ReplacementFallback { get => throw null; } } - public abstract class DecoderFallbackBuffer { protected DecoderFallbackBuffer() => throw null; - public abstract bool Fallback(System.Byte[] bytesUnknown, int index); - public abstract System.Char GetNextChar(); + public abstract bool Fallback(byte[] bytesUnknown, int index); + public abstract char GetNextChar(); public abstract bool MovePrevious(); public abstract int Remaining { get; } public virtual void Reset() => throw null; } - - public class DecoderFallbackException : System.ArgumentException + public sealed class DecoderFallbackException : System.ArgumentException { - public System.Byte[] BytesUnknown { get => throw null; } + public byte[] BytesUnknown { get => throw null; } public DecoderFallbackException() => throw null; public DecoderFallbackException(string message) => throw null; - public DecoderFallbackException(string message, System.Byte[] bytesUnknown, int index) => throw null; + public DecoderFallbackException(string message, byte[] bytesUnknown, int index) => throw null; public DecoderFallbackException(string message, System.Exception innerException) => throw null; public int Index { get => throw null; } } - - public class DecoderReplacementFallback : System.Text.DecoderFallback + public sealed class DecoderReplacementFallback : System.Text.DecoderFallback { public override System.Text.DecoderFallbackBuffer CreateFallbackBuffer() => throw null; public DecoderReplacementFallback() => throw null; @@ -13806,35 +10992,32 @@ public class DecoderReplacementFallback : System.Text.DecoderFallback public override int GetHashCode() => throw null; public override int MaxCharCount { get => throw null; } } - - public class DecoderReplacementFallbackBuffer : System.Text.DecoderFallbackBuffer + public sealed class DecoderReplacementFallbackBuffer : System.Text.DecoderFallbackBuffer { public DecoderReplacementFallbackBuffer(System.Text.DecoderReplacementFallback fallback) => throw null; - public override bool Fallback(System.Byte[] bytesUnknown, int index) => throw null; - public override System.Char GetNextChar() => throw null; + public override bool Fallback(byte[] bytesUnknown, int index) => throw null; + public override char GetNextChar() => throw null; public override bool MovePrevious() => throw null; public override int Remaining { get => throw null; } public override void Reset() => throw null; } - public abstract class Encoder { - public virtual void Convert(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex, int byteCount, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; - public virtual void Convert(System.ReadOnlySpan chars, System.Span bytes, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; - unsafe public virtual void Convert(System.Char* chars, int charCount, System.Byte* bytes, int byteCount, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; + public virtual unsafe void Convert(char* chars, int charCount, byte* bytes, int byteCount, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; + public virtual void Convert(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex, int byteCount, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; + public virtual void Convert(System.ReadOnlySpan chars, System.Span bytes, bool flush, out int charsUsed, out int bytesUsed, out bool completed) => throw null; protected Encoder() => throw null; - public System.Text.EncoderFallback Fallback { get => throw null; set => throw null; } + public System.Text.EncoderFallback Fallback { get => throw null; set { } } public System.Text.EncoderFallbackBuffer FallbackBuffer { get => throw null; } - public abstract int GetByteCount(System.Char[] chars, int index, int count, bool flush); - public virtual int GetByteCount(System.ReadOnlySpan chars, bool flush) => throw null; - unsafe public virtual int GetByteCount(System.Char* chars, int count, bool flush) => throw null; - public abstract int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex, bool flush); - public virtual int GetBytes(System.ReadOnlySpan chars, System.Span bytes, bool flush) => throw null; - unsafe public virtual int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount, bool flush) => throw null; + public virtual unsafe int GetByteCount(char* chars, int count, bool flush) => throw null; + public abstract int GetByteCount(char[] chars, int index, int count, bool flush); + public virtual int GetByteCount(System.ReadOnlySpan chars, bool flush) => throw null; + public virtual unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount, bool flush) => throw null; + public abstract int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex, bool flush); + public virtual int GetBytes(System.ReadOnlySpan chars, System.Span bytes, bool flush) => throw null; public virtual void Reset() => throw null; } - - public class EncoderExceptionFallback : System.Text.EncoderFallback + public sealed class EncoderExceptionFallback : System.Text.EncoderFallback { public override System.Text.EncoderFallbackBuffer CreateFallbackBuffer() => throw null; public EncoderExceptionFallback() => throw null; @@ -13842,17 +11025,15 @@ public class EncoderExceptionFallback : System.Text.EncoderFallback public override int GetHashCode() => throw null; public override int MaxCharCount { get => throw null; } } - - public class EncoderExceptionFallbackBuffer : System.Text.EncoderFallbackBuffer + public sealed class EncoderExceptionFallbackBuffer : System.Text.EncoderFallbackBuffer { public EncoderExceptionFallbackBuffer() => throw null; - public override bool Fallback(System.Char charUnknownHigh, System.Char charUnknownLow, int index) => throw null; - public override bool Fallback(System.Char charUnknown, int index) => throw null; - public override System.Char GetNextChar() => throw null; + public override bool Fallback(char charUnknownHigh, char charUnknownLow, int index) => throw null; + public override bool Fallback(char charUnknown, int index) => throw null; + public override char GetNextChar() => throw null; public override bool MovePrevious() => throw null; public override int Remaining { get => throw null; } } - public abstract class EncoderFallback { public abstract System.Text.EncoderFallbackBuffer CreateFallbackBuffer(); @@ -13861,52 +11042,47 @@ public abstract class EncoderFallback public abstract int MaxCharCount { get; } public static System.Text.EncoderFallback ReplacementFallback { get => throw null; } } - public abstract class EncoderFallbackBuffer { protected EncoderFallbackBuffer() => throw null; - public abstract bool Fallback(System.Char charUnknownHigh, System.Char charUnknownLow, int index); - public abstract bool Fallback(System.Char charUnknown, int index); - public abstract System.Char GetNextChar(); + public abstract bool Fallback(char charUnknownHigh, char charUnknownLow, int index); + public abstract bool Fallback(char charUnknown, int index); + public abstract char GetNextChar(); public abstract bool MovePrevious(); public abstract int Remaining { get; } public virtual void Reset() => throw null; } - - public class EncoderFallbackException : System.ArgumentException + public sealed class EncoderFallbackException : System.ArgumentException { - public System.Char CharUnknown { get => throw null; } - public System.Char CharUnknownHigh { get => throw null; } - public System.Char CharUnknownLow { get => throw null; } + public char CharUnknown { get => throw null; } + public char CharUnknownHigh { get => throw null; } + public char CharUnknownLow { get => throw null; } public EncoderFallbackException() => throw null; public EncoderFallbackException(string message) => throw null; public EncoderFallbackException(string message, System.Exception innerException) => throw null; public int Index { get => throw null; } public bool IsUnknownSurrogate() => throw null; } - - public class EncoderReplacementFallback : System.Text.EncoderFallback + public sealed class EncoderReplacementFallback : System.Text.EncoderFallback { public override System.Text.EncoderFallbackBuffer CreateFallbackBuffer() => throw null; - public string DefaultString { get => throw null; } public EncoderReplacementFallback() => throw null; public EncoderReplacementFallback(string replacement) => throw null; + public string DefaultString { get => throw null; } public override bool Equals(object value) => throw null; public override int GetHashCode() => throw null; public override int MaxCharCount { get => throw null; } } - - public class EncoderReplacementFallbackBuffer : System.Text.EncoderFallbackBuffer + public sealed class EncoderReplacementFallbackBuffer : System.Text.EncoderFallbackBuffer { public EncoderReplacementFallbackBuffer(System.Text.EncoderReplacementFallback fallback) => throw null; - public override bool Fallback(System.Char charUnknownHigh, System.Char charUnknownLow, int index) => throw null; - public override bool Fallback(System.Char charUnknown, int index) => throw null; - public override System.Char GetNextChar() => throw null; + public override bool Fallback(char charUnknownHigh, char charUnknownLow, int index) => throw null; + public override bool Fallback(char charUnknown, int index) => throw null; + public override char GetNextChar() => throw null; public override bool MovePrevious() => throw null; public override int Remaining { get => throw null; } public override void Reset() => throw null; } - public abstract class Encoding : System.ICloneable { public static System.Text.Encoding ASCII { get => throw null; } @@ -13914,40 +11090,40 @@ public abstract class Encoding : System.ICloneable public virtual string BodyName { get => throw null; } public virtual object Clone() => throw null; public virtual int CodePage { get => throw null; } - public static System.Byte[] Convert(System.Text.Encoding srcEncoding, System.Text.Encoding dstEncoding, System.Byte[] bytes) => throw null; - public static System.Byte[] Convert(System.Text.Encoding srcEncoding, System.Text.Encoding dstEncoding, System.Byte[] bytes, int index, int count) => throw null; + public static byte[] Convert(System.Text.Encoding srcEncoding, System.Text.Encoding dstEncoding, byte[] bytes) => throw null; + public static byte[] Convert(System.Text.Encoding srcEncoding, System.Text.Encoding dstEncoding, byte[] bytes, int index, int count) => throw null; public static System.IO.Stream CreateTranscodingStream(System.IO.Stream innerStream, System.Text.Encoding innerStreamEncoding, System.Text.Encoding outerStreamEncoding, bool leaveOpen = default(bool)) => throw null; - public System.Text.DecoderFallback DecoderFallback { get => throw null; set => throw null; } - public static System.Text.Encoding Default { get => throw null; } - public System.Text.EncoderFallback EncoderFallback { get => throw null; set => throw null; } protected Encoding() => throw null; protected Encoding(int codePage) => throw null; protected Encoding(int codePage, System.Text.EncoderFallback encoderFallback, System.Text.DecoderFallback decoderFallback) => throw null; + public System.Text.DecoderFallback DecoderFallback { get => throw null; set { } } + public static System.Text.Encoding Default { get => throw null; } + public System.Text.EncoderFallback EncoderFallback { get => throw null; set { } } public virtual string EncodingName { get => throw null; } public override bool Equals(object value) => throw null; - public virtual int GetByteCount(System.Char[] chars) => throw null; - public abstract int GetByteCount(System.Char[] chars, int index, int count); - public virtual int GetByteCount(System.ReadOnlySpan chars) => throw null; - unsafe public virtual int GetByteCount(System.Char* chars, int count) => throw null; + public virtual unsafe int GetByteCount(char* chars, int count) => throw null; + public virtual int GetByteCount(char[] chars) => throw null; + public abstract int GetByteCount(char[] chars, int index, int count); + public virtual int GetByteCount(System.ReadOnlySpan chars) => throw null; public virtual int GetByteCount(string s) => throw null; public int GetByteCount(string s, int index, int count) => throw null; - public virtual System.Byte[] GetBytes(System.Char[] chars) => throw null; - public virtual System.Byte[] GetBytes(System.Char[] chars, int index, int count) => throw null; - public abstract int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex); - public virtual int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; - unsafe public virtual int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public virtual System.Byte[] GetBytes(string s) => throw null; - public System.Byte[] GetBytes(string s, int index, int count) => throw null; - public virtual int GetBytes(string s, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public virtual int GetCharCount(System.Byte[] bytes) => throw null; - public abstract int GetCharCount(System.Byte[] bytes, int index, int count); - public virtual int GetCharCount(System.ReadOnlySpan bytes) => throw null; - unsafe public virtual int GetCharCount(System.Byte* bytes, int count) => throw null; - public virtual System.Char[] GetChars(System.Byte[] bytes) => throw null; - public virtual System.Char[] GetChars(System.Byte[] bytes, int index, int count) => throw null; - public abstract int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex); - public virtual int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; - unsafe public virtual int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public virtual unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public virtual byte[] GetBytes(char[] chars) => throw null; + public virtual byte[] GetBytes(char[] chars, int index, int count) => throw null; + public abstract int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex); + public virtual int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; + public virtual byte[] GetBytes(string s) => throw null; + public byte[] GetBytes(string s, int index, int count) => throw null; + public virtual int GetBytes(string s, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public virtual unsafe int GetCharCount(byte* bytes, int count) => throw null; + public virtual int GetCharCount(byte[] bytes) => throw null; + public abstract int GetCharCount(byte[] bytes, int index, int count); + public virtual int GetCharCount(System.ReadOnlySpan bytes) => throw null; + public virtual unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public virtual char[] GetChars(byte[] bytes) => throw null; + public virtual char[] GetChars(byte[] bytes, int index, int count) => throw null; + public abstract int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex); + public virtual int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; public virtual System.Text.Decoder GetDecoder() => throw null; public virtual System.Text.Encoder GetEncoder() => throw null; public static System.Text.Encoding GetEncoding(int codepage) => throw null; @@ -13958,11 +11134,11 @@ public abstract class Encoding : System.ICloneable public override int GetHashCode() => throw null; public abstract int GetMaxByteCount(int charCount); public abstract int GetMaxCharCount(int byteCount); - public virtual System.Byte[] GetPreamble() => throw null; - public virtual string GetString(System.Byte[] bytes) => throw null; - public virtual string GetString(System.Byte[] bytes, int index, int count) => throw null; - public string GetString(System.ReadOnlySpan bytes) => throw null; - unsafe public string GetString(System.Byte* bytes, int byteCount) => throw null; + public virtual byte[] GetPreamble() => throw null; + public unsafe string GetString(byte* bytes, int byteCount) => throw null; + public virtual string GetString(byte[] bytes) => throw null; + public virtual string GetString(byte[] bytes, int index, int count) => throw null; + public string GetString(System.ReadOnlySpan bytes) => throw null; public virtual string HeaderName { get => throw null; } public bool IsAlwaysNormalized() => throw null; public virtual bool IsAlwaysNormalized(System.Text.NormalizationForm form) => throw null; @@ -13973,27 +11149,25 @@ public abstract class Encoding : System.ICloneable public bool IsReadOnly { get => throw null; } public virtual bool IsSingleByte { get => throw null; } public static System.Text.Encoding Latin1 { get => throw null; } - public virtual System.ReadOnlySpan Preamble { get => throw null; } + public virtual System.ReadOnlySpan Preamble { get => throw null; } public static void RegisterProvider(System.Text.EncodingProvider provider) => throw null; + public static System.Text.Encoding Unicode { get => throw null; } public static System.Text.Encoding UTF32 { get => throw null; } public static System.Text.Encoding UTF7 { get => throw null; } public static System.Text.Encoding UTF8 { get => throw null; } - public static System.Text.Encoding Unicode { get => throw null; } public virtual string WebName { get => throw null; } public virtual int WindowsCodePage { get => throw null; } } - - public class EncodingInfo + public sealed class EncodingInfo { public int CodePage { get => throw null; } - public string DisplayName { get => throw null; } public EncodingInfo(System.Text.EncodingProvider provider, int codePage, string name, string displayName) => throw null; + public string DisplayName { get => throw null; } public override bool Equals(object value) => throw null; public System.Text.Encoding GetEncoding() => throw null; public override int GetHashCode() => throw null; public string Name { get => throw null; } } - public abstract class EncodingProvider { public EncodingProvider() => throw null; @@ -14003,33 +11177,29 @@ public abstract class EncodingProvider public virtual System.Text.Encoding GetEncoding(string name, System.Text.EncoderFallback encoderFallback, System.Text.DecoderFallback decoderFallback) => throw null; public virtual System.Collections.Generic.IEnumerable GetEncodings() => throw null; } - - public enum NormalizationForm : int + public enum NormalizationForm { FormC = 1, FormD = 2, FormKC = 5, FormKD = 6, } - public struct Rune : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.ISpanFormattable { - public static bool operator !=(System.Text.Rune left, System.Text.Rune right) => throw null; - public static bool operator <(System.Text.Rune left, System.Text.Rune right) => throw null; - public static bool operator <=(System.Text.Rune left, System.Text.Rune right) => throw null; - public static bool operator ==(System.Text.Rune left, System.Text.Rune right) => throw null; - public static bool operator >(System.Text.Rune left, System.Text.Rune right) => throw null; - public static bool operator >=(System.Text.Rune left, System.Text.Rune right) => throw null; public int CompareTo(System.Text.Rune other) => throw null; int System.IComparable.CompareTo(object obj) => throw null; - public static System.Buffers.OperationStatus DecodeFromUtf16(System.ReadOnlySpan source, out System.Text.Rune result, out int charsConsumed) => throw null; - public static System.Buffers.OperationStatus DecodeFromUtf8(System.ReadOnlySpan source, out System.Text.Rune result, out int bytesConsumed) => throw null; - public static System.Buffers.OperationStatus DecodeLastFromUtf16(System.ReadOnlySpan source, out System.Text.Rune result, out int charsConsumed) => throw null; - public static System.Buffers.OperationStatus DecodeLastFromUtf8(System.ReadOnlySpan source, out System.Text.Rune value, out int bytesConsumed) => throw null; - public int EncodeToUtf16(System.Span destination) => throw null; - public int EncodeToUtf8(System.Span destination) => throw null; - public bool Equals(System.Text.Rune other) => throw null; + public Rune(char ch) => throw null; + public Rune(char highSurrogate, char lowSurrogate) => throw null; + public Rune(int value) => throw null; + public Rune(uint value) => throw null; + public static System.Buffers.OperationStatus DecodeFromUtf16(System.ReadOnlySpan source, out System.Text.Rune result, out int charsConsumed) => throw null; + public static System.Buffers.OperationStatus DecodeFromUtf8(System.ReadOnlySpan source, out System.Text.Rune result, out int bytesConsumed) => throw null; + public static System.Buffers.OperationStatus DecodeLastFromUtf16(System.ReadOnlySpan source, out System.Text.Rune result, out int charsConsumed) => throw null; + public static System.Buffers.OperationStatus DecodeLastFromUtf8(System.ReadOnlySpan source, out System.Text.Rune value, out int bytesConsumed) => throw null; + public int EncodeToUtf16(System.Span destination) => throw null; + public int EncodeToUtf8(System.Span destination) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Text.Rune other) => throw null; public override int GetHashCode() => throw null; public static double GetNumericValue(System.Text.Rune value) => throw null; public static System.Text.Rune GetRuneAt(string input, int index) => throw null; @@ -14047,92 +11217,65 @@ public struct Rune : System.IComparable, System.IComparable, S public static bool IsSymbol(System.Text.Rune value) => throw null; public static bool IsUpper(System.Text.Rune value) => throw null; public static bool IsValid(int value) => throw null; - public static bool IsValid(System.UInt32 value) => throw null; + public static bool IsValid(uint value) => throw null; public static bool IsWhiteSpace(System.Text.Rune value) => throw null; + public static bool operator ==(System.Text.Rune left, System.Text.Rune right) => throw null; + public static explicit operator System.Text.Rune(char ch) => throw null; + public static explicit operator System.Text.Rune(int value) => throw null; + public static explicit operator System.Text.Rune(uint value) => throw null; + public static bool operator >(System.Text.Rune left, System.Text.Rune right) => throw null; + public static bool operator >=(System.Text.Rune left, System.Text.Rune right) => throw null; + public static bool operator !=(System.Text.Rune left, System.Text.Rune right) => throw null; + public static bool operator <(System.Text.Rune left, System.Text.Rune right) => throw null; + public static bool operator <=(System.Text.Rune left, System.Text.Rune right) => throw null; public int Plane { get => throw null; } public static System.Text.Rune ReplacementChar { get => throw null; } - // Stub generator skipped constructor - public Rune(System.Char ch) => throw null; - public Rune(System.Char highSurrogate, System.Char lowSurrogate) => throw null; - public Rune(int value) => throw null; - public Rune(System.UInt32 value) => throw null; public static System.Text.Rune ToLower(System.Text.Rune value, System.Globalization.CultureInfo culture) => throw null; public static System.Text.Rune ToLowerInvariant(System.Text.Rune value) => throw null; - public override string ToString() => throw null; string System.IFormattable.ToString(string format, System.IFormatProvider formatProvider) => throw null; + public override string ToString() => throw null; public static System.Text.Rune ToUpper(System.Text.Rune value, System.Globalization.CultureInfo culture) => throw null; public static System.Text.Rune ToUpperInvariant(System.Text.Rune value) => throw null; - public static bool TryCreate(System.Char highSurrogate, System.Char lowSurrogate, out System.Text.Rune result) => throw null; - public static bool TryCreate(System.Char ch, out System.Text.Rune result) => throw null; + public static bool TryCreate(char highSurrogate, char lowSurrogate, out System.Text.Rune result) => throw null; + public static bool TryCreate(char ch, out System.Text.Rune result) => throw null; public static bool TryCreate(int value, out System.Text.Rune result) => throw null; - public static bool TryCreate(System.UInt32 value, out System.Text.Rune result) => throw null; - public bool TryEncodeToUtf16(System.Span destination, out int charsWritten) => throw null; - public bool TryEncodeToUtf8(System.Span destination, out int bytesWritten) => throw null; - bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; + public static bool TryCreate(uint value, out System.Text.Rune result) => throw null; + public bool TryEncodeToUtf16(System.Span destination, out int charsWritten) => throw null; + public bool TryEncodeToUtf8(System.Span destination, out int bytesWritten) => throw null; + bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; public static bool TryGetRuneAt(string input, int index, out System.Text.Rune value) => throw null; public int Utf16SequenceLength { get => throw null; } public int Utf8SequenceLength { get => throw null; } public int Value { get => throw null; } - public static explicit operator System.Text.Rune(System.Char ch) => throw null; - public static explicit operator System.Text.Rune(int value) => throw null; - public static explicit operator System.Text.Rune(System.UInt32 value) => throw null; } - - public class StringBuilder : System.Runtime.Serialization.ISerializable + public sealed class StringBuilder : System.Runtime.Serialization.ISerializable { - public struct AppendInterpolatedStringHandler - { - public void AppendFormatted(System.ReadOnlySpan value) => throw null; - public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(string value) => throw null; - public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; - public void AppendFormatted(T value) => throw null; - public void AppendFormatted(T value, int alignment) => throw null; - public void AppendFormatted(T value, int alignment, string format) => throw null; - public void AppendFormatted(T value, string format) => throw null; - // Stub generator skipped constructor - public AppendInterpolatedStringHandler(int literalLength, int formattedCount, System.Text.StringBuilder stringBuilder) => throw null; - public AppendInterpolatedStringHandler(int literalLength, int formattedCount, System.Text.StringBuilder stringBuilder, System.IFormatProvider provider) => throw null; - public void AppendLiteral(string value) => throw null; - } - - - public struct ChunkEnumerator - { - // Stub generator skipped constructor - public System.ReadOnlyMemory Current { get => throw null; } - public System.Text.StringBuilder.ChunkEnumerator GetEnumerator() => throw null; - public bool MoveNext() => throw null; - } - - - public System.Text.StringBuilder Append(System.Char[] value) => throw null; - public System.Text.StringBuilder Append(System.Char[] value, int startIndex, int charCount) => throw null; - public System.Text.StringBuilder Append(System.IFormatProvider provider, ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; - public System.Text.StringBuilder Append(System.ReadOnlyMemory value) => throw null; - public System.Text.StringBuilder Append(System.ReadOnlySpan value) => throw null; - public System.Text.StringBuilder Append(System.Text.StringBuilder value) => throw null; - public System.Text.StringBuilder Append(System.Text.StringBuilder value, int startIndex, int count) => throw null; public System.Text.StringBuilder Append(bool value) => throw null; - public System.Text.StringBuilder Append(System.Byte value) => throw null; - public System.Text.StringBuilder Append(System.Char value) => throw null; - unsafe public System.Text.StringBuilder Append(System.Char* value, int valueCount) => throw null; - public System.Text.StringBuilder Append(System.Char value, int repeatCount) => throw null; - public System.Text.StringBuilder Append(System.Decimal value) => throw null; + public System.Text.StringBuilder Append(byte value) => throw null; + public System.Text.StringBuilder Append(char value) => throw null; + public unsafe System.Text.StringBuilder Append(char* value, int valueCount) => throw null; + public System.Text.StringBuilder Append(char value, int repeatCount) => throw null; + public System.Text.StringBuilder Append(char[] value) => throw null; + public System.Text.StringBuilder Append(char[] value, int startIndex, int charCount) => throw null; + public System.Text.StringBuilder Append(decimal value) => throw null; public System.Text.StringBuilder Append(double value) => throw null; - public System.Text.StringBuilder Append(float value) => throw null; + public System.Text.StringBuilder Append(System.IFormatProvider provider, ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; + public System.Text.StringBuilder Append(short value) => throw null; public System.Text.StringBuilder Append(int value) => throw null; - public System.Text.StringBuilder Append(System.Int64 value) => throw null; + public System.Text.StringBuilder Append(long value) => throw null; public System.Text.StringBuilder Append(object value) => throw null; - public System.Text.StringBuilder Append(ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; - public System.Text.StringBuilder Append(System.SByte value) => throw null; - public System.Text.StringBuilder Append(System.Int16 value) => throw null; + public System.Text.StringBuilder Append(System.ReadOnlyMemory value) => throw null; + public System.Text.StringBuilder Append(System.ReadOnlySpan value) => throw null; + public System.Text.StringBuilder Append(sbyte value) => throw null; + public System.Text.StringBuilder Append(float value) => throw null; public System.Text.StringBuilder Append(string value) => throw null; public System.Text.StringBuilder Append(string value, int startIndex, int count) => throw null; - public System.Text.StringBuilder Append(System.UInt32 value) => throw null; - public System.Text.StringBuilder Append(System.UInt64 value) => throw null; - public System.Text.StringBuilder Append(System.UInt16 value) => throw null; + public System.Text.StringBuilder Append(System.Text.StringBuilder value) => throw null; + public System.Text.StringBuilder Append(System.Text.StringBuilder value, int startIndex, int count) => throw null; + public System.Text.StringBuilder Append(ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; + public System.Text.StringBuilder Append(ushort value) => throw null; + public System.Text.StringBuilder Append(uint value) => throw null; + public System.Text.StringBuilder Append(ulong value) => throw null; public System.Text.StringBuilder AppendFormat(System.IFormatProvider provider, string format, object arg0) => throw null; public System.Text.StringBuilder AppendFormat(System.IFormatProvider provider, string format, object arg0, object arg1) => throw null; public System.Text.StringBuilder AppendFormat(System.IFormatProvider provider, string format, object arg0, object arg1, object arg2) => throw null; @@ -14141,64 +11284,84 @@ public struct ChunkEnumerator public System.Text.StringBuilder AppendFormat(string format, object arg0, object arg1) => throw null; public System.Text.StringBuilder AppendFormat(string format, object arg0, object arg1, object arg2) => throw null; public System.Text.StringBuilder AppendFormat(string format, params object[] args) => throw null; - public System.Text.StringBuilder AppendJoin(System.Char separator, params object[] values) => throw null; - public System.Text.StringBuilder AppendJoin(System.Char separator, params string[] values) => throw null; + public struct AppendInterpolatedStringHandler + { + public void AppendFormatted(object value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(System.ReadOnlySpan value) => throw null; + public void AppendFormatted(System.ReadOnlySpan value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(string value) => throw null; + public void AppendFormatted(string value, int alignment = default(int), string format = default(string)) => throw null; + public void AppendFormatted(T value) => throw null; + public void AppendFormatted(T value, int alignment) => throw null; + public void AppendFormatted(T value, int alignment, string format) => throw null; + public void AppendFormatted(T value, string format) => throw null; + public void AppendLiteral(string value) => throw null; + public AppendInterpolatedStringHandler(int literalLength, int formattedCount, System.Text.StringBuilder stringBuilder) => throw null; + public AppendInterpolatedStringHandler(int literalLength, int formattedCount, System.Text.StringBuilder stringBuilder, System.IFormatProvider provider) => throw null; + } + public System.Text.StringBuilder AppendJoin(char separator, params object[] values) => throw null; + public System.Text.StringBuilder AppendJoin(char separator, params string[] values) => throw null; public System.Text.StringBuilder AppendJoin(string separator, params object[] values) => throw null; public System.Text.StringBuilder AppendJoin(string separator, params string[] values) => throw null; - public System.Text.StringBuilder AppendJoin(System.Char separator, System.Collections.Generic.IEnumerable values) => throw null; + public System.Text.StringBuilder AppendJoin(char separator, System.Collections.Generic.IEnumerable values) => throw null; public System.Text.StringBuilder AppendJoin(string separator, System.Collections.Generic.IEnumerable values) => throw null; public System.Text.StringBuilder AppendLine() => throw null; public System.Text.StringBuilder AppendLine(System.IFormatProvider provider, ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; - public System.Text.StringBuilder AppendLine(ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; public System.Text.StringBuilder AppendLine(string value) => throw null; - public int Capacity { get => throw null; set => throw null; } - [System.Runtime.CompilerServices.IndexerName("Chars")] - public System.Char this[int index] { get => throw null; set => throw null; } + public System.Text.StringBuilder AppendLine(ref System.Text.StringBuilder.AppendInterpolatedStringHandler handler) => throw null; + public int Capacity { get => throw null; set { } } + public struct ChunkEnumerator + { + public System.ReadOnlyMemory Current { get => throw null; } + public System.Text.StringBuilder.ChunkEnumerator GetEnumerator() => throw null; + public bool MoveNext() => throw null; + } public System.Text.StringBuilder Clear() => throw null; - public void CopyTo(int sourceIndex, System.Char[] destination, int destinationIndex, int count) => throw null; - public void CopyTo(int sourceIndex, System.Span destination, int count) => throw null; + public void CopyTo(int sourceIndex, char[] destination, int destinationIndex, int count) => throw null; + public void CopyTo(int sourceIndex, System.Span destination, int count) => throw null; + public StringBuilder() => throw null; + public StringBuilder(int capacity) => throw null; + public StringBuilder(int capacity, int maxCapacity) => throw null; + public StringBuilder(string value) => throw null; + public StringBuilder(string value, int capacity) => throw null; + public StringBuilder(string value, int startIndex, int length, int capacity) => throw null; public int EnsureCapacity(int capacity) => throw null; - public bool Equals(System.ReadOnlySpan span) => throw null; + public bool Equals(System.ReadOnlySpan span) => throw null; public bool Equals(System.Text.StringBuilder sb) => throw null; public System.Text.StringBuilder.ChunkEnumerator GetChunks() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Text.StringBuilder Insert(int index, System.Char[] value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Char[] value, int startIndex, int charCount) => throw null; - public System.Text.StringBuilder Insert(int index, System.ReadOnlySpan value) => throw null; public System.Text.StringBuilder Insert(int index, bool value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Byte value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Char value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Decimal value) => throw null; + public System.Text.StringBuilder Insert(int index, byte value) => throw null; + public System.Text.StringBuilder Insert(int index, char value) => throw null; + public System.Text.StringBuilder Insert(int index, char[] value) => throw null; + public System.Text.StringBuilder Insert(int index, char[] value, int startIndex, int charCount) => throw null; + public System.Text.StringBuilder Insert(int index, decimal value) => throw null; public System.Text.StringBuilder Insert(int index, double value) => throw null; - public System.Text.StringBuilder Insert(int index, float value) => throw null; + public System.Text.StringBuilder Insert(int index, short value) => throw null; public System.Text.StringBuilder Insert(int index, int value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Int64 value) => throw null; + public System.Text.StringBuilder Insert(int index, long value) => throw null; public System.Text.StringBuilder Insert(int index, object value) => throw null; - public System.Text.StringBuilder Insert(int index, System.SByte value) => throw null; - public System.Text.StringBuilder Insert(int index, System.Int16 value) => throw null; + public System.Text.StringBuilder Insert(int index, System.ReadOnlySpan value) => throw null; + public System.Text.StringBuilder Insert(int index, sbyte value) => throw null; + public System.Text.StringBuilder Insert(int index, float value) => throw null; public System.Text.StringBuilder Insert(int index, string value) => throw null; public System.Text.StringBuilder Insert(int index, string value, int count) => throw null; - public System.Text.StringBuilder Insert(int index, System.UInt32 value) => throw null; - public System.Text.StringBuilder Insert(int index, System.UInt64 value) => throw null; - public System.Text.StringBuilder Insert(int index, System.UInt16 value) => throw null; - public int Length { get => throw null; set => throw null; } + public System.Text.StringBuilder Insert(int index, ushort value) => throw null; + public System.Text.StringBuilder Insert(int index, uint value) => throw null; + public System.Text.StringBuilder Insert(int index, ulong value) => throw null; + public int Length { get => throw null; set { } } public int MaxCapacity { get => throw null; } public System.Text.StringBuilder Remove(int startIndex, int length) => throw null; - public System.Text.StringBuilder Replace(System.Char oldChar, System.Char newChar) => throw null; - public System.Text.StringBuilder Replace(System.Char oldChar, System.Char newChar, int startIndex, int count) => throw null; + public System.Text.StringBuilder Replace(char oldChar, char newChar) => throw null; + public System.Text.StringBuilder Replace(char oldChar, char newChar, int startIndex, int count) => throw null; public System.Text.StringBuilder Replace(string oldValue, string newValue) => throw null; public System.Text.StringBuilder Replace(string oldValue, string newValue, int startIndex, int count) => throw null; - public StringBuilder() => throw null; - public StringBuilder(int capacity) => throw null; - public StringBuilder(int capacity, int maxCapacity) => throw null; - public StringBuilder(string value) => throw null; - public StringBuilder(string value, int capacity) => throw null; - public StringBuilder(string value, int startIndex, int length, int capacity) => throw null; + [System.Runtime.CompilerServices.IndexerName("Chars")] + public char this[int index] { get => throw null; set { } } public override string ToString() => throw null; public string ToString(int startIndex, int length) => throw null; } - - public struct StringRuneEnumerator : System.Collections.Generic.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerable, System.Collections.IEnumerator, System.IDisposable + public struct StringRuneEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Text.Rune Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -14208,33 +11371,29 @@ public struct StringRuneEnumerator : System.Collections.Generic.IEnumerable throw null; public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; - // Stub generator skipped constructor } - namespace Unicode { public static class Utf8 { - public static System.Buffers.OperationStatus FromUtf16(System.ReadOnlySpan source, System.Span destination, out int charsRead, out int bytesWritten, bool replaceInvalidSequences = default(bool), bool isFinalBlock = default(bool)) => throw null; - public static System.Buffers.OperationStatus ToUtf16(System.ReadOnlySpan source, System.Span destination, out int bytesRead, out int charsWritten, bool replaceInvalidSequences = default(bool), bool isFinalBlock = default(bool)) => throw null; + public static System.Buffers.OperationStatus FromUtf16(System.ReadOnlySpan source, System.Span destination, out int charsRead, out int bytesWritten, bool replaceInvalidSequences = default(bool), bool isFinalBlock = default(bool)) => throw null; + public static System.Buffers.OperationStatus ToUtf16(System.ReadOnlySpan source, System.Span destination, out int bytesRead, out int charsWritten, bool replaceInvalidSequences = default(bool), bool isFinalBlock = default(bool)) => throw null; } - } } namespace Threading { public struct CancellationToken : System.IEquatable { - public static bool operator !=(System.Threading.CancellationToken left, System.Threading.CancellationToken right) => throw null; - public static bool operator ==(System.Threading.CancellationToken left, System.Threading.CancellationToken right) => throw null; public bool CanBeCanceled { get => throw null; } - // Stub generator skipped constructor public CancellationToken(bool canceled) => throw null; - public bool Equals(System.Threading.CancellationToken other) => throw null; public override bool Equals(object other) => throw null; + public bool Equals(System.Threading.CancellationToken other) => throw null; public override int GetHashCode() => throw null; public bool IsCancellationRequested { get => throw null; } public static System.Threading.CancellationToken None { get => throw null; } + public static bool operator ==(System.Threading.CancellationToken left, System.Threading.CancellationToken right) => throw null; + public static bool operator !=(System.Threading.CancellationToken left, System.Threading.CancellationToken right) => throw null; public System.Threading.CancellationTokenRegistration Register(System.Action callback) => throw null; public System.Threading.CancellationTokenRegistration Register(System.Action callback, bool useSynchronizationContext) => throw null; public System.Threading.CancellationTokenRegistration Register(System.Action callback, object state) => throw null; @@ -14245,130 +11404,101 @@ public struct CancellationToken : System.IEquatable callback, object state) => throw null; public System.Threading.WaitHandle WaitHandle { get => throw null; } } - public struct CancellationTokenRegistration : System.IAsyncDisposable, System.IDisposable, System.IEquatable { - public static bool operator !=(System.Threading.CancellationTokenRegistration left, System.Threading.CancellationTokenRegistration right) => throw null; - public static bool operator ==(System.Threading.CancellationTokenRegistration left, System.Threading.CancellationTokenRegistration right) => throw null; - // Stub generator skipped constructor public void Dispose() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public bool Equals(System.Threading.CancellationTokenRegistration other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.CancellationTokenRegistration other) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Threading.CancellationTokenRegistration left, System.Threading.CancellationTokenRegistration right) => throw null; + public static bool operator !=(System.Threading.CancellationTokenRegistration left, System.Threading.CancellationTokenRegistration right) => throw null; public System.Threading.CancellationToken Token { get => throw null; } public bool Unregister() => throw null; } - public class CancellationTokenSource : System.IDisposable { public void Cancel() => throw null; public void Cancel(bool throwOnFirstException) => throw null; - public void CancelAfter(System.TimeSpan delay) => throw null; public void CancelAfter(int millisecondsDelay) => throw null; - public CancellationTokenSource() => throw null; - public CancellationTokenSource(System.TimeSpan delay) => throw null; - public CancellationTokenSource(int millisecondsDelay) => throw null; + public void CancelAfter(System.TimeSpan delay) => throw null; public static System.Threading.CancellationTokenSource CreateLinkedTokenSource(System.Threading.CancellationToken token) => throw null; public static System.Threading.CancellationTokenSource CreateLinkedTokenSource(System.Threading.CancellationToken token1, System.Threading.CancellationToken token2) => throw null; public static System.Threading.CancellationTokenSource CreateLinkedTokenSource(params System.Threading.CancellationToken[] tokens) => throw null; + public CancellationTokenSource() => throw null; + public CancellationTokenSource(int millisecondsDelay) => throw null; + public CancellationTokenSource(System.TimeSpan delay) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public bool IsCancellationRequested { get => throw null; } public System.Threading.CancellationToken Token { get => throw null; } public bool TryReset() => throw null; } - - public enum LazyThreadSafetyMode : int + public enum LazyThreadSafetyMode { - ExecutionAndPublication = 2, None = 0, PublicationOnly = 1, + ExecutionAndPublication = 2, } - - public class PeriodicTimer : System.IDisposable + public sealed class PeriodicTimer : System.IDisposable { - public void Dispose() => throw null; public PeriodicTimer(System.TimeSpan period) => throw null; - public System.Threading.Tasks.ValueTask WaitForNextTickAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - // ERR: Stub generator didn't handle member: ~PeriodicTimer - } - - public static class Timeout - { - public const int Infinite = default; - public static System.TimeSpan InfiniteTimeSpan; - } - - public class Timer : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable - { - public static System.Int64 ActiveCount { get => throw null; } - public bool Change(System.TimeSpan dueTime, System.TimeSpan period) => throw null; - public bool Change(int dueTime, int period) => throw null; - public bool Change(System.Int64 dueTime, System.Int64 period) => throw null; - public bool Change(System.UInt32 dueTime, System.UInt32 period) => throw null; - public void Dispose() => throw null; - public bool Dispose(System.Threading.WaitHandle notifyObject) => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public Timer(System.Threading.TimerCallback callback) => throw null; - public Timer(System.Threading.TimerCallback callback, object state, System.TimeSpan dueTime, System.TimeSpan period) => throw null; - public Timer(System.Threading.TimerCallback callback, object state, int dueTime, int period) => throw null; - public Timer(System.Threading.TimerCallback callback, object state, System.Int64 dueTime, System.Int64 period) => throw null; - public Timer(System.Threading.TimerCallback callback, object state, System.UInt32 dueTime, System.UInt32 period) => throw null; - } - - public delegate void TimerCallback(object state); - - public abstract class WaitHandle : System.MarshalByRefObject, System.IDisposable - { - public virtual void Close() => throw null; public void Dispose() => throw null; - protected virtual void Dispose(bool explicitDisposing) => throw null; - public virtual System.IntPtr Handle { get => throw null; set => throw null; } - protected static System.IntPtr InvalidHandle; - public Microsoft.Win32.SafeHandles.SafeWaitHandle SafeWaitHandle { get => throw null; set => throw null; } - public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn) => throw null; - public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn, System.TimeSpan timeout, bool exitContext) => throw null; - public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn, int millisecondsTimeout, bool exitContext) => throw null; - public static bool WaitAll(System.Threading.WaitHandle[] waitHandles) => throw null; - public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout) => throw null; - public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout, bool exitContext) => throw null; - public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout) => throw null; - public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout, bool exitContext) => throw null; - public static int WaitAny(System.Threading.WaitHandle[] waitHandles) => throw null; - public static int WaitAny(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout) => throw null; - public static int WaitAny(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout, bool exitContext) => throw null; - public static int WaitAny(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout) => throw null; - public static int WaitAny(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout, bool exitContext) => throw null; - protected WaitHandle() => throw null; - public virtual bool WaitOne() => throw null; - public virtual bool WaitOne(System.TimeSpan timeout) => throw null; - public virtual bool WaitOne(System.TimeSpan timeout, bool exitContext) => throw null; - public virtual bool WaitOne(int millisecondsTimeout) => throw null; - public virtual bool WaitOne(int millisecondsTimeout, bool exitContext) => throw null; - public const int WaitTimeout = default; - } - - public static class WaitHandleExtensions - { - public static Microsoft.Win32.SafeHandles.SafeWaitHandle GetSafeWaitHandle(this System.Threading.WaitHandle waitHandle) => throw null; - public static void SetSafeWaitHandle(this System.Threading.WaitHandle waitHandle, Microsoft.Win32.SafeHandles.SafeWaitHandle value) => throw null; + public System.Threading.Tasks.ValueTask WaitForNextTickAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - namespace Tasks { public class ConcurrentExclusiveSchedulerPair { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } + public System.Threading.Tasks.TaskScheduler ConcurrentScheduler { get => throw null; } public ConcurrentExclusiveSchedulerPair() => throw null; public ConcurrentExclusiveSchedulerPair(System.Threading.Tasks.TaskScheduler taskScheduler) => throw null; public ConcurrentExclusiveSchedulerPair(System.Threading.Tasks.TaskScheduler taskScheduler, int maxConcurrencyLevel) => throw null; public ConcurrentExclusiveSchedulerPair(System.Threading.Tasks.TaskScheduler taskScheduler, int maxConcurrencyLevel, int maxItemsPerTask) => throw null; - public System.Threading.Tasks.TaskScheduler ConcurrentScheduler { get => throw null; } public System.Threading.Tasks.TaskScheduler ExclusiveScheduler { get => throw null; } } - + namespace Sources + { + public interface IValueTaskSource + { + void GetResult(short token); + System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(short token); + void OnCompleted(System.Action continuation, object state, short token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags); + } + public interface IValueTaskSource + { + TResult GetResult(short token); + System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(short token); + void OnCompleted(System.Action continuation, object state, short token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags); + } + public struct ManualResetValueTaskSourceCore + { + public TResult GetResult(short token) => throw null; + public System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(short token) => throw null; + public void OnCompleted(System.Action continuation, object state, short token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags) => throw null; + public void Reset() => throw null; + public bool RunContinuationsAsynchronously { get => throw null; set { } } + public void SetException(System.Exception error) => throw null; + public void SetResult(TResult result) => throw null; + public short Version { get => throw null; } + } + [System.Flags] + public enum ValueTaskSourceOnCompletedFlags + { + None = 0, + UseSchedulingContext = 1, + FlowExecutionContext = 2, + } + public enum ValueTaskSourceStatus + { + Pending = 0, + Succeeded = 1, + Faulted = 2, + Canceled = 3, + } + } public class Task : System.IAsyncResult, System.IDisposable { public object AsyncState { get => throw null; } @@ -14386,22 +11516,30 @@ public class Task : System.IAsyncResult, System.IDisposable public System.Threading.Tasks.Task ContinueWith(System.Action continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Action continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Action continuationAction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, object state) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, object state, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, object state, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, object state, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func continuationFunction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.TaskCreationOptions CreationOptions { get => throw null; } + public Task(System.Action action) => throw null; + public Task(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; + public Task(System.Action action, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public Task(System.Action action, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public Task(System.Action action, object state) => throw null; + public Task(System.Action action, object state, System.Threading.CancellationToken cancellationToken) => throw null; + public Task(System.Action action, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public Task(System.Action action, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public static int? CurrentId { get => throw null; } - public static System.Threading.Tasks.Task Delay(System.TimeSpan delay) => throw null; - public static System.Threading.Tasks.Task Delay(System.TimeSpan delay, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task Delay(int millisecondsDelay) => throw null; public static System.Threading.Tasks.Task Delay(int millisecondsDelay, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task Delay(System.TimeSpan delay) => throw null; + public static System.Threading.Tasks.Task Delay(System.TimeSpan delay, System.Threading.CancellationToken cancellationToken) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public System.AggregateException Exception { get => throw null; } @@ -14421,39 +11559,31 @@ public class Task : System.IAsyncResult, System.IDisposable public static System.Threading.Tasks.Task Run(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task Run(System.Func function) => throw null; public static System.Threading.Tasks.Task Run(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task Run(System.Func function) => throw null; - public static System.Threading.Tasks.Task Run(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task Run(System.Func> function) => throw null; public static System.Threading.Tasks.Task Run(System.Func> function, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task Run(System.Func function) => throw null; + public static System.Threading.Tasks.Task Run(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; public void RunSynchronously() => throw null; public void RunSynchronously(System.Threading.Tasks.TaskScheduler scheduler) => throw null; public void Start() => throw null; public void Start(System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.TaskStatus Status { get => throw null; } - public Task(System.Action action) => throw null; - public Task(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; - public Task(System.Action action, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public Task(System.Action action, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public Task(System.Action action, object state) => throw null; - public Task(System.Action action, object state, System.Threading.CancellationToken cancellationToken) => throw null; - public Task(System.Action action, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public Task(System.Action action, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public void Wait() => throw null; + public bool Wait(int millisecondsTimeout) => throw null; + public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public void Wait(System.Threading.CancellationToken cancellationToken) => throw null; public bool Wait(System.TimeSpan timeout) => throw null; public bool Wait(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Wait(int millisecondsTimeout) => throw null; - public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; - public static void WaitAll(System.Threading.Tasks.Task[] tasks, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool WaitAll(System.Threading.Tasks.Task[] tasks, System.TimeSpan timeout) => throw null; + public static void WaitAll(params System.Threading.Tasks.Task[] tasks) => throw null; public static bool WaitAll(System.Threading.Tasks.Task[] tasks, int millisecondsTimeout) => throw null; public static bool WaitAll(System.Threading.Tasks.Task[] tasks, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; - public static void WaitAll(params System.Threading.Tasks.Task[] tasks) => throw null; - public static int WaitAny(System.Threading.Tasks.Task[] tasks, System.Threading.CancellationToken cancellationToken) => throw null; - public static int WaitAny(System.Threading.Tasks.Task[] tasks, System.TimeSpan timeout) => throw null; + public static void WaitAll(System.Threading.Tasks.Task[] tasks, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool WaitAll(System.Threading.Tasks.Task[] tasks, System.TimeSpan timeout) => throw null; + public static int WaitAny(params System.Threading.Tasks.Task[] tasks) => throw null; public static int WaitAny(System.Threading.Tasks.Task[] tasks, int millisecondsTimeout) => throw null; public static int WaitAny(System.Threading.Tasks.Task[] tasks, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; - public static int WaitAny(params System.Threading.Tasks.Task[] tasks) => throw null; + public static int WaitAny(System.Threading.Tasks.Task[] tasks, System.Threading.CancellationToken cancellationToken) => throw null; + public static int WaitAny(System.Threading.Tasks.Task[] tasks, System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task WaitAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; @@ -14469,7 +11599,6 @@ public class Task : System.IAsyncResult, System.IDisposable public static System.Threading.Tasks.Task> WhenAny(params System.Threading.Tasks.Task[] tasks) => throw null; public static System.Runtime.CompilerServices.YieldAwaitable Yield() => throw null; } - public class Task : System.Threading.Tasks.Task { public System.Runtime.CompilerServices.ConfiguredTaskAwaitable ConfigureAwait(bool continueOnCapturedContext) => throw null; @@ -14483,127 +11612,119 @@ public class Task : System.Threading.Tasks.Task public System.Threading.Tasks.Task ContinueWith(System.Action> continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Action> continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Action> continuationAction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func, object, TNewResult> continuationFunction, object state) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func, object, TNewResult> continuationFunction, object state, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func, object, TNewResult> continuationFunction, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func, object, TNewResult> continuationFunction, object state, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWith(System.Func, object, TNewResult> continuationFunction, object state, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public static System.Threading.Tasks.TaskFactory Factory { get => throw null; } - public System.Runtime.CompilerServices.TaskAwaiter GetAwaiter() => throw null; - public TResult Result { get => throw null; } - public Task(System.Func function) : base(default(System.Action)) => throw null; - public Task(System.Func function, System.Threading.CancellationToken cancellationToken) : base(default(System.Action)) => throw null; - public Task(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; - public Task(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWith(System.Func, TNewResult> continuationFunction, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public Task(System.Func function, object state) : base(default(System.Action)) => throw null; public Task(System.Func function, object state, System.Threading.CancellationToken cancellationToken) : base(default(System.Action)) => throw null; public Task(System.Func function, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; public Task(System.Func function, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; + public Task(System.Func function) : base(default(System.Action)) => throw null; + public Task(System.Func function, System.Threading.CancellationToken cancellationToken) : base(default(System.Action)) => throw null; + public Task(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; + public Task(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) : base(default(System.Action)) => throw null; + public static System.Threading.Tasks.TaskFactory Factory { get => throw null; } + public System.Runtime.CompilerServices.TaskAwaiter GetAwaiter() => throw null; + public TResult Result { get => throw null; } public System.Threading.Tasks.Task WaitAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; } - - public static class TaskAsyncEnumerableExtensions + public static partial class TaskAsyncEnumerableExtensions { public static System.Runtime.CompilerServices.ConfiguredAsyncDisposable ConfigureAwait(this System.IAsyncDisposable source, bool continueOnCapturedContext) => throw null; public static System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable ConfigureAwait(this System.Collections.Generic.IAsyncEnumerable source, bool continueOnCapturedContext) => throw null; public static System.Collections.Generic.IEnumerable ToBlockingEnumerable(this System.Collections.Generic.IAsyncEnumerable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Runtime.CompilerServices.ConfiguredCancelableAsyncEnumerable WithCancellation(this System.Collections.Generic.IAsyncEnumerable source, System.Threading.CancellationToken cancellationToken) => throw null; } - public class TaskCanceledException : System.OperationCanceledException { - public System.Threading.Tasks.Task Task { get => throw null; } public TaskCanceledException() => throw null; protected TaskCanceledException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TaskCanceledException(System.Threading.Tasks.Task task) => throw null; public TaskCanceledException(string message) => throw null; public TaskCanceledException(string message, System.Exception innerException) => throw null; public TaskCanceledException(string message, System.Exception innerException, System.Threading.CancellationToken token) => throw null; + public TaskCanceledException(System.Threading.Tasks.Task task) => throw null; + public System.Threading.Tasks.Task Task { get => throw null; } } - public class TaskCompletionSource { + public TaskCompletionSource() => throw null; + public TaskCompletionSource(object state) => throw null; + public TaskCompletionSource(object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public TaskCompletionSource(System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public void SetCanceled() => throw null; public void SetCanceled(System.Threading.CancellationToken cancellationToken) => throw null; - public void SetException(System.Exception exception) => throw null; public void SetException(System.Collections.Generic.IEnumerable exceptions) => throw null; + public void SetException(System.Exception exception) => throw null; public void SetResult() => throw null; public System.Threading.Tasks.Task Task { get => throw null; } - public TaskCompletionSource() => throw null; - public TaskCompletionSource(System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public TaskCompletionSource(object state) => throw null; - public TaskCompletionSource(object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public bool TrySetCanceled() => throw null; public bool TrySetCanceled(System.Threading.CancellationToken cancellationToken) => throw null; - public bool TrySetException(System.Exception exception) => throw null; public bool TrySetException(System.Collections.Generic.IEnumerable exceptions) => throw null; + public bool TrySetException(System.Exception exception) => throw null; public bool TrySetResult() => throw null; } - public class TaskCompletionSource { + public TaskCompletionSource() => throw null; + public TaskCompletionSource(object state) => throw null; + public TaskCompletionSource(object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public TaskCompletionSource(System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public void SetCanceled() => throw null; public void SetCanceled(System.Threading.CancellationToken cancellationToken) => throw null; - public void SetException(System.Exception exception) => throw null; public void SetException(System.Collections.Generic.IEnumerable exceptions) => throw null; + public void SetException(System.Exception exception) => throw null; public void SetResult(TResult result) => throw null; public System.Threading.Tasks.Task Task { get => throw null; } - public TaskCompletionSource() => throw null; - public TaskCompletionSource(System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public TaskCompletionSource(object state) => throw null; - public TaskCompletionSource(object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public bool TrySetCanceled() => throw null; public bool TrySetCanceled(System.Threading.CancellationToken cancellationToken) => throw null; - public bool TrySetException(System.Exception exception) => throw null; public bool TrySetException(System.Collections.Generic.IEnumerable exceptions) => throw null; + public bool TrySetException(System.Exception exception) => throw null; public bool TrySetResult(TResult result) => throw null; } - [System.Flags] - public enum TaskContinuationOptions : int + public enum TaskContinuationOptions { + None = 0, + PreferFairness = 1, + LongRunning = 2, AttachedToParent = 4, DenyChildAttach = 8, - ExecuteSynchronously = 524288, HideScheduler = 16, LazyCancellation = 32, - LongRunning = 2, - None = 0, - NotOnCanceled = 262144, - NotOnFaulted = 131072, + RunContinuationsAsynchronously = 64, NotOnRanToCompletion = 65536, + NotOnFaulted = 131072, OnlyOnCanceled = 196608, + NotOnCanceled = 262144, OnlyOnFaulted = 327680, OnlyOnRanToCompletion = 393216, - PreferFairness = 1, - RunContinuationsAsynchronously = 64, + ExecuteSynchronously = 524288, } - [System.Flags] - public enum TaskCreationOptions : int + public enum TaskCreationOptions { + None = 0, + PreferFairness = 1, + LongRunning = 2, AttachedToParent = 4, DenyChildAttach = 8, HideScheduler = 16, - LongRunning = 2, - None = 0, - PreferFairness = 1, RunContinuationsAsynchronously = 64, } - - public static class TaskExtensions + public static partial class TaskExtensions { public static System.Threading.Tasks.Task Unwrap(this System.Threading.Tasks.Task task) => throw null; public static System.Threading.Tasks.Task Unwrap(this System.Threading.Tasks.Task> task) => throw null; } - public class TaskFactory { public System.Threading.CancellationToken CancellationToken { get => throw null; } @@ -14612,57 +11733,62 @@ public class TaskFactory public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Action[]> continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWhenAll(System.Threading.Tasks.Task[] tasks, System.Func[], TResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action continuationAction) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Action> continuationAction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.TaskCreationOptions CreationOptions { get => throw null; } + public TaskFactory() => throw null; + public TaskFactory(System.Threading.CancellationToken cancellationToken) => throw null; + public TaskFactory(System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public TaskFactory(System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public TaskFactory(System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, object state) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Action endMethod) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Action endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Action endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, object state) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Action endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.TaskScheduler Scheduler { get => throw null; } public System.Threading.Tasks.Task StartNew(System.Action action) => throw null; public System.Threading.Tasks.Task StartNew(System.Action action, System.Threading.CancellationToken cancellationToken) => throw null; @@ -14672,21 +11798,15 @@ public class TaskFactory public System.Threading.Tasks.Task StartNew(System.Action action, object state, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task StartNew(System.Action action, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task StartNew(System.Action action, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public TaskFactory() => throw null; - public TaskFactory(System.Threading.CancellationToken cancellationToken) => throw null; - public TaskFactory(System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public TaskFactory(System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public TaskFactory(System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; } - public class TaskFactory { public System.Threading.CancellationToken CancellationToken { get => throw null; } @@ -14708,49 +11828,47 @@ public class TaskFactory public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task ContinueWhenAny(System.Threading.Tasks.Task[] tasks, System.Func, TResult> continuationFunction, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; public System.Threading.Tasks.TaskCreationOptions CreationOptions { get => throw null; } + public TaskFactory() => throw null; + public TaskFactory(System.Threading.CancellationToken cancellationToken) => throw null; + public TaskFactory(System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public TaskFactory(System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; + public TaskFactory(System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, object state) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.IAsyncResult asyncResult, System.Func endMethod, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; - public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state) => throw null; public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state) => throw null; + public System.Threading.Tasks.Task FromAsync(System.Func beginMethod, System.Func endMethod, TArg1 arg1, TArg2 arg2, TArg3 arg3, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.TaskScheduler Scheduler { get => throw null; } - public System.Threading.Tasks.Task StartNew(System.Func function) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; public System.Threading.Tasks.Task StartNew(System.Func function, object state, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; - public TaskFactory() => throw null; - public TaskFactory(System.Threading.CancellationToken cancellationToken) => throw null; - public TaskFactory(System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; - public TaskFactory(System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskContinuationOptions continuationOptions) => throw null; - public TaskFactory(System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.CancellationToken cancellationToken, System.Threading.Tasks.TaskCreationOptions creationOptions, System.Threading.Tasks.TaskScheduler scheduler) => throw null; + public System.Threading.Tasks.Task StartNew(System.Func function, System.Threading.Tasks.TaskCreationOptions creationOptions) => throw null; } - public abstract class TaskScheduler { + protected TaskScheduler() => throw null; public static System.Threading.Tasks.TaskScheduler Current { get => throw null; } public static System.Threading.Tasks.TaskScheduler Default { get => throw null; } public static System.Threading.Tasks.TaskScheduler FromCurrentSynchronizationContext() => throw null; protected abstract System.Collections.Generic.IEnumerable GetScheduledTasks(); public int Id { get => throw null; } public virtual int MaximumConcurrencyLevel { get => throw null; } - protected internal abstract void QueueTask(System.Threading.Tasks.Task task); - protected TaskScheduler() => throw null; - protected internal virtual bool TryDequeue(System.Threading.Tasks.Task task) => throw null; + protected abstract void QueueTask(System.Threading.Tasks.Task task); + protected virtual bool TryDequeue(System.Threading.Tasks.Task task) => throw null; protected bool TryExecuteTask(System.Threading.Tasks.Task task) => throw null; protected abstract bool TryExecuteTaskInline(System.Threading.Tasks.Task task, bool taskWasPreviouslyQueued); - public static event System.EventHandler UnobservedTaskException; + public static event System.EventHandler UnobservedTaskException { add { } remove { } } } - public class TaskSchedulerException : System.Exception { public TaskSchedulerException() => throw null; @@ -14759,36 +11877,33 @@ public class TaskSchedulerException : System.Exception public TaskSchedulerException(string message) => throw null; public TaskSchedulerException(string message, System.Exception innerException) => throw null; } - - public enum TaskStatus : int + public enum TaskStatus { - Canceled = 6, Created = 0, - Faulted = 7, - RanToCompletion = 5, - Running = 3, WaitingForActivation = 1, - WaitingForChildrenToComplete = 4, WaitingToRun = 2, + Running = 3, + WaitingForChildrenToComplete = 4, + RanToCompletion = 5, + Canceled = 6, + Faulted = 7, } - public class UnobservedTaskExceptionEventArgs : System.EventArgs { + public UnobservedTaskExceptionEventArgs(System.AggregateException exception) => throw null; public System.AggregateException Exception { get => throw null; } public bool Observed { get => throw null; } public void SetObserved() => throw null; - public UnobservedTaskExceptionEventArgs(System.AggregateException exception) => throw null; } - public struct ValueTask : System.IEquatable { - public static bool operator !=(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; - public static bool operator ==(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; public System.Threading.Tasks.Task AsTask() => throw null; public static System.Threading.Tasks.ValueTask CompletedTask { get => throw null; } public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable ConfigureAwait(bool continueOnCapturedContext) => throw null; - public bool Equals(System.Threading.Tasks.ValueTask other) => throw null; + public ValueTask(System.Threading.Tasks.Sources.IValueTaskSource source, short token) => throw null; + public ValueTask(System.Threading.Tasks.Task task) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.Tasks.ValueTask other) => throw null; public static System.Threading.Tasks.ValueTask FromCanceled(System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.ValueTask FromCanceled(System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.ValueTask FromException(System.Exception exception) => throw null; @@ -14800,81 +11915,1973 @@ public struct ValueTask : System.IEquatable public bool IsCompleted { get => throw null; } public bool IsCompletedSuccessfully { get => throw null; } public bool IsFaulted { get => throw null; } + public static bool operator ==(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; + public static bool operator !=(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; public System.Threading.Tasks.ValueTask Preserve() => throw null; - // Stub generator skipped constructor - public ValueTask(System.Threading.Tasks.Sources.IValueTaskSource source, System.Int16 token) => throw null; - public ValueTask(System.Threading.Tasks.Task task) => throw null; } - public struct ValueTask : System.IEquatable> { - public static bool operator !=(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; - public static bool operator ==(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; public System.Threading.Tasks.Task AsTask() => throw null; public System.Runtime.CompilerServices.ConfiguredValueTaskAwaitable ConfigureAwait(bool continueOnCapturedContext) => throw null; - public bool Equals(System.Threading.Tasks.ValueTask other) => throw null; + public ValueTask(System.Threading.Tasks.Sources.IValueTaskSource source, short token) => throw null; + public ValueTask(System.Threading.Tasks.Task task) => throw null; + public ValueTask(TResult result) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.Tasks.ValueTask other) => throw null; public System.Runtime.CompilerServices.ValueTaskAwaiter GetAwaiter() => throw null; public override int GetHashCode() => throw null; public bool IsCanceled { get => throw null; } public bool IsCompleted { get => throw null; } public bool IsCompletedSuccessfully { get => throw null; } public bool IsFaulted { get => throw null; } + public static bool operator ==(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; + public static bool operator !=(System.Threading.Tasks.ValueTask left, System.Threading.Tasks.ValueTask right) => throw null; public System.Threading.Tasks.ValueTask Preserve() => throw null; public TResult Result { get => throw null; } public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueTask(System.Threading.Tasks.Sources.IValueTaskSource source, System.Int16 token) => throw null; - public ValueTask(TResult result) => throw null; - public ValueTask(System.Threading.Tasks.Task task) => throw null; - } - - namespace Sources - { - public interface IValueTaskSource - { - void GetResult(System.Int16 token); - System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(System.Int16 token); - void OnCompleted(System.Action continuation, object state, System.Int16 token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags); - } - - public interface IValueTaskSource - { - TResult GetResult(System.Int16 token); - System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(System.Int16 token); - void OnCompleted(System.Action continuation, object state, System.Int16 token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags); - } - - public struct ManualResetValueTaskSourceCore - { - public TResult GetResult(System.Int16 token) => throw null; - public System.Threading.Tasks.Sources.ValueTaskSourceStatus GetStatus(System.Int16 token) => throw null; - // Stub generator skipped constructor - public void OnCompleted(System.Action continuation, object state, System.Int16 token, System.Threading.Tasks.Sources.ValueTaskSourceOnCompletedFlags flags) => throw null; - public void Reset() => throw null; - public bool RunContinuationsAsynchronously { get => throw null; set => throw null; } - public void SetException(System.Exception error) => throw null; - public void SetResult(TResult result) => throw null; - public System.Int16 Version { get => throw null; } - } - - [System.Flags] - public enum ValueTaskSourceOnCompletedFlags : int - { - FlowExecutionContext = 2, - None = 0, - UseSchedulingContext = 1, - } - - public enum ValueTaskSourceStatus : int - { - Canceled = 3, - Faulted = 2, - Pending = 0, - Succeeded = 1, - } - } } + public static class Timeout + { + public static int Infinite; + public static System.TimeSpan InfiniteTimeSpan; + } + public sealed class Timer : System.MarshalByRefObject, System.IAsyncDisposable, System.IDisposable + { + public static long ActiveCount { get => throw null; } + public bool Change(int dueTime, int period) => throw null; + public bool Change(long dueTime, long period) => throw null; + public bool Change(System.TimeSpan dueTime, System.TimeSpan period) => throw null; + public bool Change(uint dueTime, uint period) => throw null; + public Timer(System.Threading.TimerCallback callback) => throw null; + public Timer(System.Threading.TimerCallback callback, object state, int dueTime, int period) => throw null; + public Timer(System.Threading.TimerCallback callback, object state, long dueTime, long period) => throw null; + public Timer(System.Threading.TimerCallback callback, object state, System.TimeSpan dueTime, System.TimeSpan period) => throw null; + public Timer(System.Threading.TimerCallback callback, object state, uint dueTime, uint period) => throw null; + public void Dispose() => throw null; + public bool Dispose(System.Threading.WaitHandle notifyObject) => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + } + public delegate void TimerCallback(object state); + public abstract class WaitHandle : System.MarshalByRefObject, System.IDisposable + { + public virtual void Close() => throw null; + protected WaitHandle() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool explicitDisposing) => throw null; + public virtual nint Handle { get => throw null; set { } } + protected static nint InvalidHandle; + public Microsoft.Win32.SafeHandles.SafeWaitHandle SafeWaitHandle { get => throw null; set { } } + public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn) => throw null; + public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn, int millisecondsTimeout, bool exitContext) => throw null; + public static bool SignalAndWait(System.Threading.WaitHandle toSignal, System.Threading.WaitHandle toWaitOn, System.TimeSpan timeout, bool exitContext) => throw null; + public static bool WaitAll(System.Threading.WaitHandle[] waitHandles) => throw null; + public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout) => throw null; + public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout, bool exitContext) => throw null; + public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout) => throw null; + public static bool WaitAll(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout, bool exitContext) => throw null; + public static int WaitAny(System.Threading.WaitHandle[] waitHandles) => throw null; + public static int WaitAny(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout) => throw null; + public static int WaitAny(System.Threading.WaitHandle[] waitHandles, int millisecondsTimeout, bool exitContext) => throw null; + public static int WaitAny(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout) => throw null; + public static int WaitAny(System.Threading.WaitHandle[] waitHandles, System.TimeSpan timeout, bool exitContext) => throw null; + public virtual bool WaitOne() => throw null; + public virtual bool WaitOne(int millisecondsTimeout) => throw null; + public virtual bool WaitOne(int millisecondsTimeout, bool exitContext) => throw null; + public virtual bool WaitOne(System.TimeSpan timeout) => throw null; + public virtual bool WaitOne(System.TimeSpan timeout, bool exitContext) => throw null; + public static int WaitTimeout; + } + public static partial class WaitHandleExtensions + { + public static Microsoft.Win32.SafeHandles.SafeWaitHandle GetSafeWaitHandle(this System.Threading.WaitHandle waitHandle) => throw null; + public static void SetSafeWaitHandle(this System.Threading.WaitHandle waitHandle, Microsoft.Win32.SafeHandles.SafeWaitHandle value) => throw null; + } + } + public class ThreadStaticAttribute : System.Attribute + { + public ThreadStaticAttribute() => throw null; + } + public struct TimeOnly : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable + { + public System.TimeOnly Add(System.TimeSpan value) => throw null; + public System.TimeOnly Add(System.TimeSpan value, out int wrappedDays) => throw null; + public System.TimeOnly AddHours(double value) => throw null; + public System.TimeOnly AddHours(double value, out int wrappedDays) => throw null; + public System.TimeOnly AddMinutes(double value) => throw null; + public System.TimeOnly AddMinutes(double value, out int wrappedDays) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(System.TimeOnly value) => throw null; + public TimeOnly(int hour, int minute) => throw null; + public TimeOnly(int hour, int minute, int second) => throw null; + public TimeOnly(int hour, int minute, int second, int millisecond) => throw null; + public TimeOnly(int hour, int minute, int second, int millisecond, int microsecond) => throw null; + public TimeOnly(long ticks) => throw null; + public override bool Equals(object value) => throw null; + public bool Equals(System.TimeOnly value) => throw null; + public static System.TimeOnly FromDateTime(System.DateTime dateTime) => throw null; + public static System.TimeOnly FromTimeSpan(System.TimeSpan timeSpan) => throw null; + public override int GetHashCode() => throw null; + public int Hour { get => throw null; } + public bool IsBetween(System.TimeOnly start, System.TimeOnly end) => throw null; + public static System.TimeOnly MaxValue { get => throw null; } + public int Microsecond { get => throw null; } + public int Millisecond { get => throw null; } + public int Minute { get => throw null; } + public static System.TimeOnly MinValue { get => throw null; } + public int Nanosecond { get => throw null; } + public static bool operator ==(System.TimeOnly left, System.TimeOnly right) => throw null; + public static bool operator >(System.TimeOnly left, System.TimeOnly right) => throw null; + public static bool operator >=(System.TimeOnly left, System.TimeOnly right) => throw null; + public static bool operator !=(System.TimeOnly left, System.TimeOnly right) => throw null; + public static bool operator <(System.TimeOnly left, System.TimeOnly right) => throw null; + public static bool operator <=(System.TimeOnly left, System.TimeOnly right) => throw null; + public static System.TimeSpan operator -(System.TimeOnly t1, System.TimeOnly t2) => throw null; + static System.TimeOnly System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.TimeOnly Parse(System.ReadOnlySpan s, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.TimeOnly Parse(string s) => throw null; + static System.TimeOnly System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + public static System.TimeOnly Parse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.TimeOnly ParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider = default(System.IFormatProvider), System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.TimeOnly ParseExact(System.ReadOnlySpan s, string[] formats) => throw null; + public static System.TimeOnly ParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.TimeOnly ParseExact(string s, string format) => throw null; + public static System.TimeOnly ParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public static System.TimeOnly ParseExact(string s, string[] formats) => throw null; + public static System.TimeOnly ParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style = default(System.Globalization.DateTimeStyles)) => throw null; + public int Second { get => throw null; } + public long Ticks { get => throw null; } + public string ToLongTimeString() => throw null; + public string ToShortTimeString() => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + public System.TimeSpan ToTimeSpan() => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + public static bool TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.TimeOnly result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.TimeOnly result) => throw null; + public static bool TryParse(string s, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.TimeOnly result) => throw null; + public static bool TryParse(string s, out System.TimeOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, System.ReadOnlySpan format, out System.TimeOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan s, string[] formats, out System.TimeOnly result) => throw null; + public static bool TryParseExact(string s, string format, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + public static bool TryParseExact(string s, string format, out System.TimeOnly result) => throw null; + public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.TimeOnly result) => throw null; + public static bool TryParseExact(string s, string[] formats, out System.TimeOnly result) => throw null; + } + public class TimeoutException : System.SystemException + { + public TimeoutException() => throw null; + protected TimeoutException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public TimeoutException(string message) => throw null; + public TimeoutException(string message, System.Exception innerException) => throw null; + } + public struct TimeSpan : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable + { + public System.TimeSpan Add(System.TimeSpan ts) => throw null; + public static int Compare(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(System.TimeSpan value) => throw null; + public TimeSpan(int hours, int minutes, int seconds) => throw null; + public TimeSpan(int days, int hours, int minutes, int seconds) => throw null; + public TimeSpan(int days, int hours, int minutes, int seconds, int milliseconds) => throw null; + public TimeSpan(int days, int hours, int minutes, int seconds, int milliseconds, int microseconds) => throw null; + public TimeSpan(long ticks) => throw null; + public int Days { get => throw null; } + public System.TimeSpan Divide(double divisor) => throw null; + public double Divide(System.TimeSpan ts) => throw null; + public System.TimeSpan Duration() => throw null; + public override bool Equals(object value) => throw null; + public bool Equals(System.TimeSpan obj) => throw null; + public static bool Equals(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static System.TimeSpan FromDays(double value) => throw null; + public static System.TimeSpan FromHours(double value) => throw null; + public static System.TimeSpan FromMicroseconds(double value) => throw null; + public static System.TimeSpan FromMilliseconds(double value) => throw null; + public static System.TimeSpan FromMinutes(double value) => throw null; + public static System.TimeSpan FromSeconds(double value) => throw null; + public static System.TimeSpan FromTicks(long value) => throw null; + public override int GetHashCode() => throw null; + public int Hours { get => throw null; } + public static System.TimeSpan MaxValue; + public int Microseconds { get => throw null; } + public int Milliseconds { get => throw null; } + public int Minutes { get => throw null; } + public static System.TimeSpan MinValue; + public System.TimeSpan Multiply(double factor) => throw null; + public int Nanoseconds { get => throw null; } + public static long NanosecondsPerTick; + public System.TimeSpan Negate() => throw null; + public static System.TimeSpan operator +(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static System.TimeSpan operator /(System.TimeSpan timeSpan, double divisor) => throw null; + public static double operator /(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator ==(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator >(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator >=(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator !=(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator <(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static bool operator <=(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static System.TimeSpan operator *(double factor, System.TimeSpan timeSpan) => throw null; + public static System.TimeSpan operator *(System.TimeSpan timeSpan, double factor) => throw null; + public static System.TimeSpan operator -(System.TimeSpan t1, System.TimeSpan t2) => throw null; + public static System.TimeSpan operator -(System.TimeSpan t) => throw null; + public static System.TimeSpan operator +(System.TimeSpan t) => throw null; + static System.TimeSpan System.ISpanParsable.Parse(System.ReadOnlySpan input, System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; + public static System.TimeSpan Parse(string s) => throw null; + static System.TimeSpan System.IParsable.Parse(string input, System.IFormatProvider formatProvider) => throw null; + public static System.TimeSpan ParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles = default(System.Globalization.TimeSpanStyles)) => throw null; + public static System.TimeSpan ParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles = default(System.Globalization.TimeSpanStyles)) => throw null; + public static System.TimeSpan ParseExact(string input, string format, System.IFormatProvider formatProvider) => throw null; + public static System.TimeSpan ParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles) => throw null; + public static System.TimeSpan ParseExact(string input, string[] formats, System.IFormatProvider formatProvider) => throw null; + public static System.TimeSpan ParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles) => throw null; + public int Seconds { get => throw null; } + public System.TimeSpan Subtract(System.TimeSpan ts) => throw null; + public long Ticks { get => throw null; } + public static long TicksPerDay; + public static long TicksPerHour; + public static long TicksPerMicrosecond; + public static long TicksPerMillisecond; + public static long TicksPerMinute; + public static long TicksPerSecond; + public override string ToString() => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider formatProvider) => throw null; + public double TotalDays { get => throw null; } + public double TotalHours { get => throw null; } + public double TotalMicroseconds { get => throw null; } + public double TotalMilliseconds { get => throw null; } + public double TotalMinutes { get => throw null; } + public double TotalNanoseconds { get => throw null; } + public double TotalSeconds { get => throw null; } + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider formatProvider = default(System.IFormatProvider)) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan input, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.TimeSpan result) => throw null; + static bool System.IParsable.TryParse(string input, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static bool TryParse(string s, out System.TimeSpan result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, System.ReadOnlySpan format, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; + public static bool TryParseExact(System.ReadOnlySpan input, string[] formats, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; + public static bool TryParseExact(string input, string format, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, System.Globalization.TimeSpanStyles styles, out System.TimeSpan result) => throw null; + public static bool TryParseExact(string input, string[] formats, System.IFormatProvider formatProvider, out System.TimeSpan result) => throw null; + public static System.TimeSpan Zero; + } + public abstract class TimeZone + { + protected TimeZone() => throw null; + public static System.TimeZone CurrentTimeZone { get => throw null; } + public abstract string DaylightName { get; } + public abstract System.Globalization.DaylightTime GetDaylightChanges(int year); + public abstract System.TimeSpan GetUtcOffset(System.DateTime time); + public virtual bool IsDaylightSavingTime(System.DateTime time) => throw null; + public static bool IsDaylightSavingTime(System.DateTime time, System.Globalization.DaylightTime daylightTimes) => throw null; + public abstract string StandardName { get; } + public virtual System.DateTime ToLocalTime(System.DateTime time) => throw null; + public virtual System.DateTime ToUniversalTime(System.DateTime time) => throw null; + } + public sealed class TimeZoneInfo : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public sealed class AdjustmentRule : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public System.TimeSpan BaseUtcOffsetDelta { get => throw null; } + public static System.TimeZoneInfo.AdjustmentRule CreateAdjustmentRule(System.DateTime dateStart, System.DateTime dateEnd, System.TimeSpan daylightDelta, System.TimeZoneInfo.TransitionTime daylightTransitionStart, System.TimeZoneInfo.TransitionTime daylightTransitionEnd) => throw null; + public static System.TimeZoneInfo.AdjustmentRule CreateAdjustmentRule(System.DateTime dateStart, System.DateTime dateEnd, System.TimeSpan daylightDelta, System.TimeZoneInfo.TransitionTime daylightTransitionStart, System.TimeZoneInfo.TransitionTime daylightTransitionEnd, System.TimeSpan baseUtcOffsetDelta) => throw null; + public System.DateTime DateEnd { get => throw null; } + public System.DateTime DateStart { get => throw null; } + public System.TimeSpan DaylightDelta { get => throw null; } + public System.TimeZoneInfo.TransitionTime DaylightTransitionEnd { get => throw null; } + public System.TimeZoneInfo.TransitionTime DaylightTransitionStart { get => throw null; } + public bool Equals(System.TimeZoneInfo.AdjustmentRule other) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + } + public System.TimeSpan BaseUtcOffset { get => throw null; } + public static void ClearCachedData() => throw null; + public static System.DateTime ConvertTime(System.DateTime dateTime, System.TimeZoneInfo destinationTimeZone) => throw null; + public static System.DateTime ConvertTime(System.DateTime dateTime, System.TimeZoneInfo sourceTimeZone, System.TimeZoneInfo destinationTimeZone) => throw null; + public static System.DateTimeOffset ConvertTime(System.DateTimeOffset dateTimeOffset, System.TimeZoneInfo destinationTimeZone) => throw null; + public static System.DateTime ConvertTimeBySystemTimeZoneId(System.DateTime dateTime, string destinationTimeZoneId) => throw null; + public static System.DateTime ConvertTimeBySystemTimeZoneId(System.DateTime dateTime, string sourceTimeZoneId, string destinationTimeZoneId) => throw null; + public static System.DateTimeOffset ConvertTimeBySystemTimeZoneId(System.DateTimeOffset dateTimeOffset, string destinationTimeZoneId) => throw null; + public static System.DateTime ConvertTimeFromUtc(System.DateTime dateTime, System.TimeZoneInfo destinationTimeZone) => throw null; + public static System.DateTime ConvertTimeToUtc(System.DateTime dateTime) => throw null; + public static System.DateTime ConvertTimeToUtc(System.DateTime dateTime, System.TimeZoneInfo sourceTimeZone) => throw null; + public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName) => throw null; + public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName, string daylightDisplayName, System.TimeZoneInfo.AdjustmentRule[] adjustmentRules) => throw null; + public static System.TimeZoneInfo CreateCustomTimeZone(string id, System.TimeSpan baseUtcOffset, string displayName, string standardDisplayName, string daylightDisplayName, System.TimeZoneInfo.AdjustmentRule[] adjustmentRules, bool disableDaylightSavingTime) => throw null; + public string DaylightName { get => throw null; } + public string DisplayName { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.TimeZoneInfo other) => throw null; + public static System.TimeZoneInfo FindSystemTimeZoneById(string id) => throw null; + public static System.TimeZoneInfo FromSerializedString(string source) => throw null; + public System.TimeZoneInfo.AdjustmentRule[] GetAdjustmentRules() => throw null; + public System.TimeSpan[] GetAmbiguousTimeOffsets(System.DateTime dateTime) => throw null; + public System.TimeSpan[] GetAmbiguousTimeOffsets(System.DateTimeOffset dateTimeOffset) => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public static System.Collections.ObjectModel.ReadOnlyCollection GetSystemTimeZones() => throw null; + public System.TimeSpan GetUtcOffset(System.DateTime dateTime) => throw null; + public System.TimeSpan GetUtcOffset(System.DateTimeOffset dateTimeOffset) => throw null; + public bool HasIanaId { get => throw null; } + public bool HasSameRules(System.TimeZoneInfo other) => throw null; + public string Id { get => throw null; } + public bool IsAmbiguousTime(System.DateTime dateTime) => throw null; + public bool IsAmbiguousTime(System.DateTimeOffset dateTimeOffset) => throw null; + public bool IsDaylightSavingTime(System.DateTime dateTime) => throw null; + public bool IsDaylightSavingTime(System.DateTimeOffset dateTimeOffset) => throw null; + public bool IsInvalidTime(System.DateTime dateTime) => throw null; + public static System.TimeZoneInfo Local { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public string StandardName { get => throw null; } + public bool SupportsDaylightSavingTime { get => throw null; } + public string ToSerializedString() => throw null; + public override string ToString() => throw null; + public struct TransitionTime : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + { + public static System.TimeZoneInfo.TransitionTime CreateFixedDateRule(System.DateTime timeOfDay, int month, int day) => throw null; + public static System.TimeZoneInfo.TransitionTime CreateFloatingDateRule(System.DateTime timeOfDay, int month, int week, System.DayOfWeek dayOfWeek) => throw null; + public int Day { get => throw null; } + public System.DayOfWeek DayOfWeek { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(System.TimeZoneInfo.TransitionTime other) => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool IsFixedDateRule { get => throw null; } + public int Month { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public static bool operator ==(System.TimeZoneInfo.TransitionTime t1, System.TimeZoneInfo.TransitionTime t2) => throw null; + public static bool operator !=(System.TimeZoneInfo.TransitionTime t1, System.TimeZoneInfo.TransitionTime t2) => throw null; + public System.DateTime TimeOfDay { get => throw null; } + public int Week { get => throw null; } + } + public static bool TryConvertIanaIdToWindowsId(string ianaId, out string windowsId) => throw null; + public static bool TryConvertWindowsIdToIanaId(string windowsId, string region, out string ianaId) => throw null; + public static bool TryConvertWindowsIdToIanaId(string windowsId, out string ianaId) => throw null; + public static System.TimeZoneInfo Utc { get => throw null; } + } + public class TimeZoneNotFoundException : System.Exception + { + public TimeZoneNotFoundException() => throw null; + protected TimeZoneNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public TimeZoneNotFoundException(string message) => throw null; + public TimeZoneNotFoundException(string message, System.Exception innerException) => throw null; + } + public static class Tuple + { + public static System.Tuple Create(T1 item1) => throw null; + public static System.Tuple Create(T1 item1, T2 item2) => throw null; + public static System.Tuple Create(T1 item1, T2 item2, T3 item3) => throw null; + public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; + public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; + public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; + public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; + public static System.Tuple> Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + public T4 Item4 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + public T4 Item4 { get => throw null; } + public T5 Item5 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + public T4 Item4 { get => throw null; } + public T5 Item5 { get => throw null; } + public T6 Item6 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + public T4 Item4 { get => throw null; } + public T5 Item5 { get => throw null; } + public T6 Item6 { get => throw null; } + public T7 Item7 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + { + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object obj) => throw null; + public Tuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, TRest rest) => throw null; + public override bool Equals(object obj) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1 { get => throw null; } + public T2 Item2 { get => throw null; } + public T3 Item3 { get => throw null; } + public T4 Item4 { get => throw null; } + public T5 Item5 { get => throw null; } + public T6 Item6 { get => throw null; } + public T7 Item7 { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public TRest Rest { get => throw null; } + public override string ToString() => throw null; + } + public static partial class TupleExtensions + { + public static void Deconstruct(this System.Tuple value, out T1 item1) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19, out T20 item20) => throw null; + public static void Deconstruct(this System.Tuple>> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9, out T10 item10, out T11 item11, out T12 item12, out T13 item13, out T14 item14, out T15 item15, out T16 item16, out T17 item17, out T18 item18, out T19 item19, out T20 item20, out T21 item21) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6) => throw null; + public static void Deconstruct(this System.Tuple value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8) => throw null; + public static void Deconstruct(this System.Tuple> value, out T1 item1, out T2 item2, out T3 item3, out T4 item4, out T5 item5, out T6 item6, out T7 item7, out T8 item8, out T9 item9) => throw null; + public static System.Tuple ToTuple(this System.ValueTuple value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20) value) => throw null; + public static System.Tuple>> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20, T21) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2, T3) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2, T3, T4) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5, T6) value) => throw null; + public static System.Tuple ToTuple(this (T1, T2, T3, T4, T5, T6, T7) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8) value) => throw null; + public static System.Tuple> ToTuple(this (T1, T2, T3, T4, T5, T6, T7, T8, T9) value) => throw null; + public static System.ValueTuple ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20, T21) ToValueTuple(this System.Tuple>> value) => throw null; + public static (T1, T2, T3) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5, T6) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7) ToValueTuple(this System.Tuple value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8) ToValueTuple(this System.Tuple> value) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8, T9) ToValueTuple(this System.Tuple> value) => throw null; + } + public abstract class Type : System.Reflection.MemberInfo, System.Reflection.IReflect + { + public abstract System.Reflection.Assembly Assembly { get; } + public abstract string AssemblyQualifiedName { get; } + public System.Reflection.TypeAttributes Attributes { get => throw null; } + public abstract System.Type BaseType { get; } + public virtual bool ContainsGenericParameters { get => throw null; } + protected Type() => throw null; + public virtual System.Reflection.MethodBase DeclaringMethod { get => throw null; } + public override System.Type DeclaringType { get => throw null; } + public static System.Reflection.Binder DefaultBinder { get => throw null; } + public static char Delimiter; + public static System.Type[] EmptyTypes; + public override bool Equals(object o) => throw null; + public virtual bool Equals(System.Type o) => throw null; + public static System.Reflection.MemberFilter FilterAttribute; + public static System.Reflection.MemberFilter FilterName; + public static System.Reflection.MemberFilter FilterNameIgnoreCase; + public virtual System.Type[] FindInterfaces(System.Reflection.TypeFilter filter, object filterCriteria) => throw null; + public virtual System.Reflection.MemberInfo[] FindMembers(System.Reflection.MemberTypes memberType, System.Reflection.BindingFlags bindingAttr, System.Reflection.MemberFilter filter, object filterCriteria) => throw null; + public abstract string FullName { get; } + public virtual System.Reflection.GenericParameterAttributes GenericParameterAttributes { get => throw null; } + public virtual int GenericParameterPosition { get => throw null; } + public virtual System.Type[] GenericTypeArguments { get => throw null; } + public virtual int GetArrayRank() => throw null; + protected abstract System.Reflection.TypeAttributes GetAttributeFlagsImpl(); + public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.ConstructorInfo GetConstructor(System.Reflection.BindingFlags bindingAttr, System.Type[] types) => throw null; + public System.Reflection.ConstructorInfo GetConstructor(System.Type[] types) => throw null; + protected abstract System.Reflection.ConstructorInfo GetConstructorImpl(System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); + public System.Reflection.ConstructorInfo[] GetConstructors() => throw null; + public abstract System.Reflection.ConstructorInfo[] GetConstructors(System.Reflection.BindingFlags bindingAttr); + public virtual System.Reflection.MemberInfo[] GetDefaultMembers() => throw null; + public abstract System.Type GetElementType(); + public virtual string GetEnumName(object value) => throw null; + public virtual string[] GetEnumNames() => throw null; + public virtual System.Type GetEnumUnderlyingType() => throw null; + public virtual System.Array GetEnumValues() => throw null; + public virtual System.Array GetEnumValuesAsUnderlyingType() => throw null; + public System.Reflection.EventInfo GetEvent(string name) => throw null; + public abstract System.Reflection.EventInfo GetEvent(string name, System.Reflection.BindingFlags bindingAttr); + public virtual System.Reflection.EventInfo[] GetEvents() => throw null; + public abstract System.Reflection.EventInfo[] GetEvents(System.Reflection.BindingFlags bindingAttr); + public System.Reflection.FieldInfo GetField(string name) => throw null; + public abstract System.Reflection.FieldInfo GetField(string name, System.Reflection.BindingFlags bindingAttr); + public System.Reflection.FieldInfo[] GetFields() => throw null; + public abstract System.Reflection.FieldInfo[] GetFields(System.Reflection.BindingFlags bindingAttr); + public virtual System.Type[] GetGenericArguments() => throw null; + public virtual System.Type[] GetGenericParameterConstraints() => throw null; + public virtual System.Type GetGenericTypeDefinition() => throw null; + public override int GetHashCode() => throw null; + public System.Type GetInterface(string name) => throw null; + public abstract System.Type GetInterface(string name, bool ignoreCase); + public virtual System.Reflection.InterfaceMapping GetInterfaceMap(System.Type interfaceType) => throw null; + public abstract System.Type[] GetInterfaces(); + public System.Reflection.MemberInfo[] GetMember(string name) => throw null; + public virtual System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.BindingFlags bindingAttr) => throw null; + public virtual System.Reflection.MemberInfo[] GetMember(string name, System.Reflection.MemberTypes type, System.Reflection.BindingFlags bindingAttr) => throw null; + public System.Reflection.MemberInfo[] GetMembers() => throw null; + public abstract System.Reflection.MemberInfo[] GetMembers(System.Reflection.BindingFlags bindingAttr); + public virtual System.Reflection.MemberInfo GetMemberWithSameMetadataDefinitionAs(System.Reflection.MemberInfo member) => throw null; + public System.Reflection.MethodInfo GetMethod(string name) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Type[] types) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, int genericParameterCount, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Reflection.BindingFlags bindingAttr, System.Type[] types) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Type[] types) => throw null; + public System.Reflection.MethodInfo GetMethod(string name, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + protected virtual System.Reflection.MethodInfo GetMethodImpl(string name, int genericParameterCount, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + protected abstract System.Reflection.MethodInfo GetMethodImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Reflection.CallingConventions callConvention, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); + public System.Reflection.MethodInfo[] GetMethods() => throw null; + public abstract System.Reflection.MethodInfo[] GetMethods(System.Reflection.BindingFlags bindingAttr); + public System.Type GetNestedType(string name) => throw null; + public abstract System.Type GetNestedType(string name, System.Reflection.BindingFlags bindingAttr); + public System.Type[] GetNestedTypes() => throw null; + public abstract System.Type[] GetNestedTypes(System.Reflection.BindingFlags bindingAttr); + public System.Reflection.PropertyInfo[] GetProperties() => throw null; + public abstract System.Reflection.PropertyInfo[] GetProperties(System.Reflection.BindingFlags bindingAttr); + public System.Reflection.PropertyInfo GetProperty(string name) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType, System.Type[] types) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers) => throw null; + public System.Reflection.PropertyInfo GetProperty(string name, System.Type[] types) => throw null; + protected abstract System.Reflection.PropertyInfo GetPropertyImpl(string name, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, System.Type returnType, System.Type[] types, System.Reflection.ParameterModifier[] modifiers); + public System.Type GetType() => throw null; + public static System.Type GetType(string typeName) => throw null; + public static System.Type GetType(string typeName, bool throwOnError) => throw null; + public static System.Type GetType(string typeName, bool throwOnError, bool ignoreCase) => throw null; + public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver) => throw null; + public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver, bool throwOnError) => throw null; + public static System.Type GetType(string typeName, System.Func assemblyResolver, System.Func typeResolver, bool throwOnError, bool ignoreCase) => throw null; + public static System.Type[] GetTypeArray(object[] args) => throw null; + public static System.TypeCode GetTypeCode(System.Type type) => throw null; + protected virtual System.TypeCode GetTypeCodeImpl() => throw null; + public static System.Type GetTypeFromCLSID(System.Guid clsid) => throw null; + public static System.Type GetTypeFromCLSID(System.Guid clsid, bool throwOnError) => throw null; + public static System.Type GetTypeFromCLSID(System.Guid clsid, string server) => throw null; + public static System.Type GetTypeFromCLSID(System.Guid clsid, string server, bool throwOnError) => throw null; + public static System.Type GetTypeFromHandle(System.RuntimeTypeHandle handle) => throw null; + public static System.Type GetTypeFromProgID(string progID) => throw null; + public static System.Type GetTypeFromProgID(string progID, bool throwOnError) => throw null; + public static System.Type GetTypeFromProgID(string progID, string server) => throw null; + public static System.Type GetTypeFromProgID(string progID, string server, bool throwOnError) => throw null; + public static System.RuntimeTypeHandle GetTypeHandle(object o) => throw null; + public abstract System.Guid GUID { get; } + public bool HasElementType { get => throw null; } + protected abstract bool HasElementTypeImpl(); + public object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args) => throw null; + public object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Globalization.CultureInfo culture) => throw null; + public abstract object InvokeMember(string name, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, object target, object[] args, System.Reflection.ParameterModifier[] modifiers, System.Globalization.CultureInfo culture, string[] namedParameters); + public bool IsAbstract { get => throw null; } + public bool IsAnsiClass { get => throw null; } + public bool IsArray { get => throw null; } + protected abstract bool IsArrayImpl(); + public virtual bool IsAssignableFrom(System.Type c) => throw null; + public bool IsAssignableTo(System.Type targetType) => throw null; + public bool IsAutoClass { get => throw null; } + public bool IsAutoLayout { get => throw null; } + public bool IsByRef { get => throw null; } + protected abstract bool IsByRefImpl(); + public virtual bool IsByRefLike { get => throw null; } + public bool IsClass { get => throw null; } + public bool IsCOMObject { get => throw null; } + protected abstract bool IsCOMObjectImpl(); + public virtual bool IsConstructedGenericType { get => throw null; } + public bool IsContextful { get => throw null; } + protected virtual bool IsContextfulImpl() => throw null; + public virtual bool IsEnum { get => throw null; } + public virtual bool IsEnumDefined(object value) => throw null; + public virtual bool IsEquivalentTo(System.Type other) => throw null; + public bool IsExplicitLayout { get => throw null; } + public virtual bool IsGenericMethodParameter { get => throw null; } + public virtual bool IsGenericParameter { get => throw null; } + public virtual bool IsGenericType { get => throw null; } + public virtual bool IsGenericTypeDefinition { get => throw null; } + public virtual bool IsGenericTypeParameter { get => throw null; } + public bool IsImport { get => throw null; } + public virtual bool IsInstanceOfType(object o) => throw null; + public bool IsInterface { get => throw null; } + public bool IsLayoutSequential { get => throw null; } + public bool IsMarshalByRef { get => throw null; } + protected virtual bool IsMarshalByRefImpl() => throw null; + public bool IsNested { get => throw null; } + public bool IsNestedAssembly { get => throw null; } + public bool IsNestedFamANDAssem { get => throw null; } + public bool IsNestedFamily { get => throw null; } + public bool IsNestedFamORAssem { get => throw null; } + public bool IsNestedPrivate { get => throw null; } + public bool IsNestedPublic { get => throw null; } + public bool IsNotPublic { get => throw null; } + public bool IsPointer { get => throw null; } + protected abstract bool IsPointerImpl(); + public bool IsPrimitive { get => throw null; } + protected abstract bool IsPrimitiveImpl(); + public bool IsPublic { get => throw null; } + public bool IsSealed { get => throw null; } + public virtual bool IsSecurityCritical { get => throw null; } + public virtual bool IsSecuritySafeCritical { get => throw null; } + public virtual bool IsSecurityTransparent { get => throw null; } + public virtual bool IsSerializable { get => throw null; } + public virtual bool IsSignatureType { get => throw null; } + public bool IsSpecialName { get => throw null; } + public virtual bool IsSubclassOf(System.Type c) => throw null; + public virtual bool IsSZArray { get => throw null; } + public virtual bool IsTypeDefinition { get => throw null; } + public bool IsUnicodeClass { get => throw null; } + public bool IsValueType { get => throw null; } + protected virtual bool IsValueTypeImpl() => throw null; + public virtual bool IsVariableBoundArray { get => throw null; } + public bool IsVisible { get => throw null; } + public virtual System.Type MakeArrayType() => throw null; + public virtual System.Type MakeArrayType(int rank) => throw null; + public virtual System.Type MakeByRefType() => throw null; + public static System.Type MakeGenericMethodParameter(int position) => throw null; + public static System.Type MakeGenericSignatureType(System.Type genericTypeDefinition, params System.Type[] typeArguments) => throw null; + public virtual System.Type MakeGenericType(params System.Type[] typeArguments) => throw null; + public virtual System.Type MakePointerType() => throw null; + public override System.Reflection.MemberTypes MemberType { get => throw null; } + public static object Missing; + public abstract System.Reflection.Module Module { get; } + public abstract string Namespace { get; } + public static bool operator ==(System.Type left, System.Type right) => throw null; + public static bool operator !=(System.Type left, System.Type right) => throw null; + public override System.Type ReflectedType { get => throw null; } + public static System.Type ReflectionOnlyGetType(string typeName, bool throwIfNotFound, bool ignoreCase) => throw null; + public virtual System.Runtime.InteropServices.StructLayoutAttribute StructLayoutAttribute { get => throw null; } + public override string ToString() => throw null; + public virtual System.RuntimeTypeHandle TypeHandle { get => throw null; } + public System.Reflection.ConstructorInfo TypeInitializer { get => throw null; } + public abstract System.Type UnderlyingSystemType { get; } + } + public class TypeAccessException : System.TypeLoadException + { + public TypeAccessException() => throw null; + protected TypeAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public TypeAccessException(string message) => throw null; + public TypeAccessException(string message, System.Exception inner) => throw null; + } + public enum TypeCode + { + Empty = 0, + Object = 1, + DBNull = 2, + Boolean = 3, + Char = 4, + SByte = 5, + Byte = 6, + Int16 = 7, + UInt16 = 8, + Int32 = 9, + UInt32 = 10, + Int64 = 11, + UInt64 = 12, + Single = 13, + Double = 14, + Decimal = 15, + DateTime = 16, + String = 18, + } + public struct TypedReference + { + public override bool Equals(object o) => throw null; + public override int GetHashCode() => throw null; + public static System.Type GetTargetType(System.TypedReference value) => throw null; + public static System.TypedReference MakeTypedReference(object target, System.Reflection.FieldInfo[] flds) => throw null; + public static void SetTypedReference(System.TypedReference target, object value) => throw null; + public static System.RuntimeTypeHandle TargetTypeToken(System.TypedReference value) => throw null; + public static object ToObject(System.TypedReference value) => throw null; + } + public sealed class TypeInitializationException : System.SystemException + { + public TypeInitializationException(string fullTypeName, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string TypeName { get => throw null; } + } + public class TypeLoadException : System.SystemException, System.Runtime.Serialization.ISerializable + { + public TypeLoadException() => throw null; + protected TypeLoadException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public TypeLoadException(string message) => throw null; + public TypeLoadException(string message, System.Exception inner) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public string TypeName { get => throw null; } + } + public class TypeUnloadedException : System.SystemException + { + public TypeUnloadedException() => throw null; + protected TypeUnloadedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public TypeUnloadedException(string message) => throw null; + public TypeUnloadedException(string message, System.Exception innerException) => throw null; + } + public struct UInt128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static System.UInt128 System.Numerics.INumberBase.Abs(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static System.UInt128 System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static System.UInt128 System.Numerics.INumber.Clamp(System.UInt128 value, System.UInt128 min, System.UInt128 max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.INumber.CopySign(System.UInt128 value, System.UInt128 sign) => throw null; + static System.UInt128 System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static System.UInt128 System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static System.UInt128 System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public UInt128(ulong upper, ulong lower) => throw null; + static (System.UInt128 Quotient, System.UInt128 Remainder) System.Numerics.IBinaryInteger.DivRem(System.UInt128 left, System.UInt128 right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.UInt128 other) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(System.UInt128 value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.IsZero(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IBinaryInteger.LeadingZeroCount(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IBinaryNumber.Log2(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.INumber.Max(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumberBase.MaxMagnitude(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumberBase.MaxMagnitudeNumber(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumber.MaxNumber(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static System.UInt128 System.Numerics.INumber.Min(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumberBase.MinMagnitude(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumberBase.MinMagnitudeNumber(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.INumber.MinNumber(System.UInt128 x, System.UInt128 y) => throw null; + static System.UInt128 System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static System.UInt128 System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static System.UInt128 System.Numerics.INumberBase.One { get => throw null; } + static System.UInt128 System.Numerics.IAdditionOperators.operator +(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IBitwiseOperators.operator &(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IBitwiseOperators.operator |(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IAdditionOperators.operator checked +(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IDecrementOperators.operator checked --(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IDivisionOperators.operator checked /(System.UInt128 left, System.UInt128 right) => throw null; + public static explicit operator checked System.UInt128(double value) => throw null; + public static explicit operator checked System.UInt128(short value) => throw null; + public static explicit operator checked System.UInt128(int value) => throw null; + public static explicit operator checked System.UInt128(long value) => throw null; + public static explicit operator checked System.UInt128(nint value) => throw null; + public static explicit operator checked System.UInt128(sbyte value) => throw null; + public static explicit operator checked System.UInt128(float value) => throw null; + public static explicit operator checked byte(System.UInt128 value) => throw null; + public static explicit operator checked char(System.UInt128 value) => throw null; + public static explicit operator checked short(System.UInt128 value) => throw null; + public static explicit operator checked int(System.UInt128 value) => throw null; + public static explicit operator checked long(System.UInt128 value) => throw null; + public static explicit operator checked System.Int128(System.UInt128 value) => throw null; + public static explicit operator checked nint(System.UInt128 value) => throw null; + public static explicit operator checked sbyte(System.UInt128 value) => throw null; + public static explicit operator checked ushort(System.UInt128 value) => throw null; + public static explicit operator checked uint(System.UInt128 value) => throw null; + public static explicit operator checked ulong(System.UInt128 value) => throw null; + public static explicit operator checked nuint(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IIncrementOperators.operator checked ++(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IMultiplyOperators.operator checked *(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.ISubtractionOperators.operator checked -(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IUnaryNegationOperators.operator checked -(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IDecrementOperators.operator --(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IDivisionOperators.operator /(System.UInt128 left, System.UInt128 right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IBitwiseOperators.operator ^(System.UInt128 left, System.UInt128 right) => throw null; + public static explicit operator System.UInt128(decimal value) => throw null; + public static explicit operator System.UInt128(double value) => throw null; + public static explicit operator System.UInt128(short value) => throw null; + public static explicit operator System.UInt128(int value) => throw null; + public static explicit operator System.UInt128(long value) => throw null; + public static explicit operator System.UInt128(nint value) => throw null; + public static explicit operator System.UInt128(sbyte value) => throw null; + public static explicit operator System.UInt128(float value) => throw null; + public static explicit operator byte(System.UInt128 value) => throw null; + public static explicit operator char(System.UInt128 value) => throw null; + public static explicit operator decimal(System.UInt128 value) => throw null; + public static explicit operator double(System.UInt128 value) => throw null; + public static explicit operator System.Half(System.UInt128 value) => throw null; + public static explicit operator System.Int128(System.UInt128 value) => throw null; + public static explicit operator short(System.UInt128 value) => throw null; + public static explicit operator int(System.UInt128 value) => throw null; + public static explicit operator long(System.UInt128 value) => throw null; + public static explicit operator nint(System.UInt128 value) => throw null; + public static explicit operator sbyte(System.UInt128 value) => throw null; + public static explicit operator float(System.UInt128 value) => throw null; + public static explicit operator ushort(System.UInt128 value) => throw null; + public static explicit operator uint(System.UInt128 value) => throw null; + public static explicit operator ulong(System.UInt128 value) => throw null; + public static explicit operator nuint(System.UInt128 value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(System.UInt128 left, System.UInt128 right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(System.UInt128 left, System.UInt128 right) => throw null; + public static implicit operator System.UInt128(byte value) => throw null; + public static implicit operator System.UInt128(char value) => throw null; + public static implicit operator System.UInt128(ushort value) => throw null; + public static implicit operator System.UInt128(uint value) => throw null; + public static implicit operator System.UInt128(ulong value) => throw null; + public static implicit operator System.UInt128(nuint value) => throw null; + static System.UInt128 System.Numerics.IIncrementOperators.operator ++(System.UInt128 value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IShiftOperators.operator <<(System.UInt128 value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(System.UInt128 left, System.UInt128 right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IModulusOperators.operator %(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IMultiplyOperators.operator *(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IBitwiseOperators.operator ~(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IShiftOperators.operator >>(System.UInt128 value, int shiftAmount) => throw null; + static System.UInt128 System.Numerics.ISubtractionOperators.operator -(System.UInt128 left, System.UInt128 right) => throw null; + static System.UInt128 System.Numerics.IUnaryNegationOperators.operator -(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IUnaryPlusOperators.operator +(System.UInt128 value) => throw null; + static System.UInt128 System.Numerics.IShiftOperators.operator >>>(System.UInt128 value, int shiftAmount) => throw null; + static System.UInt128 System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static System.UInt128 System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static System.UInt128 Parse(string s) => throw null; + public static System.UInt128 Parse(string s, System.Globalization.NumberStyles style) => throw null; + static System.UInt128 System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static System.UInt128 System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static System.UInt128 System.Numerics.IBinaryInteger.PopCount(System.UInt128 value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static System.UInt128 System.Numerics.IBinaryInteger.RotateLeft(System.UInt128 value, int rotateAmount) => throw null; + static System.UInt128 System.Numerics.IBinaryInteger.RotateRight(System.UInt128 value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(System.UInt128 value) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + static System.UInt128 System.Numerics.IBinaryInteger.TrailingZeroCount(System.UInt128 value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out System.UInt128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out System.UInt128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out System.UInt128 result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(System.UInt128 value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(System.UInt128 value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(System.UInt128 value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt128 result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out System.UInt128 result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out System.UInt128 result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out System.UInt128 result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out System.UInt128 result) => throw null; + public static bool TryParse(string s, out System.UInt128 result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt128 value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out System.UInt128 value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static System.UInt128 System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct UInt16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static ushort System.Numerics.INumberBase.Abs(ushort value) => throw null; + static ushort System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static ushort System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static ushort System.Numerics.INumber.Clamp(ushort value, ushort min, ushort max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(ushort value) => throw null; + static ushort System.Numerics.INumber.CopySign(ushort value, ushort sign) => throw null; + static ushort System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static ushort System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static ushort System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (ushort Quotient, ushort Remainder) System.Numerics.IBinaryInteger.DivRem(ushort left, ushort right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(ushort obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(ushort value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(ushort value) => throw null; + static bool System.Numerics.INumberBase.IsZero(ushort value) => throw null; + static ushort System.Numerics.IBinaryInteger.LeadingZeroCount(ushort value) => throw null; + static ushort System.Numerics.IBinaryNumber.Log2(ushort value) => throw null; + static ushort System.Numerics.INumber.Max(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumberBase.MaxMagnitude(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumberBase.MaxMagnitudeNumber(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumber.MaxNumber(ushort x, ushort y) => throw null; + public static ushort MaxValue; + static ushort System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static ushort System.Numerics.INumber.Min(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumberBase.MinMagnitude(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumberBase.MinMagnitudeNumber(ushort x, ushort y) => throw null; + static ushort System.Numerics.INumber.MinNumber(ushort x, ushort y) => throw null; + public static ushort MinValue; + static ushort System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static ushort System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static ushort System.Numerics.INumberBase.One { get => throw null; } + static ushort System.Numerics.IAdditionOperators.operator +(ushort left, ushort right) => throw null; + static ushort System.Numerics.IBitwiseOperators.operator &(ushort left, ushort right) => throw null; + static ushort System.Numerics.IBitwiseOperators.operator |(ushort left, ushort right) => throw null; + static ushort System.Numerics.IAdditionOperators.operator checked +(ushort left, ushort right) => throw null; + static ushort System.Numerics.IDecrementOperators.operator checked --(ushort value) => throw null; + static ushort System.Numerics.IIncrementOperators.operator checked ++(ushort value) => throw null; + static ushort System.Numerics.IMultiplyOperators.operator checked *(ushort left, ushort right) => throw null; + static ushort System.Numerics.ISubtractionOperators.operator checked -(ushort left, ushort right) => throw null; + static ushort System.Numerics.IUnaryNegationOperators.operator checked -(ushort value) => throw null; + static ushort System.Numerics.IDecrementOperators.operator --(ushort value) => throw null; + static ushort System.Numerics.IDivisionOperators.operator /(ushort left, ushort right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(ushort left, ushort right) => throw null; + static ushort System.Numerics.IBitwiseOperators.operator ^(ushort left, ushort right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(ushort left, ushort right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(ushort left, ushort right) => throw null; + static ushort System.Numerics.IIncrementOperators.operator ++(ushort value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(ushort left, ushort right) => throw null; + static ushort System.Numerics.IShiftOperators.operator <<(ushort value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(ushort left, ushort right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(ushort left, ushort right) => throw null; + static ushort System.Numerics.IModulusOperators.operator %(ushort left, ushort right) => throw null; + static ushort System.Numerics.IMultiplyOperators.operator *(ushort left, ushort right) => throw null; + static ushort System.Numerics.IBitwiseOperators.operator ~(ushort value) => throw null; + static ushort System.Numerics.IShiftOperators.operator >>(ushort value, int shiftAmount) => throw null; + static ushort System.Numerics.ISubtractionOperators.operator -(ushort left, ushort right) => throw null; + static ushort System.Numerics.IUnaryNegationOperators.operator -(ushort value) => throw null; + static ushort System.Numerics.IUnaryPlusOperators.operator +(ushort value) => throw null; + static ushort System.Numerics.IShiftOperators.operator >>>(ushort value, int shiftAmount) => throw null; + static ushort System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static ushort System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static ushort Parse(string s) => throw null; + public static ushort Parse(string s, System.Globalization.NumberStyles style) => throw null; + static ushort System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static ushort System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static ushort System.Numerics.IBinaryInteger.PopCount(ushort value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static ushort System.Numerics.IBinaryInteger.RotateLeft(ushort value, int rotateAmount) => throw null; + static ushort System.Numerics.IBinaryInteger.RotateRight(ushort value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(ushort value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static ushort System.Numerics.IBinaryInteger.TrailingZeroCount(ushort value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out ushort result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out ushort result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out ushort result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(ushort value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(ushort value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(ushort value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out ushort result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out ushort result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out ushort result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out ushort result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out ushort result) => throw null; + public static bool TryParse(string s, out ushort result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out ushort value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out ushort value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static ushort System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct UInt32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static uint System.Numerics.INumberBase.Abs(uint value) => throw null; + static uint System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static uint System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static uint System.Numerics.INumber.Clamp(uint value, uint min, uint max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(uint value) => throw null; + static uint System.Numerics.INumber.CopySign(uint value, uint sign) => throw null; + static uint System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static uint System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static uint System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (uint Quotient, uint Remainder) System.Numerics.IBinaryInteger.DivRem(uint left, uint right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(uint obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(uint value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(uint value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(uint value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(uint value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(uint value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(uint value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(uint value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(uint value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(uint value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(uint value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(uint value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(uint value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(uint value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(uint value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(uint value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(uint value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(uint value) => throw null; + static bool System.Numerics.INumberBase.IsZero(uint value) => throw null; + static uint System.Numerics.IBinaryInteger.LeadingZeroCount(uint value) => throw null; + static uint System.Numerics.IBinaryNumber.Log2(uint value) => throw null; + static uint System.Numerics.INumber.Max(uint x, uint y) => throw null; + static uint System.Numerics.INumberBase.MaxMagnitude(uint x, uint y) => throw null; + static uint System.Numerics.INumberBase.MaxMagnitudeNumber(uint x, uint y) => throw null; + static uint System.Numerics.INumber.MaxNumber(uint x, uint y) => throw null; + public static uint MaxValue; + static uint System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static uint System.Numerics.INumber.Min(uint x, uint y) => throw null; + static uint System.Numerics.INumberBase.MinMagnitude(uint x, uint y) => throw null; + static uint System.Numerics.INumberBase.MinMagnitudeNumber(uint x, uint y) => throw null; + static uint System.Numerics.INumber.MinNumber(uint x, uint y) => throw null; + public static uint MinValue; + static uint System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static uint System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static uint System.Numerics.INumberBase.One { get => throw null; } + static uint System.Numerics.IAdditionOperators.operator +(uint left, uint right) => throw null; + static uint System.Numerics.IBitwiseOperators.operator &(uint left, uint right) => throw null; + static uint System.Numerics.IBitwiseOperators.operator |(uint left, uint right) => throw null; + static uint System.Numerics.IAdditionOperators.operator checked +(uint left, uint right) => throw null; + static uint System.Numerics.IDecrementOperators.operator checked --(uint value) => throw null; + static uint System.Numerics.IIncrementOperators.operator checked ++(uint value) => throw null; + static uint System.Numerics.IMultiplyOperators.operator checked *(uint left, uint right) => throw null; + static uint System.Numerics.ISubtractionOperators.operator checked -(uint left, uint right) => throw null; + static uint System.Numerics.IUnaryNegationOperators.operator checked -(uint value) => throw null; + static uint System.Numerics.IDecrementOperators.operator --(uint value) => throw null; + static uint System.Numerics.IDivisionOperators.operator /(uint left, uint right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(uint left, uint right) => throw null; + static uint System.Numerics.IBitwiseOperators.operator ^(uint left, uint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(uint left, uint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(uint left, uint right) => throw null; + static uint System.Numerics.IIncrementOperators.operator ++(uint value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(uint left, uint right) => throw null; + static uint System.Numerics.IShiftOperators.operator <<(uint value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(uint left, uint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(uint left, uint right) => throw null; + static uint System.Numerics.IModulusOperators.operator %(uint left, uint right) => throw null; + static uint System.Numerics.IMultiplyOperators.operator *(uint left, uint right) => throw null; + static uint System.Numerics.IBitwiseOperators.operator ~(uint value) => throw null; + static uint System.Numerics.IShiftOperators.operator >>(uint value, int shiftAmount) => throw null; + static uint System.Numerics.ISubtractionOperators.operator -(uint left, uint right) => throw null; + static uint System.Numerics.IUnaryNegationOperators.operator -(uint value) => throw null; + static uint System.Numerics.IUnaryPlusOperators.operator +(uint value) => throw null; + static uint System.Numerics.IShiftOperators.operator >>>(uint value, int shiftAmount) => throw null; + static uint System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static uint System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static uint Parse(string s) => throw null; + public static uint Parse(string s, System.Globalization.NumberStyles style) => throw null; + static uint System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static uint System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static uint System.Numerics.IBinaryInteger.PopCount(uint value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static uint System.Numerics.IBinaryInteger.RotateLeft(uint value, int rotateAmount) => throw null; + static uint System.Numerics.IBinaryInteger.RotateRight(uint value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(uint value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static uint System.Numerics.IBinaryInteger.TrailingZeroCount(uint value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out uint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out uint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out uint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(uint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(uint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(uint value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out uint result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out uint result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out uint result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out uint result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out uint result) => throw null; + public static bool TryParse(string s, out uint result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out uint value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out uint value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static uint System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct UInt64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + { + static ulong System.Numerics.INumberBase.Abs(ulong value) => throw null; + static ulong System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static ulong System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static ulong System.Numerics.INumber.Clamp(ulong value, ulong min, ulong max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(ulong value) => throw null; + static ulong System.Numerics.INumber.CopySign(ulong value, ulong sign) => throw null; + static ulong System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static ulong System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static ulong System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + static (ulong Quotient, ulong Remainder) System.Numerics.IBinaryInteger.DivRem(ulong left, ulong right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(ulong obj) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + public System.TypeCode GetTypeCode() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(ulong value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(ulong value) => throw null; + static bool System.Numerics.INumberBase.IsZero(ulong value) => throw null; + static ulong System.Numerics.IBinaryInteger.LeadingZeroCount(ulong value) => throw null; + static ulong System.Numerics.IBinaryNumber.Log2(ulong value) => throw null; + static ulong System.Numerics.INumber.Max(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumberBase.MaxMagnitude(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumberBase.MaxMagnitudeNumber(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumber.MaxNumber(ulong x, ulong y) => throw null; + public static ulong MaxValue; + static ulong System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static ulong System.Numerics.INumber.Min(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumberBase.MinMagnitude(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumberBase.MinMagnitudeNumber(ulong x, ulong y) => throw null; + static ulong System.Numerics.INumber.MinNumber(ulong x, ulong y) => throw null; + public static ulong MinValue; + static ulong System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static ulong System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static ulong System.Numerics.INumberBase.One { get => throw null; } + static ulong System.Numerics.IAdditionOperators.operator +(ulong left, ulong right) => throw null; + static ulong System.Numerics.IBitwiseOperators.operator &(ulong left, ulong right) => throw null; + static ulong System.Numerics.IBitwiseOperators.operator |(ulong left, ulong right) => throw null; + static ulong System.Numerics.IAdditionOperators.operator checked +(ulong left, ulong right) => throw null; + static ulong System.Numerics.IDecrementOperators.operator checked --(ulong value) => throw null; + static ulong System.Numerics.IIncrementOperators.operator checked ++(ulong value) => throw null; + static ulong System.Numerics.IMultiplyOperators.operator checked *(ulong left, ulong right) => throw null; + static ulong System.Numerics.ISubtractionOperators.operator checked -(ulong left, ulong right) => throw null; + static ulong System.Numerics.IUnaryNegationOperators.operator checked -(ulong value) => throw null; + static ulong System.Numerics.IDecrementOperators.operator --(ulong value) => throw null; + static ulong System.Numerics.IDivisionOperators.operator /(ulong left, ulong right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(ulong left, ulong right) => throw null; + static ulong System.Numerics.IBitwiseOperators.operator ^(ulong left, ulong right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(ulong left, ulong right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(ulong left, ulong right) => throw null; + static ulong System.Numerics.IIncrementOperators.operator ++(ulong value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(ulong left, ulong right) => throw null; + static ulong System.Numerics.IShiftOperators.operator <<(ulong value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(ulong left, ulong right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(ulong left, ulong right) => throw null; + static ulong System.Numerics.IModulusOperators.operator %(ulong left, ulong right) => throw null; + static ulong System.Numerics.IMultiplyOperators.operator *(ulong left, ulong right) => throw null; + static ulong System.Numerics.IBitwiseOperators.operator ~(ulong value) => throw null; + static ulong System.Numerics.IShiftOperators.operator >>(ulong value, int shiftAmount) => throw null; + static ulong System.Numerics.ISubtractionOperators.operator -(ulong left, ulong right) => throw null; + static ulong System.Numerics.IUnaryNegationOperators.operator -(ulong value) => throw null; + static ulong System.Numerics.IUnaryPlusOperators.operator +(ulong value) => throw null; + static ulong System.Numerics.IShiftOperators.operator >>>(ulong value, int shiftAmount) => throw null; + static ulong System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static ulong System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static ulong Parse(string s) => throw null; + public static ulong Parse(string s, System.Globalization.NumberStyles style) => throw null; + static ulong System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static ulong System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static ulong System.Numerics.IBinaryInteger.PopCount(ulong value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static ulong System.Numerics.IBinaryInteger.RotateLeft(ulong value, int rotateAmount) => throw null; + static ulong System.Numerics.IBinaryInteger.RotateRight(ulong value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(ulong value) => throw null; + bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; + byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; + char System.IConvertible.ToChar(System.IFormatProvider provider) => throw null; + System.DateTime System.IConvertible.ToDateTime(System.IFormatProvider provider) => throw null; + decimal System.IConvertible.ToDecimal(System.IFormatProvider provider) => throw null; + double System.IConvertible.ToDouble(System.IFormatProvider provider) => throw null; + short System.IConvertible.ToInt16(System.IFormatProvider provider) => throw null; + int System.IConvertible.ToInt32(System.IFormatProvider provider) => throw null; + long System.IConvertible.ToInt64(System.IFormatProvider provider) => throw null; + sbyte System.IConvertible.ToSByte(System.IFormatProvider provider) => throw null; + float System.IConvertible.ToSingle(System.IFormatProvider provider) => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + object System.IConvertible.ToType(System.Type type, System.IFormatProvider provider) => throw null; + ushort System.IConvertible.ToUInt16(System.IFormatProvider provider) => throw null; + uint System.IConvertible.ToUInt32(System.IFormatProvider provider) => throw null; + ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; + static ulong System.Numerics.IBinaryInteger.TrailingZeroCount(ulong value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out ulong result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out ulong result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out ulong result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(ulong value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(ulong value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(ulong value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out ulong result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out ulong result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out ulong result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out ulong result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out ulong result) => throw null; + public static bool TryParse(string s, out ulong result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out ulong value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out ulong value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + static ulong System.Numerics.INumberBase.Zero { get => throw null; } + } + public struct UIntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber, System.Runtime.Serialization.ISerializable + { + static nuint System.Numerics.INumberBase.Abs(nuint value) => throw null; + public static nuint Add(nuint pointer, int offset) => throw null; + static nuint System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } + static nuint System.Numerics.IBinaryNumber.AllBitsSet { get => throw null; } + static nuint System.Numerics.INumber.Clamp(nuint value, nuint min, nuint max) => throw null; + public int CompareTo(object value) => throw null; + public int CompareTo(nuint value) => throw null; + static nuint System.Numerics.INumber.CopySign(nuint value, nuint sign) => throw null; + static nuint System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; + static nuint System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; + static nuint System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; + public UIntPtr(uint value) => throw null; + public UIntPtr(ulong value) => throw null; + public unsafe UIntPtr(void* value) => throw null; + static (nuint Quotient, nuint Remainder) System.Numerics.IBinaryInteger.DivRem(nuint left, nuint right) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(nuint other) => throw null; + int System.Numerics.IBinaryInteger.GetByteCount() => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + int System.Numerics.IBinaryInteger.GetShortestBitLength() => throw null; + static bool System.Numerics.INumberBase.IsCanonical(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsComplexNumber(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsEvenInteger(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsFinite(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsImaginaryNumber(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsInfinity(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsInteger(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsNaN(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsNegative(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsNegativeInfinity(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsNormal(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsOddInteger(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsPositive(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsPositiveInfinity(nuint value) => throw null; + static bool System.Numerics.IBinaryNumber.IsPow2(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsRealNumber(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsSubnormal(nuint value) => throw null; + static bool System.Numerics.INumberBase.IsZero(nuint value) => throw null; + static nuint System.Numerics.IBinaryInteger.LeadingZeroCount(nuint value) => throw null; + static nuint System.Numerics.IBinaryNumber.Log2(nuint value) => throw null; + static nuint System.Numerics.INumber.Max(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumberBase.MaxMagnitude(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumberBase.MaxMagnitudeNumber(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumber.MaxNumber(nuint x, nuint y) => throw null; + public static nuint MaxValue { get => throw null; } + static nuint System.Numerics.IMinMaxValue.MaxValue { get => throw null; } + static nuint System.Numerics.INumber.Min(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumberBase.MinMagnitude(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumberBase.MinMagnitudeNumber(nuint x, nuint y) => throw null; + static nuint System.Numerics.INumber.MinNumber(nuint x, nuint y) => throw null; + public static nuint MinValue { get => throw null; } + static nuint System.Numerics.IMinMaxValue.MinValue { get => throw null; } + static nuint System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } + static nuint System.Numerics.INumberBase.One { get => throw null; } + public static nuint operator +(nuint pointer, int offset) => throw null; + static nuint System.Numerics.IAdditionOperators.operator +(nuint left, nuint right) => throw null; + static nuint System.Numerics.IBitwiseOperators.operator &(nuint left, nuint right) => throw null; + static nuint System.Numerics.IBitwiseOperators.operator |(nuint left, nuint right) => throw null; + static nuint System.Numerics.IAdditionOperators.operator checked +(nuint left, nuint right) => throw null; + static nuint System.Numerics.IDecrementOperators.operator checked --(nuint value) => throw null; + static nuint System.Numerics.IIncrementOperators.operator checked ++(nuint value) => throw null; + static nuint System.Numerics.IMultiplyOperators.operator checked *(nuint left, nuint right) => throw null; + static nuint System.Numerics.ISubtractionOperators.operator checked -(nuint left, nuint right) => throw null; + static nuint System.Numerics.IUnaryNegationOperators.operator checked -(nuint value) => throw null; + static nuint System.Numerics.IDecrementOperators.operator --(nuint value) => throw null; + static nuint System.Numerics.IDivisionOperators.operator /(nuint left, nuint right) => throw null; + static bool System.Numerics.IEqualityOperators.operator ==(nuint value1, nuint value2) => throw null; + static nuint System.Numerics.IBitwiseOperators.operator ^(nuint left, nuint right) => throw null; + public static explicit operator nuint(uint value) => throw null; + public static explicit operator nuint(ulong value) => throw null; + public static explicit operator uint(nuint value) => throw null; + public static explicit operator ulong(nuint value) => throw null; + public static unsafe explicit operator void*(nuint value) => throw null; + public static unsafe explicit operator nuint(void* value) => throw null; + static bool System.Numerics.IComparisonOperators.operator >(nuint left, nuint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator >=(nuint left, nuint right) => throw null; + static nuint System.Numerics.IIncrementOperators.operator ++(nuint value) => throw null; + static bool System.Numerics.IEqualityOperators.operator !=(nuint value1, nuint value2) => throw null; + static nuint System.Numerics.IShiftOperators.operator <<(nuint value, int shiftAmount) => throw null; + static bool System.Numerics.IComparisonOperators.operator <(nuint left, nuint right) => throw null; + static bool System.Numerics.IComparisonOperators.operator <=(nuint left, nuint right) => throw null; + static nuint System.Numerics.IModulusOperators.operator %(nuint left, nuint right) => throw null; + static nuint System.Numerics.IMultiplyOperators.operator *(nuint left, nuint right) => throw null; + static nuint System.Numerics.IBitwiseOperators.operator ~(nuint value) => throw null; + static nuint System.Numerics.IShiftOperators.operator >>(nuint value, int shiftAmount) => throw null; + public static nuint operator -(nuint pointer, int offset) => throw null; + static nuint System.Numerics.ISubtractionOperators.operator -(nuint left, nuint right) => throw null; + static nuint System.Numerics.IUnaryNegationOperators.operator -(nuint value) => throw null; + static nuint System.Numerics.IUnaryPlusOperators.operator +(nuint value) => throw null; + static nuint System.Numerics.IShiftOperators.operator >>>(nuint value, int shiftAmount) => throw null; + static nuint System.Numerics.INumberBase.Parse(System.ReadOnlySpan s, System.Globalization.NumberStyles style = default(System.Globalization.NumberStyles), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static nuint System.ISpanParsable.Parse(System.ReadOnlySpan s, System.IFormatProvider provider) => throw null; + public static nuint Parse(string s) => throw null; + public static nuint Parse(string s, System.Globalization.NumberStyles style) => throw null; + static nuint System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; + static nuint System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; + static nuint System.Numerics.IBinaryInteger.PopCount(nuint value) => throw null; + static int System.Numerics.INumberBase.Radix { get => throw null; } + static nuint System.Numerics.IBinaryInteger.RotateLeft(nuint value, int rotateAmount) => throw null; + static nuint System.Numerics.IBinaryInteger.RotateRight(nuint value, int rotateAmount) => throw null; + static int System.Numerics.INumber.Sign(nuint value) => throw null; + public static int Size { get => throw null; } + public static nuint Subtract(nuint pointer, int offset) => throw null; + public unsafe void* ToPointer() => throw null; + public override string ToString() => throw null; + public string ToString(System.IFormatProvider provider) => throw null; + public string ToString(string format) => throw null; + public string ToString(string format, System.IFormatProvider provider) => throw null; + public uint ToUInt32() => throw null; + public ulong ToUInt64() => throw null; + static nuint System.Numerics.IBinaryInteger.TrailingZeroCount(nuint value) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromChecked(TOther value, out nuint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromSaturating(TOther value, out nuint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertFromTruncating(TOther value, out nuint result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToChecked(nuint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToSaturating(nuint value, out TOther result) => throw null; + static bool System.Numerics.INumberBase.TryConvertToTruncating(nuint value, out TOther result) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format = default(System.ReadOnlySpan), System.IFormatProvider provider = default(System.IFormatProvider)) => throw null; + static bool System.Numerics.INumberBase.TryParse(System.ReadOnlySpan s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out nuint result) => throw null; + static bool System.ISpanParsable.TryParse(System.ReadOnlySpan s, System.IFormatProvider provider, out nuint result) => throw null; + public static bool TryParse(System.ReadOnlySpan s, out nuint result) => throw null; + static bool System.Numerics.INumberBase.TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out nuint result) => throw null; + static bool System.IParsable.TryParse(string s, System.IFormatProvider provider, out nuint result) => throw null; + public static bool TryParse(string s, out nuint result) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadBigEndian(System.ReadOnlySpan source, bool isUnsigned, out nuint value) => throw null; + static bool System.Numerics.IBinaryInteger.TryReadLittleEndian(System.ReadOnlySpan source, bool isUnsigned, out nuint value) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteBigEndian(System.Span destination, out int bytesWritten) => throw null; + bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; + public static nuint Zero; + static nuint System.Numerics.INumberBase.Zero { get => throw null; } + } + public class UnauthorizedAccessException : System.SystemException + { + public UnauthorizedAccessException() => throw null; + protected UnauthorizedAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public UnauthorizedAccessException(string message) => throw null; + public UnauthorizedAccessException(string message, System.Exception inner) => throw null; + } + public class UnhandledExceptionEventArgs : System.EventArgs + { + public UnhandledExceptionEventArgs(object exception, bool isTerminating) => throw null; + public object ExceptionObject { get => throw null; } + public bool IsTerminating { get => throw null; } + } + public delegate void UnhandledExceptionEventHandler(object sender, System.UnhandledExceptionEventArgs e); + public class Uri : System.Runtime.Serialization.ISerializable + { + public string AbsolutePath { get => throw null; } + public string AbsoluteUri { get => throw null; } + public string Authority { get => throw null; } + protected virtual void Canonicalize() => throw null; + public static System.UriHostNameType CheckHostName(string name) => throw null; + public static bool CheckSchemeName(string schemeName) => throw null; + protected virtual void CheckSecurity() => throw null; + public static int Compare(System.Uri uri1, System.Uri uri2, System.UriComponents partsToCompare, System.UriFormat compareFormat, System.StringComparison comparisonType) => throw null; + protected Uri(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public Uri(string uriString) => throw null; + public Uri(string uriString, bool dontEscape) => throw null; + public Uri(string uriString, in System.UriCreationOptions creationOptions) => throw null; + public Uri(string uriString, System.UriKind uriKind) => throw null; + public Uri(System.Uri baseUri, string relativeUri) => throw null; + public Uri(System.Uri baseUri, string relativeUri, bool dontEscape) => throw null; + public Uri(System.Uri baseUri, System.Uri relativeUri) => throw null; + public string DnsSafeHost { get => throw null; } + public override bool Equals(object comparand) => throw null; + protected virtual void Escape() => throw null; + public static string EscapeDataString(string stringToEscape) => throw null; + protected static string EscapeString(string str) => throw null; + public static string EscapeUriString(string stringToEscape) => throw null; + public string Fragment { get => throw null; } + public static int FromHex(char digit) => throw null; + public string GetComponents(System.UriComponents components, System.UriFormat format) => throw null; + public override int GetHashCode() => throw null; + public string GetLeftPart(System.UriPartial part) => throw null; + protected void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public static string HexEscape(char character) => throw null; + public static char HexUnescape(string pattern, ref int index) => throw null; + public string Host { get => throw null; } + public System.UriHostNameType HostNameType { get => throw null; } + public string IdnHost { get => throw null; } + public bool IsAbsoluteUri { get => throw null; } + protected virtual bool IsBadFileSystemCharacter(char character) => throw null; + public bool IsBaseOf(System.Uri uri) => throw null; + public bool IsDefaultPort { get => throw null; } + protected static bool IsExcludedCharacter(char character) => throw null; + public bool IsFile { get => throw null; } + public static bool IsHexDigit(char character) => throw null; + public static bool IsHexEncoding(string pattern, int index) => throw null; + public bool IsLoopback { get => throw null; } + protected virtual bool IsReservedCharacter(char character) => throw null; + public bool IsUnc { get => throw null; } + public bool IsWellFormedOriginalString() => throw null; + public static bool IsWellFormedUriString(string uriString, System.UriKind uriKind) => throw null; + public string LocalPath { get => throw null; } + public string MakeRelative(System.Uri toUri) => throw null; + public System.Uri MakeRelativeUri(System.Uri uri) => throw null; + public static bool operator ==(System.Uri uri1, System.Uri uri2) => throw null; + public static bool operator !=(System.Uri uri1, System.Uri uri2) => throw null; + public string OriginalString { get => throw null; } + protected virtual void Parse() => throw null; + public string PathAndQuery { get => throw null; } + public int Port { get => throw null; } + public string Query { get => throw null; } + public string Scheme { get => throw null; } + public static string SchemeDelimiter; + public string[] Segments { get => throw null; } + public override string ToString() => throw null; + public static bool TryCreate(string uriString, in System.UriCreationOptions creationOptions, out System.Uri result) => throw null; + public static bool TryCreate(string uriString, System.UriKind uriKind, out System.Uri result) => throw null; + public static bool TryCreate(System.Uri baseUri, string relativeUri, out System.Uri result) => throw null; + public static bool TryCreate(System.Uri baseUri, System.Uri relativeUri, out System.Uri result) => throw null; + protected virtual string Unescape(string path) => throw null; + public static string UnescapeDataString(string stringToUnescape) => throw null; + public static string UriSchemeFile; + public static string UriSchemeFtp; + public static string UriSchemeFtps; + public static string UriSchemeGopher; + public static string UriSchemeHttp; + public static string UriSchemeHttps; + public static string UriSchemeMailto; + public static string UriSchemeNetPipe; + public static string UriSchemeNetTcp; + public static string UriSchemeNews; + public static string UriSchemeNntp; + public static string UriSchemeSftp; + public static string UriSchemeSsh; + public static string UriSchemeTelnet; + public static string UriSchemeWs; + public static string UriSchemeWss; + public bool UserEscaped { get => throw null; } + public string UserInfo { get => throw null; } + } + public class UriBuilder + { + public UriBuilder() => throw null; + public UriBuilder(string uri) => throw null; + public UriBuilder(string schemeName, string hostName) => throw null; + public UriBuilder(string scheme, string host, int portNumber) => throw null; + public UriBuilder(string scheme, string host, int port, string pathValue) => throw null; + public UriBuilder(string scheme, string host, int port, string path, string extraValue) => throw null; + public UriBuilder(System.Uri uri) => throw null; + public override bool Equals(object rparam) => throw null; + public string Fragment { get => throw null; set { } } + public override int GetHashCode() => throw null; + public string Host { get => throw null; set { } } + public string Password { get => throw null; set { } } + public string Path { get => throw null; set { } } + public int Port { get => throw null; set { } } + public string Query { get => throw null; set { } } + public string Scheme { get => throw null; set { } } + public override string ToString() => throw null; + public System.Uri Uri { get => throw null; } + public string UserName { get => throw null; set { } } + } + [System.Flags] + public enum UriComponents + { + SerializationInfoString = -2147483648, + Scheme = 1, + UserInfo = 2, + Host = 4, + Port = 8, + SchemeAndServer = 13, + Path = 16, + Query = 32, + PathAndQuery = 48, + HttpRequestUrl = 61, + Fragment = 64, + AbsoluteUri = 127, + StrongPort = 128, + HostAndPort = 132, + StrongAuthority = 134, + NormalizedHost = 256, + KeepDelimiter = 1073741824, + } + public struct UriCreationOptions + { + public bool DangerousDisablePathAndQueryCanonicalization { get => throw null; set { } } + } + public enum UriFormat + { + UriEscaped = 1, + Unescaped = 2, + SafeUnescaped = 3, + } + public class UriFormatException : System.FormatException, System.Runtime.Serialization.ISerializable + { + public UriFormatException() => throw null; + protected UriFormatException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + public UriFormatException(string textString) => throw null; + public UriFormatException(string textString, System.Exception e) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; + } + public enum UriHostNameType + { + Unknown = 0, + Basic = 1, + Dns = 2, + IPv4 = 3, + IPv6 = 4, + } + public enum UriKind + { + RelativeOrAbsolute = 0, + Absolute = 1, + Relative = 2, + } + public abstract class UriParser + { + protected UriParser() => throw null; + protected virtual string GetComponents(System.Uri uri, System.UriComponents components, System.UriFormat format) => throw null; + protected virtual void InitializeAndValidate(System.Uri uri, out System.UriFormatException parsingError) => throw null; + protected virtual bool IsBaseOf(System.Uri baseUri, System.Uri relativeUri) => throw null; + public static bool IsKnownScheme(string schemeName) => throw null; + protected virtual bool IsWellFormedOriginalString(System.Uri uri) => throw null; + protected virtual System.UriParser OnNewUri() => throw null; + protected virtual void OnRegister(string schemeName, int defaultPort) => throw null; + public static void Register(System.UriParser uriParser, string schemeName, int defaultPort) => throw null; + protected virtual string Resolve(System.Uri baseUri, System.Uri relativeUri, out System.UriFormatException parsingError) => throw null; + } + public enum UriPartial + { + Scheme = 0, + Authority = 1, + Path = 2, + Query = 3, + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable, System.IEquatable, System.Runtime.CompilerServices.ITuple + { + public int CompareTo(System.ValueTuple other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public static System.ValueTuple Create() => throw null; + public static System.ValueTuple Create(T1 item1) => throw null; + public static (T1, T2) Create(T1 item1, T2 item2) => throw null; + public static (T1, T2, T3) Create(T1 item1, T2 item2, T3 item3) => throw null; + public static (T1, T2, T3, T4) Create(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; + public static (T1, T2, T3, T4, T5) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; + public static (T1, T2, T3, T4, T5, T6) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; + public static (T1, T2, T3, T4, T5, T6, T7, T8) Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.ValueTuple other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo(System.ValueTuple other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.ValueTuple other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2)>, System.IEquatable<(T1, T2)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3)>, System.IEquatable<(T1, T2, T3)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2, T3) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2, T3) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4)>, System.IEquatable<(T1, T2, T3, T4)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2, T3, T4) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2, T3, T4) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + public T4 Item4; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5)>, System.IEquatable<(T1, T2, T3, T4, T5)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2, T3, T4, T5) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2, T3, T4, T5) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + public T4 Item4; + public T5 Item5; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6)>, System.IEquatable<(T1, T2, T3, T4, T5, T6)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2, T3, T4, T5, T6) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2, T3, T4, T5, T6) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + public T4 Item4; + public T5 Item5; + public T6 Item6; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6, T7)>, System.IEquatable<(T1, T2, T3, T4, T5, T6, T7)>, System.Runtime.CompilerServices.ITuple + { + public int CompareTo((T1, T2, T3, T4, T5, T6, T7) other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals((T1, T2, T3, T4, T5, T6, T7) other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + public T4 Item4; + public T5 Item5; + public T6 Item6; + public T7 Item7; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public override string ToString() => throw null; + } + public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple where TRest : struct + { + public int CompareTo(System.ValueTuple other) => throw null; + int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; + int System.IComparable.CompareTo(object other) => throw null; + public ValueTuple(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, TRest rest) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.ValueTuple other) => throw null; + bool System.Collections.IStructuralEquatable.Equals(object other, System.Collections.IEqualityComparer comparer) => throw null; + public override int GetHashCode() => throw null; + int System.Collections.IStructuralEquatable.GetHashCode(System.Collections.IEqualityComparer comparer) => throw null; + object System.Runtime.CompilerServices.ITuple.this[int index] { get => throw null; } + public T1 Item1; + public T2 Item2; + public T3 Item3; + public T4 Item4; + public T5 Item5; + public T6 Item6; + public T7 Item7; + int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } + public TRest Rest; + public override string ToString() => throw null; + } + public abstract class ValueType + { + protected ValueType() => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + } + public sealed class Version : System.ICloneable, System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.ISpanFormattable + { + public int Build { get => throw null; } + public object Clone() => throw null; + public int CompareTo(object version) => throw null; + public int CompareTo(System.Version value) => throw null; + public Version() => throw null; + public Version(int major, int minor) => throw null; + public Version(int major, int minor, int build) => throw null; + public Version(int major, int minor, int build, int revision) => throw null; + public Version(string version) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Version obj) => throw null; + public override int GetHashCode() => throw null; + public int Major { get => throw null; } + public short MajorRevision { get => throw null; } + public int Minor { get => throw null; } + public short MinorRevision { get => throw null; } + public static bool operator ==(System.Version v1, System.Version v2) => throw null; + public static bool operator >(System.Version v1, System.Version v2) => throw null; + public static bool operator >=(System.Version v1, System.Version v2) => throw null; + public static bool operator !=(System.Version v1, System.Version v2) => throw null; + public static bool operator <(System.Version v1, System.Version v2) => throw null; + public static bool operator <=(System.Version v1, System.Version v2) => throw null; + public static System.Version Parse(System.ReadOnlySpan input) => throw null; + public static System.Version Parse(string input) => throw null; + public int Revision { get => throw null; } + string System.IFormattable.ToString(string format, System.IFormatProvider formatProvider) => throw null; + public override string ToString() => throw null; + public string ToString(int fieldCount) => throw null; + bool System.ISpanFormattable.TryFormat(System.Span destination, out int charsWritten, System.ReadOnlySpan format, System.IFormatProvider provider) => throw null; + public bool TryFormat(System.Span destination, int fieldCount, out int charsWritten) => throw null; + public bool TryFormat(System.Span destination, out int charsWritten) => throw null; + public static bool TryParse(System.ReadOnlySpan input, out System.Version result) => throw null; + public static bool TryParse(string input, out System.Version result) => throw null; + } + public struct Void + { + } + public class WeakReference : System.Runtime.Serialization.ISerializable + { + public WeakReference(object target) => throw null; + public WeakReference(object target, bool trackResurrection) => throw null; + protected WeakReference(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual bool IsAlive { get => throw null; } + public virtual object Target { get => throw null; set { } } + public virtual bool TrackResurrection { get => throw null; } + } + public sealed class WeakReference : System.Runtime.Serialization.ISerializable where T : class + { + public WeakReference(T target) => throw null; + public WeakReference(T target, bool trackResurrection) => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public void SetTarget(T target) => throw null; + public bool TryGetTarget(out T target) => throw null; } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.AccessControl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.AccessControl.cs index 3eb413e4276f..25058be5cc5e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.AccessControl.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.AccessControl.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Security.AccessControl, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Security @@ -8,46 +7,41 @@ namespace Security namespace AccessControl { [System.Flags] - public enum AccessControlActions : int + public enum AccessControlActions { - Change = 2, None = 0, View = 1, + Change = 2, } - - public enum AccessControlModification : int + public enum AccessControlModification { Add = 0, + Set = 1, + Reset = 2, Remove = 3, RemoveAll = 4, RemoveSpecific = 5, - Reset = 2, - Set = 1, } - [System.Flags] - public enum AccessControlSections : int + public enum AccessControlSections { - Access = 2, - All = 15, - Audit = 1, - Group = 8, None = 0, + Audit = 1, + Access = 2, Owner = 4, + Group = 8, + All = 15, } - - public enum AccessControlType : int + public enum AccessControlType { Allow = 0, Deny = 1, } - public abstract class AccessRule : System.Security.AccessControl.AuthorizationRule { public System.Security.AccessControl.AccessControlType AccessControlType { get => throw null; } protected AccessRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags)) => throw null; } - public class AccessRule : System.Security.AccessControl.AccessRule where T : struct { public AccessRule(System.Security.Principal.IdentityReference identity, T rights, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; @@ -56,74 +50,67 @@ public class AccessRule : System.Security.AccessControl.AccessRule where T : public AccessRule(string identity, T rights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; public T Rights { get => throw null; } } - - public class AceEnumerator : System.Collections.IEnumerator + public sealed class AceEnumerator : System.Collections.IEnumerator { public System.Security.AccessControl.GenericAce Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; } - [System.Flags] public enum AceFlags : byte { - AuditFlags = 192, + None = 0, + ObjectInherit = 1, ContainerInherit = 2, - FailedAccess = 128, + NoPropagateInherit = 4, InheritOnly = 8, InheritanceFlags = 15, Inherited = 16, - NoPropagateInherit = 4, - None = 0, - ObjectInherit = 1, SuccessfulAccess = 64, + FailedAccess = 128, + AuditFlags = 192, } - - public enum AceQualifier : int + public enum AceQualifier { AccessAllowed = 0, AccessDenied = 1, - SystemAlarm = 3, SystemAudit = 2, + SystemAlarm = 3, } - public enum AceType : byte { AccessAllowed = 0, - AccessAllowedCallback = 9, - AccessAllowedCallbackObject = 11, + AccessDenied = 1, + SystemAudit = 2, + SystemAlarm = 3, AccessAllowedCompound = 4, AccessAllowedObject = 5, - AccessDenied = 1, - AccessDeniedCallback = 10, - AccessDeniedCallbackObject = 12, AccessDeniedObject = 6, - MaxDefinedAceType = 16, - SystemAlarm = 3, - SystemAlarmCallback = 14, - SystemAlarmCallbackObject = 16, + SystemAuditObject = 7, SystemAlarmObject = 8, - SystemAudit = 2, + AccessAllowedCallback = 9, + AccessDeniedCallback = 10, + AccessAllowedCallbackObject = 11, + AccessDeniedCallbackObject = 12, SystemAuditCallback = 13, + SystemAlarmCallback = 14, SystemAuditCallbackObject = 15, - SystemAuditObject = 7, + MaxDefinedAceType = 16, + SystemAlarmCallbackObject = 16, } - [System.Flags] - public enum AuditFlags : int + public enum AuditFlags { - Failure = 2, None = 0, Success = 1, + Failure = 2, } - public abstract class AuditRule : System.Security.AccessControl.AuthorizationRule { public System.Security.AccessControl.AuditFlags AuditFlags { get => throw null; } protected AuditRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags auditFlags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags)) => throw null; } - public class AuditRule : System.Security.AccessControl.AuditRule where T : struct { public AuditRule(System.Security.Principal.IdentityReference identity, T rights, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; @@ -132,48 +119,42 @@ public class AuditRule : System.Security.AccessControl.AuditRule where T : st public AuditRule(string identity, T rights, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; public T Rights { get => throw null; } } - public abstract class AuthorizationRule { - protected internal int AccessMask { get => throw null; } - protected internal AuthorizationRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; + protected int AccessMask { get => throw null; } + protected AuthorizationRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public System.Security.Principal.IdentityReference IdentityReference { get => throw null; } public System.Security.AccessControl.InheritanceFlags InheritanceFlags { get => throw null; } public bool IsInherited { get => throw null; } public System.Security.AccessControl.PropagationFlags PropagationFlags { get => throw null; } } - - public class AuthorizationRuleCollection : System.Collections.ReadOnlyCollectionBase + public sealed class AuthorizationRuleCollection : System.Collections.ReadOnlyCollectionBase { public void AddRule(System.Security.AccessControl.AuthorizationRule rule) => throw null; - public AuthorizationRuleCollection() => throw null; public void CopyTo(System.Security.AccessControl.AuthorizationRule[] rules, int index) => throw null; + public AuthorizationRuleCollection() => throw null; public System.Security.AccessControl.AuthorizationRule this[int index] { get => throw null; } } - - public class CommonAce : System.Security.AccessControl.QualifiedAce + public sealed class CommonAce : System.Security.AccessControl.QualifiedAce { public override int BinaryLength { get => throw null; } - public CommonAce(System.Security.AccessControl.AceFlags flags, System.Security.AccessControl.AceQualifier qualifier, int accessMask, System.Security.Principal.SecurityIdentifier sid, bool isCallback, System.Byte[] opaque) => throw null; - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public CommonAce(System.Security.AccessControl.AceFlags flags, System.Security.AccessControl.AceQualifier qualifier, int accessMask, System.Security.Principal.SecurityIdentifier sid, bool isCallback, byte[] opaque) => throw null; + public override void GetBinaryForm(byte[] binaryForm, int offset) => throw null; public static int MaxOpaqueLength(bool isCallback) => throw null; } - public abstract class CommonAcl : System.Security.AccessControl.GenericAcl { - public override int BinaryLength { get => throw null; } - internal CommonAcl() => throw null; - public override int Count { get => throw null; } - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public override sealed int BinaryLength { get => throw null; } + public override sealed int Count { get => throw null; } + public override sealed void GetBinaryForm(byte[] binaryForm, int offset) => throw null; public bool IsCanonical { get => throw null; } public bool IsContainer { get => throw null; } public bool IsDS { get => throw null; } - public override System.Security.AccessControl.GenericAce this[int index] { get => throw null; set => throw null; } public void Purge(System.Security.Principal.SecurityIdentifier sid) => throw null; public void RemoveInheritedAces() => throw null; - public override System.Byte Revision { get => throw null; } + public override sealed byte Revision { get => throw null; } + public override sealed System.Security.AccessControl.GenericAce this[int index] { get => throw null; set { } } } - public abstract class CommonObjectSecurity : System.Security.AccessControl.ObjectSecurity { protected void AddAccessRule(System.Security.AccessControl.AccessRule rule) => throw null; @@ -193,231 +174,212 @@ public abstract class CommonObjectSecurity : System.Security.AccessControl.Objec protected void SetAccessRule(System.Security.AccessControl.AccessRule rule) => throw null; protected void SetAuditRule(System.Security.AccessControl.AuditRule rule) => throw null; } - - public class CommonSecurityDescriptor : System.Security.AccessControl.GenericSecurityDescriptor + public sealed class CommonSecurityDescriptor : System.Security.AccessControl.GenericSecurityDescriptor { - public void AddDiscretionaryAcl(System.Byte revision, int trusted) => throw null; - public void AddSystemAcl(System.Byte revision, int trusted) => throw null; - public CommonSecurityDescriptor(bool isContainer, bool isDS, System.Byte[] binaryForm, int offset) => throw null; + public void AddDiscretionaryAcl(byte revision, int trusted) => throw null; + public void AddSystemAcl(byte revision, int trusted) => throw null; + public override System.Security.AccessControl.ControlFlags ControlFlags { get => throw null; } + public CommonSecurityDescriptor(bool isContainer, bool isDS, byte[] binaryForm, int offset) => throw null; public CommonSecurityDescriptor(bool isContainer, bool isDS, System.Security.AccessControl.ControlFlags flags, System.Security.Principal.SecurityIdentifier owner, System.Security.Principal.SecurityIdentifier group, System.Security.AccessControl.SystemAcl systemAcl, System.Security.AccessControl.DiscretionaryAcl discretionaryAcl) => throw null; public CommonSecurityDescriptor(bool isContainer, bool isDS, System.Security.AccessControl.RawSecurityDescriptor rawSecurityDescriptor) => throw null; public CommonSecurityDescriptor(bool isContainer, bool isDS, string sddlForm) => throw null; - public override System.Security.AccessControl.ControlFlags ControlFlags { get => throw null; } - public System.Security.AccessControl.DiscretionaryAcl DiscretionaryAcl { get => throw null; set => throw null; } - public override System.Security.Principal.SecurityIdentifier Group { get => throw null; set => throw null; } + public System.Security.AccessControl.DiscretionaryAcl DiscretionaryAcl { get => throw null; set { } } + public override System.Security.Principal.SecurityIdentifier Group { get => throw null; set { } } public bool IsContainer { get => throw null; } - public bool IsDS { get => throw null; } public bool IsDiscretionaryAclCanonical { get => throw null; } + public bool IsDS { get => throw null; } public bool IsSystemAclCanonical { get => throw null; } - public override System.Security.Principal.SecurityIdentifier Owner { get => throw null; set => throw null; } + public override System.Security.Principal.SecurityIdentifier Owner { get => throw null; set { } } public void PurgeAccessControl(System.Security.Principal.SecurityIdentifier sid) => throw null; public void PurgeAudit(System.Security.Principal.SecurityIdentifier sid) => throw null; public void SetDiscretionaryAclProtection(bool isProtected, bool preserveInheritance) => throw null; public void SetSystemAclProtection(bool isProtected, bool preserveInheritance) => throw null; - public System.Security.AccessControl.SystemAcl SystemAcl { get => throw null; set => throw null; } + public System.Security.AccessControl.SystemAcl SystemAcl { get => throw null; set { } } } - - public class CompoundAce : System.Security.AccessControl.KnownAce + public sealed class CompoundAce : System.Security.AccessControl.KnownAce { public override int BinaryLength { get => throw null; } + public System.Security.AccessControl.CompoundAceType CompoundAceType { get => throw null; set { } } public CompoundAce(System.Security.AccessControl.AceFlags flags, int accessMask, System.Security.AccessControl.CompoundAceType compoundAceType, System.Security.Principal.SecurityIdentifier sid) => throw null; - public System.Security.AccessControl.CompoundAceType CompoundAceType { get => throw null; set => throw null; } - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public override void GetBinaryForm(byte[] binaryForm, int offset) => throw null; } - - public enum CompoundAceType : int + public enum CompoundAceType { Impersonation = 1, } - [System.Flags] - public enum ControlFlags : int + public enum ControlFlags { - DiscretionaryAclAutoInheritRequired = 256, - DiscretionaryAclAutoInherited = 1024, - DiscretionaryAclDefaulted = 8, - DiscretionaryAclPresent = 4, - DiscretionaryAclProtected = 4096, - DiscretionaryAclUntrusted = 64, - GroupDefaulted = 2, None = 0, OwnerDefaulted = 1, - RMControlValid = 16384, - SelfRelative = 32768, + GroupDefaulted = 2, + DiscretionaryAclPresent = 4, + DiscretionaryAclDefaulted = 8, + SystemAclPresent = 16, + SystemAclDefaulted = 32, + DiscretionaryAclUntrusted = 64, ServerSecurity = 128, + DiscretionaryAclAutoInheritRequired = 256, SystemAclAutoInheritRequired = 512, + DiscretionaryAclAutoInherited = 1024, SystemAclAutoInherited = 2048, - SystemAclDefaulted = 32, - SystemAclPresent = 16, + DiscretionaryAclProtected = 4096, SystemAclProtected = 8192, + RMControlValid = 16384, + SelfRelative = 32768, } - - public class CustomAce : System.Security.AccessControl.GenericAce + public sealed class CustomAce : System.Security.AccessControl.GenericAce { public override int BinaryLength { get => throw null; } - public CustomAce(System.Security.AccessControl.AceType type, System.Security.AccessControl.AceFlags flags, System.Byte[] opaque) => throw null; - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; - public System.Byte[] GetOpaque() => throw null; + public CustomAce(System.Security.AccessControl.AceType type, System.Security.AccessControl.AceFlags flags, byte[] opaque) => throw null; + public override void GetBinaryForm(byte[] binaryForm, int offset) => throw null; + public byte[] GetOpaque() => throw null; public static int MaxOpaqueLength; public int OpaqueLength { get => throw null; } - public void SetOpaque(System.Byte[] opaque) => throw null; + public void SetOpaque(byte[] opaque) => throw null; } - - public class DiscretionaryAcl : System.Security.AccessControl.CommonAcl + public sealed class DiscretionaryAcl : System.Security.AccessControl.CommonAcl { - public void AddAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; public void AddAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public void AddAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; - public DiscretionaryAcl(bool isContainer, bool isDS, System.Security.AccessControl.RawAcl rawAcl) => throw null; - public DiscretionaryAcl(bool isContainer, bool isDS, System.Byte revision, int capacity) => throw null; + public void AddAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; + public DiscretionaryAcl(bool isContainer, bool isDS, byte revision, int capacity) => throw null; public DiscretionaryAcl(bool isContainer, bool isDS, int capacity) => throw null; - public bool RemoveAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; + public DiscretionaryAcl(bool isContainer, bool isDS, System.Security.AccessControl.RawAcl rawAcl) => throw null; public bool RemoveAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public bool RemoveAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; - public void RemoveAccessSpecific(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; + public bool RemoveAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; public void RemoveAccessSpecific(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public void RemoveAccessSpecific(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; - public void SetAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; + public void RemoveAccessSpecific(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; public void SetAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public void SetAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; + public void SetAccess(System.Security.AccessControl.AccessControlType accessType, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAccessRule rule) => throw null; } - public abstract class GenericAce { - public static bool operator !=(System.Security.AccessControl.GenericAce left, System.Security.AccessControl.GenericAce right) => throw null; - public static bool operator ==(System.Security.AccessControl.GenericAce left, System.Security.AccessControl.GenericAce right) => throw null; - public System.Security.AccessControl.AceFlags AceFlags { get => throw null; set => throw null; } + public System.Security.AccessControl.AceFlags AceFlags { get => throw null; set { } } public System.Security.AccessControl.AceType AceType { get => throw null; } public System.Security.AccessControl.AuditFlags AuditFlags { get => throw null; } public abstract int BinaryLength { get; } public System.Security.AccessControl.GenericAce Copy() => throw null; - public static System.Security.AccessControl.GenericAce CreateFromBinaryForm(System.Byte[] binaryForm, int offset) => throw null; - public override bool Equals(object o) => throw null; - internal GenericAce() => throw null; - public abstract void GetBinaryForm(System.Byte[] binaryForm, int offset); - public override int GetHashCode() => throw null; + public static System.Security.AccessControl.GenericAce CreateFromBinaryForm(byte[] binaryForm, int offset) => throw null; + public override sealed bool Equals(object o) => throw null; + public abstract void GetBinaryForm(byte[] binaryForm, int offset); + public override sealed int GetHashCode() => throw null; public System.Security.AccessControl.InheritanceFlags InheritanceFlags { get => throw null; } public bool IsInherited { get => throw null; } + public static bool operator ==(System.Security.AccessControl.GenericAce left, System.Security.AccessControl.GenericAce right) => throw null; + public static bool operator !=(System.Security.AccessControl.GenericAce left, System.Security.AccessControl.GenericAce right) => throw null; public System.Security.AccessControl.PropagationFlags PropagationFlags { get => throw null; } } - public abstract class GenericAcl : System.Collections.ICollection, System.Collections.IEnumerable { - public static System.Byte AclRevision; - public static System.Byte AclRevisionDS; + public static byte AclRevision; + public static byte AclRevisionDS; public abstract int BinaryLength { get; } - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Security.AccessControl.GenericAce[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public abstract int Count { get; } protected GenericAcl() => throw null; - public abstract void GetBinaryForm(System.Byte[] binaryForm, int offset); + public abstract void GetBinaryForm(byte[] binaryForm, int offset); public System.Security.AccessControl.AceEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public abstract System.Security.AccessControl.GenericAce this[int index] { get; set; } public static int MaxBinaryLength; - public abstract System.Byte Revision { get; } + public abstract byte Revision { get; } public virtual object SyncRoot { get => throw null; } + public abstract System.Security.AccessControl.GenericAce this[int index] { get; set; } } - public abstract class GenericSecurityDescriptor { public int BinaryLength { get => throw null; } public abstract System.Security.AccessControl.ControlFlags ControlFlags { get; } - internal GenericSecurityDescriptor() => throw null; - public void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public void GetBinaryForm(byte[] binaryForm, int offset) => throw null; public string GetSddlForm(System.Security.AccessControl.AccessControlSections includeSections) => throw null; public abstract System.Security.Principal.SecurityIdentifier Group { get; set; } public static bool IsSddlConversionSupported() => throw null; public abstract System.Security.Principal.SecurityIdentifier Owner { get; set; } - public static System.Byte Revision { get => throw null; } + public static byte Revision { get => throw null; } } - [System.Flags] - public enum InheritanceFlags : int + public enum InheritanceFlags { - ContainerInherit = 1, None = 0, + ContainerInherit = 1, ObjectInherit = 2, } - public abstract class KnownAce : System.Security.AccessControl.GenericAce { - public int AccessMask { get => throw null; set => throw null; } - internal KnownAce() => throw null; - public System.Security.Principal.SecurityIdentifier SecurityIdentifier { get => throw null; set => throw null; } + public int AccessMask { get => throw null; set { } } + public System.Security.Principal.SecurityIdentifier SecurityIdentifier { get => throw null; set { } } } - public abstract class NativeObjectSecurity : System.Security.AccessControl.CommonObjectSecurity { - protected internal delegate System.Exception ExceptionFromErrorCode(int errorCode, string name, System.Runtime.InteropServices.SafeHandle handle, object context); - - protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType) : base(default(bool)) => throw null; - protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool)) => throw null; protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections) : base(default(bool)) => throw null; protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool)) => throw null; + protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool)) => throw null; protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, string name, System.Security.AccessControl.AccessControlSections includeSections) : base(default(bool)) => throw null; protected NativeObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, string name, System.Security.AccessControl.AccessControlSections includeSections, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool)) => throw null; - protected override void Persist(System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections) => throw null; + protected delegate System.Exception ExceptionFromErrorCode(int errorCode, string name, System.Runtime.InteropServices.SafeHandle handle, object context); + protected override sealed void Persist(System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections) => throw null; protected void Persist(System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections, object exceptionContext) => throw null; - protected override void Persist(string name, System.Security.AccessControl.AccessControlSections includeSections) => throw null; + protected override sealed void Persist(string name, System.Security.AccessControl.AccessControlSections includeSections) => throw null; protected void Persist(string name, System.Security.AccessControl.AccessControlSections includeSections, object exceptionContext) => throw null; } - public abstract class ObjectAccessRule : System.Security.AccessControl.AccessRule { - public System.Guid InheritedObjectType { get => throw null; } protected ObjectAccessRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Guid objectType, System.Guid inheritedObjectType, System.Security.AccessControl.AccessControlType type) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AccessControlType)) => throw null; + public System.Guid InheritedObjectType { get => throw null; } public System.Security.AccessControl.ObjectAceFlags ObjectFlags { get => throw null; } public System.Guid ObjectType { get => throw null; } } - - public class ObjectAce : System.Security.AccessControl.QualifiedAce + public sealed class ObjectAce : System.Security.AccessControl.QualifiedAce { public override int BinaryLength { get => throw null; } - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; - public System.Guid InheritedObjectAceType { get => throw null; set => throw null; } + public ObjectAce(System.Security.AccessControl.AceFlags aceFlags, System.Security.AccessControl.AceQualifier qualifier, int accessMask, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAceFlags flags, System.Guid type, System.Guid inheritedType, bool isCallback, byte[] opaque) => throw null; + public override void GetBinaryForm(byte[] binaryForm, int offset) => throw null; + public System.Guid InheritedObjectAceType { get => throw null; set { } } public static int MaxOpaqueLength(bool isCallback) => throw null; - public ObjectAce(System.Security.AccessControl.AceFlags aceFlags, System.Security.AccessControl.AceQualifier qualifier, int accessMask, System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAceFlags flags, System.Guid type, System.Guid inheritedType, bool isCallback, System.Byte[] opaque) => throw null; - public System.Security.AccessControl.ObjectAceFlags ObjectAceFlags { get => throw null; set => throw null; } - public System.Guid ObjectAceType { get => throw null; set => throw null; } + public System.Security.AccessControl.ObjectAceFlags ObjectAceFlags { get => throw null; set { } } + public System.Guid ObjectAceType { get => throw null; set { } } } - [System.Flags] - public enum ObjectAceFlags : int + public enum ObjectAceFlags { - InheritedObjectAceTypePresent = 2, None = 0, ObjectAceTypePresent = 1, + InheritedObjectAceTypePresent = 2, } - public abstract class ObjectAuditRule : System.Security.AccessControl.AuditRule { - public System.Guid InheritedObjectType { get => throw null; } protected ObjectAuditRule(System.Security.Principal.IdentityReference identity, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Guid objectType, System.Guid inheritedObjectType, System.Security.AccessControl.AuditFlags auditFlags) : base(default(System.Security.Principal.IdentityReference), default(int), default(bool), default(System.Security.AccessControl.InheritanceFlags), default(System.Security.AccessControl.PropagationFlags), default(System.Security.AccessControl.AuditFlags)) => throw null; + public System.Guid InheritedObjectType { get => throw null; } public System.Security.AccessControl.ObjectAceFlags ObjectFlags { get => throw null; } public System.Guid ObjectType { get => throw null; } } - public abstract class ObjectSecurity { public abstract System.Type AccessRightType { get; } public abstract System.Security.AccessControl.AccessRule AccessRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AccessControlType type); + protected bool AccessRulesModified { get => throw null; set { } } public abstract System.Type AccessRuleType { get; } - protected bool AccessRulesModified { get => throw null; set => throw null; } public bool AreAccessRulesCanonical { get => throw null; } public bool AreAccessRulesProtected { get => throw null; } public bool AreAuditRulesCanonical { get => throw null; } public bool AreAuditRulesProtected { get => throw null; } public abstract System.Security.AccessControl.AuditRule AuditRuleFactory(System.Security.Principal.IdentityReference identityReference, int accessMask, bool isInherited, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.AuditFlags flags); + protected bool AuditRulesModified { get => throw null; set { } } public abstract System.Type AuditRuleType { get; } - protected bool AuditRulesModified { get => throw null; set => throw null; } + protected ObjectSecurity() => throw null; + protected ObjectSecurity(bool isContainer, bool isDS) => throw null; + protected ObjectSecurity(System.Security.AccessControl.CommonSecurityDescriptor securityDescriptor) => throw null; public System.Security.Principal.IdentityReference GetGroup(System.Type targetType) => throw null; public System.Security.Principal.IdentityReference GetOwner(System.Type targetType) => throw null; - public System.Byte[] GetSecurityDescriptorBinaryForm() => throw null; + public byte[] GetSecurityDescriptorBinaryForm() => throw null; public string GetSecurityDescriptorSddlForm(System.Security.AccessControl.AccessControlSections includeSections) => throw null; - protected bool GroupModified { get => throw null; set => throw null; } + protected bool GroupModified { get => throw null; set { } } protected bool IsContainer { get => throw null; } protected bool IsDS { get => throw null; } public static bool IsSddlConversionSupported() => throw null; @@ -425,12 +387,9 @@ public abstract class ObjectSecurity public virtual bool ModifyAccessRule(System.Security.AccessControl.AccessControlModification modification, System.Security.AccessControl.AccessRule rule, out bool modified) => throw null; protected abstract bool ModifyAudit(System.Security.AccessControl.AccessControlModification modification, System.Security.AccessControl.AuditRule rule, out bool modified); public virtual bool ModifyAuditRule(System.Security.AccessControl.AccessControlModification modification, System.Security.AccessControl.AuditRule rule, out bool modified) => throw null; - protected ObjectSecurity() => throw null; - protected ObjectSecurity(System.Security.AccessControl.CommonSecurityDescriptor securityDescriptor) => throw null; - protected ObjectSecurity(bool isContainer, bool isDS) => throw null; - protected bool OwnerModified { get => throw null; set => throw null; } - protected virtual void Persist(System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections) => throw null; + protected bool OwnerModified { get => throw null; set { } } protected virtual void Persist(bool enableOwnershipPrivilege, string name, System.Security.AccessControl.AccessControlSections includeSections) => throw null; + protected virtual void Persist(System.Runtime.InteropServices.SafeHandle handle, System.Security.AccessControl.AccessControlSections includeSections) => throw null; protected virtual void Persist(string name, System.Security.AccessControl.AccessControlSections includeSections) => throw null; public virtual void PurgeAccessRules(System.Security.Principal.IdentityReference identity) => throw null; public virtual void PurgeAuditRules(System.Security.Principal.IdentityReference identity) => throw null; @@ -441,14 +400,13 @@ public abstract class ObjectSecurity public void SetAuditRuleProtection(bool isProtected, bool preserveInheritance) => throw null; public void SetGroup(System.Security.Principal.IdentityReference identity) => throw null; public void SetOwner(System.Security.Principal.IdentityReference identity) => throw null; - public void SetSecurityDescriptorBinaryForm(System.Byte[] binaryForm) => throw null; - public void SetSecurityDescriptorBinaryForm(System.Byte[] binaryForm, System.Security.AccessControl.AccessControlSections includeSections) => throw null; + public void SetSecurityDescriptorBinaryForm(byte[] binaryForm) => throw null; + public void SetSecurityDescriptorBinaryForm(byte[] binaryForm, System.Security.AccessControl.AccessControlSections includeSections) => throw null; public void SetSecurityDescriptorSddlForm(string sddlForm) => throw null; public void SetSecurityDescriptorSddlForm(string sddlForm, System.Security.AccessControl.AccessControlSections includeSections) => throw null; protected void WriteLock() => throw null; protected void WriteUnlock() => throw null; } - public abstract class ObjectSecurity : System.Security.AccessControl.NativeObjectSecurity where T : struct { public override System.Type AccessRightType { get => throw null; } @@ -463,8 +421,8 @@ public abstract class ObjectSecurity : System.Security.AccessControl.NativeOb protected ObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, System.Runtime.InteropServices.SafeHandle safeHandle, System.Security.AccessControl.AccessControlSections includeSections, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool), default(System.Security.AccessControl.ResourceType)) => throw null; protected ObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, string name, System.Security.AccessControl.AccessControlSections includeSections) : base(default(bool), default(System.Security.AccessControl.ResourceType)) => throw null; protected ObjectSecurity(bool isContainer, System.Security.AccessControl.ResourceType resourceType, string name, System.Security.AccessControl.AccessControlSections includeSections, System.Security.AccessControl.NativeObjectSecurity.ExceptionFromErrorCode exceptionFromErrorCode, object exceptionContext) : base(default(bool), default(System.Security.AccessControl.ResourceType)) => throw null; - protected internal void Persist(System.Runtime.InteropServices.SafeHandle handle) => throw null; - protected internal void Persist(string name) => throw null; + protected void Persist(System.Runtime.InteropServices.SafeHandle handle) => throw null; + protected void Persist(string name) => throw null; public virtual bool RemoveAccessRule(System.Security.AccessControl.AccessRule rule) => throw null; public virtual void RemoveAccessRuleAll(System.Security.AccessControl.AccessRule rule) => throw null; public virtual void RemoveAccessRuleSpecific(System.Security.AccessControl.AccessRule rule) => throw null; @@ -475,92 +433,86 @@ public abstract class ObjectSecurity : System.Security.AccessControl.NativeOb public virtual void SetAccessRule(System.Security.AccessControl.AccessRule rule) => throw null; public virtual void SetAuditRule(System.Security.AccessControl.AuditRule rule) => throw null; } - - public class PrivilegeNotHeldException : System.UnauthorizedAccessException, System.Runtime.Serialization.ISerializable + public sealed class PrivilegeNotHeldException : System.UnauthorizedAccessException, System.Runtime.Serialization.ISerializable { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string PrivilegeName { get => throw null; } public PrivilegeNotHeldException() => throw null; public PrivilegeNotHeldException(string privilege) => throw null; public PrivilegeNotHeldException(string privilege, System.Exception inner) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string PrivilegeName { get => throw null; } } - [System.Flags] - public enum PropagationFlags : int + public enum PropagationFlags { - InheritOnly = 2, - NoPropagateInherit = 1, None = 0, + NoPropagateInherit = 1, + InheritOnly = 2, } - public abstract class QualifiedAce : System.Security.AccessControl.KnownAce { public System.Security.AccessControl.AceQualifier AceQualifier { get => throw null; } - public System.Byte[] GetOpaque() => throw null; + public byte[] GetOpaque() => throw null; public bool IsCallback { get => throw null; } public int OpaqueLength { get => throw null; } - internal QualifiedAce() => throw null; - public void SetOpaque(System.Byte[] opaque) => throw null; + public void SetOpaque(byte[] opaque) => throw null; } - - public class RawAcl : System.Security.AccessControl.GenericAcl + public sealed class RawAcl : System.Security.AccessControl.GenericAcl { public override int BinaryLength { get => throw null; } public override int Count { get => throw null; } - public override void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public RawAcl(byte revision, int capacity) => throw null; + public RawAcl(byte[] binaryForm, int offset) => throw null; + public override void GetBinaryForm(byte[] binaryForm, int offset) => throw null; public void InsertAce(int index, System.Security.AccessControl.GenericAce ace) => throw null; - public override System.Security.AccessControl.GenericAce this[int index] { get => throw null; set => throw null; } - public RawAcl(System.Byte[] binaryForm, int offset) => throw null; - public RawAcl(System.Byte revision, int capacity) => throw null; public void RemoveAce(int index) => throw null; - public override System.Byte Revision { get => throw null; } + public override byte Revision { get => throw null; } + public override System.Security.AccessControl.GenericAce this[int index] { get => throw null; set { } } } - - public class RawSecurityDescriptor : System.Security.AccessControl.GenericSecurityDescriptor + public sealed class RawSecurityDescriptor : System.Security.AccessControl.GenericSecurityDescriptor { public override System.Security.AccessControl.ControlFlags ControlFlags { get => throw null; } - public System.Security.AccessControl.RawAcl DiscretionaryAcl { get => throw null; set => throw null; } - public override System.Security.Principal.SecurityIdentifier Group { get => throw null; set => throw null; } - public override System.Security.Principal.SecurityIdentifier Owner { get => throw null; set => throw null; } - public RawSecurityDescriptor(System.Byte[] binaryForm, int offset) => throw null; + public RawSecurityDescriptor(byte[] binaryForm, int offset) => throw null; public RawSecurityDescriptor(System.Security.AccessControl.ControlFlags flags, System.Security.Principal.SecurityIdentifier owner, System.Security.Principal.SecurityIdentifier group, System.Security.AccessControl.RawAcl systemAcl, System.Security.AccessControl.RawAcl discretionaryAcl) => throw null; public RawSecurityDescriptor(string sddlForm) => throw null; - public System.Byte ResourceManagerControl { get => throw null; set => throw null; } + public System.Security.AccessControl.RawAcl DiscretionaryAcl { get => throw null; set { } } + public override System.Security.Principal.SecurityIdentifier Group { get => throw null; set { } } + public override System.Security.Principal.SecurityIdentifier Owner { get => throw null; set { } } + public byte ResourceManagerControl { get => throw null; set { } } public void SetFlags(System.Security.AccessControl.ControlFlags flags) => throw null; - public System.Security.AccessControl.RawAcl SystemAcl { get => throw null; set => throw null; } + public System.Security.AccessControl.RawAcl SystemAcl { get => throw null; set { } } } - - public enum ResourceType : int + public enum ResourceType { - DSObject = 8, - DSObjectAll = 9, + Unknown = 0, FileObject = 1, - KernelObject = 6, - LMShare = 5, + Service = 2, Printer = 3, - ProviderDefined = 10, RegistryKey = 4, - RegistryWow6432Key = 12, - Service = 2, - Unknown = 0, + LMShare = 5, + KernelObject = 6, WindowObject = 7, + DSObject = 8, + DSObjectAll = 9, + ProviderDefined = 10, WmiGuidObject = 11, + RegistryWow6432Key = 12, } - [System.Flags] - public enum SecurityInfos : int + public enum SecurityInfos { - DiscretionaryAcl = 4, - Group = 2, Owner = 1, + Group = 2, + DiscretionaryAcl = 4, SystemAcl = 8, } - - public class SystemAcl : System.Security.AccessControl.CommonAcl + public sealed class SystemAcl : System.Security.AccessControl.CommonAcl { public void AddAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public void AddAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; public void AddAudit(System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAuditRule rule) => throw null; + public SystemAcl(bool isContainer, bool isDS, byte revision, int capacity) => throw null; + public SystemAcl(bool isContainer, bool isDS, int capacity) => throw null; + public SystemAcl(bool isContainer, bool isDS, System.Security.AccessControl.RawAcl rawAcl) => throw null; public bool RemoveAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public bool RemoveAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; public bool RemoveAudit(System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAuditRule rule) => throw null; @@ -570,15 +522,11 @@ public class SystemAcl : System.Security.AccessControl.CommonAcl public void SetAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags) => throw null; public void SetAudit(System.Security.AccessControl.AuditFlags auditFlags, System.Security.Principal.SecurityIdentifier sid, int accessMask, System.Security.AccessControl.InheritanceFlags inheritanceFlags, System.Security.AccessControl.PropagationFlags propagationFlags, System.Security.AccessControl.ObjectAceFlags objectFlags, System.Guid objectType, System.Guid inheritedObjectType) => throw null; public void SetAudit(System.Security.Principal.SecurityIdentifier sid, System.Security.AccessControl.ObjectAuditRule rule) => throw null; - public SystemAcl(bool isContainer, bool isDS, System.Security.AccessControl.RawAcl rawAcl) => throw null; - public SystemAcl(bool isContainer, bool isDS, System.Byte revision, int capacity) => throw null; - public SystemAcl(bool isContainer, bool isDS, int capacity) => throw null; } - } namespace Policy { - public class Evidence : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class Evidence : System.Collections.ICollection, System.Collections.IEnumerable { public void AddAssembly(object id) => throw null; public void AddAssemblyEvidence(T evidence) where T : System.Security.Policy.EvidenceBase => throw null; @@ -589,9 +537,9 @@ public class Evidence : System.Collections.ICollection, System.Collections.IEnum public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public Evidence() => throw null; + public Evidence(object[] hostEvidence, object[] assemblyEvidence) => throw null; public Evidence(System.Security.Policy.Evidence evidence) => throw null; public Evidence(System.Security.Policy.EvidenceBase[] hostEvidence, System.Security.Policy.EvidenceBase[] assemblyEvidence) => throw null; - public Evidence(object[] hostEvidence, object[] assemblyEvidence) => throw null; public System.Collections.IEnumerator GetAssemblyEnumerator() => throw null; public T GetAssemblyEvidence() where T : System.Security.Policy.EvidenceBase => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; @@ -599,18 +547,16 @@ public class Evidence : System.Collections.ICollection, System.Collections.IEnum public T GetHostEvidence() where T : System.Security.Policy.EvidenceBase => throw null; public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public bool Locked { get => throw null; set => throw null; } + public bool Locked { get => throw null; set { } } public void Merge(System.Security.Policy.Evidence evidence) => throw null; public void RemoveType(System.Type t) => throw null; public object SyncRoot { get => throw null; } } - public abstract class EvidenceBase { public virtual System.Security.Policy.EvidenceBase Clone() => throw null; protected EvidenceBase() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs index 0388322c56d4..15860b63cf28 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Security.Claims, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Security @@ -9,6 +8,8 @@ namespace Claims { public class Claim { + public virtual System.Security.Claims.Claim Clone() => throw null; + public virtual System.Security.Claims.Claim Clone(System.Security.Claims.ClaimsIdentity identity) => throw null; public Claim(System.IO.BinaryReader reader) => throw null; public Claim(System.IO.BinaryReader reader, System.Security.Claims.ClaimsIdentity subject) => throw null; protected Claim(System.Security.Claims.Claim other) => throw null; @@ -18,9 +19,7 @@ public class Claim public Claim(string type, string value, string valueType, string issuer) => throw null; public Claim(string type, string value, string valueType, string issuer, string originalIssuer) => throw null; public Claim(string type, string value, string valueType, string issuer, string originalIssuer, System.Security.Claims.ClaimsIdentity subject) => throw null; - public virtual System.Security.Claims.Claim Clone() => throw null; - public virtual System.Security.Claims.Claim Clone(System.Security.Claims.ClaimsIdentity identity) => throw null; - protected virtual System.Byte[] CustomSerializationData { get => throw null; } + protected virtual byte[] CustomSerializationData { get => throw null; } public string Issuer { get => throw null; } public string OriginalIssuer { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } @@ -30,125 +29,35 @@ public class Claim public string Value { get => throw null; } public string ValueType { get => throw null; } public virtual void WriteTo(System.IO.BinaryWriter writer) => throw null; - protected virtual void WriteTo(System.IO.BinaryWriter writer, System.Byte[] userData) => throw null; - } - - public static class ClaimTypes - { - public const string Actor = default; - public const string Anonymous = default; - public const string Authentication = default; - public const string AuthenticationInstant = default; - public const string AuthenticationMethod = default; - public const string AuthorizationDecision = default; - public const string CookiePath = default; - public const string Country = default; - public const string DateOfBirth = default; - public const string DenyOnlyPrimaryGroupSid = default; - public const string DenyOnlyPrimarySid = default; - public const string DenyOnlySid = default; - public const string DenyOnlyWindowsDeviceGroup = default; - public const string Dns = default; - public const string Dsa = default; - public const string Email = default; - public const string Expiration = default; - public const string Expired = default; - public const string Gender = default; - public const string GivenName = default; - public const string GroupSid = default; - public const string Hash = default; - public const string HomePhone = default; - public const string IsPersistent = default; - public const string Locality = default; - public const string MobilePhone = default; - public const string Name = default; - public const string NameIdentifier = default; - public const string OtherPhone = default; - public const string PostalCode = default; - public const string PrimaryGroupSid = default; - public const string PrimarySid = default; - public const string Role = default; - public const string Rsa = default; - public const string SerialNumber = default; - public const string Sid = default; - public const string Spn = default; - public const string StateOrProvince = default; - public const string StreetAddress = default; - public const string Surname = default; - public const string System = default; - public const string Thumbprint = default; - public const string Upn = default; - public const string Uri = default; - public const string UserData = default; - public const string Version = default; - public const string Webpage = default; - public const string WindowsAccountName = default; - public const string WindowsDeviceClaim = default; - public const string WindowsDeviceGroup = default; - public const string WindowsFqbnVersion = default; - public const string WindowsSubAuthority = default; - public const string WindowsUserClaim = default; - public const string X500DistinguishedName = default; - } - - public static class ClaimValueTypes - { - public const string Base64Binary = default; - public const string Base64Octet = default; - public const string Boolean = default; - public const string Date = default; - public const string DateTime = default; - public const string DaytimeDuration = default; - public const string DnsName = default; - public const string Double = default; - public const string DsaKeyValue = default; - public const string Email = default; - public const string Fqbn = default; - public const string HexBinary = default; - public const string Integer = default; - public const string Integer32 = default; - public const string Integer64 = default; - public const string KeyInfo = default; - public const string Rfc822Name = default; - public const string Rsa = default; - public const string RsaKeyValue = default; - public const string Sid = default; - public const string String = default; - public const string Time = default; - public const string UInteger32 = default; - public const string UInteger64 = default; - public const string UpnName = default; - public const string X500Name = default; - public const string YearMonthDuration = default; + protected virtual void WriteTo(System.IO.BinaryWriter writer, byte[] userData) => throw null; } - public class ClaimsIdentity : System.Security.Principal.IIdentity { - public System.Security.Claims.ClaimsIdentity Actor { get => throw null; set => throw null; } + public System.Security.Claims.ClaimsIdentity Actor { get => throw null; set { } } public virtual void AddClaim(System.Security.Claims.Claim claim) => throw null; public virtual void AddClaims(System.Collections.Generic.IEnumerable claims) => throw null; public virtual string AuthenticationType { get => throw null; } - public object BootstrapContext { get => throw null; set => throw null; } + public object BootstrapContext { get => throw null; set { } } public virtual System.Collections.Generic.IEnumerable Claims { get => throw null; } + public virtual System.Security.Claims.ClaimsIdentity Clone() => throw null; + protected virtual System.Security.Claims.Claim CreateClaim(System.IO.BinaryReader reader) => throw null; public ClaimsIdentity() => throw null; - public ClaimsIdentity(System.IO.BinaryReader reader) => throw null; - protected ClaimsIdentity(System.Security.Claims.ClaimsIdentity other) => throw null; public ClaimsIdentity(System.Collections.Generic.IEnumerable claims) => throw null; public ClaimsIdentity(System.Collections.Generic.IEnumerable claims, string authenticationType) => throw null; public ClaimsIdentity(System.Collections.Generic.IEnumerable claims, string authenticationType, string nameType, string roleType) => throw null; + public ClaimsIdentity(System.IO.BinaryReader reader) => throw null; + protected ClaimsIdentity(System.Runtime.Serialization.SerializationInfo info) => throw null; + protected ClaimsIdentity(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected ClaimsIdentity(System.Security.Claims.ClaimsIdentity other) => throw null; public ClaimsIdentity(System.Security.Principal.IIdentity identity) => throw null; public ClaimsIdentity(System.Security.Principal.IIdentity identity, System.Collections.Generic.IEnumerable claims) => throw null; public ClaimsIdentity(System.Security.Principal.IIdentity identity, System.Collections.Generic.IEnumerable claims, string authenticationType, string nameType, string roleType) => throw null; - protected ClaimsIdentity(System.Runtime.Serialization.SerializationInfo info) => throw null; - protected ClaimsIdentity(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ClaimsIdentity(string authenticationType) => throw null; public ClaimsIdentity(string authenticationType, string nameType, string roleType) => throw null; - public virtual System.Security.Claims.ClaimsIdentity Clone() => throw null; - protected virtual System.Security.Claims.Claim CreateClaim(System.IO.BinaryReader reader) => throw null; - protected virtual System.Byte[] CustomSerializationData { get => throw null; } - public const string DefaultIssuer = default; - public const string DefaultNameClaimType = default; - public const string DefaultRoleClaimType = default; + protected virtual byte[] CustomSerializationData { get => throw null; } + public static string DefaultIssuer; + public static string DefaultNameClaimType; + public static string DefaultRoleClaimType; public virtual System.Collections.Generic.IEnumerable FindAll(System.Predicate match) => throw null; public virtual System.Collections.Generic.IEnumerable FindAll(string type) => throw null; public virtual System.Security.Claims.Claim FindFirst(System.Predicate match) => throw null; @@ -157,32 +66,31 @@ public class ClaimsIdentity : System.Security.Principal.IIdentity public virtual bool HasClaim(System.Predicate match) => throw null; public virtual bool HasClaim(string type, string value) => throw null; public virtual bool IsAuthenticated { get => throw null; } - public string Label { get => throw null; set => throw null; } + public string Label { get => throw null; set { } } public virtual string Name { get => throw null; } public string NameClaimType { get => throw null; } public virtual void RemoveClaim(System.Security.Claims.Claim claim) => throw null; public string RoleClaimType { get => throw null; } public virtual bool TryRemoveClaim(System.Security.Claims.Claim claim) => throw null; public virtual void WriteTo(System.IO.BinaryWriter writer) => throw null; - protected virtual void WriteTo(System.IO.BinaryWriter writer, System.Byte[] userData) => throw null; + protected virtual void WriteTo(System.IO.BinaryWriter writer, byte[] userData) => throw null; } - public class ClaimsPrincipal : System.Security.Principal.IPrincipal { public virtual void AddIdentities(System.Collections.Generic.IEnumerable identities) => throw null; public virtual void AddIdentity(System.Security.Claims.ClaimsIdentity identity) => throw null; public virtual System.Collections.Generic.IEnumerable Claims { get => throw null; } + public static System.Func ClaimsPrincipalSelector { get => throw null; set { } } + public virtual System.Security.Claims.ClaimsPrincipal Clone() => throw null; + protected virtual System.Security.Claims.ClaimsIdentity CreateClaimsIdentity(System.IO.BinaryReader reader) => throw null; public ClaimsPrincipal() => throw null; - public ClaimsPrincipal(System.IO.BinaryReader reader) => throw null; public ClaimsPrincipal(System.Collections.Generic.IEnumerable identities) => throw null; + public ClaimsPrincipal(System.IO.BinaryReader reader) => throw null; + protected ClaimsPrincipal(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ClaimsPrincipal(System.Security.Principal.IIdentity identity) => throw null; public ClaimsPrincipal(System.Security.Principal.IPrincipal principal) => throw null; - protected ClaimsPrincipal(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public static System.Func ClaimsPrincipalSelector { get => throw null; set => throw null; } - public virtual System.Security.Claims.ClaimsPrincipal Clone() => throw null; - protected virtual System.Security.Claims.ClaimsIdentity CreateClaimsIdentity(System.IO.BinaryReader reader) => throw null; public static System.Security.Claims.ClaimsPrincipal Current { get => throw null; } - protected virtual System.Byte[] CustomSerializationData { get => throw null; } + protected virtual byte[] CustomSerializationData { get => throw null; } public virtual System.Collections.Generic.IEnumerable FindAll(System.Predicate match) => throw null; public virtual System.Collections.Generic.IEnumerable FindAll(string type) => throw null; public virtual System.Security.Claims.Claim FindFirst(System.Predicate match) => throw null; @@ -193,11 +101,97 @@ public class ClaimsPrincipal : System.Security.Principal.IPrincipal public virtual System.Collections.Generic.IEnumerable Identities { get => throw null; } public virtual System.Security.Principal.IIdentity Identity { get => throw null; } public virtual bool IsInRole(string role) => throw null; - public static System.Func, System.Security.Claims.ClaimsIdentity> PrimaryIdentitySelector { get => throw null; set => throw null; } + public static System.Func, System.Security.Claims.ClaimsIdentity> PrimaryIdentitySelector { get => throw null; set { } } public virtual void WriteTo(System.IO.BinaryWriter writer) => throw null; - protected virtual void WriteTo(System.IO.BinaryWriter writer, System.Byte[] userData) => throw null; + protected virtual void WriteTo(System.IO.BinaryWriter writer, byte[] userData) => throw null; + } + public static class ClaimTypes + { + public static string Actor; + public static string Anonymous; + public static string Authentication; + public static string AuthenticationInstant; + public static string AuthenticationMethod; + public static string AuthorizationDecision; + public static string CookiePath; + public static string Country; + public static string DateOfBirth; + public static string DenyOnlyPrimaryGroupSid; + public static string DenyOnlyPrimarySid; + public static string DenyOnlySid; + public static string DenyOnlyWindowsDeviceGroup; + public static string Dns; + public static string Dsa; + public static string Email; + public static string Expiration; + public static string Expired; + public static string Gender; + public static string GivenName; + public static string GroupSid; + public static string Hash; + public static string HomePhone; + public static string IsPersistent; + public static string Locality; + public static string MobilePhone; + public static string Name; + public static string NameIdentifier; + public static string OtherPhone; + public static string PostalCode; + public static string PrimaryGroupSid; + public static string PrimarySid; + public static string Role; + public static string Rsa; + public static string SerialNumber; + public static string Sid; + public static string Spn; + public static string StateOrProvince; + public static string StreetAddress; + public static string Surname; + public static string System; + public static string Thumbprint; + public static string Upn; + public static string Uri; + public static string UserData; + public static string Version; + public static string Webpage; + public static string WindowsAccountName; + public static string WindowsDeviceClaim; + public static string WindowsDeviceGroup; + public static string WindowsFqbnVersion; + public static string WindowsSubAuthority; + public static string WindowsUserClaim; + public static string X500DistinguishedName; + } + public static class ClaimValueTypes + { + public static string Base64Binary; + public static string Base64Octet; + public static string Boolean; + public static string Date; + public static string DateTime; + public static string DaytimeDuration; + public static string DnsName; + public static string Double; + public static string DsaKeyValue; + public static string Email; + public static string Fqbn; + public static string HexBinary; + public static string Integer; + public static string Integer32; + public static string Integer64; + public static string KeyInfo; + public static string Rfc822Name; + public static string Rsa; + public static string RsaKeyValue; + public static string Sid; + public static string String; + public static string Time; + public static string UInteger32; + public static string UInteger64; + public static string UpnName; + public static string X500Name; + public static string YearMonthDuration; } - } namespace Principal { @@ -212,14 +206,12 @@ public class GenericIdentity : System.Security.Claims.ClaimsIdentity public override bool IsAuthenticated { get => throw null; } public override string Name { get => throw null; } } - public class GenericPrincipal : System.Security.Claims.ClaimsPrincipal { public GenericPrincipal(System.Security.Principal.IIdentity identity, string[] roles) => throw null; public override System.Security.Principal.IIdentity Identity { get => throw null; } public override bool IsInRole(string role) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs new file mode 100644 index 000000000000..0f0dfa58ee1a --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.Algorithms, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs new file mode 100644 index 000000000000..c8e93faa276a --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.Cng, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs new file mode 100644 index 000000000000..21f9151a1dc3 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.Csp, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs new file mode 100644 index 000000000000..61733b4ccce8 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.Encoding, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs new file mode 100644 index 000000000000..26212d2445d2 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.OpenSsl, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs new file mode 100644 index 000000000000..2f71d92649d3 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs new file mode 100644 index 000000000000..9709f58b2bf3 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Cryptography.X509Certificates, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs index c3a9156d0b3c..9dce291b9283 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Security.Cryptography, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 @@ -9,38 +8,33 @@ namespace SafeHandles { public abstract class SafeNCryptHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { + protected SafeNCryptHandle() : base(default(bool)) => throw null; + protected SafeNCryptHandle(nint handle, System.Runtime.InteropServices.SafeHandle parentHandle) : base(default(bool)) => throw null; protected override bool ReleaseHandle() => throw null; protected abstract bool ReleaseNativeHandle(); - protected SafeNCryptHandle() : base(default(bool)) => throw null; - protected SafeNCryptHandle(System.IntPtr handle, System.Runtime.InteropServices.SafeHandle parentHandle) : base(default(bool)) => throw null; } - - public class SafeNCryptKeyHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle + public sealed class SafeNCryptKeyHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle { - protected override bool ReleaseNativeHandle() => throw null; public SafeNCryptKeyHandle() => throw null; - public SafeNCryptKeyHandle(System.IntPtr handle, System.Runtime.InteropServices.SafeHandle parentHandle) => throw null; + public SafeNCryptKeyHandle(nint handle, System.Runtime.InteropServices.SafeHandle parentHandle) => throw null; + protected override bool ReleaseNativeHandle() => throw null; } - - public class SafeNCryptProviderHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle + public sealed class SafeNCryptProviderHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle { - protected override bool ReleaseNativeHandle() => throw null; public SafeNCryptProviderHandle() => throw null; + protected override bool ReleaseNativeHandle() => throw null; } - - public class SafeNCryptSecretHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle + public sealed class SafeNCryptSecretHandle : Microsoft.Win32.SafeHandles.SafeNCryptHandle { - protected override bool ReleaseNativeHandle() => throw null; public SafeNCryptSecretHandle() => throw null; + protected override bool ReleaseNativeHandle() => throw null; } - - public class SafeX509ChainHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid + public sealed class SafeX509ChainHandle : Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid { + public SafeX509ChainHandle() : base(default(bool)) => throw null; protected override void Dispose(bool disposing) => throw null; protected override bool ReleaseHandle() => throw null; - public SafeX509ChainHandle() : base(default(bool)) => throw null; } - } } } @@ -52,243 +46,225 @@ namespace Cryptography { public abstract class Aes : System.Security.Cryptography.SymmetricAlgorithm { - protected Aes() => throw null; public static System.Security.Cryptography.Aes Create() => throw null; public static System.Security.Cryptography.Aes Create(string algorithmName) => throw null; + protected Aes() => throw null; } - - public class AesCcm : System.IDisposable + public sealed class AesCcm : System.IDisposable { - public AesCcm(System.Byte[] key) => throw null; - public AesCcm(System.ReadOnlySpan key) => throw null; - public void Decrypt(System.Byte[] nonce, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] plaintext, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public AesCcm(byte[] key) => throw null; + public AesCcm(System.ReadOnlySpan key) => throw null; + public void Decrypt(byte[] nonce, byte[] ciphertext, byte[] tag, byte[] plaintext, byte[] associatedData = default(byte[])) => throw null; + public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public void Dispose() => throw null; - public void Encrypt(System.Byte[] nonce, System.Byte[] plaintext, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public void Encrypt(byte[] nonce, byte[] plaintext, byte[] ciphertext, byte[] tag, byte[] associatedData = default(byte[])) => throw null; + public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public static bool IsSupported { get => throw null; } public static System.Security.Cryptography.KeySizes NonceByteSizes { get => throw null; } public static System.Security.Cryptography.KeySizes TagByteSizes { get => throw null; } } - - public class AesCng : System.Security.Cryptography.Aes + public sealed class AesCng : System.Security.Cryptography.Aes { + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public AesCng() => throw null; public AesCng(string keyName) => throw null; public AesCng(string keyName, System.Security.Cryptography.CngProvider provider) => throw null; public AesCng(string keyName, System.Security.Cryptography.CngProvider provider, System.Security.Cryptography.CngKeyOpenOptions openOptions) => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; protected override void Dispose(bool disposing) => throw null; public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } - protected override bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - protected override bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - protected override bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - } - - public class AesCryptoServiceProvider : System.Security.Cryptography.Aes - { - public AesCryptoServiceProvider() => throw null; - public override int BlockSize { get => throw null; set => throw null; } + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } + protected override bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + protected override bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + protected override bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + } + public sealed class AesCryptoServiceProvider : System.Security.Cryptography.Aes + { + public override int BlockSize { get => throw null; set { } } public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public AesCryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - public override int FeedbackSize { get => throw null; set => throw null; } + public override int FeedbackSize { get => throw null; set { } } public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; - public override System.Byte[] IV { get => throw null; set => throw null; } - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } + public override byte[] IV { get => throw null; set { } } + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } public override System.Security.Cryptography.KeySizes[] LegalBlockSizes { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public override System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } - public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } + public override System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } + public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } } - - public class AesGcm : System.IDisposable + public sealed class AesGcm : System.IDisposable { - public AesGcm(System.Byte[] key) => throw null; - public AesGcm(System.ReadOnlySpan key) => throw null; - public void Decrypt(System.Byte[] nonce, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] plaintext, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public AesGcm(byte[] key) => throw null; + public AesGcm(System.ReadOnlySpan key) => throw null; + public void Decrypt(byte[] nonce, byte[] ciphertext, byte[] tag, byte[] plaintext, byte[] associatedData = default(byte[])) => throw null; + public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public void Dispose() => throw null; - public void Encrypt(System.Byte[] nonce, System.Byte[] plaintext, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public void Encrypt(byte[] nonce, byte[] plaintext, byte[] ciphertext, byte[] tag, byte[] associatedData = default(byte[])) => throw null; + public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public static bool IsSupported { get => throw null; } public static System.Security.Cryptography.KeySizes NonceByteSizes { get => throw null; } public static System.Security.Cryptography.KeySizes TagByteSizes { get => throw null; } } - - public class AesManaged : System.Security.Cryptography.Aes + public sealed class AesManaged : System.Security.Cryptography.Aes { - public AesManaged() => throw null; - public override int BlockSize { get => throw null; set => throw null; } + public override int BlockSize { get => throw null; set { } } public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public AesManaged() => throw null; protected override void Dispose(bool disposing) => throw null; - public override int FeedbackSize { get => throw null; set => throw null; } + public override int FeedbackSize { get => throw null; set { } } public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; - public override System.Byte[] IV { get => throw null; set => throw null; } - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } + public override byte[] IV { get => throw null; set { } } + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } public override System.Security.Cryptography.KeySizes[] LegalBlockSizes { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public override System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } - public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } + public override System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } + public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } } - public class AsnEncodedData { + public virtual void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; protected AsnEncodedData() => throw null; + public AsnEncodedData(byte[] rawData) => throw null; + public AsnEncodedData(System.ReadOnlySpan rawData) => throw null; public AsnEncodedData(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public AsnEncodedData(System.Byte[] rawData) => throw null; - public AsnEncodedData(System.Security.Cryptography.Oid oid, System.Byte[] rawData) => throw null; - public AsnEncodedData(System.Security.Cryptography.Oid oid, System.ReadOnlySpan rawData) => throw null; - public AsnEncodedData(System.ReadOnlySpan rawData) => throw null; - public AsnEncodedData(string oid, System.Byte[] rawData) => throw null; - public AsnEncodedData(string oid, System.ReadOnlySpan rawData) => throw null; - public virtual void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; + public AsnEncodedData(System.Security.Cryptography.Oid oid, byte[] rawData) => throw null; + public AsnEncodedData(System.Security.Cryptography.Oid oid, System.ReadOnlySpan rawData) => throw null; + public AsnEncodedData(string oid, byte[] rawData) => throw null; + public AsnEncodedData(string oid, System.ReadOnlySpan rawData) => throw null; public virtual string Format(bool multiLine) => throw null; - public System.Security.Cryptography.Oid Oid { get => throw null; set => throw null; } - public System.Byte[] RawData { get => throw null; set => throw null; } + public System.Security.Cryptography.Oid Oid { get => throw null; set { } } + public byte[] RawData { get => throw null; set { } } } - - public class AsnEncodedDataCollection : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class AsnEncodedDataCollection : System.Collections.ICollection, System.Collections.IEnumerable { public int Add(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public AsnEncodedDataCollection() => throw null; - public AsnEncodedDataCollection(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Security.Cryptography.AsnEncodedData[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public AsnEncodedDataCollection() => throw null; + public AsnEncodedDataCollection(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; public System.Security.Cryptography.AsnEncodedDataEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public System.Security.Cryptography.AsnEncodedData this[int index] { get => throw null; } public void Remove(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; public object SyncRoot { get => throw null; } + public System.Security.Cryptography.AsnEncodedData this[int index] { get => throw null; } } - - public class AsnEncodedDataEnumerator : System.Collections.IEnumerator + public sealed class AsnEncodedDataEnumerator : System.Collections.IEnumerator { public System.Security.Cryptography.AsnEncodedData Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; } - public abstract class AsymmetricAlgorithm : System.IDisposable { - protected AsymmetricAlgorithm() => throw null; public void Clear() => throw null; public static System.Security.Cryptography.AsymmetricAlgorithm Create() => throw null; public static System.Security.Cryptography.AsymmetricAlgorithm Create(string algName) => throw null; + protected AsymmetricAlgorithm() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public virtual System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public virtual System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public string ExportEncryptedPkcs8PrivateKeyPem(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public virtual System.Byte[] ExportPkcs8PrivateKey() => throw null; + public virtual byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public virtual byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public string ExportEncryptedPkcs8PrivateKeyPem(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public virtual byte[] ExportPkcs8PrivateKey() => throw null; public string ExportPkcs8PrivateKeyPem() => throw null; - public virtual System.Byte[] ExportSubjectPublicKeyInfo() => throw null; + public virtual byte[] ExportSubjectPublicKeyInfo() => throw null; public string ExportSubjectPublicKeyInfoPem() => throw null; public virtual void FromXmlString(string xmlString) => throw null; - public virtual void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; - public virtual void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; - public virtual void ImportFromPem(System.ReadOnlySpan input) => throw null; - public virtual void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; + public virtual void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; + public virtual void ImportFromPem(System.ReadOnlySpan input) => throw null; + public virtual void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; public virtual string KeyExchangeAlgorithm { get => throw null; } - public virtual int KeySize { get => throw null; set => throw null; } + public virtual int KeySize { get => throw null; set { } } protected int KeySizeValue; public virtual System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } protected System.Security.Cryptography.KeySizes[] LegalKeySizesValue; public virtual string SignatureAlgorithm { get => throw null; } public virtual string ToXmlString(bool includePrivateParameters) => throw null; - public virtual bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public virtual bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public bool TryExportEncryptedPkcs8PrivateKeyPem(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int charsWritten) => throw null; - public virtual bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public bool TryExportPkcs8PrivateKeyPem(System.Span destination, out int charsWritten) => throw null; - public virtual bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; - public bool TryExportSubjectPublicKeyInfoPem(System.Span destination, out int charsWritten) => throw null; - } - + public virtual bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public virtual bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public bool TryExportEncryptedPkcs8PrivateKeyPem(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int charsWritten) => throw null; + public virtual bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportPkcs8PrivateKeyPem(System.Span destination, out int charsWritten) => throw null; + public virtual bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportSubjectPublicKeyInfoPem(System.Span destination, out int charsWritten) => throw null; + } public abstract class AsymmetricKeyExchangeDeformatter { protected AsymmetricKeyExchangeDeformatter() => throw null; - public abstract System.Byte[] DecryptKeyExchange(System.Byte[] rgb); + public abstract byte[] DecryptKeyExchange(byte[] rgb); public abstract string Parameters { get; set; } public abstract void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key); } - public abstract class AsymmetricKeyExchangeFormatter { + public abstract byte[] CreateKeyExchange(byte[] data); + public abstract byte[] CreateKeyExchange(byte[] data, System.Type symAlgType); protected AsymmetricKeyExchangeFormatter() => throw null; - public abstract System.Byte[] CreateKeyExchange(System.Byte[] data); - public abstract System.Byte[] CreateKeyExchange(System.Byte[] data, System.Type symAlgType); public abstract string Parameters { get; } public abstract void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key); } - public abstract class AsymmetricSignatureDeformatter { protected AsymmetricSignatureDeformatter() => throw null; public abstract void SetHashAlgorithm(string strName); public abstract void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key); - public abstract bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature); - public virtual bool VerifySignature(System.Security.Cryptography.HashAlgorithm hash, System.Byte[] rgbSignature) => throw null; + public abstract bool VerifySignature(byte[] rgbHash, byte[] rgbSignature); + public virtual bool VerifySignature(System.Security.Cryptography.HashAlgorithm hash, byte[] rgbSignature) => throw null; } - public abstract class AsymmetricSignatureFormatter { + public abstract byte[] CreateSignature(byte[] rgbHash); + public virtual byte[] CreateSignature(System.Security.Cryptography.HashAlgorithm hash) => throw null; protected AsymmetricSignatureFormatter() => throw null; - public abstract System.Byte[] CreateSignature(System.Byte[] rgbHash); - public virtual System.Byte[] CreateSignature(System.Security.Cryptography.HashAlgorithm hash) => throw null; public abstract void SetHashAlgorithm(string strName); public abstract void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key); } - - public class ChaCha20Poly1305 : System.IDisposable + public sealed class ChaCha20Poly1305 : System.IDisposable { - public ChaCha20Poly1305(System.Byte[] key) => throw null; - public ChaCha20Poly1305(System.ReadOnlySpan key) => throw null; - public void Decrypt(System.Byte[] nonce, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] plaintext, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public ChaCha20Poly1305(byte[] key) => throw null; + public ChaCha20Poly1305(System.ReadOnlySpan key) => throw null; + public void Decrypt(byte[] nonce, byte[] ciphertext, byte[] tag, byte[] plaintext, byte[] associatedData = default(byte[])) => throw null; + public void Decrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan ciphertext, System.ReadOnlySpan tag, System.Span plaintext, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public void Dispose() => throw null; - public void Encrypt(System.Byte[] nonce, System.Byte[] plaintext, System.Byte[] ciphertext, System.Byte[] tag, System.Byte[] associatedData = default(System.Byte[])) => throw null; - public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; + public void Encrypt(byte[] nonce, byte[] plaintext, byte[] ciphertext, byte[] tag, byte[] associatedData = default(byte[])) => throw null; + public void Encrypt(System.ReadOnlySpan nonce, System.ReadOnlySpan plaintext, System.Span ciphertext, System.Span tag, System.ReadOnlySpan associatedData = default(System.ReadOnlySpan)) => throw null; public static bool IsSupported { get => throw null; } } - - public enum CipherMode : int + public enum CipherMode { CBC = 1, - CFB = 4, - CTS = 5, ECB = 2, OFB = 3, + CFB = 4, + CTS = 5, } - - public class CngAlgorithm : System.IEquatable + public sealed class CngAlgorithm : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.CngAlgorithm left, System.Security.Cryptography.CngAlgorithm right) => throw null; - public static bool operator ==(System.Security.Cryptography.CngAlgorithm left, System.Security.Cryptography.CngAlgorithm right) => throw null; public string Algorithm { get => throw null; } public CngAlgorithm(string algorithm) => throw null; public static System.Security.Cryptography.CngAlgorithm ECDiffieHellman { get => throw null; } @@ -299,10 +275,12 @@ public class CngAlgorithm : System.IEquatable throw null; } public static System.Security.Cryptography.CngAlgorithm ECDsaP384 { get => throw null; } public static System.Security.Cryptography.CngAlgorithm ECDsaP521 { get => throw null; } - public bool Equals(System.Security.Cryptography.CngAlgorithm other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.CngAlgorithm other) => throw null; public override int GetHashCode() => throw null; public static System.Security.Cryptography.CngAlgorithm MD5 { get => throw null; } + public static bool operator ==(System.Security.Cryptography.CngAlgorithm left, System.Security.Cryptography.CngAlgorithm right) => throw null; + public static bool operator !=(System.Security.Cryptography.CngAlgorithm left, System.Security.Cryptography.CngAlgorithm right) => throw null; public static System.Security.Cryptography.CngAlgorithm Rsa { get => throw null; } public static System.Security.Cryptography.CngAlgorithm Sha1 { get => throw null; } public static System.Security.Cryptography.CngAlgorithm Sha256 { get => throw null; } @@ -310,35 +288,32 @@ public class CngAlgorithm : System.IEquatable throw null; } public override string ToString() => throw null; } - - public class CngAlgorithmGroup : System.IEquatable + public sealed class CngAlgorithmGroup : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.CngAlgorithmGroup left, System.Security.Cryptography.CngAlgorithmGroup right) => throw null; - public static bool operator ==(System.Security.Cryptography.CngAlgorithmGroup left, System.Security.Cryptography.CngAlgorithmGroup right) => throw null; public string AlgorithmGroup { get => throw null; } public CngAlgorithmGroup(string algorithmGroup) => throw null; public static System.Security.Cryptography.CngAlgorithmGroup DiffieHellman { get => throw null; } public static System.Security.Cryptography.CngAlgorithmGroup Dsa { get => throw null; } public static System.Security.Cryptography.CngAlgorithmGroup ECDiffieHellman { get => throw null; } public static System.Security.Cryptography.CngAlgorithmGroup ECDsa { get => throw null; } - public bool Equals(System.Security.Cryptography.CngAlgorithmGroup other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.CngAlgorithmGroup other) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Security.Cryptography.CngAlgorithmGroup left, System.Security.Cryptography.CngAlgorithmGroup right) => throw null; + public static bool operator !=(System.Security.Cryptography.CngAlgorithmGroup left, System.Security.Cryptography.CngAlgorithmGroup right) => throw null; public static System.Security.Cryptography.CngAlgorithmGroup Rsa { get => throw null; } public override string ToString() => throw null; } - [System.Flags] - public enum CngExportPolicies : int + public enum CngExportPolicies { - AllowArchiving = 4, + None = 0, AllowExport = 1, - AllowPlaintextArchiving = 8, AllowPlaintextExport = 2, - None = 0, + AllowArchiving = 4, + AllowPlaintextArchiving = 8, } - - public class CngKey : System.IDisposable + public sealed class CngKey : System.IDisposable { public System.Security.Cryptography.CngAlgorithm Algorithm { get => throw null; } public System.Security.Cryptography.CngAlgorithmGroup AlgorithmGroup { get => throw null; } @@ -350,13 +325,13 @@ public class CngKey : System.IDisposable public static bool Exists(string keyName) => throw null; public static bool Exists(string keyName, System.Security.Cryptography.CngProvider provider) => throw null; public static bool Exists(string keyName, System.Security.Cryptography.CngProvider provider, System.Security.Cryptography.CngKeyOpenOptions options) => throw null; - public System.Byte[] Export(System.Security.Cryptography.CngKeyBlobFormat format) => throw null; + public byte[] Export(System.Security.Cryptography.CngKeyBlobFormat format) => throw null; public System.Security.Cryptography.CngExportPolicies ExportPolicy { get => throw null; } public System.Security.Cryptography.CngProperty GetProperty(string name, System.Security.Cryptography.CngPropertyOptions options) => throw null; public Microsoft.Win32.SafeHandles.SafeNCryptKeyHandle Handle { get => throw null; } public bool HasProperty(string name, System.Security.Cryptography.CngPropertyOptions options) => throw null; - public static System.Security.Cryptography.CngKey Import(System.Byte[] keyBlob, System.Security.Cryptography.CngKeyBlobFormat format) => throw null; - public static System.Security.Cryptography.CngKey Import(System.Byte[] keyBlob, System.Security.Cryptography.CngKeyBlobFormat format, System.Security.Cryptography.CngProvider provider) => throw null; + public static System.Security.Cryptography.CngKey Import(byte[] keyBlob, System.Security.Cryptography.CngKeyBlobFormat format) => throw null; + public static System.Security.Cryptography.CngKey Import(byte[] keyBlob, System.Security.Cryptography.CngKeyBlobFormat format, System.Security.Cryptography.CngProvider provider) => throw null; public bool IsEphemeral { get => throw null; } public bool IsMachineKey { get => throw null; } public string KeyName { get => throw null; } @@ -366,144 +341,130 @@ public class CngKey : System.IDisposable public static System.Security.Cryptography.CngKey Open(string keyName) => throw null; public static System.Security.Cryptography.CngKey Open(string keyName, System.Security.Cryptography.CngProvider provider) => throw null; public static System.Security.Cryptography.CngKey Open(string keyName, System.Security.Cryptography.CngProvider provider, System.Security.Cryptography.CngKeyOpenOptions openOptions) => throw null; - public System.IntPtr ParentWindowHandle { get => throw null; set => throw null; } + public nint ParentWindowHandle { get => throw null; set { } } public System.Security.Cryptography.CngProvider Provider { get => throw null; } public Microsoft.Win32.SafeHandles.SafeNCryptProviderHandle ProviderHandle { get => throw null; } public void SetProperty(System.Security.Cryptography.CngProperty property) => throw null; public System.Security.Cryptography.CngUIPolicy UIPolicy { get => throw null; } public string UniqueName { get => throw null; } } - - public class CngKeyBlobFormat : System.IEquatable + public sealed class CngKeyBlobFormat : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.CngKeyBlobFormat left, System.Security.Cryptography.CngKeyBlobFormat right) => throw null; - public static bool operator ==(System.Security.Cryptography.CngKeyBlobFormat left, System.Security.Cryptography.CngKeyBlobFormat right) => throw null; public CngKeyBlobFormat(string format) => throw null; public static System.Security.Cryptography.CngKeyBlobFormat EccFullPrivateBlob { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat EccFullPublicBlob { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat EccPrivateBlob { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat EccPublicBlob { get => throw null; } - public bool Equals(System.Security.Cryptography.CngKeyBlobFormat other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.CngKeyBlobFormat other) => throw null; public string Format { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat GenericPrivateBlob { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat GenericPublicBlob { get => throw null; } public override int GetHashCode() => throw null; + public static bool operator ==(System.Security.Cryptography.CngKeyBlobFormat left, System.Security.Cryptography.CngKeyBlobFormat right) => throw null; + public static bool operator !=(System.Security.Cryptography.CngKeyBlobFormat left, System.Security.Cryptography.CngKeyBlobFormat right) => throw null; public static System.Security.Cryptography.CngKeyBlobFormat OpaqueTransportBlob { get => throw null; } public static System.Security.Cryptography.CngKeyBlobFormat Pkcs8PrivateBlob { get => throw null; } public override string ToString() => throw null; } - [System.Flags] - public enum CngKeyCreationOptions : int + public enum CngKeyCreationOptions { - MachineKey = 32, None = 0, + MachineKey = 32, OverwriteExistingKey = 128, } - - public class CngKeyCreationParameters + public sealed class CngKeyCreationParameters { public CngKeyCreationParameters() => throw null; - public System.Security.Cryptography.CngExportPolicies? ExportPolicy { get => throw null; set => throw null; } - public System.Security.Cryptography.CngKeyCreationOptions KeyCreationOptions { get => throw null; set => throw null; } - public System.Security.Cryptography.CngKeyUsages? KeyUsage { get => throw null; set => throw null; } + public System.Security.Cryptography.CngExportPolicies? ExportPolicy { get => throw null; set { } } + public System.Security.Cryptography.CngKeyCreationOptions KeyCreationOptions { get => throw null; set { } } + public System.Security.Cryptography.CngKeyUsages? KeyUsage { get => throw null; set { } } public System.Security.Cryptography.CngPropertyCollection Parameters { get => throw null; } - public System.IntPtr ParentWindowHandle { get => throw null; set => throw null; } - public System.Security.Cryptography.CngProvider Provider { get => throw null; set => throw null; } - public System.Security.Cryptography.CngUIPolicy UIPolicy { get => throw null; set => throw null; } + public nint ParentWindowHandle { get => throw null; set { } } + public System.Security.Cryptography.CngProvider Provider { get => throw null; set { } } + public System.Security.Cryptography.CngUIPolicy UIPolicy { get => throw null; set { } } } - [System.Flags] - public enum CngKeyHandleOpenOptions : int + public enum CngKeyHandleOpenOptions { - EphemeralKey = 1, None = 0, + EphemeralKey = 1, } - [System.Flags] - public enum CngKeyOpenOptions : int + public enum CngKeyOpenOptions { - MachineKey = 32, None = 0, - Silent = 64, UserKey = 0, + MachineKey = 32, + Silent = 64, } - [System.Flags] - public enum CngKeyUsages : int + public enum CngKeyUsages { - AllUsages = 16777215, - Decryption = 1, - KeyAgreement = 4, None = 0, + Decryption = 1, Signing = 2, + KeyAgreement = 4, + AllUsages = 16777215, } - public struct CngProperty : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.CngProperty left, System.Security.Cryptography.CngProperty right) => throw null; - public static bool operator ==(System.Security.Cryptography.CngProperty left, System.Security.Cryptography.CngProperty right) => throw null; - // Stub generator skipped constructor - public CngProperty(string name, System.Byte[] value, System.Security.Cryptography.CngPropertyOptions options) => throw null; - public bool Equals(System.Security.Cryptography.CngProperty other) => throw null; + public CngProperty(string name, byte[] value, System.Security.Cryptography.CngPropertyOptions options) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.CngProperty other) => throw null; public override int GetHashCode() => throw null; - public System.Byte[] GetValue() => throw null; + public byte[] GetValue() => throw null; public string Name { get => throw null; } + public static bool operator ==(System.Security.Cryptography.CngProperty left, System.Security.Cryptography.CngProperty right) => throw null; + public static bool operator !=(System.Security.Cryptography.CngProperty left, System.Security.Cryptography.CngProperty right) => throw null; public System.Security.Cryptography.CngPropertyOptions Options { get => throw null; } } - - public class CngPropertyCollection : System.Collections.ObjectModel.Collection + public sealed class CngPropertyCollection : System.Collections.ObjectModel.Collection { public CngPropertyCollection() => throw null; } - [System.Flags] - public enum CngPropertyOptions : int + public enum CngPropertyOptions { - CustomProperty = 1073741824, - None = 0, Persist = -2147483648, + None = 0, + CustomProperty = 1073741824, } - - public class CngProvider : System.IEquatable + public sealed class CngProvider : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.CngProvider left, System.Security.Cryptography.CngProvider right) => throw null; - public static bool operator ==(System.Security.Cryptography.CngProvider left, System.Security.Cryptography.CngProvider right) => throw null; public CngProvider(string provider) => throw null; - public bool Equals(System.Security.Cryptography.CngProvider other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.CngProvider other) => throw null; public override int GetHashCode() => throw null; public static System.Security.Cryptography.CngProvider MicrosoftPlatformCryptoProvider { get => throw null; } public static System.Security.Cryptography.CngProvider MicrosoftSmartCardKeyStorageProvider { get => throw null; } public static System.Security.Cryptography.CngProvider MicrosoftSoftwareKeyStorageProvider { get => throw null; } + public static bool operator ==(System.Security.Cryptography.CngProvider left, System.Security.Cryptography.CngProvider right) => throw null; + public static bool operator !=(System.Security.Cryptography.CngProvider left, System.Security.Cryptography.CngProvider right) => throw null; public string Provider { get => throw null; } public override string ToString() => throw null; } - - public class CngUIPolicy + public sealed class CngUIPolicy { + public string CreationTitle { get => throw null; } public CngUIPolicy(System.Security.Cryptography.CngUIProtectionLevels protectionLevel) => throw null; public CngUIPolicy(System.Security.Cryptography.CngUIProtectionLevels protectionLevel, string friendlyName) => throw null; public CngUIPolicy(System.Security.Cryptography.CngUIProtectionLevels protectionLevel, string friendlyName, string description) => throw null; public CngUIPolicy(System.Security.Cryptography.CngUIProtectionLevels protectionLevel, string friendlyName, string description, string useContext) => throw null; public CngUIPolicy(System.Security.Cryptography.CngUIProtectionLevels protectionLevel, string friendlyName, string description, string useContext, string creationTitle) => throw null; - public string CreationTitle { get => throw null; } public string Description { get => throw null; } public string FriendlyName { get => throw null; } public System.Security.Cryptography.CngUIProtectionLevels ProtectionLevel { get => throw null; } public string UseContext { get => throw null; } } - [System.Flags] - public enum CngUIProtectionLevels : int + public enum CngUIProtectionLevels { - ForceHighProtection = 2, None = 0, ProtectKey = 1, + ForceHighProtection = 2, } - public class CryptoConfig { public static void AddAlgorithm(System.Type algorithm, params string[] names) => throw null; @@ -512,14 +473,26 @@ public class CryptoConfig public static object CreateFromName(string name) => throw null; public static object CreateFromName(string name, params object[] args) => throw null; public CryptoConfig() => throw null; - public static System.Byte[] EncodeOID(string str) => throw null; + public static byte[] EncodeOID(string str) => throw null; public static string MapNameToOID(string name) => throw null; } - + public static class CryptographicOperations + { + public static bool FixedTimeEquals(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; + public static void ZeroMemory(System.Span buffer) => throw null; + } + public class CryptographicUnexpectedOperationException : System.Security.Cryptography.CryptographicException + { + public CryptographicUnexpectedOperationException() => throw null; + protected CryptographicUnexpectedOperationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public CryptographicUnexpectedOperationException(string message) => throw null; + public CryptographicUnexpectedOperationException(string message, System.Exception inner) => throw null; + public CryptographicUnexpectedOperationException(string format, string insert) => throw null; + } public class CryptoStream : System.IO.Stream, System.IDisposable { - public override System.IAsyncResult BeginRead(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; - public override System.IAsyncResult BeginWrite(System.Byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginRead(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; + public override System.IAsyncResult BeginWrite(byte[] buffer, int offset, int count, System.AsyncCallback callback, object state) => throw null; public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } @@ -537,42 +510,25 @@ public class CryptoStream : System.IO.Stream, System.IDisposable public void FlushFinalBlock() => throw null; public System.Threading.Tasks.ValueTask FlushFinalBlockAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool HasFlushedFinalBlock { get => throw null; } - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override int ReadByte() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override void WriteByte(System.Byte value) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteByte(byte value) => throw null; } - - public enum CryptoStreamMode : int + public enum CryptoStreamMode { Read = 0, Write = 1, } - - public static class CryptographicOperations - { - public static bool FixedTimeEquals(System.ReadOnlySpan left, System.ReadOnlySpan right) => throw null; - public static void ZeroMemory(System.Span buffer) => throw null; - } - - public class CryptographicUnexpectedOperationException : System.Security.Cryptography.CryptographicException - { - public CryptographicUnexpectedOperationException() => throw null; - protected CryptographicUnexpectedOperationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public CryptographicUnexpectedOperationException(string message) => throw null; - public CryptographicUnexpectedOperationException(string message, System.Exception inner) => throw null; - public CryptographicUnexpectedOperationException(string format, string insert) => throw null; - } - - public class CspKeyContainerInfo + public sealed class CspKeyContainerInfo { public bool Accessible { get => throw null; } public CspKeyContainerInfo(System.Security.Cryptography.CspParameters parameters) => throw null; @@ -588,273 +544,268 @@ public class CspKeyContainerInfo public bool Removable { get => throw null; } public string UniqueKeyContainerName { get => throw null; } } - - public class CspParameters + public sealed class CspParameters { public CspParameters() => throw null; public CspParameters(int dwTypeIn) => throw null; public CspParameters(int dwTypeIn, string strProviderNameIn) => throw null; public CspParameters(int dwTypeIn, string strProviderNameIn, string strContainerNameIn) => throw null; - public System.Security.Cryptography.CspProviderFlags Flags { get => throw null; set => throw null; } + public System.Security.Cryptography.CspProviderFlags Flags { get => throw null; set { } } public string KeyContainerName; public int KeyNumber; - public System.Security.SecureString KeyPassword { get => throw null; set => throw null; } - public System.IntPtr ParentWindowHandle { get => throw null; set => throw null; } + public System.Security.SecureString KeyPassword { get => throw null; set { } } + public nint ParentWindowHandle { get => throw null; set { } } public string ProviderName; public int ProviderType; } - [System.Flags] - public enum CspProviderFlags : int + public enum CspProviderFlags { - CreateEphemeralKey = 128, NoFlags = 0, - NoPrompt = 64, - UseArchivableKey = 16, - UseDefaultKeyContainer = 2, - UseExistingKey = 8, UseMachineKeyStore = 1, + UseDefaultKeyContainer = 2, UseNonExportableKey = 4, + UseExistingKey = 8, + UseArchivableKey = 16, UseUserProtectedKey = 32, + NoPrompt = 64, + CreateEphemeralKey = 128, + } + public abstract class DeriveBytes : System.IDisposable + { + protected DeriveBytes() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public abstract byte[] GetBytes(int cb); + public abstract void Reset(); } - public abstract class DES : System.Security.Cryptography.SymmetricAlgorithm { public static System.Security.Cryptography.DES Create() => throw null; public static System.Security.Cryptography.DES Create(string algName) => throw null; protected DES() => throw null; - public static bool IsSemiWeakKey(System.Byte[] rgbKey) => throw null; - public static bool IsWeakKey(System.Byte[] rgbKey) => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } + public static bool IsSemiWeakKey(byte[] rgbKey) => throw null; + public static bool IsWeakKey(byte[] rgbKey) => throw null; + public override byte[] Key { get => throw null; set { } } } - - public class DESCryptoServiceProvider : System.Security.Cryptography.DES + public sealed class DESCryptoServiceProvider : System.Security.Cryptography.DES { public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public DESCryptoServiceProvider() => throw null; public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; } - public abstract class DSA : System.Security.Cryptography.AsymmetricAlgorithm { public static System.Security.Cryptography.DSA Create() => throw null; - public static System.Security.Cryptography.DSA Create(System.Security.Cryptography.DSAParameters parameters) => throw null; public static System.Security.Cryptography.DSA Create(int keySizeInBits) => throw null; + public static System.Security.Cryptography.DSA Create(System.Security.Cryptography.DSAParameters parameters) => throw null; public static System.Security.Cryptography.DSA Create(string algName) => throw null; - public abstract System.Byte[] CreateSignature(System.Byte[] rgbHash); - public System.Byte[] CreateSignature(System.Byte[] rgbHash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] CreateSignatureCore(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public abstract byte[] CreateSignature(byte[] rgbHash); + public byte[] CreateSignature(byte[] rgbHash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] CreateSignatureCore(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; protected DSA() => throw null; public abstract System.Security.Cryptography.DSAParameters ExportParameters(bool includePrivateParameters); public override void FromXmlString(string xmlString) => throw null; public int GetMaxSignatureSize(System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] HashData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - protected virtual System.Byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; - public override void ImportFromPem(System.ReadOnlySpan input) => throw null; + protected virtual byte[] HashData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected virtual byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; + public override void ImportFromPem(System.ReadOnlySpan input) => throw null; public abstract void ImportParameters(System.Security.Cryptography.DSAParameters parameters); - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; - public System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual System.Byte[] SignData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual System.Byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] SignDataCore(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] SignDataCore(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual byte[] SignData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] SignDataCore(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] SignDataCore(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; public override string ToXmlString(bool includePrivateParameters) => throw null; - public bool TryCreateSignature(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public virtual bool TryCreateSignature(System.ReadOnlySpan hash, System.Span destination, out int bytesWritten) => throw null; - protected virtual bool TryCreateSignatureCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; - protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; - public bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; - protected virtual bool TrySignDataCore(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyData(System.IO.Stream data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.IO.Stream data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifyDataCore(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifyDataCore(System.IO.Stream data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public abstract bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature); - public bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifySignature(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; - public bool VerifySignature(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifySignatureCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - } - - public class DSACng : System.Security.Cryptography.DSA - { - public override System.Byte[] CreateSignature(System.Byte[] rgbHash) => throw null; + public virtual bool TryCreateSignature(System.ReadOnlySpan hash, System.Span destination, out int bytesWritten) => throw null; + public bool TryCreateSignature(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + protected virtual bool TryCreateSignatureCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; + public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; + public bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + protected virtual bool TrySignDataCore(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public bool VerifyData(byte[] data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(byte[] data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyData(byte[] data, int offset, int count, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(byte[] data, int offset, int count, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyData(System.IO.Stream data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(System.IO.Stream data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifyDataCore(System.IO.Stream data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifyDataCore(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public abstract bool VerifySignature(byte[] rgbHash, byte[] rgbSignature); + public bool VerifySignature(byte[] rgbHash, byte[] rgbSignature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifySignature(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; + public bool VerifySignature(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifySignatureCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + } + public sealed class DSACng : System.Security.Cryptography.DSA + { + public override byte[] CreateSignature(byte[] rgbHash) => throw null; public DSACng() => throw null; - public DSACng(System.Security.Cryptography.CngKey key) => throw null; public DSACng(int keySize) => throw null; + public DSACng(System.Security.Cryptography.CngKey key) => throw null; protected override void Dispose(bool disposing) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; public override System.Security.Cryptography.DSAParameters ExportParameters(bool includePrivateParameters) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.DSAParameters parameters) => throw null; public System.Security.Cryptography.CngKey Key { get => throw null; } public override string KeyExchangeAlgorithm { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } public override string SignatureAlgorithm { get => throw null; } - protected override bool TryCreateSignatureCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public override bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature) => throw null; - protected override bool VerifySignatureCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected override bool TryCreateSignatureCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool VerifySignature(byte[] rgbHash, byte[] rgbSignature) => throw null; + protected override bool VerifySignatureCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; } - - public class DSACryptoServiceProvider : System.Security.Cryptography.DSA, System.Security.Cryptography.ICspAsymmetricAlgorithm + public sealed class DSACryptoServiceProvider : System.Security.Cryptography.DSA, System.Security.Cryptography.ICspAsymmetricAlgorithm { - public override System.Byte[] CreateSignature(System.Byte[] rgbHash) => throw null; + public override byte[] CreateSignature(byte[] rgbHash) => throw null; public System.Security.Cryptography.CspKeyContainerInfo CspKeyContainerInfo { get => throw null; } public DSACryptoServiceProvider() => throw null; - public DSACryptoServiceProvider(System.Security.Cryptography.CspParameters parameters) => throw null; public DSACryptoServiceProvider(int dwKeySize) => throw null; public DSACryptoServiceProvider(int dwKeySize, System.Security.Cryptography.CspParameters parameters) => throw null; + public DSACryptoServiceProvider(System.Security.Cryptography.CspParameters parameters) => throw null; protected override void Dispose(bool disposing) => throw null; - public System.Byte[] ExportCspBlob(bool includePrivateParameters) => throw null; + public byte[] ExportCspBlob(bool includePrivateParameters) => throw null; public override System.Security.Cryptography.DSAParameters ExportParameters(bool includePrivateParameters) => throw null; - protected override System.Byte[] HashData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - protected override System.Byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public void ImportCspBlob(System.Byte[] keyBlob) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + protected override byte[] HashData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected override byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public void ImportCspBlob(byte[] keyBlob) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.DSAParameters parameters) => throw null; public override string KeyExchangeAlgorithm { get => throw null; } public override int KeySize { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public bool PersistKeyInCsp { get => throw null; set => throw null; } + public bool PersistKeyInCsp { get => throw null; set { } } public bool PublicOnly { get => throw null; } - public System.Byte[] SignData(System.Byte[] buffer) => throw null; - public System.Byte[] SignData(System.Byte[] buffer, int offset, int count) => throw null; - public System.Byte[] SignData(System.IO.Stream inputStream) => throw null; - public System.Byte[] SignHash(System.Byte[] rgbHash, string str) => throw null; public override string SignatureAlgorithm { get => throw null; } - public static bool UseMachineKeyStore { get => throw null; set => throw null; } - public bool VerifyData(System.Byte[] rgbData, System.Byte[] rgbSignature) => throw null; - public bool VerifyHash(System.Byte[] rgbHash, string str, System.Byte[] rgbSignature) => throw null; - public override bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature) => throw null; - } - - public class DSAOpenSsl : System.Security.Cryptography.DSA - { - public override System.Byte[] CreateSignature(System.Byte[] rgbHash) => throw null; + public byte[] SignData(byte[] buffer) => throw null; + public byte[] SignData(byte[] buffer, int offset, int count) => throw null; + public byte[] SignData(System.IO.Stream inputStream) => throw null; + public byte[] SignHash(byte[] rgbHash, string str) => throw null; + public static bool UseMachineKeyStore { get => throw null; set { } } + public bool VerifyData(byte[] rgbData, byte[] rgbSignature) => throw null; + public bool VerifyHash(byte[] rgbHash, string str, byte[] rgbSignature) => throw null; + public override bool VerifySignature(byte[] rgbHash, byte[] rgbSignature) => throw null; + } + public sealed class DSAOpenSsl : System.Security.Cryptography.DSA + { + public override byte[] CreateSignature(byte[] rgbHash) => throw null; public DSAOpenSsl() => throw null; + public DSAOpenSsl(int keySize) => throw null; + public DSAOpenSsl(nint handle) => throw null; public DSAOpenSsl(System.Security.Cryptography.DSAParameters parameters) => throw null; - public DSAOpenSsl(System.IntPtr handle) => throw null; public DSAOpenSsl(System.Security.Cryptography.SafeEvpPKeyHandle pkeyHandle) => throw null; - public DSAOpenSsl(int keySize) => throw null; public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; public override System.Security.Cryptography.DSAParameters ExportParameters(bool includePrivateParameters) => throw null; public override void ImportParameters(System.Security.Cryptography.DSAParameters parameters) => throw null; - public override bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature) => throw null; + public override bool VerifySignature(byte[] rgbHash, byte[] rgbSignature) => throw null; } - public struct DSAParameters { public int Counter; - // Stub generator skipped constructor - public System.Byte[] G; - public System.Byte[] J; - public System.Byte[] P; - public System.Byte[] Q; - public System.Byte[] Seed; - public System.Byte[] X; - public System.Byte[] Y; - } - + public byte[] G; + public byte[] J; + public byte[] P; + public byte[] Q; + public byte[] Seed; + public byte[] X; + public byte[] Y; + } public class DSASignatureDeformatter : System.Security.Cryptography.AsymmetricSignatureDeformatter { public DSASignatureDeformatter() => throw null; public DSASignatureDeformatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; public override void SetHashAlgorithm(string strName) => throw null; public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public override bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature) => throw null; + public override bool VerifySignature(byte[] rgbHash, byte[] rgbSignature) => throw null; } - - public enum DSASignatureFormat : int + public enum DSASignatureFormat { IeeeP1363FixedFieldConcatenation = 0, Rfc3279DerSequence = 1, } - public class DSASignatureFormatter : System.Security.Cryptography.AsymmetricSignatureFormatter { - public override System.Byte[] CreateSignature(System.Byte[] rgbHash) => throw null; + public override byte[] CreateSignature(byte[] rgbHash) => throw null; public DSASignatureFormatter() => throw null; public DSASignatureFormatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; public override void SetHashAlgorithm(string strName) => throw null; public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - - public abstract class DeriveBytes : System.IDisposable - { - protected DeriveBytes() => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public abstract System.Byte[] GetBytes(int cb); - public abstract void Reset(); - } - public abstract class ECAlgorithm : System.Security.Cryptography.AsymmetricAlgorithm { protected ECAlgorithm() => throw null; - public virtual System.Byte[] ExportECPrivateKey() => throw null; + public virtual byte[] ExportECPrivateKey() => throw null; public string ExportECPrivateKeyPem() => throw null; public virtual System.Security.Cryptography.ECParameters ExportExplicitParameters(bool includePrivateParameters) => throw null; public virtual System.Security.Cryptography.ECParameters ExportParameters(bool includePrivateParameters) => throw null; public virtual void GenerateKey(System.Security.Cryptography.ECCurve curve) => throw null; - public virtual void ImportECPrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; - public override void ImportFromPem(System.ReadOnlySpan input) => throw null; + public virtual void ImportECPrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; + public override void ImportFromPem(System.ReadOnlySpan input) => throw null; public virtual void ImportParameters(System.Security.Cryptography.ECParameters parameters) => throw null; - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual bool TryExportECPrivateKey(System.Span destination, out int bytesWritten) => throw null; - public bool TryExportECPrivateKeyPem(System.Span destination, out int charsWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; - } - + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual bool TryExportECPrivateKey(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportECPrivateKeyPem(System.Span destination, out int charsWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + } public struct ECCurve { - public enum ECCurveType : int + public byte[] A; + public byte[] B; + public byte[] Cofactor; + public static System.Security.Cryptography.ECCurve CreateFromFriendlyName(string oidFriendlyName) => throw null; + public static System.Security.Cryptography.ECCurve CreateFromOid(System.Security.Cryptography.Oid curveOid) => throw null; + public static System.Security.Cryptography.ECCurve CreateFromValue(string oidValue) => throw null; + public System.Security.Cryptography.ECCurve.ECCurveType CurveType; + public enum ECCurveType { - Characteristic2 = 4, Implicit = 0, - Named = 5, - PrimeMontgomery = 3, PrimeShortWeierstrass = 1, PrimeTwistedEdwards = 2, + PrimeMontgomery = 3, + Characteristic2 = 4, + Named = 5, } - - + public System.Security.Cryptography.ECPoint G; + public System.Security.Cryptography.HashAlgorithmName? Hash; + public bool IsCharacteristic2 { get => throw null; } + public bool IsExplicit { get => throw null; } + public bool IsNamed { get => throw null; } + public bool IsPrime { get => throw null; } public static class NamedCurves { public static System.Security.Cryptography.ECCurve brainpoolP160r1 { get => throw null; } @@ -875,138 +826,115 @@ public static class NamedCurves public static System.Security.Cryptography.ECCurve nistP384 { get => throw null; } public static System.Security.Cryptography.ECCurve nistP521 { get => throw null; } } - - - public System.Byte[] A; - public System.Byte[] B; - public System.Byte[] Cofactor; - public static System.Security.Cryptography.ECCurve CreateFromFriendlyName(string oidFriendlyName) => throw null; - public static System.Security.Cryptography.ECCurve CreateFromOid(System.Security.Cryptography.Oid curveOid) => throw null; - public static System.Security.Cryptography.ECCurve CreateFromValue(string oidValue) => throw null; - public System.Security.Cryptography.ECCurve.ECCurveType CurveType; - // Stub generator skipped constructor - public System.Security.Cryptography.ECPoint G; - public System.Security.Cryptography.HashAlgorithmName? Hash; - public bool IsCharacteristic2 { get => throw null; } - public bool IsExplicit { get => throw null; } - public bool IsNamed { get => throw null; } - public bool IsPrime { get => throw null; } public System.Security.Cryptography.Oid Oid { get => throw null; } - public System.Byte[] Order; - public System.Byte[] Polynomial; - public System.Byte[] Prime; - public System.Byte[] Seed; + public byte[] Order; + public byte[] Polynomial; + public byte[] Prime; + public byte[] Seed; public void Validate() => throw null; } - public abstract class ECDiffieHellman : System.Security.Cryptography.ECAlgorithm { public static System.Security.Cryptography.ECDiffieHellman Create() => throw null; public static System.Security.Cryptography.ECDiffieHellman Create(System.Security.Cryptography.ECCurve curve) => throw null; public static System.Security.Cryptography.ECDiffieHellman Create(System.Security.Cryptography.ECParameters parameters) => throw null; public static System.Security.Cryptography.ECDiffieHellman Create(string algorithm) => throw null; - public System.Byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public virtual System.Byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] secretPrepend, System.Byte[] secretAppend) => throw null; - public System.Byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] hmacKey) => throw null; - public virtual System.Byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] hmacKey, System.Byte[] secretPrepend, System.Byte[] secretAppend) => throw null; - public virtual System.Byte[] DeriveKeyMaterial(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; - public virtual System.Byte[] DeriveKeyTls(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Byte[] prfLabel, System.Byte[] prfSeed) => throw null; protected ECDiffieHellman() => throw null; + public byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public virtual byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] secretPrepend, byte[] secretAppend) => throw null; + public byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] hmacKey) => throw null; + public virtual byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] hmacKey, byte[] secretPrepend, byte[] secretAppend) => throw null; + public virtual byte[] DeriveKeyMaterial(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; + public virtual byte[] DeriveKeyTls(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, byte[] prfLabel, byte[] prfSeed) => throw null; public override void FromXmlString(string xmlString) => throw null; public override string KeyExchangeAlgorithm { get => throw null; } public abstract System.Security.Cryptography.ECDiffieHellmanPublicKey PublicKey { get; } public override string SignatureAlgorithm { get => throw null; } public override string ToXmlString(bool includePrivateParameters) => throw null; } - - public class ECDiffieHellmanCng : System.Security.Cryptography.ECDiffieHellman + public sealed class ECDiffieHellmanCng : System.Security.Cryptography.ECDiffieHellman { - public override System.Byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] secretPrepend, System.Byte[] secretAppend) => throw null; - public override System.Byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] hmacKey, System.Byte[] secretPrepend, System.Byte[] secretAppend) => throw null; - public System.Byte[] DeriveKeyMaterial(System.Security.Cryptography.CngKey otherPartyPublicKey) => throw null; - public override System.Byte[] DeriveKeyMaterial(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; - public override System.Byte[] DeriveKeyTls(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Byte[] prfLabel, System.Byte[] prfSeed) => throw null; - public Microsoft.Win32.SafeHandles.SafeNCryptSecretHandle DeriveSecretAgreementHandle(System.Security.Cryptography.CngKey otherPartyPublicKey) => throw null; - public Microsoft.Win32.SafeHandles.SafeNCryptSecretHandle DeriveSecretAgreementHandle(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; - protected override void Dispose(bool disposing) => throw null; public ECDiffieHellmanCng() => throw null; + public ECDiffieHellmanCng(int keySize) => throw null; public ECDiffieHellmanCng(System.Security.Cryptography.CngKey key) => throw null; public ECDiffieHellmanCng(System.Security.Cryptography.ECCurve curve) => throw null; - public ECDiffieHellmanCng(int keySize) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] DeriveKeyFromHash(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] secretPrepend, byte[] secretAppend) => throw null; + public override byte[] DeriveKeyFromHmac(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] hmacKey, byte[] secretPrepend, byte[] secretAppend) => throw null; + public byte[] DeriveKeyMaterial(System.Security.Cryptography.CngKey otherPartyPublicKey) => throw null; + public override byte[] DeriveKeyMaterial(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; + public override byte[] DeriveKeyTls(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey, byte[] prfLabel, byte[] prfSeed) => throw null; + public Microsoft.Win32.SafeHandles.SafeNCryptSecretHandle DeriveSecretAgreementHandle(System.Security.Cryptography.CngKey otherPartyPublicKey) => throw null; + public Microsoft.Win32.SafeHandles.SafeNCryptSecretHandle DeriveSecretAgreementHandle(System.Security.Cryptography.ECDiffieHellmanPublicKey otherPartyPublicKey) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; public override System.Security.Cryptography.ECParameters ExportExplicitParameters(bool includePrivateParameters) => throw null; public override System.Security.Cryptography.ECParameters ExportParameters(bool includePrivateParameters) => throw null; public void FromXmlString(string xml, System.Security.Cryptography.ECKeyXmlFormat format) => throw null; public override void GenerateKey(System.Security.Cryptography.ECCurve curve) => throw null; - public System.Security.Cryptography.CngAlgorithm HashAlgorithm { get => throw null; set => throw null; } - public System.Byte[] HmacKey { get => throw null; set => throw null; } - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public System.Security.Cryptography.CngAlgorithm HashAlgorithm { get => throw null; set { } } + public byte[] HmacKey { get => throw null; set { } } + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.ECParameters parameters) => throw null; - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; public System.Security.Cryptography.CngKey Key { get => throw null; } - public System.Security.Cryptography.ECDiffieHellmanKeyDerivationFunction KeyDerivationFunction { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } - public System.Byte[] Label { get => throw null; set => throw null; } + public System.Security.Cryptography.ECDiffieHellmanKeyDerivationFunction KeyDerivationFunction { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } + public byte[] Label { get => throw null; set { } } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } public override System.Security.Cryptography.ECDiffieHellmanPublicKey PublicKey { get => throw null; } - public System.Byte[] SecretAppend { get => throw null; set => throw null; } - public System.Byte[] SecretPrepend { get => throw null; set => throw null; } - public System.Byte[] Seed { get => throw null; set => throw null; } + public byte[] SecretAppend { get => throw null; set { } } + public byte[] SecretPrepend { get => throw null; set { } } + public byte[] Seed { get => throw null; set { } } public string ToXmlString(System.Security.Cryptography.ECKeyXmlFormat format) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; public bool UseSecretAgreementAsHmacKey { get => throw null; } } - - public class ECDiffieHellmanCngPublicKey : System.Security.Cryptography.ECDiffieHellmanPublicKey + public sealed class ECDiffieHellmanCngPublicKey : System.Security.Cryptography.ECDiffieHellmanPublicKey { public System.Security.Cryptography.CngKeyBlobFormat BlobFormat { get => throw null; } protected override void Dispose(bool disposing) => throw null; public override System.Security.Cryptography.ECParameters ExportExplicitParameters() => throw null; public override System.Security.Cryptography.ECParameters ExportParameters() => throw null; - public static System.Security.Cryptography.ECDiffieHellmanPublicKey FromByteArray(System.Byte[] publicKeyBlob, System.Security.Cryptography.CngKeyBlobFormat format) => throw null; + public static System.Security.Cryptography.ECDiffieHellmanPublicKey FromByteArray(byte[] publicKeyBlob, System.Security.Cryptography.CngKeyBlobFormat format) => throw null; public static System.Security.Cryptography.ECDiffieHellmanCngPublicKey FromXmlString(string xml) => throw null; public System.Security.Cryptography.CngKey Import() => throw null; public override string ToXmlString() => throw null; } - - public enum ECDiffieHellmanKeyDerivationFunction : int + public enum ECDiffieHellmanKeyDerivationFunction { Hash = 0, Hmac = 1, Tls = 2, } - - public class ECDiffieHellmanOpenSsl : System.Security.Cryptography.ECDiffieHellman + public sealed class ECDiffieHellmanOpenSsl : System.Security.Cryptography.ECDiffieHellman { - public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; public ECDiffieHellmanOpenSsl() => throw null; + public ECDiffieHellmanOpenSsl(int keySize) => throw null; + public ECDiffieHellmanOpenSsl(nint handle) => throw null; public ECDiffieHellmanOpenSsl(System.Security.Cryptography.ECCurve curve) => throw null; - public ECDiffieHellmanOpenSsl(System.IntPtr handle) => throw null; public ECDiffieHellmanOpenSsl(System.Security.Cryptography.SafeEvpPKeyHandle pkeyHandle) => throw null; - public ECDiffieHellmanOpenSsl(int keySize) => throw null; + public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; public override System.Security.Cryptography.ECParameters ExportParameters(bool includePrivateParameters) => throw null; public override void ImportParameters(System.Security.Cryptography.ECParameters parameters) => throw null; public override System.Security.Cryptography.ECDiffieHellmanPublicKey PublicKey { get => throw null; } } - public abstract class ECDiffieHellmanPublicKey : System.IDisposable { + protected ECDiffieHellmanPublicKey() => throw null; + protected ECDiffieHellmanPublicKey(byte[] keyBlob) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - protected ECDiffieHellmanPublicKey() => throw null; - protected ECDiffieHellmanPublicKey(System.Byte[] keyBlob) => throw null; public virtual System.Security.Cryptography.ECParameters ExportExplicitParameters() => throw null; public virtual System.Security.Cryptography.ECParameters ExportParameters() => throw null; - public virtual System.Byte[] ExportSubjectPublicKeyInfo() => throw null; - public virtual System.Byte[] ToByteArray() => throw null; + public virtual byte[] ExportSubjectPublicKeyInfo() => throw null; + public virtual byte[] ToByteArray() => throw null; public virtual string ToXmlString() => throw null; - public virtual bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + public virtual bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; } - public abstract class ECDsa : System.Security.Cryptography.ECAlgorithm { public static System.Security.Cryptography.ECDsa Create() => throw null; @@ -1016,740 +944,756 @@ public abstract class ECDsa : System.Security.Cryptography.ECAlgorithm protected ECDsa() => throw null; public override void FromXmlString(string xmlString) => throw null; public int GetMaxSignatureSize(System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] HashData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - protected virtual System.Byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected virtual byte[] HashData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected virtual byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; public override string KeyExchangeAlgorithm { get => throw null; } - public virtual System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual System.Byte[] SignData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public System.Byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual System.Byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] SignDataCore(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] SignDataCore(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public abstract System.Byte[] SignHash(System.Byte[] hash); - public System.Byte[] SignHash(System.Byte[] hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public System.Byte[] SignHash(System.ReadOnlySpan hash) => throw null; - public System.Byte[] SignHash(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public int SignHash(System.ReadOnlySpan hash, System.Span destination) => throw null; - public int SignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual System.Byte[] SignHashCore(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; public override string SignatureAlgorithm { get => throw null; } + public virtual byte[] SignData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] SignDataCore(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] SignDataCore(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public abstract byte[] SignHash(byte[] hash); + public byte[] SignHash(byte[] hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public byte[] SignHash(System.ReadOnlySpan hash) => throw null; + public byte[] SignHash(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public int SignHash(System.ReadOnlySpan hash, System.Span destination) => throw null; + public int SignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual byte[] SignHashCore(System.ReadOnlySpan hash, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; public override string ToXmlString(bool includePrivateParameters) => throw null; - protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; - public bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; - protected virtual bool TrySignDataCore(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public virtual bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, out int bytesWritten) => throw null; - protected virtual bool TrySignHashCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public bool VerifyData(System.IO.Stream data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool VerifyData(System.IO.Stream data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifyDataCore(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifyDataCore(System.IO.Stream data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public abstract bool VerifyHash(System.Byte[] hash, System.Byte[] signature); - public bool VerifyHash(System.Byte[] hash, System.Byte[] signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - public virtual bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; - public bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - protected virtual bool VerifyHashCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - } - - public class ECDsaCng : System.Security.Cryptography.ECDsa + protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; + public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; + public bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + protected virtual bool TrySignDataCore(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public virtual bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, out int bytesWritten) => throw null; + public bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + protected virtual bool TrySignHashCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public bool VerifyData(byte[] data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(byte[] data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyData(byte[] data, int offset, int count, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(byte[] data, int offset, int count, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public bool VerifyData(System.IO.Stream data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(System.IO.Stream data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifyDataCore(System.IO.Stream data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifyDataCore(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public abstract bool VerifyHash(byte[] hash, byte[] signature); + public bool VerifyHash(byte[] hash, byte[] signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + public virtual bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; + public bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + protected virtual bool VerifyHashCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + } + public sealed class ECDsaCng : System.Security.Cryptography.ECDsa { - protected override void Dispose(bool disposing) => throw null; public ECDsaCng() => throw null; + public ECDsaCng(int keySize) => throw null; public ECDsaCng(System.Security.Cryptography.CngKey key) => throw null; public ECDsaCng(System.Security.Cryptography.ECCurve curve) => throw null; - public ECDsaCng(int keySize) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; public override System.Security.Cryptography.ECParameters ExportExplicitParameters(bool includePrivateParameters) => throw null; public override System.Security.Cryptography.ECParameters ExportParameters(bool includePrivateParameters) => throw null; public void FromXmlString(string xml, System.Security.Cryptography.ECKeyXmlFormat format) => throw null; public override void GenerateKey(System.Security.Cryptography.ECCurve curve) => throw null; - public System.Security.Cryptography.CngAlgorithm HashAlgorithm { get => throw null; set => throw null; } - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public System.Security.Cryptography.CngAlgorithm HashAlgorithm { get => throw null; set { } } + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.ECParameters parameters) => throw null; - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; public System.Security.Cryptography.CngKey Key { get => throw null; } - public override int KeySize { get => throw null; set => throw null; } + public override int KeySize { get => throw null; set { } } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public System.Byte[] SignData(System.Byte[] data) => throw null; - public System.Byte[] SignData(System.Byte[] data, int offset, int count) => throw null; - public System.Byte[] SignData(System.IO.Stream data) => throw null; - public override System.Byte[] SignHash(System.Byte[] hash) => throw null; + public byte[] SignData(byte[] data) => throw null; + public byte[] SignData(byte[] data, int offset, int count) => throw null; + public byte[] SignData(System.IO.Stream data) => throw null; + public override byte[] SignHash(byte[] hash) => throw null; public string ToXmlString(System.Security.Cryptography.ECKeyXmlFormat format) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public override bool TrySignHash(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TrySignHashCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature) => throw null; - public bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature) => throw null; - public bool VerifyData(System.IO.Stream data, System.Byte[] signature) => throw null; - public override bool VerifyHash(System.Byte[] hash, System.Byte[] signature) => throw null; - public override bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; - protected override bool VerifyHashCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; - } - - public class ECDsaOpenSsl : System.Security.Cryptography.ECDsa + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool TrySignHash(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TrySignHashCore(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.DSASignatureFormat signatureFormat, out int bytesWritten) => throw null; + public bool VerifyData(byte[] data, byte[] signature) => throw null; + public bool VerifyData(byte[] data, int offset, int count, byte[] signature) => throw null; + public bool VerifyData(System.IO.Stream data, byte[] signature) => throw null; + public override bool VerifyHash(byte[] hash, byte[] signature) => throw null; + public override bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature) => throw null; + protected override bool VerifyHashCore(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.DSASignatureFormat signatureFormat) => throw null; + } + public sealed class ECDsaOpenSsl : System.Security.Cryptography.ECDsa { - public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; public ECDsaOpenSsl() => throw null; + public ECDsaOpenSsl(int keySize) => throw null; + public ECDsaOpenSsl(nint handle) => throw null; public ECDsaOpenSsl(System.Security.Cryptography.ECCurve curve) => throw null; - public ECDsaOpenSsl(System.IntPtr handle) => throw null; public ECDsaOpenSsl(System.Security.Cryptography.SafeEvpPKeyHandle pkeyHandle) => throw null; - public ECDsaOpenSsl(int keySize) => throw null; - public override System.Byte[] SignHash(System.Byte[] hash) => throw null; - public override bool VerifyHash(System.Byte[] hash, System.Byte[] signature) => throw null; + public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; + public override byte[] SignHash(byte[] hash) => throw null; + public override bool VerifyHash(byte[] hash, byte[] signature) => throw null; } - - public enum ECKeyXmlFormat : int + public enum ECKeyXmlFormat { Rfc4050 = 0, } - public struct ECParameters { public System.Security.Cryptography.ECCurve Curve; - public System.Byte[] D; - // Stub generator skipped constructor + public byte[] D; public System.Security.Cryptography.ECPoint Q; public void Validate() => throw null; } - public struct ECPoint { - // Stub generator skipped constructor - public System.Byte[] X; - public System.Byte[] Y; + public byte[] X; + public byte[] Y; } - public class FromBase64Transform : System.IDisposable, System.Security.Cryptography.ICryptoTransform { public virtual bool CanReuseTransform { get => throw null; } public bool CanTransformMultipleBlocks { get => throw null; } public void Clear() => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; public FromBase64Transform() => throw null; public FromBase64Transform(System.Security.Cryptography.FromBase64TransformMode whitespaces) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; public int InputBlockSize { get => throw null; } public int OutputBlockSize { get => throw null; } - public int TransformBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount, System.Byte[] outputBuffer, int outputOffset) => throw null; - public System.Byte[] TransformFinalBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount) => throw null; - // ERR: Stub generator didn't handle member: ~FromBase64Transform + public int TransformBlock(byte[] inputBuffer, int inputOffset, int inputCount, byte[] outputBuffer, int outputOffset) => throw null; + public byte[] TransformFinalBlock(byte[] inputBuffer, int inputOffset, int inputCount) => throw null; } - - public enum FromBase64TransformMode : int + public enum FromBase64TransformMode { - DoNotIgnoreWhiteSpaces = 1, IgnoreWhiteSpaces = 0, + DoNotIgnoreWhiteSpaces = 1, + } + public abstract class HashAlgorithm : System.IDisposable, System.Security.Cryptography.ICryptoTransform + { + public virtual bool CanReuseTransform { get => throw null; } + public virtual bool CanTransformMultipleBlocks { get => throw null; } + public void Clear() => throw null; + public byte[] ComputeHash(byte[] buffer) => throw null; + public byte[] ComputeHash(byte[] buffer, int offset, int count) => throw null; + public byte[] ComputeHash(System.IO.Stream inputStream) => throw null; + public System.Threading.Tasks.Task ComputeHashAsync(System.IO.Stream inputStream, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Security.Cryptography.HashAlgorithm Create() => throw null; + public static System.Security.Cryptography.HashAlgorithm Create(string hashName) => throw null; + protected HashAlgorithm() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public virtual byte[] Hash { get => throw null; } + protected abstract void HashCore(byte[] array, int ibStart, int cbSize); + protected virtual void HashCore(System.ReadOnlySpan source) => throw null; + protected abstract byte[] HashFinal(); + public virtual int HashSize { get => throw null; } + protected int HashSizeValue; + protected byte[] HashValue; + public abstract void Initialize(); + public virtual int InputBlockSize { get => throw null; } + public virtual int OutputBlockSize { get => throw null; } + protected int State; + public int TransformBlock(byte[] inputBuffer, int inputOffset, int inputCount, byte[] outputBuffer, int outputOffset) => throw null; + public byte[] TransformFinalBlock(byte[] inputBuffer, int inputOffset, int inputCount) => throw null; + public bool TryComputeHash(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected virtual bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + } + public struct HashAlgorithmName : System.IEquatable + { + public HashAlgorithmName(string name) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.HashAlgorithmName other) => throw null; + public static System.Security.Cryptography.HashAlgorithmName FromOid(string oidValue) => throw null; + public override int GetHashCode() => throw null; + public static System.Security.Cryptography.HashAlgorithmName MD5 { get => throw null; } + public string Name { get => throw null; } + public static bool operator ==(System.Security.Cryptography.HashAlgorithmName left, System.Security.Cryptography.HashAlgorithmName right) => throw null; + public static bool operator !=(System.Security.Cryptography.HashAlgorithmName left, System.Security.Cryptography.HashAlgorithmName right) => throw null; + public static System.Security.Cryptography.HashAlgorithmName SHA1 { get => throw null; } + public static System.Security.Cryptography.HashAlgorithmName SHA256 { get => throw null; } + public static System.Security.Cryptography.HashAlgorithmName SHA384 { get => throw null; } + public static System.Security.Cryptography.HashAlgorithmName SHA512 { get => throw null; } + public override string ToString() => throw null; + public static bool TryFromOid(string oidValue, out System.Security.Cryptography.HashAlgorithmName value) => throw null; } - public static class HKDF { - public static System.Byte[] DeriveKey(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.Byte[] ikm, int outputLength, System.Byte[] salt = default(System.Byte[]), System.Byte[] info = default(System.Byte[])) => throw null; - public static void DeriveKey(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan ikm, System.Span output, System.ReadOnlySpan salt, System.ReadOnlySpan info) => throw null; - public static System.Byte[] Expand(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.Byte[] prk, int outputLength, System.Byte[] info = default(System.Byte[])) => throw null; - public static void Expand(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan prk, System.Span output, System.ReadOnlySpan info) => throw null; - public static System.Byte[] Extract(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.Byte[] ikm, System.Byte[] salt = default(System.Byte[])) => throw null; - public static int Extract(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan ikm, System.ReadOnlySpan salt, System.Span prk) => throw null; + public static byte[] DeriveKey(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, byte[] ikm, int outputLength, byte[] salt = default(byte[]), byte[] info = default(byte[])) => throw null; + public static void DeriveKey(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan ikm, System.Span output, System.ReadOnlySpan salt, System.ReadOnlySpan info) => throw null; + public static byte[] Expand(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, byte[] prk, int outputLength, byte[] info = default(byte[])) => throw null; + public static void Expand(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan prk, System.Span output, System.ReadOnlySpan info) => throw null; + public static byte[] Extract(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, byte[] ikm, byte[] salt = default(byte[])) => throw null; + public static int Extract(System.Security.Cryptography.HashAlgorithmName hashAlgorithmName, System.ReadOnlySpan ikm, System.ReadOnlySpan salt, System.Span prk) => throw null; } - public abstract class HMAC : System.Security.Cryptography.KeyedHashAlgorithm { - protected int BlockSizeValue { get => throw null; set => throw null; } + protected int BlockSizeValue { get => throw null; set { } } public static System.Security.Cryptography.HMAC Create() => throw null; public static System.Security.Cryptography.HMAC Create(string algorithmName) => throw null; - protected override void Dispose(bool disposing) => throw null; protected HMAC() => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public string HashName { get => throw null; set => throw null; } + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; + public string HashName { get => throw null; set { } } public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class HMACMD5 : System.Security.Cryptography.HMAC { - protected override void Dispose(bool disposing) => throw null; public HMACMD5() => throw null; - public HMACMD5(System.Byte[] key) => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.IO.Stream source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.Byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; + public HMACMD5(byte[] key) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + public static byte[] HashData(byte[] key, byte[] source) => throw null; + public static byte[] HashData(byte[] key, System.IO.Stream source) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override byte[] HashFinal() => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class HMACSHA1 : System.Security.Cryptography.HMAC { - protected override void Dispose(bool disposing) => throw null; public HMACSHA1() => throw null; - public HMACSHA1(System.Byte[] key) => throw null; - public HMACSHA1(System.Byte[] key, bool useManagedSha1) => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.IO.Stream source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.Byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; + public HMACSHA1(byte[] key) => throw null; + public HMACSHA1(byte[] key, bool useManagedSha1) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + public static byte[] HashData(byte[] key, byte[] source) => throw null; + public static byte[] HashData(byte[] key, System.IO.Stream source) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override byte[] HashFinal() => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class HMACSHA256 : System.Security.Cryptography.HMAC { - protected override void Dispose(bool disposing) => throw null; public HMACSHA256() => throw null; - public HMACSHA256(System.Byte[] key) => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.IO.Stream source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.Byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; + public HMACSHA256(byte[] key) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + public static byte[] HashData(byte[] key, byte[] source) => throw null; + public static byte[] HashData(byte[] key, System.IO.Stream source) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override byte[] HashFinal() => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class HMACSHA384 : System.Security.Cryptography.HMAC { - protected override void Dispose(bool disposing) => throw null; public HMACSHA384() => throw null; - public HMACSHA384(System.Byte[] key) => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.IO.Stream source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.Byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; + public HMACSHA384(byte[] key) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + public static byte[] HashData(byte[] key, byte[] source) => throw null; + public static byte[] HashData(byte[] key, System.IO.Stream source) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override byte[] HashFinal() => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public bool ProduceLegacyHmacValues { get => throw null; set => throw null; } - public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + public bool ProduceLegacyHmacValues { get => throw null; set { } } + public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class HMACSHA512 : System.Security.Cryptography.HMAC { - protected override void Dispose(bool disposing) => throw null; public HMACSHA512() => throw null; - public HMACSHA512(System.Byte[] key) => throw null; - protected override void HashCore(System.Byte[] rgb, int ib, int cb) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.Byte[] key, System.IO.Stream source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; - public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.Byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; + public HMACSHA512(byte[] key) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected override void HashCore(byte[] rgb, int ib, int cb) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + public static byte[] HashData(byte[] key, byte[] source) => throw null; + public static byte[] HashData(byte[] key, System.IO.Stream source) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.IO.Stream source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan key, System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(byte[] key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override byte[] HashFinal() => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; public override void Initialize() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public bool ProduceLegacyHmacValues { get => throw null; set => throw null; } - public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + public override byte[] Key { get => throw null; set { } } + public bool ProduceLegacyHmacValues { get => throw null; set { } } + public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public abstract class HashAlgorithm : System.IDisposable, System.Security.Cryptography.ICryptoTransform - { - public virtual bool CanReuseTransform { get => throw null; } - public virtual bool CanTransformMultipleBlocks { get => throw null; } - public void Clear() => throw null; - public System.Byte[] ComputeHash(System.Byte[] buffer) => throw null; - public System.Byte[] ComputeHash(System.Byte[] buffer, int offset, int count) => throw null; - public System.Byte[] ComputeHash(System.IO.Stream inputStream) => throw null; - public System.Threading.Tasks.Task ComputeHashAsync(System.IO.Stream inputStream, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Security.Cryptography.HashAlgorithm Create() => throw null; - public static System.Security.Cryptography.HashAlgorithm Create(string hashName) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public virtual System.Byte[] Hash { get => throw null; } - protected HashAlgorithm() => throw null; - protected abstract void HashCore(System.Byte[] array, int ibStart, int cbSize); - protected virtual void HashCore(System.ReadOnlySpan source) => throw null; - protected abstract System.Byte[] HashFinal(); - public virtual int HashSize { get => throw null; } - protected int HashSizeValue; - protected internal System.Byte[] HashValue; - public abstract void Initialize(); - public virtual int InputBlockSize { get => throw null; } - public virtual int OutputBlockSize { get => throw null; } - protected int State; - public int TransformBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount, System.Byte[] outputBuffer, int outputOffset) => throw null; - public System.Byte[] TransformFinalBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount) => throw null; - public bool TryComputeHash(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - protected virtual bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; - } - - public struct HashAlgorithmName : System.IEquatable - { - public static bool operator !=(System.Security.Cryptography.HashAlgorithmName left, System.Security.Cryptography.HashAlgorithmName right) => throw null; - public static bool operator ==(System.Security.Cryptography.HashAlgorithmName left, System.Security.Cryptography.HashAlgorithmName right) => throw null; - public bool Equals(System.Security.Cryptography.HashAlgorithmName other) => throw null; - public override bool Equals(object obj) => throw null; - public static System.Security.Cryptography.HashAlgorithmName FromOid(string oidValue) => throw null; - public override int GetHashCode() => throw null; - // Stub generator skipped constructor - public HashAlgorithmName(string name) => throw null; - public static System.Security.Cryptography.HashAlgorithmName MD5 { get => throw null; } - public string Name { get => throw null; } - public static System.Security.Cryptography.HashAlgorithmName SHA1 { get => throw null; } - public static System.Security.Cryptography.HashAlgorithmName SHA256 { get => throw null; } - public static System.Security.Cryptography.HashAlgorithmName SHA384 { get => throw null; } - public static System.Security.Cryptography.HashAlgorithmName SHA512 { get => throw null; } - public override string ToString() => throw null; - public static bool TryFromOid(string oidValue, out System.Security.Cryptography.HashAlgorithmName value) => throw null; - } - public interface ICryptoTransform : System.IDisposable { bool CanReuseTransform { get; } bool CanTransformMultipleBlocks { get; } int InputBlockSize { get; } int OutputBlockSize { get; } - int TransformBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount, System.Byte[] outputBuffer, int outputOffset); - System.Byte[] TransformFinalBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount); + int TransformBlock(byte[] inputBuffer, int inputOffset, int inputCount, byte[] outputBuffer, int outputOffset); + byte[] TransformFinalBlock(byte[] inputBuffer, int inputOffset, int inputCount); } - public interface ICspAsymmetricAlgorithm { System.Security.Cryptography.CspKeyContainerInfo CspKeyContainerInfo { get; } - System.Byte[] ExportCspBlob(bool includePrivateParameters); - void ImportCspBlob(System.Byte[] rawData); + byte[] ExportCspBlob(bool includePrivateParameters); + void ImportCspBlob(byte[] rawData); } - - public class IncrementalHash : System.IDisposable + public sealed class IncrementalHash : System.IDisposable { public System.Security.Cryptography.HashAlgorithmName AlgorithmName { get => throw null; } - public void AppendData(System.Byte[] data) => throw null; - public void AppendData(System.Byte[] data, int offset, int count) => throw null; - public void AppendData(System.ReadOnlySpan data) => throw null; - public static System.Security.Cryptography.IncrementalHash CreateHMAC(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Byte[] key) => throw null; - public static System.Security.Cryptography.IncrementalHash CreateHMAC(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.ReadOnlySpan key) => throw null; + public void AppendData(byte[] data) => throw null; + public void AppendData(byte[] data, int offset, int count) => throw null; + public void AppendData(System.ReadOnlySpan data) => throw null; public static System.Security.Cryptography.IncrementalHash CreateHash(System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public static System.Security.Cryptography.IncrementalHash CreateHMAC(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, byte[] key) => throw null; + public static System.Security.Cryptography.IncrementalHash CreateHMAC(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.ReadOnlySpan key) => throw null; public void Dispose() => throw null; - public System.Byte[] GetCurrentHash() => throw null; - public int GetCurrentHash(System.Span destination) => throw null; - public System.Byte[] GetHashAndReset() => throw null; - public int GetHashAndReset(System.Span destination) => throw null; + public byte[] GetCurrentHash() => throw null; + public int GetCurrentHash(System.Span destination) => throw null; + public byte[] GetHashAndReset() => throw null; + public int GetHashAndReset(System.Span destination) => throw null; public int HashLengthInBytes { get => throw null; } - public bool TryGetCurrentHash(System.Span destination, out int bytesWritten) => throw null; - public bool TryGetHashAndReset(System.Span destination, out int bytesWritten) => throw null; + public bool TryGetCurrentHash(System.Span destination, out int bytesWritten) => throw null; + public bool TryGetHashAndReset(System.Span destination, out int bytesWritten) => throw null; + } + public abstract class KeyedHashAlgorithm : System.Security.Cryptography.HashAlgorithm + { + public static System.Security.Cryptography.KeyedHashAlgorithm Create() => throw null; + public static System.Security.Cryptography.KeyedHashAlgorithm Create(string algName) => throw null; + protected KeyedHashAlgorithm() => throw null; + protected override void Dispose(bool disposing) => throw null; + public virtual byte[] Key { get => throw null; set { } } + protected byte[] KeyValue; } - - public enum KeyNumber : int + public enum KeyNumber { Exchange = 1, Signature = 2, } - - public class KeySizes + public sealed class KeySizes { public KeySizes(int minSize, int maxSize, int skipSize) => throw null; public int MaxSize { get => throw null; } public int MinSize { get => throw null; } public int SkipSize { get => throw null; } } - - public abstract class KeyedHashAlgorithm : System.Security.Cryptography.HashAlgorithm + public abstract class MaskGenerationMethod { - public static System.Security.Cryptography.KeyedHashAlgorithm Create() => throw null; - public static System.Security.Cryptography.KeyedHashAlgorithm Create(string algName) => throw null; - protected override void Dispose(bool disposing) => throw null; - public virtual System.Byte[] Key { get => throw null; set => throw null; } - protected System.Byte[] KeyValue; - protected KeyedHashAlgorithm() => throw null; + protected MaskGenerationMethod() => throw null; + public abstract byte[] GenerateMask(byte[] rgbSeed, int cbReturn); } - public abstract class MD5 : System.Security.Cryptography.HashAlgorithm { public static System.Security.Cryptography.MD5 Create() => throw null; public static System.Security.Cryptography.MD5 Create(string algName) => throw null; - public static System.Byte[] HashData(System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.IO.Stream source) => throw null; - public static int HashData(System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; protected MD5() => throw null; - public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - } - - public class MD5CryptoServiceProvider : System.Security.Cryptography.MD5 + public static byte[] HashData(byte[] source) => throw null; + public static byte[] HashData(System.IO.Stream source) => throw null; + public static int HashData(System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; + public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + } + public sealed class MD5CryptoServiceProvider : System.Security.Cryptography.MD5 { + public MD5CryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; + protected override void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; public override void Initialize() => throw null; - public MD5CryptoServiceProvider() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; - } - - public abstract class MaskGenerationMethod - { - public abstract System.Byte[] GenerateMask(System.Byte[] rgbSeed, int cbReturn); - protected MaskGenerationMethod() => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public class Oid + public sealed class Oid { - public string FriendlyName { get => throw null; set => throw null; } - public static System.Security.Cryptography.Oid FromFriendlyName(string friendlyName, System.Security.Cryptography.OidGroup group) => throw null; - public static System.Security.Cryptography.Oid FromOidValue(string oidValue, System.Security.Cryptography.OidGroup group) => throw null; public Oid() => throw null; public Oid(System.Security.Cryptography.Oid oid) => throw null; public Oid(string oid) => throw null; public Oid(string value, string friendlyName) => throw null; - public string Value { get => throw null; set => throw null; } + public string FriendlyName { get => throw null; set { } } + public static System.Security.Cryptography.Oid FromFriendlyName(string friendlyName, System.Security.Cryptography.OidGroup group) => throw null; + public static System.Security.Cryptography.Oid FromOidValue(string oidValue, System.Security.Cryptography.OidGroup group) => throw null; + public string Value { get => throw null; set { } } } - - public class OidCollection : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class OidCollection : System.Collections.ICollection, System.Collections.IEnumerable { public int Add(System.Security.Cryptography.Oid oid) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Security.Cryptography.Oid[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public OidCollection() => throw null; public System.Security.Cryptography.OidEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } + public object SyncRoot { get => throw null; } public System.Security.Cryptography.Oid this[int index] { get => throw null; } public System.Security.Cryptography.Oid this[string oid] { get => throw null; } - public OidCollection() => throw null; - public object SyncRoot { get => throw null; } } - - public class OidEnumerator : System.Collections.IEnumerator + public sealed class OidEnumerator : System.Collections.IEnumerator { public System.Security.Cryptography.Oid Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; } - - public enum OidGroup : int + public enum OidGroup { All = 0, - Attribute = 5, - EncryptionAlgorithm = 2, - EnhancedKeyUsage = 7, - ExtensionOrAttribute = 6, HashAlgorithm = 1, - KeyDerivationFunction = 10, - Policy = 8, + EncryptionAlgorithm = 2, PublicKeyAlgorithm = 3, SignatureAlgorithm = 4, + Attribute = 5, + ExtensionOrAttribute = 6, + EnhancedKeyUsage = 7, + Policy = 8, Template = 9, + KeyDerivationFunction = 10, } - - public class PKCS1MaskGenerationMethod : System.Security.Cryptography.MaskGenerationMethod - { - public override System.Byte[] GenerateMask(System.Byte[] rgbSeed, int cbReturn) => throw null; - public string HashName { get => throw null; set => throw null; } - public PKCS1MaskGenerationMethod() => throw null; - } - - public enum PaddingMode : int + public enum PaddingMode { - ANSIX923 = 4, - ISO10126 = 5, None = 1, PKCS7 = 2, Zeros = 3, + ANSIX923 = 4, + ISO10126 = 5, } - public class PasswordDeriveBytes : System.Security.Cryptography.DeriveBytes { - public System.Byte[] CryptDeriveKey(string algname, string alghashname, int keySize, System.Byte[] rgbIV) => throw null; + public byte[] CryptDeriveKey(string algname, string alghashname, int keySize, byte[] rgbIV) => throw null; + public PasswordDeriveBytes(byte[] password, byte[] salt) => throw null; + public PasswordDeriveBytes(byte[] password, byte[] salt, System.Security.Cryptography.CspParameters cspParams) => throw null; + public PasswordDeriveBytes(byte[] password, byte[] salt, string hashName, int iterations) => throw null; + public PasswordDeriveBytes(byte[] password, byte[] salt, string hashName, int iterations, System.Security.Cryptography.CspParameters cspParams) => throw null; + public PasswordDeriveBytes(string strPassword, byte[] rgbSalt) => throw null; + public PasswordDeriveBytes(string strPassword, byte[] rgbSalt, System.Security.Cryptography.CspParameters cspParams) => throw null; + public PasswordDeriveBytes(string strPassword, byte[] rgbSalt, string strHashName, int iterations) => throw null; + public PasswordDeriveBytes(string strPassword, byte[] rgbSalt, string strHashName, int iterations, System.Security.Cryptography.CspParameters cspParams) => throw null; protected override void Dispose(bool disposing) => throw null; - public override System.Byte[] GetBytes(int cb) => throw null; - public string HashName { get => throw null; set => throw null; } - public int IterationCount { get => throw null; set => throw null; } - public PasswordDeriveBytes(System.Byte[] password, System.Byte[] salt) => throw null; - public PasswordDeriveBytes(System.Byte[] password, System.Byte[] salt, System.Security.Cryptography.CspParameters cspParams) => throw null; - public PasswordDeriveBytes(System.Byte[] password, System.Byte[] salt, string hashName, int iterations) => throw null; - public PasswordDeriveBytes(System.Byte[] password, System.Byte[] salt, string hashName, int iterations, System.Security.Cryptography.CspParameters cspParams) => throw null; - public PasswordDeriveBytes(string strPassword, System.Byte[] rgbSalt) => throw null; - public PasswordDeriveBytes(string strPassword, System.Byte[] rgbSalt, System.Security.Cryptography.CspParameters cspParams) => throw null; - public PasswordDeriveBytes(string strPassword, System.Byte[] rgbSalt, string strHashName, int iterations) => throw null; - public PasswordDeriveBytes(string strPassword, System.Byte[] rgbSalt, string strHashName, int iterations, System.Security.Cryptography.CspParameters cspParams) => throw null; + public override byte[] GetBytes(int cb) => throw null; + public string HashName { get => throw null; set { } } + public int IterationCount { get => throw null; set { } } public override void Reset() => throw null; - public System.Byte[] Salt { get => throw null; set => throw null; } + public byte[] Salt { get => throw null; set { } } } - - public enum PbeEncryptionAlgorithm : int + public enum PbeEncryptionAlgorithm { + Unknown = 0, Aes128Cbc = 1, Aes192Cbc = 2, Aes256Cbc = 3, TripleDes3KeyPkcs12 = 4, - Unknown = 0, } - - public class PbeParameters + public sealed class PbeParameters { + public PbeParameters(System.Security.Cryptography.PbeEncryptionAlgorithm encryptionAlgorithm, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int iterationCount) => throw null; public System.Security.Cryptography.PbeEncryptionAlgorithm EncryptionAlgorithm { get => throw null; } public System.Security.Cryptography.HashAlgorithmName HashAlgorithm { get => throw null; } public int IterationCount { get => throw null; } - public PbeParameters(System.Security.Cryptography.PbeEncryptionAlgorithm encryptionAlgorithm, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int iterationCount) => throw null; } - public static class PemEncoding { - public static System.Security.Cryptography.PemFields Find(System.ReadOnlySpan pemData) => throw null; + public static System.Security.Cryptography.PemFields Find(System.ReadOnlySpan pemData) => throw null; public static int GetEncodedSize(int labelLength, int dataLength) => throw null; - public static bool TryFind(System.ReadOnlySpan pemData, out System.Security.Cryptography.PemFields fields) => throw null; - public static bool TryWrite(System.ReadOnlySpan label, System.ReadOnlySpan data, System.Span destination, out int charsWritten) => throw null; - public static System.Char[] Write(System.ReadOnlySpan label, System.ReadOnlySpan data) => throw null; - public static string WriteString(System.ReadOnlySpan label, System.ReadOnlySpan data) => throw null; + public static bool TryFind(System.ReadOnlySpan pemData, out System.Security.Cryptography.PemFields fields) => throw null; + public static bool TryWrite(System.ReadOnlySpan label, System.ReadOnlySpan data, System.Span destination, out int charsWritten) => throw null; + public static char[] Write(System.ReadOnlySpan label, System.ReadOnlySpan data) => throw null; + public static string WriteString(System.ReadOnlySpan label, System.ReadOnlySpan data) => throw null; } - public struct PemFields { public System.Range Base64Data { get => throw null; } public int DecodedDataLength { get => throw null; } public System.Range Label { get => throw null; } public System.Range Location { get => throw null; } - // Stub generator skipped constructor } - + public class PKCS1MaskGenerationMethod : System.Security.Cryptography.MaskGenerationMethod + { + public PKCS1MaskGenerationMethod() => throw null; + public override byte[] GenerateMask(byte[] rgbSeed, int cbReturn) => throw null; + public string HashName { get => throw null; set { } } + } + public abstract class RandomNumberGenerator : System.IDisposable + { + public static System.Security.Cryptography.RandomNumberGenerator Create() => throw null; + public static System.Security.Cryptography.RandomNumberGenerator Create(string rngName) => throw null; + protected RandomNumberGenerator() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public static void Fill(System.Span data) => throw null; + public abstract void GetBytes(byte[] data); + public virtual void GetBytes(byte[] data, int offset, int count) => throw null; + public static byte[] GetBytes(int count) => throw null; + public virtual void GetBytes(System.Span data) => throw null; + public static int GetInt32(int toExclusive) => throw null; + public static int GetInt32(int fromInclusive, int toExclusive) => throw null; + public virtual void GetNonZeroBytes(byte[] data) => throw null; + public virtual void GetNonZeroBytes(System.Span data) => throw null; + } public abstract class RC2 : System.Security.Cryptography.SymmetricAlgorithm { public static System.Security.Cryptography.RC2 Create() => throw null; public static System.Security.Cryptography.RC2 Create(string AlgName) => throw null; - public virtual int EffectiveKeySize { get => throw null; set => throw null; } - protected int EffectiveKeySizeValue; - public override int KeySize { get => throw null; set => throw null; } protected RC2() => throw null; + public virtual int EffectiveKeySize { get => throw null; set { } } + protected int EffectiveKeySizeValue; + public override int KeySize { get => throw null; set { } } } - - public class RC2CryptoServiceProvider : System.Security.Cryptography.RC2 + public sealed class RC2CryptoServiceProvider : System.Security.Cryptography.RC2 { - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - public override int EffectiveKeySize { get => throw null; set => throw null; } + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public RC2CryptoServiceProvider() => throw null; + public override int EffectiveKeySize { get => throw null; set { } } public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; - public RC2CryptoServiceProvider() => throw null; - public bool UseSalt { get => throw null; set => throw null; } + public bool UseSalt { get => throw null; set { } } + } + public class Rfc2898DeriveBytes : System.Security.Cryptography.DeriveBytes + { + public byte[] CryptDeriveKey(string algname, string alghashname, int keySize, byte[] rgbIV) => throw null; + public Rfc2898DeriveBytes(byte[] password, byte[] salt, int iterations) => throw null; + public Rfc2898DeriveBytes(byte[] password, byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public Rfc2898DeriveBytes(string password, byte[] salt) => throw null; + public Rfc2898DeriveBytes(string password, byte[] salt, int iterations) => throw null; + public Rfc2898DeriveBytes(string password, byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public Rfc2898DeriveBytes(string password, int saltSize) => throw null; + public Rfc2898DeriveBytes(string password, int saltSize, int iterations) => throw null; + public Rfc2898DeriveBytes(string password, int saltSize, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override byte[] GetBytes(int cb) => throw null; + public System.Security.Cryptography.HashAlgorithmName HashAlgorithm { get => throw null; } + public int IterationCount { get => throw null; set { } } + public static byte[] Pbkdf2(byte[] password, byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; + public static byte[] Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; + public static void Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, System.Span destination, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public static byte[] Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; + public static void Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, System.Span destination, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public static byte[] Pbkdf2(string password, byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; + public override void Reset() => throw null; + public byte[] Salt { get => throw null; set { } } + } + public abstract class Rijndael : System.Security.Cryptography.SymmetricAlgorithm + { + public static System.Security.Cryptography.Rijndael Create() => throw null; + public static System.Security.Cryptography.Rijndael Create(string algName) => throw null; + protected Rijndael() => throw null; } - - public class RNGCryptoServiceProvider : System.Security.Cryptography.RandomNumberGenerator + public sealed class RijndaelManaged : System.Security.Cryptography.Rijndael { + public override int BlockSize { get => throw null; set { } } + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public RijndaelManaged() => throw null; protected override void Dispose(bool disposing) => throw null; - public override void GetBytes(System.Byte[] data) => throw null; - public override void GetBytes(System.Byte[] data, int offset, int count) => throw null; - public override void GetBytes(System.Span data) => throw null; - public override void GetNonZeroBytes(System.Byte[] data) => throw null; - public override void GetNonZeroBytes(System.Span data) => throw null; + public override int FeedbackSize { get => throw null; set { } } + public override void GenerateIV() => throw null; + public override void GenerateKey() => throw null; + public override byte[] IV { get => throw null; set { } } + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } + public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } + public override System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } + public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } + } + public sealed class RNGCryptoServiceProvider : System.Security.Cryptography.RandomNumberGenerator + { public RNGCryptoServiceProvider() => throw null; - public RNGCryptoServiceProvider(System.Byte[] rgb) => throw null; + public RNGCryptoServiceProvider(byte[] rgb) => throw null; public RNGCryptoServiceProvider(System.Security.Cryptography.CspParameters cspParams) => throw null; public RNGCryptoServiceProvider(string str) => throw null; + protected override void Dispose(bool disposing) => throw null; + public override void GetBytes(byte[] data) => throw null; + public override void GetBytes(byte[] data, int offset, int count) => throw null; + public override void GetBytes(System.Span data) => throw null; + public override void GetNonZeroBytes(byte[] data) => throw null; + public override void GetNonZeroBytes(System.Span data) => throw null; } - public abstract class RSA : System.Security.Cryptography.AsymmetricAlgorithm { public static System.Security.Cryptography.RSA Create() => throw null; - public static System.Security.Cryptography.RSA Create(System.Security.Cryptography.RSAParameters parameters) => throw null; public static System.Security.Cryptography.RSA Create(int keySizeInBits) => throw null; + public static System.Security.Cryptography.RSA Create(System.Security.Cryptography.RSAParameters parameters) => throw null; public static System.Security.Cryptography.RSA Create(string algName) => throw null; - public virtual System.Byte[] Decrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public System.Byte[] Decrypt(System.ReadOnlySpan data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public int Decrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public virtual System.Byte[] DecryptValue(System.Byte[] rgb) => throw null; - public virtual System.Byte[] Encrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public System.Byte[] Encrypt(System.ReadOnlySpan data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public int Encrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public virtual System.Byte[] EncryptValue(System.Byte[] rgb) => throw null; + protected RSA() => throw null; + public virtual byte[] Decrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public byte[] Decrypt(System.ReadOnlySpan data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public int Decrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public virtual byte[] DecryptValue(byte[] rgb) => throw null; + public virtual byte[] Encrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public byte[] Encrypt(System.ReadOnlySpan data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public int Encrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public virtual byte[] EncryptValue(byte[] rgb) => throw null; public abstract System.Security.Cryptography.RSAParameters ExportParameters(bool includePrivateParameters); - public virtual System.Byte[] ExportRSAPrivateKey() => throw null; + public virtual byte[] ExportRSAPrivateKey() => throw null; public string ExportRSAPrivateKeyPem() => throw null; - public virtual System.Byte[] ExportRSAPublicKey() => throw null; + public virtual byte[] ExportRSAPublicKey() => throw null; public string ExportRSAPublicKeyPem() => throw null; public override void FromXmlString(string xmlString) => throw null; - protected virtual System.Byte[] HashData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - protected virtual System.Byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; - public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; - public override void ImportFromPem(System.ReadOnlySpan input) => throw null; + protected virtual byte[] HashData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + protected virtual byte[] HashData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan passwordBytes) => throw null; + public override void ImportFromEncryptedPem(System.ReadOnlySpan input, System.ReadOnlySpan password) => throw null; + public override void ImportFromPem(System.ReadOnlySpan input) => throw null; public abstract void ImportParameters(System.Security.Cryptography.RSAParameters parameters); - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual void ImportRSAPrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public virtual void ImportRSAPublicKey(System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportRSAPrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public virtual void ImportRSAPublicKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; public override string KeyExchangeAlgorithm { get => throw null; } - protected RSA() => throw null; - public System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual System.Byte[] SignData(System.Byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public System.Byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual System.Byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual System.Byte[] SignHash(System.Byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public System.Byte[] SignHash(System.ReadOnlySpan hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public int SignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; public override string SignatureAlgorithm { get => throw null; } + public virtual byte[] SignData(byte[] data, int offset, int count, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual byte[] SignData(System.IO.Stream data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public byte[] SignData(System.ReadOnlySpan data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public int SignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual byte[] SignHash(byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public byte[] SignHash(System.ReadOnlySpan hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public int SignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; public override string ToXmlString(bool includePrivateParameters) => throw null; - public virtual bool TryDecrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; - public virtual bool TryEncrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public virtual bool TryExportRSAPrivateKey(System.Span destination, out int bytesWritten) => throw null; - public bool TryExportRSAPrivateKeyPem(System.Span destination, out int charsWritten) => throw null; - public virtual bool TryExportRSAPublicKey(System.Span destination, out int bytesWritten) => throw null; - public bool TryExportRSAPublicKeyPem(System.Span destination, out int charsWritten) => throw null; - public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; - protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; - public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; - public virtual bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; - public bool VerifyData(System.Byte[] data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual bool VerifyData(System.Byte[] data, int offset, int count, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public bool VerifyData(System.IO.Stream data, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual bool VerifyHash(System.Byte[] hash, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public virtual bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - } - - public class RSACng : System.Security.Cryptography.RSA - { - public override System.Byte[] Decrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public virtual bool TryDecrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; + public virtual bool TryEncrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public virtual bool TryExportRSAPrivateKey(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportRSAPrivateKeyPem(System.Span destination, out int charsWritten) => throw null; + public virtual bool TryExportRSAPublicKey(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportRSAPublicKeyPem(System.Span destination, out int charsWritten) => throw null; + public override bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + protected virtual bool TryHashData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, out int bytesWritten) => throw null; + public virtual bool TrySignData(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; + public virtual bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; + public bool VerifyData(byte[] data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual bool VerifyData(byte[] data, int offset, int count, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public bool VerifyData(System.IO.Stream data, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual bool VerifyData(System.ReadOnlySpan data, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual bool VerifyHash(byte[] hash, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public virtual bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + } + public sealed class RSACng : System.Security.Cryptography.RSA + { + public RSACng() => throw null; + public RSACng(int keySize) => throw null; + public RSACng(System.Security.Cryptography.CngKey key) => throw null; + public override byte[] Decrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; protected override void Dispose(bool disposing) => throw null; - public override System.Byte[] Encrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; - public override System.Byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] Encrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; + public override byte[] ExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters) => throw null; public override System.Security.Cryptography.RSAParameters ExportParameters(bool includePrivateParameters) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.RSAParameters parameters) => throw null; - public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportPkcs8PrivateKey(System.ReadOnlySpan source, out int bytesRead) => throw null; public System.Security.Cryptography.CngKey Key { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public RSACng() => throw null; - public RSACng(System.Security.Cryptography.CngKey key) => throw null; - public RSACng(int keySize) => throw null; - public override System.Byte[] SignHash(System.Byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public override bool TryDecrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; - public override bool TryEncrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; - public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; - public override bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; - public override bool VerifyHash(System.Byte[] hash, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public override bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - } - - public class RSACryptoServiceProvider : System.Security.Cryptography.RSA, System.Security.Cryptography.ICspAsymmetricAlgorithm + public override byte[] SignHash(byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public override bool TryDecrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; + public override bool TryEncrypt(System.ReadOnlySpan data, System.Span destination, System.Security.Cryptography.RSAEncryptionPadding padding, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.Security.Cryptography.PbeParameters pbeParameters, System.Span destination, out int bytesWritten) => throw null; + public override bool TryExportPkcs8PrivateKey(System.Span destination, out int bytesWritten) => throw null; + public override bool TrySignHash(System.ReadOnlySpan hash, System.Span destination, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding, out int bytesWritten) => throw null; + public override bool VerifyHash(byte[] hash, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public override bool VerifyHash(System.ReadOnlySpan hash, System.ReadOnlySpan signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + } + public sealed class RSACryptoServiceProvider : System.Security.Cryptography.RSA, System.Security.Cryptography.ICspAsymmetricAlgorithm { public System.Security.Cryptography.CspKeyContainerInfo CspKeyContainerInfo { get => throw null; } - public override System.Byte[] Decrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public System.Byte[] Decrypt(System.Byte[] rgb, bool fOAEP) => throw null; - public override System.Byte[] DecryptValue(System.Byte[] rgb) => throw null; + public RSACryptoServiceProvider() => throw null; + public RSACryptoServiceProvider(int dwKeySize) => throw null; + public RSACryptoServiceProvider(int dwKeySize, System.Security.Cryptography.CspParameters parameters) => throw null; + public RSACryptoServiceProvider(System.Security.Cryptography.CspParameters parameters) => throw null; + public byte[] Decrypt(byte[] rgb, bool fOAEP) => throw null; + public override byte[] Decrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public override byte[] DecryptValue(byte[] rgb) => throw null; protected override void Dispose(bool disposing) => throw null; - public override System.Byte[] Encrypt(System.Byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; - public System.Byte[] Encrypt(System.Byte[] rgb, bool fOAEP) => throw null; - public override System.Byte[] EncryptValue(System.Byte[] rgb) => throw null; - public System.Byte[] ExportCspBlob(bool includePrivateParameters) => throw null; + public byte[] Encrypt(byte[] rgb, bool fOAEP) => throw null; + public override byte[] Encrypt(byte[] data, System.Security.Cryptography.RSAEncryptionPadding padding) => throw null; + public override byte[] EncryptValue(byte[] rgb) => throw null; + public byte[] ExportCspBlob(bool includePrivateParameters) => throw null; public override System.Security.Cryptography.RSAParameters ExportParameters(bool includePrivateParameters) => throw null; - public void ImportCspBlob(System.Byte[] keyBlob) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; - public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; + public void ImportCspBlob(byte[] keyBlob) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan passwordBytes, System.ReadOnlySpan source, out int bytesRead) => throw null; + public override void ImportEncryptedPkcs8PrivateKey(System.ReadOnlySpan password, System.ReadOnlySpan source, out int bytesRead) => throw null; public override void ImportParameters(System.Security.Cryptography.RSAParameters parameters) => throw null; public override string KeyExchangeAlgorithm { get => throw null; } public override int KeySize { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public bool PersistKeyInCsp { get => throw null; set => throw null; } + public bool PersistKeyInCsp { get => throw null; set { } } public bool PublicOnly { get => throw null; } - public RSACryptoServiceProvider() => throw null; - public RSACryptoServiceProvider(System.Security.Cryptography.CspParameters parameters) => throw null; - public RSACryptoServiceProvider(int dwKeySize) => throw null; - public RSACryptoServiceProvider(int dwKeySize, System.Security.Cryptography.CspParameters parameters) => throw null; - public System.Byte[] SignData(System.Byte[] buffer, int offset, int count, object halg) => throw null; - public System.Byte[] SignData(System.Byte[] buffer, object halg) => throw null; - public System.Byte[] SignData(System.IO.Stream inputStream, object halg) => throw null; - public override System.Byte[] SignHash(System.Byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public System.Byte[] SignHash(System.Byte[] rgbHash, string str) => throw null; public override string SignatureAlgorithm { get => throw null; } - public static bool UseMachineKeyStore { get => throw null; set => throw null; } - public bool VerifyData(System.Byte[] buffer, object halg, System.Byte[] signature) => throw null; - public override bool VerifyHash(System.Byte[] hash, System.Byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public bool VerifyHash(System.Byte[] rgbHash, string str, System.Byte[] rgbSignature) => throw null; - } - - public class RSAEncryptionPadding : System.IEquatable + public byte[] SignData(byte[] buffer, int offset, int count, object halg) => throw null; + public byte[] SignData(byte[] buffer, object halg) => throw null; + public byte[] SignData(System.IO.Stream inputStream, object halg) => throw null; + public override byte[] SignHash(byte[] hash, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public byte[] SignHash(byte[] rgbHash, string str) => throw null; + public static bool UseMachineKeyStore { get => throw null; set { } } + public bool VerifyData(byte[] buffer, object halg, byte[] signature) => throw null; + public override bool VerifyHash(byte[] hash, byte[] signature, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; + public bool VerifyHash(byte[] rgbHash, string str, byte[] rgbSignature) => throw null; + } + public sealed class RSAEncryptionPadding : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.RSAEncryptionPadding left, System.Security.Cryptography.RSAEncryptionPadding right) => throw null; - public static bool operator ==(System.Security.Cryptography.RSAEncryptionPadding left, System.Security.Cryptography.RSAEncryptionPadding right) => throw null; public static System.Security.Cryptography.RSAEncryptionPadding CreateOaep(System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public bool Equals(System.Security.Cryptography.RSAEncryptionPadding other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.RSAEncryptionPadding other) => throw null; public override int GetHashCode() => throw null; public System.Security.Cryptography.RSAEncryptionPaddingMode Mode { get => throw null; } public System.Security.Cryptography.HashAlgorithmName OaepHashAlgorithm { get => throw null; } @@ -1757,615 +1701,505 @@ public class RSAEncryptionPadding : System.IEquatable throw null; } public static System.Security.Cryptography.RSAEncryptionPadding OaepSHA384 { get => throw null; } public static System.Security.Cryptography.RSAEncryptionPadding OaepSHA512 { get => throw null; } + public static bool operator ==(System.Security.Cryptography.RSAEncryptionPadding left, System.Security.Cryptography.RSAEncryptionPadding right) => throw null; + public static bool operator !=(System.Security.Cryptography.RSAEncryptionPadding left, System.Security.Cryptography.RSAEncryptionPadding right) => throw null; public static System.Security.Cryptography.RSAEncryptionPadding Pkcs1 { get => throw null; } public override string ToString() => throw null; } - - public enum RSAEncryptionPaddingMode : int + public enum RSAEncryptionPaddingMode { - Oaep = 1, Pkcs1 = 0, + Oaep = 1, } - public class RSAOAEPKeyExchangeDeformatter : System.Security.Cryptography.AsymmetricKeyExchangeDeformatter { - public override System.Byte[] DecryptKeyExchange(System.Byte[] rgbData) => throw null; - public override string Parameters { get => throw null; set => throw null; } public RSAOAEPKeyExchangeDeformatter() => throw null; public RSAOAEPKeyExchangeDeformatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; + public override byte[] DecryptKeyExchange(byte[] rgbData) => throw null; + public override string Parameters { get => throw null; set { } } public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - public class RSAOAEPKeyExchangeFormatter : System.Security.Cryptography.AsymmetricKeyExchangeFormatter { - public override System.Byte[] CreateKeyExchange(System.Byte[] rgbData) => throw null; - public override System.Byte[] CreateKeyExchange(System.Byte[] rgbData, System.Type symAlgType) => throw null; - public System.Byte[] Parameter { get => throw null; set => throw null; } - public override string Parameters { get => throw null; } + public override byte[] CreateKeyExchange(byte[] rgbData) => throw null; + public override byte[] CreateKeyExchange(byte[] rgbData, System.Type symAlgType) => throw null; public RSAOAEPKeyExchangeFormatter() => throw null; public RSAOAEPKeyExchangeFormatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public System.Security.Cryptography.RandomNumberGenerator Rng { get => throw null; set => throw null; } + public byte[] Parameter { get => throw null; set { } } + public override string Parameters { get => throw null; } + public System.Security.Cryptography.RandomNumberGenerator Rng { get => throw null; set { } } public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - - public class RSAOpenSsl : System.Security.Cryptography.RSA + public sealed class RSAOpenSsl : System.Security.Cryptography.RSA { - public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; - public override System.Security.Cryptography.RSAParameters ExportParameters(bool includePrivateParameters) => throw null; - public override void ImportParameters(System.Security.Cryptography.RSAParameters parameters) => throw null; public RSAOpenSsl() => throw null; - public RSAOpenSsl(System.IntPtr handle) => throw null; + public RSAOpenSsl(int keySize) => throw null; + public RSAOpenSsl(nint handle) => throw null; public RSAOpenSsl(System.Security.Cryptography.RSAParameters parameters) => throw null; public RSAOpenSsl(System.Security.Cryptography.SafeEvpPKeyHandle pkeyHandle) => throw null; - public RSAOpenSsl(int keySize) => throw null; + public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateKeyHandle() => throw null; + public override System.Security.Cryptography.RSAParameters ExportParameters(bool includePrivateParameters) => throw null; + public override void ImportParameters(System.Security.Cryptography.RSAParameters parameters) => throw null; + } + public struct RSAParameters + { + public byte[] D; + public byte[] DP; + public byte[] DQ; + public byte[] Exponent; + public byte[] InverseQ; + public byte[] Modulus; + public byte[] P; + public byte[] Q; } - public class RSAPKCS1KeyExchangeDeformatter : System.Security.Cryptography.AsymmetricKeyExchangeDeformatter { - public override System.Byte[] DecryptKeyExchange(System.Byte[] rgbIn) => throw null; - public override string Parameters { get => throw null; set => throw null; } - public System.Security.Cryptography.RandomNumberGenerator RNG { get => throw null; set => throw null; } public RSAPKCS1KeyExchangeDeformatter() => throw null; public RSAPKCS1KeyExchangeDeformatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; + public override byte[] DecryptKeyExchange(byte[] rgbIn) => throw null; + public override string Parameters { get => throw null; set { } } + public System.Security.Cryptography.RandomNumberGenerator RNG { get => throw null; set { } } public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - public class RSAPKCS1KeyExchangeFormatter : System.Security.Cryptography.AsymmetricKeyExchangeFormatter { - public override System.Byte[] CreateKeyExchange(System.Byte[] rgbData) => throw null; - public override System.Byte[] CreateKeyExchange(System.Byte[] rgbData, System.Type symAlgType) => throw null; - public override string Parameters { get => throw null; } + public override byte[] CreateKeyExchange(byte[] rgbData) => throw null; + public override byte[] CreateKeyExchange(byte[] rgbData, System.Type symAlgType) => throw null; public RSAPKCS1KeyExchangeFormatter() => throw null; public RSAPKCS1KeyExchangeFormatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public System.Security.Cryptography.RandomNumberGenerator Rng { get => throw null; set => throw null; } + public override string Parameters { get => throw null; } + public System.Security.Cryptography.RandomNumberGenerator Rng { get => throw null; set { } } public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - public class RSAPKCS1SignatureDeformatter : System.Security.Cryptography.AsymmetricSignatureDeformatter { public RSAPKCS1SignatureDeformatter() => throw null; public RSAPKCS1SignatureDeformatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; public override void SetHashAlgorithm(string strName) => throw null; public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public override bool VerifySignature(System.Byte[] rgbHash, System.Byte[] rgbSignature) => throw null; + public override bool VerifySignature(byte[] rgbHash, byte[] rgbSignature) => throw null; } - public class RSAPKCS1SignatureFormatter : System.Security.Cryptography.AsymmetricSignatureFormatter { - public override System.Byte[] CreateSignature(System.Byte[] rgbHash) => throw null; + public override byte[] CreateSignature(byte[] rgbHash) => throw null; public RSAPKCS1SignatureFormatter() => throw null; public RSAPKCS1SignatureFormatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; public override void SetHashAlgorithm(string strName) => throw null; public override void SetKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; } - - public struct RSAParameters - { - public System.Byte[] D; - public System.Byte[] DP; - public System.Byte[] DQ; - public System.Byte[] Exponent; - public System.Byte[] InverseQ; - public System.Byte[] Modulus; - public System.Byte[] P; - public System.Byte[] Q; - // Stub generator skipped constructor - } - - public class RSASignaturePadding : System.IEquatable + public sealed class RSASignaturePadding : System.IEquatable { - public static bool operator !=(System.Security.Cryptography.RSASignaturePadding left, System.Security.Cryptography.RSASignaturePadding right) => throw null; - public static bool operator ==(System.Security.Cryptography.RSASignaturePadding left, System.Security.Cryptography.RSASignaturePadding right) => throw null; - public bool Equals(System.Security.Cryptography.RSASignaturePadding other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Security.Cryptography.RSASignaturePadding other) => throw null; public override int GetHashCode() => throw null; public System.Security.Cryptography.RSASignaturePaddingMode Mode { get => throw null; } + public static bool operator ==(System.Security.Cryptography.RSASignaturePadding left, System.Security.Cryptography.RSASignaturePadding right) => throw null; + public static bool operator !=(System.Security.Cryptography.RSASignaturePadding left, System.Security.Cryptography.RSASignaturePadding right) => throw null; public static System.Security.Cryptography.RSASignaturePadding Pkcs1 { get => throw null; } public static System.Security.Cryptography.RSASignaturePadding Pss { get => throw null; } public override string ToString() => throw null; } - - public enum RSASignaturePaddingMode : int + public enum RSASignaturePaddingMode { Pkcs1 = 0, Pss = 1, } - - public abstract class RandomNumberGenerator : System.IDisposable - { - public static System.Security.Cryptography.RandomNumberGenerator Create() => throw null; - public static System.Security.Cryptography.RandomNumberGenerator Create(string rngName) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public static void Fill(System.Span data) => throw null; - public abstract void GetBytes(System.Byte[] data); - public virtual void GetBytes(System.Byte[] data, int offset, int count) => throw null; - public virtual void GetBytes(System.Span data) => throw null; - public static System.Byte[] GetBytes(int count) => throw null; - public static int GetInt32(int toExclusive) => throw null; - public static int GetInt32(int fromInclusive, int toExclusive) => throw null; - public virtual void GetNonZeroBytes(System.Byte[] data) => throw null; - public virtual void GetNonZeroBytes(System.Span data) => throw null; - protected RandomNumberGenerator() => throw null; - } - - public class Rfc2898DeriveBytes : System.Security.Cryptography.DeriveBytes - { - public System.Byte[] CryptDeriveKey(string algname, string alghashname, int keySize, System.Byte[] rgbIV) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override System.Byte[] GetBytes(int cb) => throw null; - public System.Security.Cryptography.HashAlgorithmName HashAlgorithm { get => throw null; } - public int IterationCount { get => throw null; set => throw null; } - public static System.Byte[] Pbkdf2(System.Byte[] password, System.Byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; - public static void Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, System.Span destination, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public static System.Byte[] Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; - public static void Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, System.Span destination, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public static System.Byte[] Pbkdf2(System.ReadOnlySpan password, System.ReadOnlySpan salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; - public static System.Byte[] Pbkdf2(string password, System.Byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, int outputLength) => throw null; - public override void Reset() => throw null; - public Rfc2898DeriveBytes(System.Byte[] password, System.Byte[] salt, int iterations) => throw null; - public Rfc2898DeriveBytes(System.Byte[] password, System.Byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public Rfc2898DeriveBytes(string password, System.Byte[] salt) => throw null; - public Rfc2898DeriveBytes(string password, System.Byte[] salt, int iterations) => throw null; - public Rfc2898DeriveBytes(string password, System.Byte[] salt, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public Rfc2898DeriveBytes(string password, int saltSize) => throw null; - public Rfc2898DeriveBytes(string password, int saltSize, int iterations) => throw null; - public Rfc2898DeriveBytes(string password, int saltSize, int iterations, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; - public System.Byte[] Salt { get => throw null; set => throw null; } - } - - public abstract class Rijndael : System.Security.Cryptography.SymmetricAlgorithm - { - public static System.Security.Cryptography.Rijndael Create() => throw null; - public static System.Security.Cryptography.Rijndael Create(string algName) => throw null; - protected Rijndael() => throw null; - } - - public class RijndaelManaged : System.Security.Cryptography.Rijndael + public sealed class SafeEvpPKeyHandle : System.Runtime.InteropServices.SafeHandle { - public override int BlockSize { get => throw null; set => throw null; } - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override int FeedbackSize { get => throw null; set => throw null; } - public override void GenerateIV() => throw null; - public override void GenerateKey() => throw null; - public override System.Byte[] IV { get => throw null; set => throw null; } - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } - public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public override System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } - public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } - public RijndaelManaged() => throw null; + public SafeEvpPKeyHandle() : base(default(nint), default(bool)) => throw null; + public SafeEvpPKeyHandle(nint handle, bool ownsHandle) : base(default(nint), default(bool)) => throw null; + public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateHandle() => throw null; + public override bool IsInvalid { get => throw null; } + public static long OpenSslVersion { get => throw null; } + protected override bool ReleaseHandle() => throw null; } - public abstract class SHA1 : System.Security.Cryptography.HashAlgorithm { public static System.Security.Cryptography.SHA1 Create() => throw null; public static System.Security.Cryptography.SHA1 Create(string hashName) => throw null; - public static System.Byte[] HashData(System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.IO.Stream source) => throw null; - public static int HashData(System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; protected SHA1() => throw null; - public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - } - - public class SHA1CryptoServiceProvider : System.Security.Cryptography.SHA1 + public static byte[] HashData(byte[] source) => throw null; + public static byte[] HashData(System.IO.Stream source) => throw null; + public static int HashData(System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; + public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + } + public sealed class SHA1CryptoServiceProvider : System.Security.Cryptography.SHA1 { + public SHA1CryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; + protected override void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; public override void Initialize() => throw null; - public SHA1CryptoServiceProvider() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public class SHA1Managed : System.Security.Cryptography.SHA1 + public sealed class SHA1Managed : System.Security.Cryptography.SHA1 { - protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public override void Initialize() => throw null; public SHA1Managed() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override sealed void Dispose(bool disposing) => throw null; + protected override sealed void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override sealed void HashCore(System.ReadOnlySpan source) => throw null; + protected override sealed byte[] HashFinal() => throw null; + public override sealed void Initialize() => throw null; + protected override sealed bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public abstract class SHA256 : System.Security.Cryptography.HashAlgorithm { public static System.Security.Cryptography.SHA256 Create() => throw null; public static System.Security.Cryptography.SHA256 Create(string hashName) => throw null; - public static System.Byte[] HashData(System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.IO.Stream source) => throw null; - public static int HashData(System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; protected SHA256() => throw null; - public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - } - - public class SHA256CryptoServiceProvider : System.Security.Cryptography.SHA256 + public static byte[] HashData(byte[] source) => throw null; + public static byte[] HashData(System.IO.Stream source) => throw null; + public static int HashData(System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; + public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + } + public sealed class SHA256CryptoServiceProvider : System.Security.Cryptography.SHA256 { + public SHA256CryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; + protected override void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; public override void Initialize() => throw null; - public SHA256CryptoServiceProvider() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public class SHA256Managed : System.Security.Cryptography.SHA256 + public sealed class SHA256Managed : System.Security.Cryptography.SHA256 { - protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public override void Initialize() => throw null; public SHA256Managed() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override sealed void Dispose(bool disposing) => throw null; + protected override sealed void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override sealed void HashCore(System.ReadOnlySpan source) => throw null; + protected override sealed byte[] HashFinal() => throw null; + public override sealed void Initialize() => throw null; + protected override sealed bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public abstract class SHA384 : System.Security.Cryptography.HashAlgorithm { public static System.Security.Cryptography.SHA384 Create() => throw null; public static System.Security.Cryptography.SHA384 Create(string hashName) => throw null; - public static System.Byte[] HashData(System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.IO.Stream source) => throw null; - public static int HashData(System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; protected SHA384() => throw null; - public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - } - - public class SHA384CryptoServiceProvider : System.Security.Cryptography.SHA384 + public static byte[] HashData(byte[] source) => throw null; + public static byte[] HashData(System.IO.Stream source) => throw null; + public static int HashData(System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; + public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + } + public sealed class SHA384CryptoServiceProvider : System.Security.Cryptography.SHA384 { + public SHA384CryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; + protected override void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; public override void Initialize() => throw null; - public SHA384CryptoServiceProvider() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public class SHA384Managed : System.Security.Cryptography.SHA384 + public sealed class SHA384Managed : System.Security.Cryptography.SHA384 { - protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public override void Initialize() => throw null; public SHA384Managed() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override sealed void Dispose(bool disposing) => throw null; + protected override sealed void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override sealed void HashCore(System.ReadOnlySpan source) => throw null; + protected override sealed byte[] HashFinal() => throw null; + public override sealed void Initialize() => throw null; + protected override sealed bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public abstract class SHA512 : System.Security.Cryptography.HashAlgorithm { public static System.Security.Cryptography.SHA512 Create() => throw null; public static System.Security.Cryptography.SHA512 Create(string hashName) => throw null; - public static System.Byte[] HashData(System.Byte[] source) => throw null; - public static System.Byte[] HashData(System.ReadOnlySpan source) => throw null; - public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; - public static System.Byte[] HashData(System.IO.Stream source) => throw null; - public static int HashData(System.IO.Stream source, System.Span destination) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public const int HashSizeInBits = default; - public const int HashSizeInBytes = default; protected SHA512() => throw null; - public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; - } - - public class SHA512CryptoServiceProvider : System.Security.Cryptography.SHA512 + public static byte[] HashData(byte[] source) => throw null; + public static byte[] HashData(System.IO.Stream source) => throw null; + public static int HashData(System.IO.Stream source, System.Span destination) => throw null; + public static byte[] HashData(System.ReadOnlySpan source) => throw null; + public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int HashSizeInBits; + public static int HashSizeInBytes; + public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; + } + public sealed class SHA512CryptoServiceProvider : System.Security.Cryptography.SHA512 { - protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; - public override void Initialize() => throw null; public SHA512CryptoServiceProvider() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; - } - - public class SHA512Managed : System.Security.Cryptography.SHA512 - { protected override void Dispose(bool disposing) => throw null; - protected override void HashCore(System.Byte[] array, int ibStart, int cbSize) => throw null; - protected override void HashCore(System.ReadOnlySpan source) => throw null; - protected override System.Byte[] HashFinal() => throw null; + protected override void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override void HashCore(System.ReadOnlySpan source) => throw null; + protected override byte[] HashFinal() => throw null; public override void Initialize() => throw null; - public SHA512Managed() => throw null; - protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; + protected override bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - - public class SafeEvpPKeyHandle : System.Runtime.InteropServices.SafeHandle + public sealed class SHA512Managed : System.Security.Cryptography.SHA512 { - public System.Security.Cryptography.SafeEvpPKeyHandle DuplicateHandle() => throw null; - public override bool IsInvalid { get => throw null; } - public static System.Int64 OpenSslVersion { get => throw null; } - protected override bool ReleaseHandle() => throw null; - public SafeEvpPKeyHandle() : base(default(System.IntPtr), default(bool)) => throw null; - public SafeEvpPKeyHandle(System.IntPtr handle, bool ownsHandle) : base(default(System.IntPtr), default(bool)) => throw null; + public SHA512Managed() => throw null; + protected override sealed void Dispose(bool disposing) => throw null; + protected override sealed void HashCore(byte[] array, int ibStart, int cbSize) => throw null; + protected override sealed void HashCore(System.ReadOnlySpan source) => throw null; + protected override sealed byte[] HashFinal() => throw null; + public override sealed void Initialize() => throw null; + protected override sealed bool TryHashFinal(System.Span destination, out int bytesWritten) => throw null; } - public class SignatureDescription { public virtual System.Security.Cryptography.AsymmetricSignatureDeformatter CreateDeformatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; public virtual System.Security.Cryptography.HashAlgorithm CreateDigest() => throw null; public virtual System.Security.Cryptography.AsymmetricSignatureFormatter CreateFormatter(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public string DeformatterAlgorithm { get => throw null; set => throw null; } - public string DigestAlgorithm { get => throw null; set => throw null; } - public string FormatterAlgorithm { get => throw null; set => throw null; } - public string KeyAlgorithm { get => throw null; set => throw null; } public SignatureDescription() => throw null; public SignatureDescription(System.Security.SecurityElement el) => throw null; + public string DeformatterAlgorithm { get => throw null; set { } } + public string DigestAlgorithm { get => throw null; set { } } + public string FormatterAlgorithm { get => throw null; set { } } + public string KeyAlgorithm { get => throw null; set { } } } - public abstract class SymmetricAlgorithm : System.IDisposable { - public virtual int BlockSize { get => throw null; set => throw null; } + public virtual int BlockSize { get => throw null; set { } } protected int BlockSizeValue; public void Clear() => throw null; public static System.Security.Cryptography.SymmetricAlgorithm Create() => throw null; public static System.Security.Cryptography.SymmetricAlgorithm Create(string algName) => throw null; public virtual System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public abstract System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV); + public abstract System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV); public virtual System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public abstract System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV); - public System.Byte[] DecryptCbc(System.Byte[] ciphertext, System.Byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public System.Byte[] DecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public int DecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public System.Byte[] DecryptCfb(System.Byte[] ciphertext, System.Byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public System.Byte[] DecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public int DecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public System.Byte[] DecryptEcb(System.Byte[] ciphertext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public System.Byte[] DecryptEcb(System.ReadOnlySpan ciphertext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public int DecryptEcb(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public abstract System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV); + protected SymmetricAlgorithm() => throw null; + public byte[] DecryptCbc(byte[] ciphertext, byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public byte[] DecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public int DecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public byte[] DecryptCfb(byte[] ciphertext, byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public byte[] DecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public int DecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public byte[] DecryptEcb(byte[] ciphertext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public byte[] DecryptEcb(System.ReadOnlySpan ciphertext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public int DecryptEcb(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public System.Byte[] EncryptCbc(System.Byte[] plaintext, System.Byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public System.Byte[] EncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public int EncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - public System.Byte[] EncryptCfb(System.Byte[] plaintext, System.Byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public System.Byte[] EncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public int EncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - public System.Byte[] EncryptEcb(System.Byte[] plaintext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public System.Byte[] EncryptEcb(System.ReadOnlySpan plaintext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public int EncryptEcb(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public virtual int FeedbackSize { get => throw null; set => throw null; } + public byte[] EncryptCbc(byte[] plaintext, byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public byte[] EncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public int EncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + public byte[] EncryptCfb(byte[] plaintext, byte[] iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public byte[] EncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public int EncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + public byte[] EncryptEcb(byte[] plaintext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public byte[] EncryptEcb(System.ReadOnlySpan plaintext, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public int EncryptEcb(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode) => throw null; + public virtual int FeedbackSize { get => throw null; set { } } protected int FeedbackSizeValue; public abstract void GenerateIV(); public abstract void GenerateKey(); public int GetCiphertextLengthCbc(int plaintextLength, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; public int GetCiphertextLengthCfb(int plaintextLength, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; public int GetCiphertextLengthEcb(int plaintextLength, System.Security.Cryptography.PaddingMode paddingMode) => throw null; - public virtual System.Byte[] IV { get => throw null; set => throw null; } - protected System.Byte[] IVValue; - public virtual System.Byte[] Key { get => throw null; set => throw null; } - public virtual int KeySize { get => throw null; set => throw null; } + public virtual byte[] IV { get => throw null; set { } } + protected byte[] IVValue; + public virtual byte[] Key { get => throw null; set { } } + public virtual int KeySize { get => throw null; set { } } protected int KeySizeValue; - protected System.Byte[] KeyValue; + protected byte[] KeyValue; public virtual System.Security.Cryptography.KeySizes[] LegalBlockSizes { get => throw null; } protected System.Security.Cryptography.KeySizes[] LegalBlockSizesValue; public virtual System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } protected System.Security.Cryptography.KeySizes[] LegalKeySizesValue; - public virtual System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } + public virtual System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } protected System.Security.Cryptography.CipherMode ModeValue; - public virtual System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } + public virtual System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } protected System.Security.Cryptography.PaddingMode PaddingValue; - protected SymmetricAlgorithm() => throw null; - public bool TryDecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - protected virtual bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - public bool TryDecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - protected virtual bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - public bool TryDecryptEcb(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected virtual bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - public bool TryEncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; - protected virtual bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - public bool TryEncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; - protected virtual bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - public bool TryEncryptEcb(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected virtual bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + public bool TryDecryptCbc(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + protected virtual bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + public bool TryDecryptCfb(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + protected virtual bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + public bool TryDecryptEcb(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected virtual bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + public bool TryEncryptCbc(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode)) => throw null; + protected virtual bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + public bool TryEncryptCfb(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, out int bytesWritten, System.Security.Cryptography.PaddingMode paddingMode = default(System.Security.Cryptography.PaddingMode), int feedbackSizeInBits = default(int)) => throw null; + protected virtual bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + public bool TryEncryptEcb(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected virtual bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; public bool ValidKeySize(int bitLength) => throw null; } - public class ToBase64Transform : System.IDisposable, System.Security.Cryptography.ICryptoTransform { public virtual bool CanReuseTransform { get => throw null; } public bool CanTransformMultipleBlocks { get => throw null; } public void Clear() => throw null; + public ToBase64Transform() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public int InputBlockSize { get => throw null; } public int OutputBlockSize { get => throw null; } - public ToBase64Transform() => throw null; - public int TransformBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount, System.Byte[] outputBuffer, int outputOffset) => throw null; - public System.Byte[] TransformFinalBlock(System.Byte[] inputBuffer, int inputOffset, int inputCount) => throw null; - // ERR: Stub generator didn't handle member: ~ToBase64Transform + public int TransformBlock(byte[] inputBuffer, int inputOffset, int inputCount, byte[] outputBuffer, int outputOffset) => throw null; + public byte[] TransformFinalBlock(byte[] inputBuffer, int inputOffset, int inputCount) => throw null; } - public abstract class TripleDES : System.Security.Cryptography.SymmetricAlgorithm { public static System.Security.Cryptography.TripleDES Create() => throw null; public static System.Security.Cryptography.TripleDES Create(string str) => throw null; - public static bool IsWeakKey(System.Byte[] rgbKey) => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } protected TripleDES() => throw null; + public static bool IsWeakKey(byte[] rgbKey) => throw null; + public override byte[] Key { get => throw null; set { } } } - - public class TripleDESCng : System.Security.Cryptography.TripleDES + public sealed class TripleDESCng : System.Security.Cryptography.TripleDES { public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; - protected override void Dispose(bool disposing) => throw null; - public override void GenerateIV() => throw null; - public override void GenerateKey() => throw null; - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public TripleDESCng() => throw null; public TripleDESCng(string keyName) => throw null; public TripleDESCng(string keyName, System.Security.Cryptography.CngProvider provider) => throw null; public TripleDESCng(string keyName, System.Security.Cryptography.CngProvider provider, System.Security.Cryptography.CngKeyOpenOptions openOptions) => throw null; - protected override bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - protected override bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - protected override bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; - protected override bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; - } - - public class TripleDESCryptoServiceProvider : System.Security.Cryptography.TripleDES - { - public override int BlockSize { get => throw null; set => throw null; } + protected override void Dispose(bool disposing) => throw null; + public override void GenerateIV() => throw null; + public override void GenerateKey() => throw null; + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } + protected override bool TryDecryptCbcCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryDecryptCfbCore(System.ReadOnlySpan ciphertext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + protected override bool TryDecryptEcbCore(System.ReadOnlySpan ciphertext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryEncryptCbcCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + protected override bool TryEncryptCfbCore(System.ReadOnlySpan plaintext, System.ReadOnlySpan iv, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, int feedbackSizeInBits, out int bytesWritten) => throw null; + protected override bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; + } + public sealed class TripleDESCryptoServiceProvider : System.Security.Cryptography.TripleDES + { + public override int BlockSize { get => throw null; set { } } public override System.Security.Cryptography.ICryptoTransform CreateDecryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateDecryptor(byte[] rgbKey, byte[] rgbIV) => throw null; public override System.Security.Cryptography.ICryptoTransform CreateEncryptor() => throw null; - public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(System.Byte[] rgbKey, System.Byte[] rgbIV) => throw null; + public override System.Security.Cryptography.ICryptoTransform CreateEncryptor(byte[] rgbKey, byte[] rgbIV) => throw null; + public TripleDESCryptoServiceProvider() => throw null; protected override void Dispose(bool disposing) => throw null; - public override int FeedbackSize { get => throw null; set => throw null; } + public override int FeedbackSize { get => throw null; set { } } public override void GenerateIV() => throw null; public override void GenerateKey() => throw null; - public override System.Byte[] IV { get => throw null; set => throw null; } - public override System.Byte[] Key { get => throw null; set => throw null; } - public override int KeySize { get => throw null; set => throw null; } + public override byte[] IV { get => throw null; set { } } + public override byte[] Key { get => throw null; set { } } + public override int KeySize { get => throw null; set { } } public override System.Security.Cryptography.KeySizes[] LegalBlockSizes { get => throw null; } public override System.Security.Cryptography.KeySizes[] LegalKeySizes { get => throw null; } - public override System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } - public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } - public TripleDESCryptoServiceProvider() => throw null; + public override System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } + public override System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } } - namespace X509Certificates { - public class CertificateRequest + public sealed class CertificateRequest { public System.Collections.ObjectModel.Collection CertificateExtensions { get => throw null; } + public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, byte[] serialNumber) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.ReadOnlySpan serialNumber) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, byte[] serialNumber) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.ReadOnlySpan serialNumber) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate2 CreateSelfSigned(System.DateTimeOffset notBefore, System.DateTimeOffset notAfter) => throw null; + public byte[] CreateSigningRequest() => throw null; + public byte[] CreateSigningRequest(System.Security.Cryptography.X509Certificates.X509SignatureGenerator signatureGenerator) => throw null; + public string CreateSigningRequestPem() => throw null; + public string CreateSigningRequestPem(System.Security.Cryptography.X509Certificates.X509SignatureGenerator signatureGenerator) => throw null; public CertificateRequest(System.Security.Cryptography.X509Certificates.X500DistinguishedName subjectName, System.Security.Cryptography.ECDsa key, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public CertificateRequest(System.Security.Cryptography.X509Certificates.X500DistinguishedName subjectName, System.Security.Cryptography.RSA key, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; public CertificateRequest(System.Security.Cryptography.X509Certificates.X500DistinguishedName subjectName, System.Security.Cryptography.X509Certificates.PublicKey publicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; public CertificateRequest(System.Security.Cryptography.X509Certificates.X500DistinguishedName subjectName, System.Security.Cryptography.X509Certificates.PublicKey publicKey, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding rsaSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; - public CertificateRequest(System.Security.Cryptography.X509Certificates.X500DistinguishedName subjectName, System.Security.Cryptography.RSA key, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; public CertificateRequest(string subjectName, System.Security.Cryptography.ECDsa key, System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; public CertificateRequest(string subjectName, System.Security.Cryptography.RSA key, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding padding) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.Byte[] serialNumber) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.ReadOnlySpan serialNumber) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.Byte[] serialNumber) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 Create(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.DateTimeOffset notBefore, System.DateTimeOffset notAfter, System.ReadOnlySpan serialNumber) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 CreateSelfSigned(System.DateTimeOffset notBefore, System.DateTimeOffset notAfter) => throw null; - public System.Byte[] CreateSigningRequest() => throw null; - public System.Byte[] CreateSigningRequest(System.Security.Cryptography.X509Certificates.X509SignatureGenerator signatureGenerator) => throw null; - public string CreateSigningRequestPem() => throw null; - public string CreateSigningRequestPem(System.Security.Cryptography.X509Certificates.X509SignatureGenerator signatureGenerator) => throw null; public System.Security.Cryptography.HashAlgorithmName HashAlgorithm { get => throw null; } - public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequest(System.Byte[] pkcs10, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; - public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequest(System.ReadOnlySpan pkcs10, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, out int bytesConsumed, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; - public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequestPem(System.ReadOnlySpan pkcs10Pem, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequest(byte[] pkcs10, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequest(System.ReadOnlySpan pkcs10, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, out int bytesConsumed, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequestPem(System.ReadOnlySpan pkcs10Pem, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; public static System.Security.Cryptography.X509Certificates.CertificateRequest LoadSigningRequestPem(string pkcs10Pem, System.Security.Cryptography.HashAlgorithmName signerHashAlgorithm, System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions options = default(System.Security.Cryptography.X509Certificates.CertificateRequestLoadOptions), System.Security.Cryptography.RSASignaturePadding signerSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding)) => throw null; public System.Collections.ObjectModel.Collection OtherRequestAttributes { get => throw null; } public System.Security.Cryptography.X509Certificates.PublicKey PublicKey { get => throw null; } public System.Security.Cryptography.X509Certificates.X500DistinguishedName SubjectName { get => throw null; } } - [System.Flags] - public enum CertificateRequestLoadOptions : int + public enum CertificateRequestLoadOptions { Default = 0, SkipSignatureValidation = 1, UnsafeLoadCertificateExtensions = 2, } - - public class CertificateRevocationListBuilder + public sealed class CertificateRevocationListBuilder { - public void AddEntry(System.Byte[] serialNumber, System.DateTimeOffset? revocationTime = default(System.DateTimeOffset?), System.Security.Cryptography.X509Certificates.X509RevocationReason? reason = default(System.Security.Cryptography.X509Certificates.X509RevocationReason?)) => throw null; - public void AddEntry(System.ReadOnlySpan serialNumber, System.DateTimeOffset? revocationTime = default(System.DateTimeOffset?), System.Security.Cryptography.X509Certificates.X509RevocationReason? reason = default(System.Security.Cryptography.X509Certificates.X509RevocationReason?)) => throw null; + public void AddEntry(byte[] serialNumber, System.DateTimeOffset? revocationTime = default(System.DateTimeOffset?), System.Security.Cryptography.X509Certificates.X509RevocationReason? reason = default(System.Security.Cryptography.X509Certificates.X509RevocationReason?)) => throw null; + public void AddEntry(System.ReadOnlySpan serialNumber, System.DateTimeOffset? revocationTime = default(System.DateTimeOffset?), System.Security.Cryptography.X509Certificates.X509RevocationReason? reason = default(System.Security.Cryptography.X509Certificates.X509RevocationReason?)) => throw null; public void AddEntry(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, System.DateTimeOffset? revocationTime = default(System.DateTimeOffset?), System.Security.Cryptography.X509Certificates.X509RevocationReason? reason = default(System.Security.Cryptography.X509Certificates.X509RevocationReason?)) => throw null; - public System.Byte[] Build(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.Numerics.BigInteger crlNumber, System.DateTimeOffset nextUpdate, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension authorityKeyIdentifier, System.DateTimeOffset? thisUpdate = default(System.DateTimeOffset?)) => throw null; - public System.Byte[] Build(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.Numerics.BigInteger crlNumber, System.DateTimeOffset nextUpdate, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding rsaSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding), System.DateTimeOffset? thisUpdate = default(System.DateTimeOffset?)) => throw null; + public byte[] Build(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Security.Cryptography.X509Certificates.X509SignatureGenerator generator, System.Numerics.BigInteger crlNumber, System.DateTimeOffset nextUpdate, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension authorityKeyIdentifier, System.DateTimeOffset? thisUpdate = default(System.DateTimeOffset?)) => throw null; + public byte[] Build(System.Security.Cryptography.X509Certificates.X509Certificate2 issuerCertificate, System.Numerics.BigInteger crlNumber, System.DateTimeOffset nextUpdate, System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Security.Cryptography.RSASignaturePadding rsaSignaturePadding = default(System.Security.Cryptography.RSASignaturePadding), System.DateTimeOffset? thisUpdate = default(System.DateTimeOffset?)) => throw null; public static System.Security.Cryptography.X509Certificates.X509Extension BuildCrlDistributionPointExtension(System.Collections.Generic.IEnumerable uris, bool critical = default(bool)) => throw null; public CertificateRevocationListBuilder() => throw null; - public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder Load(System.Byte[] currentCrl, out System.Numerics.BigInteger currentCrlNumber) => throw null; - public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder Load(System.ReadOnlySpan currentCrl, out System.Numerics.BigInteger currentCrlNumber, out int bytesConsumed) => throw null; - public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder LoadPem(System.ReadOnlySpan currentCrl, out System.Numerics.BigInteger currentCrlNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder Load(byte[] currentCrl, out System.Numerics.BigInteger currentCrlNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder Load(System.ReadOnlySpan currentCrl, out System.Numerics.BigInteger currentCrlNumber, out int bytesConsumed) => throw null; + public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder LoadPem(System.ReadOnlySpan currentCrl, out System.Numerics.BigInteger currentCrlNumber) => throw null; public static System.Security.Cryptography.X509Certificates.CertificateRevocationListBuilder LoadPem(string currentCrl, out System.Numerics.BigInteger currentCrlNumber) => throw null; - public bool RemoveEntry(System.Byte[] serialNumber) => throw null; - public bool RemoveEntry(System.ReadOnlySpan serialNumber) => throw null; + public bool RemoveEntry(byte[] serialNumber) => throw null; + public bool RemoveEntry(System.ReadOnlySpan serialNumber) => throw null; } - - public static class DSACertificateExtensions + public static partial class DSACertificateExtensions { public static System.Security.Cryptography.X509Certificates.X509Certificate2 CopyWithPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, System.Security.Cryptography.DSA privateKey) => throw null; public static System.Security.Cryptography.DSA GetDSAPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public static System.Security.Cryptography.DSA GetDSAPublicKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; } - - public static class ECDsaCertificateExtensions + public static partial class ECDsaCertificateExtensions { public static System.Security.Cryptography.X509Certificates.X509Certificate2 CopyWithPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, System.Security.Cryptography.ECDsa privateKey) => throw null; public static System.Security.Cryptography.ECDsa GetECDsaPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public static System.Security.Cryptography.ECDsa GetECDsaPublicKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; } - [System.Flags] - public enum OpenFlags : int + public enum OpenFlags { - IncludeArchived = 8, - MaxAllowed = 2, - OpenExistingOnly = 4, ReadOnly = 0, ReadWrite = 1, + MaxAllowed = 2, + OpenExistingOnly = 4, + IncludeArchived = 8, } - - public class PublicKey + public sealed class PublicKey { - public static System.Security.Cryptography.X509Certificates.PublicKey CreateFromSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public static System.Security.Cryptography.X509Certificates.PublicKey CreateFromSubjectPublicKeyInfo(System.ReadOnlySpan source, out int bytesRead) => throw null; + public PublicKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; + public PublicKey(System.Security.Cryptography.Oid oid, System.Security.Cryptography.AsnEncodedData parameters, System.Security.Cryptography.AsnEncodedData keyValue) => throw null; public System.Security.Cryptography.AsnEncodedData EncodedKeyValue { get => throw null; } public System.Security.Cryptography.AsnEncodedData EncodedParameters { get => throw null; } - public System.Byte[] ExportSubjectPublicKeyInfo() => throw null; + public byte[] ExportSubjectPublicKeyInfo() => throw null; public System.Security.Cryptography.DSA GetDSAPublicKey() => throw null; public System.Security.Cryptography.ECDiffieHellman GetECDiffieHellmanPublicKey() => throw null; public System.Security.Cryptography.ECDsa GetECDsaPublicKey() => throw null; public System.Security.Cryptography.RSA GetRSAPublicKey() => throw null; public System.Security.Cryptography.AsymmetricAlgorithm Key { get => throw null; } public System.Security.Cryptography.Oid Oid { get => throw null; } - public PublicKey(System.Security.Cryptography.AsymmetricAlgorithm key) => throw null; - public PublicKey(System.Security.Cryptography.Oid oid, System.Security.Cryptography.AsnEncodedData parameters, System.Security.Cryptography.AsnEncodedData keyValue) => throw null; - public bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; + public bool TryExportSubjectPublicKeyInfo(System.Span destination, out int bytesWritten) => throw null; } - - public static class RSACertificateExtensions + public static partial class RSACertificateExtensions { public static System.Security.Cryptography.X509Certificates.X509Certificate2 CopyWithPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, System.Security.Cryptography.RSA privateKey) => throw null; public static System.Security.Cryptography.RSA GetRSAPrivateKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public static System.Security.Cryptography.RSA GetRSAPublicKey(this System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; } - - public enum StoreLocation : int + public enum StoreLocation { CurrentUser = 1, LocalMachine = 2, } - - public enum StoreName : int + public enum StoreName { AddressBook = 1, AuthRoot = 2, @@ -2376,8 +2210,7 @@ public enum StoreName : int TrustedPeople = 7, TrustedPublisher = 8, } - - public class SubjectAlternativeNameBuilder + public sealed class SubjectAlternativeNameBuilder { public void AddDnsName(string dnsName) => throw null; public void AddEmailAddress(string emailAddress) => throw null; @@ -2387,22 +2220,20 @@ public class SubjectAlternativeNameBuilder public System.Security.Cryptography.X509Certificates.X509Extension Build(bool critical = default(bool)) => throw null; public SubjectAlternativeNameBuilder() => throw null; } - - public class X500DistinguishedName : System.Security.Cryptography.AsnEncodedData + public sealed class X500DistinguishedName : System.Security.Cryptography.AsnEncodedData { - public string Decode(System.Security.Cryptography.X509Certificates.X500DistinguishedNameFlags flag) => throw null; - public System.Collections.Generic.IEnumerable EnumerateRelativeDistinguishedNames(bool reversed = default(bool)) => throw null; - public override string Format(bool multiLine) => throw null; - public string Name { get => throw null; } + public X500DistinguishedName(byte[] encodedDistinguishedName) => throw null; + public X500DistinguishedName(System.ReadOnlySpan encodedDistinguishedName) => throw null; public X500DistinguishedName(System.Security.Cryptography.AsnEncodedData encodedDistinguishedName) => throw null; - public X500DistinguishedName(System.Byte[] encodedDistinguishedName) => throw null; - public X500DistinguishedName(System.ReadOnlySpan encodedDistinguishedName) => throw null; public X500DistinguishedName(System.Security.Cryptography.X509Certificates.X500DistinguishedName distinguishedName) => throw null; public X500DistinguishedName(string distinguishedName) => throw null; public X500DistinguishedName(string distinguishedName, System.Security.Cryptography.X509Certificates.X500DistinguishedNameFlags flag) => throw null; + public string Decode(System.Security.Cryptography.X509Certificates.X500DistinguishedNameFlags flag) => throw null; + public System.Collections.Generic.IEnumerable EnumerateRelativeDistinguishedNames(bool reversed = default(bool)) => throw null; + public override string Format(bool multiLine) => throw null; + public string Name { get => throw null; } } - - public class X500DistinguishedNameBuilder + public sealed class X500DistinguishedNameBuilder { public void Add(System.Security.Cryptography.Oid oid, string value, System.Formats.Asn1.UniversalTagNumber? stringEncodingType = default(System.Formats.Asn1.UniversalTagNumber?)) => throw null; public void Add(string oidValue, string value, System.Formats.Asn1.UniversalTagNumber? stringEncodingType = default(System.Formats.Asn1.UniversalTagNumber?)) => throw null; @@ -2411,96 +2242,104 @@ public class X500DistinguishedNameBuilder public void AddDomainComponent(string domainComponent) => throw null; public void AddEmailAddress(string emailAddress) => throw null; public void AddLocalityName(string localityName) => throw null; - public void AddOrganizationName(string organizationName) => throw null; public void AddOrganizationalUnitName(string organizationalUnitName) => throw null; + public void AddOrganizationName(string organizationName) => throw null; public void AddStateOrProvinceName(string stateOrProvinceName) => throw null; public System.Security.Cryptography.X509Certificates.X500DistinguishedName Build() => throw null; public X500DistinguishedNameBuilder() => throw null; } - [System.Flags] - public enum X500DistinguishedNameFlags : int + public enum X500DistinguishedNameFlags { - DoNotUsePlusSign = 32, - DoNotUseQuotes = 64, - ForceUTF8Encoding = 16384, None = 0, Reversed = 1, + UseSemicolons = 16, + DoNotUsePlusSign = 32, + DoNotUseQuotes = 64, UseCommas = 128, UseNewLines = 256, - UseSemicolons = 16, - UseT61Encoding = 8192, UseUTF8Encoding = 4096, + UseT61Encoding = 8192, + ForceUTF8Encoding = 16384, } - - public class X500RelativeDistinguishedName + public sealed class X500RelativeDistinguishedName { public System.Security.Cryptography.Oid GetSingleElementType() => throw null; public string GetSingleElementValue() => throw null; public bool HasMultipleElements { get => throw null; } - public System.ReadOnlyMemory RawData { get => throw null; } + public System.ReadOnlyMemory RawData { get => throw null; } } - - public class X509AuthorityInformationAccessExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509AuthorityInformationAccessExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; + public X509AuthorityInformationAccessExtension() => throw null; + public X509AuthorityInformationAccessExtension(byte[] rawData, bool critical = default(bool)) => throw null; + public X509AuthorityInformationAccessExtension(System.Collections.Generic.IEnumerable ocspUris, System.Collections.Generic.IEnumerable caIssuersUris, bool critical = default(bool)) => throw null; + public X509AuthorityInformationAccessExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; public System.Collections.Generic.IEnumerable EnumerateCAIssuersUris() => throw null; public System.Collections.Generic.IEnumerable EnumerateOcspUris() => throw null; public System.Collections.Generic.IEnumerable EnumerateUris(System.Security.Cryptography.Oid accessMethodOid) => throw null; public System.Collections.Generic.IEnumerable EnumerateUris(string accessMethodOid) => throw null; - public X509AuthorityInformationAccessExtension() => throw null; - public X509AuthorityInformationAccessExtension(System.Byte[] rawData, bool critical = default(bool)) => throw null; - public X509AuthorityInformationAccessExtension(System.Collections.Generic.IEnumerable ocspUris, System.Collections.Generic.IEnumerable caIssuersUris, bool critical = default(bool)) => throw null; - public X509AuthorityInformationAccessExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; } - - public class X509AuthorityKeyIdentifierExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509AuthorityKeyIdentifierExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension Create(System.Byte[] keyIdentifier, System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Byte[] serialNumber) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension Create(System.ReadOnlySpan keyIdentifier, System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.ReadOnlySpan serialNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension Create(byte[] keyIdentifier, System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, byte[] serialNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension Create(System.ReadOnlySpan keyIdentifier, System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.ReadOnlySpan serialNumber) => throw null; public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromCertificate(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, bool includeKeyIdentifier, bool includeIssuerAndSerial) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromIssuerNameAndSerialNumber(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.Byte[] serialNumber) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromIssuerNameAndSerialNumber(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.ReadOnlySpan serialNumber) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromSubjectKeyIdentifier(System.Byte[] subjectKeyIdentifier) => throw null; - public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromSubjectKeyIdentifier(System.ReadOnlySpan subjectKeyIdentifier) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromIssuerNameAndSerialNumber(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, byte[] serialNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromIssuerNameAndSerialNumber(System.Security.Cryptography.X509Certificates.X500DistinguishedName issuerName, System.ReadOnlySpan serialNumber) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromSubjectKeyIdentifier(byte[] subjectKeyIdentifier) => throw null; + public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromSubjectKeyIdentifier(System.ReadOnlySpan subjectKeyIdentifier) => throw null; public static System.Security.Cryptography.X509Certificates.X509AuthorityKeyIdentifierExtension CreateFromSubjectKeyIdentifier(System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierExtension subjectKeyIdentifier) => throw null; - public System.ReadOnlyMemory? KeyIdentifier { get => throw null; } - public System.Security.Cryptography.X509Certificates.X500DistinguishedName NamedIssuer { get => throw null; } - public System.ReadOnlyMemory? RawIssuer { get => throw null; } - public System.ReadOnlyMemory? SerialNumber { get => throw null; } public X509AuthorityKeyIdentifierExtension() => throw null; - public X509AuthorityKeyIdentifierExtension(System.Byte[] rawData, bool critical = default(bool)) => throw null; - public X509AuthorityKeyIdentifierExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; + public X509AuthorityKeyIdentifierExtension(byte[] rawData, bool critical = default(bool)) => throw null; + public X509AuthorityKeyIdentifierExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; + public System.ReadOnlyMemory? KeyIdentifier { get => throw null; } + public System.Security.Cryptography.X509Certificates.X500DistinguishedName NamedIssuer { get => throw null; } + public System.ReadOnlyMemory? RawIssuer { get => throw null; } + public System.ReadOnlyMemory? SerialNumber { get => throw null; } } - - public class X509BasicConstraintsExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509BasicConstraintsExtension : System.Security.Cryptography.X509Certificates.X509Extension { public bool CertificateAuthority { get => throw null; } public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; public static System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension CreateForCertificateAuthority(int? pathLengthConstraint = default(int?)) => throw null; public static System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension CreateForEndEntity(bool critical = default(bool)) => throw null; - public bool HasPathLengthConstraint { get => throw null; } - public int PathLengthConstraint { get => throw null; } public X509BasicConstraintsExtension() => throw null; - public X509BasicConstraintsExtension(System.Security.Cryptography.AsnEncodedData encodedBasicConstraints, bool critical) => throw null; public X509BasicConstraintsExtension(bool certificateAuthority, bool hasPathLengthConstraint, int pathLengthConstraint, bool critical) => throw null; + public X509BasicConstraintsExtension(System.Security.Cryptography.AsnEncodedData encodedBasicConstraints, bool critical) => throw null; + public bool HasPathLengthConstraint { get => throw null; } + public int PathLengthConstraint { get => throw null; } } - public class X509Certificate : System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { public static System.Security.Cryptography.X509Certificates.X509Certificate CreateFromCertFile(string filename) => throw null; public static System.Security.Cryptography.X509Certificates.X509Certificate CreateFromSignedFile(string filename) => throw null; + public X509Certificate() => throw null; + public X509Certificate(byte[] data) => throw null; + public X509Certificate(byte[] rawData, System.Security.SecureString password) => throw null; + public X509Certificate(byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate(byte[] rawData, string password) => throw null; + public X509Certificate(byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate(nint handle) => throw null; + public X509Certificate(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public X509Certificate(System.Security.Cryptography.X509Certificates.X509Certificate cert) => throw null; + public X509Certificate(string fileName) => throw null; + public X509Certificate(string fileName, System.Security.SecureString password) => throw null; + public X509Certificate(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate(string fileName, string password) => throw null; + public X509Certificate(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public virtual bool Equals(System.Security.Cryptography.X509Certificates.X509Certificate other) => throw null; public override bool Equals(object obj) => throw null; - public virtual System.Byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType) => throw null; - public virtual System.Byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, System.Security.SecureString password) => throw null; - public virtual System.Byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, string password) => throw null; + public virtual bool Equals(System.Security.Cryptography.X509Certificates.X509Certificate other) => throw null; + public virtual byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType) => throw null; + public virtual byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, System.Security.SecureString password) => throw null; + public virtual byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, string password) => throw null; protected static string FormatDate(System.DateTime date) => throw null; - public virtual System.Byte[] GetCertHash() => throw null; - public virtual System.Byte[] GetCertHash(System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; + public virtual byte[] GetCertHash() => throw null; + public virtual byte[] GetCertHash(System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; public virtual string GetCertHashString() => throw null; public virtual string GetCertHashString(System.Security.Cryptography.HashAlgorithmName hashAlgorithm) => throw null; public virtual string GetEffectiveDateString() => throw null; @@ -2509,69 +2348,71 @@ public class X509Certificate : System.IDisposable, System.Runtime.Serialization. public override int GetHashCode() => throw null; public virtual string GetIssuerName() => throw null; public virtual string GetKeyAlgorithm() => throw null; - public virtual System.Byte[] GetKeyAlgorithmParameters() => throw null; + public virtual byte[] GetKeyAlgorithmParameters() => throw null; public virtual string GetKeyAlgorithmParametersString() => throw null; public virtual string GetName() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public virtual System.Byte[] GetPublicKey() => throw null; + public virtual byte[] GetPublicKey() => throw null; public virtual string GetPublicKeyString() => throw null; - public virtual System.Byte[] GetRawCertData() => throw null; + public virtual byte[] GetRawCertData() => throw null; public virtual string GetRawCertDataString() => throw null; - public virtual System.Byte[] GetSerialNumber() => throw null; + public virtual byte[] GetSerialNumber() => throw null; public virtual string GetSerialNumberString() => throw null; - public System.IntPtr Handle { get => throw null; } - public virtual void Import(System.Byte[] rawData) => throw null; - public virtual void Import(System.Byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public virtual void Import(System.Byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public nint Handle { get => throw null; } + public virtual void Import(byte[] rawData) => throw null; + public virtual void Import(byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public virtual void Import(byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public virtual void Import(string fileName) => throw null; public virtual void Import(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public virtual void Import(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public string Issuer { get => throw null; } void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; public virtual void Reset() => throw null; - public System.ReadOnlyMemory SerialNumberBytes { get => throw null; } + public System.ReadOnlyMemory SerialNumberBytes { get => throw null; } public string Subject { get => throw null; } public override string ToString() => throw null; public virtual string ToString(bool fVerbose) => throw null; - public virtual bool TryGetCertHash(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Span destination, out int bytesWritten) => throw null; - public X509Certificate() => throw null; - public X509Certificate(System.Byte[] data) => throw null; - public X509Certificate(System.Byte[] rawData, System.Security.SecureString password) => throw null; - public X509Certificate(System.Byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate(System.Byte[] rawData, string password) => throw null; - public X509Certificate(System.Byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate(System.IntPtr handle) => throw null; - public X509Certificate(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public X509Certificate(System.Security.Cryptography.X509Certificates.X509Certificate cert) => throw null; - public X509Certificate(string fileName) => throw null; - public X509Certificate(string fileName, System.Security.SecureString password) => throw null; - public X509Certificate(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate(string fileName, string password) => throw null; - public X509Certificate(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public virtual bool TryGetCertHash(System.Security.Cryptography.HashAlgorithmName hashAlgorithm, System.Span destination, out int bytesWritten) => throw null; } - public class X509Certificate2 : System.Security.Cryptography.X509Certificates.X509Certificate { - public bool Archived { get => throw null; set => throw null; } + public bool Archived { get => throw null; set { } } public System.Security.Cryptography.X509Certificates.X509Certificate2 CopyWithPrivateKey(System.Security.Cryptography.ECDiffieHellman privateKey) => throw null; - public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromEncryptedPem(System.ReadOnlySpan certPem, System.ReadOnlySpan keyPem, System.ReadOnlySpan password) => throw null; - public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromEncryptedPemFile(string certPemFilePath, System.ReadOnlySpan password, string keyPemFilePath = default(string)) => throw null; - public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromPem(System.ReadOnlySpan certPem) => throw null; - public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromPem(System.ReadOnlySpan certPem, System.ReadOnlySpan keyPem) => throw null; + public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromEncryptedPem(System.ReadOnlySpan certPem, System.ReadOnlySpan keyPem, System.ReadOnlySpan password) => throw null; + public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromEncryptedPemFile(string certPemFilePath, System.ReadOnlySpan password, string keyPemFilePath = default(string)) => throw null; + public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromPem(System.ReadOnlySpan certPem) => throw null; + public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromPem(System.ReadOnlySpan certPem, System.ReadOnlySpan keyPem) => throw null; public static System.Security.Cryptography.X509Certificates.X509Certificate2 CreateFromPemFile(string certPemFilePath, string keyPemFilePath = default(string)) => throw null; + public X509Certificate2() => throw null; + public X509Certificate2(byte[] rawData) => throw null; + public X509Certificate2(byte[] rawData, System.Security.SecureString password) => throw null; + public X509Certificate2(byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate2(byte[] rawData, string password) => throw null; + public X509Certificate2(byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate2(nint handle) => throw null; + public X509Certificate2(System.ReadOnlySpan rawData) => throw null; + public X509Certificate2(System.ReadOnlySpan rawData, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + protected X509Certificate2(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public X509Certificate2(System.Security.Cryptography.X509Certificates.X509Certificate certificate) => throw null; + public X509Certificate2(string fileName) => throw null; + public X509Certificate2(string fileName, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + public X509Certificate2(string fileName, System.Security.SecureString password) => throw null; + public X509Certificate2(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public X509Certificate2(string fileName, string password) => throw null; + public X509Certificate2(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public string ExportCertificatePem() => throw null; public System.Security.Cryptography.X509Certificates.X509ExtensionCollection Extensions { get => throw null; } - public string FriendlyName { get => throw null; set => throw null; } - public static System.Security.Cryptography.X509Certificates.X509ContentType GetCertContentType(System.Byte[] rawData) => throw null; - public static System.Security.Cryptography.X509Certificates.X509ContentType GetCertContentType(System.ReadOnlySpan rawData) => throw null; + public string FriendlyName { get => throw null; set { } } + public static System.Security.Cryptography.X509Certificates.X509ContentType GetCertContentType(byte[] rawData) => throw null; + public static System.Security.Cryptography.X509Certificates.X509ContentType GetCertContentType(System.ReadOnlySpan rawData) => throw null; public static System.Security.Cryptography.X509Certificates.X509ContentType GetCertContentType(string fileName) => throw null; public System.Security.Cryptography.ECDiffieHellman GetECDiffieHellmanPrivateKey() => throw null; public System.Security.Cryptography.ECDiffieHellman GetECDiffieHellmanPublicKey() => throw null; public string GetNameInfo(System.Security.Cryptography.X509Certificates.X509NameType nameType, bool forIssuer) => throw null; public bool HasPrivateKey { get => throw null; } - public override void Import(System.Byte[] rawData) => throw null; - public override void Import(System.Byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public override void Import(System.Byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public override void Import(byte[] rawData) => throw null; + public override void Import(byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; + public override void Import(byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public override void Import(string fileName) => throw null; public override void Import(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; public override void Import(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; @@ -2579,10 +2420,10 @@ public class X509Certificate2 : System.Security.Cryptography.X509Certificates.X5 public bool MatchesHostname(string hostname, bool allowWildcards = default(bool), bool allowCommonName = default(bool)) => throw null; public System.DateTime NotAfter { get => throw null; } public System.DateTime NotBefore { get => throw null; } - public System.Security.Cryptography.AsymmetricAlgorithm PrivateKey { get => throw null; set => throw null; } + public System.Security.Cryptography.AsymmetricAlgorithm PrivateKey { get => throw null; set { } } public System.Security.Cryptography.X509Certificates.PublicKey PublicKey { get => throw null; } - public System.Byte[] RawData { get => throw null; } - public System.ReadOnlyMemory RawDataMemory { get => throw null; } + public byte[] RawData { get => throw null; } + public System.ReadOnlyMemory RawDataMemory { get => throw null; } public override void Reset() => throw null; public string SerialNumber { get => throw null; } public System.Security.Cryptography.Oid SignatureAlgorithm { get => throw null; } @@ -2590,65 +2431,46 @@ public class X509Certificate2 : System.Security.Cryptography.X509Certificates.X5 public string Thumbprint { get => throw null; } public override string ToString() => throw null; public override string ToString(bool verbose) => throw null; - public bool TryExportCertificatePem(System.Span destination, out int charsWritten) => throw null; + public bool TryExportCertificatePem(System.Span destination, out int charsWritten) => throw null; public bool Verify() => throw null; public int Version { get => throw null; } - public X509Certificate2() => throw null; - public X509Certificate2(System.Byte[] rawData) => throw null; - public X509Certificate2(System.Byte[] rawData, System.Security.SecureString password) => throw null; - public X509Certificate2(System.Byte[] rawData, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate2(System.Byte[] rawData, string password) => throw null; - public X509Certificate2(System.Byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate2(System.IntPtr handle) => throw null; - public X509Certificate2(System.ReadOnlySpan rawData) => throw null; - public X509Certificate2(System.ReadOnlySpan rawData, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; - protected X509Certificate2(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public X509Certificate2(System.Security.Cryptography.X509Certificates.X509Certificate certificate) => throw null; - public X509Certificate2(string fileName) => throw null; - public X509Certificate2(string fileName, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; - public X509Certificate2(string fileName, System.Security.SecureString password) => throw null; - public X509Certificate2(string fileName, System.Security.SecureString password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; - public X509Certificate2(string fileName, string password) => throw null; - public X509Certificate2(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags) => throw null; } - public class X509Certificate2Collection : System.Security.Cryptography.X509Certificates.X509CertificateCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public int Add(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public void AddRange(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; public void AddRange(System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; public bool Contains(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public System.Byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType) => throw null; - public System.Byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, string password) => throw null; + public X509Certificate2Collection() => throw null; + public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; + public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; + public byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType) => throw null; + public byte[] Export(System.Security.Cryptography.X509Certificates.X509ContentType contentType, string password) => throw null; public string ExportCertificatePems() => throw null; public string ExportPkcs7Pem() => throw null; public System.Security.Cryptography.X509Certificates.X509Certificate2Collection Find(System.Security.Cryptography.X509Certificates.X509FindType findType, object findValue, bool validOnly) => throw null; public System.Security.Cryptography.X509Certificates.X509Certificate2Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public void Import(System.Byte[] rawData) => throw null; - public void Import(System.Byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; - public void Import(System.ReadOnlySpan rawData) => throw null; - public void Import(System.ReadOnlySpan rawData, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; - public void Import(System.ReadOnlySpan rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + public void Import(byte[] rawData) => throw null; + public void Import(byte[] rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + public void Import(System.ReadOnlySpan rawData) => throw null; + public void Import(System.ReadOnlySpan rawData, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + public void Import(System.ReadOnlySpan rawData, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; public void Import(string fileName) => throw null; - public void Import(string fileName, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; + public void Import(string fileName, System.ReadOnlySpan password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; public void Import(string fileName, string password, System.Security.Cryptography.X509Certificates.X509KeyStorageFlags keyStorageFlags = default(System.Security.Cryptography.X509Certificates.X509KeyStorageFlags)) => throw null; - public void ImportFromPem(System.ReadOnlySpan certPem) => throw null; + public void ImportFromPem(System.ReadOnlySpan certPem) => throw null; public void ImportFromPemFile(string certPemFilePath) => throw null; public void Insert(int index, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate2 this[int index] { get => throw null; set => throw null; } public void Remove(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public void RemoveRange(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; public void RemoveRange(System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; - public bool TryExportCertificatePems(System.Span destination, out int charsWritten) => throw null; - public bool TryExportPkcs7Pem(System.Span destination, out int charsWritten) => throw null; - public X509Certificate2Collection() => throw null; - public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; - public X509Certificate2Collection(System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate2 this[int index] { get => throw null; set { } } + public bool TryExportCertificatePems(System.Span destination, out int charsWritten) => throw null; + public bool TryExportPkcs7Pem(System.Span destination, out int charsWritten) => throw null; } - - public class X509Certificate2Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509Certificate2Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Security.Cryptography.X509Certificates.X509Certificate2 Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2658,76 +2480,69 @@ public class X509Certificate2Enumerator : System.Collections.Generic.IEnumerator public void Reset() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - public class X509CertificateCollection : System.Collections.CollectionBase { - public class X509CertificateEnumerator : System.Collections.IEnumerator - { - public System.Security.Cryptography.X509Certificates.X509Certificate Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public bool MoveNext() => throw null; - bool System.Collections.IEnumerator.MoveNext() => throw null; - public void Reset() => throw null; - void System.Collections.IEnumerator.Reset() => throw null; - public X509CertificateEnumerator(System.Security.Cryptography.X509Certificates.X509CertificateCollection mappings) => throw null; - } - - public int Add(System.Security.Cryptography.X509Certificates.X509Certificate value) => throw null; public void AddRange(System.Security.Cryptography.X509Certificates.X509CertificateCollection value) => throw null; public void AddRange(System.Security.Cryptography.X509Certificates.X509Certificate[] value) => throw null; public bool Contains(System.Security.Cryptography.X509Certificates.X509Certificate value) => throw null; public void CopyTo(System.Security.Cryptography.X509Certificates.X509Certificate[] array, int index) => throw null; + public X509CertificateCollection() => throw null; + public X509CertificateCollection(System.Security.Cryptography.X509Certificates.X509CertificateCollection value) => throw null; + public X509CertificateCollection(System.Security.Cryptography.X509Certificates.X509Certificate[] value) => throw null; public System.Security.Cryptography.X509Certificates.X509CertificateCollection.X509CertificateEnumerator GetEnumerator() => throw null; public override int GetHashCode() => throw null; public int IndexOf(System.Security.Cryptography.X509Certificates.X509Certificate value) => throw null; public void Insert(int index, System.Security.Cryptography.X509Certificates.X509Certificate value) => throw null; - public System.Security.Cryptography.X509Certificates.X509Certificate this[int index] { get => throw null; set => throw null; } protected override void OnValidate(object value) => throw null; public void Remove(System.Security.Cryptography.X509Certificates.X509Certificate value) => throw null; - public X509CertificateCollection() => throw null; - public X509CertificateCollection(System.Security.Cryptography.X509Certificates.X509CertificateCollection value) => throw null; - public X509CertificateCollection(System.Security.Cryptography.X509Certificates.X509Certificate[] value) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate this[int index] { get => throw null; set { } } + public class X509CertificateEnumerator : System.Collections.IEnumerator + { + public X509CertificateEnumerator(System.Security.Cryptography.X509Certificates.X509CertificateCollection mappings) => throw null; + public System.Security.Cryptography.X509Certificates.X509Certificate Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public bool MoveNext() => throw null; + bool System.Collections.IEnumerator.MoveNext() => throw null; + public void Reset() => throw null; + void System.Collections.IEnumerator.Reset() => throw null; + } } - public class X509Chain : System.IDisposable { public bool Build(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public System.IntPtr ChainContext { get => throw null; } + public nint ChainContext { get => throw null; } public System.Security.Cryptography.X509Certificates.X509ChainElementCollection ChainElements { get => throw null; } - public System.Security.Cryptography.X509Certificates.X509ChainPolicy ChainPolicy { get => throw null; set => throw null; } + public System.Security.Cryptography.X509Certificates.X509ChainPolicy ChainPolicy { get => throw null; set { } } public System.Security.Cryptography.X509Certificates.X509ChainStatus[] ChainStatus { get => throw null; } public static System.Security.Cryptography.X509Certificates.X509Chain Create() => throw null; + public X509Chain() => throw null; + public X509Chain(bool useMachineContext) => throw null; + public X509Chain(nint chainContext) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public void Reset() => throw null; public Microsoft.Win32.SafeHandles.SafeX509ChainHandle SafeHandle { get => throw null; } - public X509Chain() => throw null; - public X509Chain(System.IntPtr chainContext) => throw null; - public X509Chain(bool useMachineContext) => throw null; } - public class X509ChainElement { public System.Security.Cryptography.X509Certificates.X509Certificate2 Certificate { get => throw null; } public System.Security.Cryptography.X509Certificates.X509ChainStatus[] ChainElementStatus { get => throw null; } public string Information { get => throw null; } } - - public class X509ChainElementCollection : System.Collections.Generic.IEnumerable, System.Collections.ICollection, System.Collections.IEnumerable + public sealed class X509ChainElementCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection { - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Security.Cryptography.X509Certificates.X509ChainElement[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public System.Security.Cryptography.X509Certificates.X509ChainElementEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public System.Security.Cryptography.X509Certificates.X509ChainElement this[int index] { get => throw null; } public object SyncRoot { get => throw null; } + public System.Security.Cryptography.X509Certificates.X509ChainElement this[int index] { get => throw null; } } - - public class X509ChainElementEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509ChainElementEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Security.Cryptography.X509Certificates.X509ChainElement Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2735,120 +2550,110 @@ public class X509ChainElementEnumerator : System.Collections.Generic.IEnumerator public bool MoveNext() => throw null; public void Reset() => throw null; } - - public class X509ChainPolicy + public sealed class X509ChainPolicy { public System.Security.Cryptography.OidCollection ApplicationPolicy { get => throw null; } public System.Security.Cryptography.OidCollection CertificatePolicy { get => throw null; } public System.Security.Cryptography.X509Certificates.X509ChainPolicy Clone() => throw null; + public X509ChainPolicy() => throw null; public System.Security.Cryptography.X509Certificates.X509Certificate2Collection CustomTrustStore { get => throw null; } - public bool DisableCertificateDownloads { get => throw null; set => throw null; } + public bool DisableCertificateDownloads { get => throw null; set { } } public System.Security.Cryptography.X509Certificates.X509Certificate2Collection ExtraStore { get => throw null; } public void Reset() => throw null; - public System.Security.Cryptography.X509Certificates.X509RevocationFlag RevocationFlag { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509RevocationMode RevocationMode { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509ChainTrustMode TrustMode { get => throw null; set => throw null; } - public System.TimeSpan UrlRetrievalTimeout { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509VerificationFlags VerificationFlags { get => throw null; set => throw null; } - public System.DateTime VerificationTime { get => throw null; set => throw null; } - public bool VerificationTimeIgnored { get => throw null; set => throw null; } - public X509ChainPolicy() => throw null; + public System.Security.Cryptography.X509Certificates.X509RevocationFlag RevocationFlag { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509RevocationMode RevocationMode { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509ChainTrustMode TrustMode { get => throw null; set { } } + public System.TimeSpan UrlRetrievalTimeout { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509VerificationFlags VerificationFlags { get => throw null; set { } } + public System.DateTime VerificationTime { get => throw null; set { } } + public bool VerificationTimeIgnored { get => throw null; set { } } } - public struct X509ChainStatus { - public System.Security.Cryptography.X509Certificates.X509ChainStatusFlags Status { get => throw null; set => throw null; } - public string StatusInformation { get => throw null; set => throw null; } - // Stub generator skipped constructor + public System.Security.Cryptography.X509Certificates.X509ChainStatusFlags Status { get => throw null; set { } } + public string StatusInformation { get => throw null; set { } } } - [System.Flags] - public enum X509ChainStatusFlags : int + public enum X509ChainStatusFlags { - CtlNotSignatureValid = 262144, - CtlNotTimeValid = 131072, - CtlNotValidForUsage = 524288, + NoError = 0, + NotTimeValid = 1, + NotTimeNested = 2, + Revoked = 4, + NotSignatureValid = 8, + NotValidForUsage = 16, + UntrustedRoot = 32, + RevocationStatusUnknown = 64, Cyclic = 128, - ExplicitDistrust = 67108864, - HasExcludedNameConstraint = 32768, + InvalidExtension = 256, + InvalidPolicyConstraints = 512, + InvalidBasicConstraints = 1024, + InvalidNameConstraints = 2048, + HasNotSupportedNameConstraint = 4096, HasNotDefinedNameConstraint = 8192, HasNotPermittedNameConstraint = 16384, - HasNotSupportedCriticalExtension = 134217728, - HasNotSupportedNameConstraint = 4096, + HasExcludedNameConstraint = 32768, + PartialChain = 65536, + CtlNotTimeValid = 131072, + CtlNotSignatureValid = 262144, + CtlNotValidForUsage = 524288, HasWeakSignature = 1048576, - InvalidBasicConstraints = 1024, - InvalidExtension = 256, - InvalidNameConstraints = 2048, - InvalidPolicyConstraints = 512, - NoError = 0, - NoIssuanceChainPolicy = 33554432, - NotSignatureValid = 8, - NotTimeNested = 2, - NotTimeValid = 1, - NotValidForUsage = 16, OfflineRevocation = 16777216, - PartialChain = 65536, - RevocationStatusUnknown = 64, - Revoked = 4, - UntrustedRoot = 32, + NoIssuanceChainPolicy = 33554432, + ExplicitDistrust = 67108864, + HasNotSupportedCriticalExtension = 134217728, } - - public enum X509ChainTrustMode : int + public enum X509ChainTrustMode { - CustomRootTrust = 1, System = 0, + CustomRootTrust = 1, } - - public enum X509ContentType : int + public enum X509ContentType { - Authenticode = 6, + Unknown = 0, Cert = 1, + SerializedCert = 2, Pfx = 3, Pkcs12 = 3, - Pkcs7 = 5, - SerializedCert = 2, SerializedStore = 4, - Unknown = 0, + Pkcs7 = 5, + Authenticode = 6, } - - public class X509EnhancedKeyUsageExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509EnhancedKeyUsageExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public System.Security.Cryptography.OidCollection EnhancedKeyUsages { get => throw null; } public X509EnhancedKeyUsageExtension() => throw null; public X509EnhancedKeyUsageExtension(System.Security.Cryptography.AsnEncodedData encodedEnhancedKeyUsages, bool critical) => throw null; public X509EnhancedKeyUsageExtension(System.Security.Cryptography.OidCollection enhancedKeyUsages, bool critical) => throw null; + public System.Security.Cryptography.OidCollection EnhancedKeyUsages { get => throw null; } } - public class X509Extension : System.Security.Cryptography.AsnEncodedData { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public bool Critical { get => throw null; set => throw null; } + public bool Critical { get => throw null; set { } } protected X509Extension() => throw null; public X509Extension(System.Security.Cryptography.AsnEncodedData encodedExtension, bool critical) => throw null; - public X509Extension(System.Security.Cryptography.Oid oid, System.Byte[] rawData, bool critical) => throw null; - public X509Extension(System.Security.Cryptography.Oid oid, System.ReadOnlySpan rawData, bool critical) => throw null; - public X509Extension(string oid, System.Byte[] rawData, bool critical) => throw null; - public X509Extension(string oid, System.ReadOnlySpan rawData, bool critical) => throw null; + public X509Extension(System.Security.Cryptography.Oid oid, byte[] rawData, bool critical) => throw null; + public X509Extension(System.Security.Cryptography.Oid oid, System.ReadOnlySpan rawData, bool critical) => throw null; + public X509Extension(string oid, byte[] rawData, bool critical) => throw null; + public X509Extension(string oid, System.ReadOnlySpan rawData, bool critical) => throw null; } - - public class X509ExtensionCollection : System.Collections.Generic.IEnumerable, System.Collections.ICollection, System.Collections.IEnumerable + public sealed class X509ExtensionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection { public int Add(System.Security.Cryptography.X509Certificates.X509Extension extension) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Security.Cryptography.X509Certificates.X509Extension[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public X509ExtensionCollection() => throw null; public System.Security.Cryptography.X509Certificates.X509ExtensionEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } + public object SyncRoot { get => throw null; } public System.Security.Cryptography.X509Certificates.X509Extension this[int index] { get => throw null; } public System.Security.Cryptography.X509Certificates.X509Extension this[string oid] { get => throw null; } - public object SyncRoot { get => throw null; } - public X509ExtensionCollection() => throw null; } - - public class X509ExtensionEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509ExtensionEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public System.Security.Cryptography.X509Certificates.X509Extension Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2856,136 +2661,117 @@ public class X509ExtensionEnumerator : System.Collections.Generic.IEnumerator throw null; public void Reset() => throw null; } - - public enum X509FindType : int + public enum X509FindType { + FindByThumbprint = 0, + FindBySubjectName = 1, + FindBySubjectDistinguishedName = 2, + FindByIssuerName = 3, + FindByIssuerDistinguishedName = 4, + FindBySerialNumber = 5, + FindByTimeValid = 6, + FindByTimeNotYetValid = 7, + FindByTimeExpired = 8, + FindByTemplateName = 9, FindByApplicationPolicy = 10, FindByCertificatePolicy = 11, FindByExtension = 12, - FindByIssuerDistinguishedName = 4, - FindByIssuerName = 3, FindByKeyUsage = 13, - FindBySerialNumber = 5, - FindBySubjectDistinguishedName = 2, FindBySubjectKeyIdentifier = 14, - FindBySubjectName = 1, - FindByTemplateName = 9, - FindByThumbprint = 0, - FindByTimeExpired = 8, - FindByTimeNotYetValid = 7, - FindByTimeValid = 6, } - - public enum X509IncludeOption : int + public enum X509IncludeOption { - EndCertOnly = 2, - ExcludeRoot = 1, None = 0, + ExcludeRoot = 1, + EndCertOnly = 2, WholeChain = 3, } - [System.Flags] - public enum X509KeyStorageFlags : int + public enum X509KeyStorageFlags { DefaultKeySet = 0, - EphemeralKeySet = 32, - Exportable = 4, - MachineKeySet = 2, - PersistKeySet = 16, UserKeySet = 1, + MachineKeySet = 2, + Exportable = 4, UserProtected = 8, + PersistKeySet = 16, + EphemeralKeySet = 32, } - - public class X509KeyUsageExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509KeyUsageExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public System.Security.Cryptography.X509Certificates.X509KeyUsageFlags KeyUsages { get => throw null; } public X509KeyUsageExtension() => throw null; public X509KeyUsageExtension(System.Security.Cryptography.AsnEncodedData encodedKeyUsage, bool critical) => throw null; public X509KeyUsageExtension(System.Security.Cryptography.X509Certificates.X509KeyUsageFlags keyUsages, bool critical) => throw null; + public System.Security.Cryptography.X509Certificates.X509KeyUsageFlags KeyUsages { get => throw null; } } - [System.Flags] - public enum X509KeyUsageFlags : int + public enum X509KeyUsageFlags { - CrlSign = 2, - DataEncipherment = 16, - DecipherOnly = 32768, - DigitalSignature = 128, + None = 0, EncipherOnly = 1, - KeyAgreement = 8, + CrlSign = 2, KeyCertSign = 4, + KeyAgreement = 8, + DataEncipherment = 16, KeyEncipherment = 32, NonRepudiation = 64, - None = 0, + DigitalSignature = 128, + DecipherOnly = 32768, } - - public enum X509NameType : int + public enum X509NameType { - DnsFromAlternativeName = 4, - DnsName = 3, - EmailName = 1, SimpleName = 0, + EmailName = 1, UpnName = 2, + DnsName = 3, + DnsFromAlternativeName = 4, UrlName = 5, } - - public enum X509RevocationFlag : int + public enum X509RevocationFlag { EndCertificateOnly = 0, EntireChain = 1, ExcludeRoot = 2, } - - public enum X509RevocationMode : int + public enum X509RevocationMode { NoCheck = 0, - Offline = 2, Online = 1, + Offline = 2, } - - public enum X509RevocationReason : int + public enum X509RevocationReason { - AACompromise = 10, - AffiliationChanged = 3, + Unspecified = 0, + KeyCompromise = 1, CACompromise = 2, - CertificateHold = 6, + AffiliationChanged = 3, + Superseded = 4, CessationOfOperation = 5, - KeyCompromise = 1, - PrivilegeWithdrawn = 9, + CertificateHold = 6, RemoveFromCrl = 8, - Superseded = 4, - Unspecified = 0, + PrivilegeWithdrawn = 9, + AACompromise = 10, WeakAlgorithmOrKey = 11, } - public abstract class X509SignatureGenerator { protected abstract System.Security.Cryptography.X509Certificates.PublicKey BuildPublicKey(); public static System.Security.Cryptography.X509Certificates.X509SignatureGenerator CreateForECDsa(System.Security.Cryptography.ECDsa key) => throw null; public static System.Security.Cryptography.X509Certificates.X509SignatureGenerator CreateForRSA(System.Security.Cryptography.RSA key, System.Security.Cryptography.RSASignaturePadding signaturePadding) => throw null; - public abstract System.Byte[] GetSignatureAlgorithmIdentifier(System.Security.Cryptography.HashAlgorithmName hashAlgorithm); - public System.Security.Cryptography.X509Certificates.PublicKey PublicKey { get => throw null; } - public abstract System.Byte[] SignData(System.Byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm); protected X509SignatureGenerator() => throw null; + public abstract byte[] GetSignatureAlgorithmIdentifier(System.Security.Cryptography.HashAlgorithmName hashAlgorithm); + public System.Security.Cryptography.X509Certificates.PublicKey PublicKey { get => throw null; } + public abstract byte[] SignData(byte[] data, System.Security.Cryptography.HashAlgorithmName hashAlgorithm); } - - public class X509Store : System.IDisposable + public sealed class X509Store : System.IDisposable { public void Add(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public void AddRange(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; public System.Security.Cryptography.X509Certificates.X509Certificate2Collection Certificates { get => throw null; } public void Close() => throw null; - public void Dispose() => throw null; - public bool IsOpen { get => throw null; } - public System.Security.Cryptography.X509Certificates.StoreLocation Location { get => throw null; } - public string Name { get => throw null; } - public void Open(System.Security.Cryptography.X509Certificates.OpenFlags flags) => throw null; - public void Remove(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public void RemoveRange(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; - public System.IntPtr StoreHandle { get => throw null; } public X509Store() => throw null; - public X509Store(System.IntPtr storeHandle) => throw null; + public X509Store(nint storeHandle) => throw null; public X509Store(System.Security.Cryptography.X509Certificates.StoreLocation storeLocation) => throw null; public X509Store(System.Security.Cryptography.X509Certificates.StoreName storeName) => throw null; public X509Store(System.Security.Cryptography.X509Certificates.StoreName storeName, System.Security.Cryptography.X509Certificates.StoreLocation storeLocation) => throw null; @@ -2993,58 +2779,61 @@ public class X509Store : System.IDisposable public X509Store(string storeName) => throw null; public X509Store(string storeName, System.Security.Cryptography.X509Certificates.StoreLocation storeLocation) => throw null; public X509Store(string storeName, System.Security.Cryptography.X509Certificates.StoreLocation storeLocation, System.Security.Cryptography.X509Certificates.OpenFlags flags) => throw null; + public void Dispose() => throw null; + public bool IsOpen { get => throw null; } + public System.Security.Cryptography.X509Certificates.StoreLocation Location { get => throw null; } + public string Name { get => throw null; } + public void Open(System.Security.Cryptography.X509Certificates.OpenFlags flags) => throw null; + public void Remove(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public void RemoveRange(System.Security.Cryptography.X509Certificates.X509Certificate2Collection certificates) => throw null; + public nint StoreHandle { get => throw null; } } - - public class X509SubjectAlternativeNameExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509SubjectAlternativeNameExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; + public X509SubjectAlternativeNameExtension() => throw null; + public X509SubjectAlternativeNameExtension(byte[] rawData, bool critical = default(bool)) => throw null; + public X509SubjectAlternativeNameExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; public System.Collections.Generic.IEnumerable EnumerateDnsNames() => throw null; public System.Collections.Generic.IEnumerable EnumerateIPAddresses() => throw null; - public X509SubjectAlternativeNameExtension() => throw null; - public X509SubjectAlternativeNameExtension(System.Byte[] rawData, bool critical = default(bool)) => throw null; - public X509SubjectAlternativeNameExtension(System.ReadOnlySpan rawData, bool critical = default(bool)) => throw null; } - - public class X509SubjectKeyIdentifierExtension : System.Security.Cryptography.X509Certificates.X509Extension + public sealed class X509SubjectKeyIdentifierExtension : System.Security.Cryptography.X509Certificates.X509Extension { public override void CopyFrom(System.Security.Cryptography.AsnEncodedData asnEncodedData) => throw null; - public string SubjectKeyIdentifier { get => throw null; } - public System.ReadOnlyMemory SubjectKeyIdentifierBytes { get => throw null; } public X509SubjectKeyIdentifierExtension() => throw null; + public X509SubjectKeyIdentifierExtension(byte[] subjectKeyIdentifier, bool critical) => throw null; + public X509SubjectKeyIdentifierExtension(System.ReadOnlySpan subjectKeyIdentifier, bool critical) => throw null; public X509SubjectKeyIdentifierExtension(System.Security.Cryptography.AsnEncodedData encodedSubjectKeyIdentifier, bool critical) => throw null; - public X509SubjectKeyIdentifierExtension(System.Byte[] subjectKeyIdentifier, bool critical) => throw null; - public X509SubjectKeyIdentifierExtension(System.Security.Cryptography.X509Certificates.PublicKey key, System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierHashAlgorithm algorithm, bool critical) => throw null; public X509SubjectKeyIdentifierExtension(System.Security.Cryptography.X509Certificates.PublicKey key, bool critical) => throw null; - public X509SubjectKeyIdentifierExtension(System.ReadOnlySpan subjectKeyIdentifier, bool critical) => throw null; + public X509SubjectKeyIdentifierExtension(System.Security.Cryptography.X509Certificates.PublicKey key, System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierHashAlgorithm algorithm, bool critical) => throw null; public X509SubjectKeyIdentifierExtension(string subjectKeyIdentifier, bool critical) => throw null; + public string SubjectKeyIdentifier { get => throw null; } + public System.ReadOnlyMemory SubjectKeyIdentifierBytes { get => throw null; } } - - public enum X509SubjectKeyIdentifierHashAlgorithm : int + public enum X509SubjectKeyIdentifierHashAlgorithm { - CapiSha1 = 2, Sha1 = 0, ShortSha1 = 1, + CapiSha1 = 2, } - [System.Flags] - public enum X509VerificationFlags : int + public enum X509VerificationFlags { - AllFlags = 4095, - AllowUnknownCertificateAuthority = 16, - IgnoreCertificateAuthorityRevocationUnknown = 1024, + NoFlag = 0, + IgnoreNotTimeValid = 1, IgnoreCtlNotTimeValid = 2, - IgnoreCtlSignerRevocationUnknown = 512, - IgnoreEndRevocationUnknown = 256, + IgnoreNotTimeNested = 4, IgnoreInvalidBasicConstraints = 8, + AllowUnknownCertificateAuthority = 16, + IgnoreWrongUsage = 32, IgnoreInvalidName = 64, IgnoreInvalidPolicy = 128, - IgnoreNotTimeNested = 4, - IgnoreNotTimeValid = 1, + IgnoreEndRevocationUnknown = 256, + IgnoreCtlSignerRevocationUnknown = 512, + IgnoreCertificateAuthorityRevocationUnknown = 1024, IgnoreRootRevocationUnknown = 2048, - IgnoreWrongUsage = 32, - NoFlag = 0, + AllFlags = 4095, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs index 2b35db3bc00d..a125eb40d7a9 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs @@ -1,21 +1,19 @@ // This file contains auto-generated code. // Generated from `System.Security.Principal.Windows, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace Microsoft { namespace Win32 { namespace SafeHandles { - public class SafeAccessTokenHandle : System.Runtime.InteropServices.SafeHandle + public sealed class SafeAccessTokenHandle : System.Runtime.InteropServices.SafeHandle { + public SafeAccessTokenHandle() : base(default(nint), default(bool)) => throw null; + public SafeAccessTokenHandle(nint handle) : base(default(nint), default(bool)) => throw null; public static Microsoft.Win32.SafeHandles.SafeAccessTokenHandle InvalidHandle { get => throw null; } public override bool IsInvalid { get => throw null; } protected override bool ReleaseHandle() => throw null; - public SafeAccessTokenHandle() : base(default(System.IntPtr), default(bool)) => throw null; - public SafeAccessTokenHandle(System.IntPtr handle) : base(default(System.IntPtr), default(bool)) => throw null; } - } } } @@ -25,28 +23,25 @@ namespace Security { namespace Principal { - public class IdentityNotMappedException : System.SystemException + public sealed class IdentityNotMappedException : System.SystemException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public IdentityNotMappedException() => throw null; public IdentityNotMappedException(string message) => throw null; public IdentityNotMappedException(string message, System.Exception inner) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public System.Security.Principal.IdentityReferenceCollection UnmappedIdentities { get => throw null; } } - public abstract class IdentityReference { - public static bool operator !=(System.Security.Principal.IdentityReference left, System.Security.Principal.IdentityReference right) => throw null; - public static bool operator ==(System.Security.Principal.IdentityReference left, System.Security.Principal.IdentityReference right) => throw null; public abstract override bool Equals(object o); public abstract override int GetHashCode(); - internal IdentityReference() => throw null; public abstract bool IsValidTargetType(System.Type targetType); + public static bool operator ==(System.Security.Principal.IdentityReference left, System.Security.Principal.IdentityReference right) => throw null; + public static bool operator !=(System.Security.Principal.IdentityReference left, System.Security.Principal.IdentityReference right) => throw null; public abstract override string ToString(); public abstract System.Security.Principal.IdentityReference Translate(System.Type targetType); public abstract string Value { get; } } - public class IdentityReferenceCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public void Add(System.Security.Principal.IdentityReference identity) => throw null; @@ -54,41 +49,41 @@ public class IdentityReferenceCollection : System.Collections.Generic.ICollectio public bool Contains(System.Security.Principal.IdentityReference identity) => throw null; public void CopyTo(System.Security.Principal.IdentityReference[] array, int offset) => throw null; public int Count { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public IdentityReferenceCollection() => throw null; public IdentityReferenceCollection(int capacity) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public System.Security.Principal.IdentityReference this[int index] { get => throw null; set => throw null; } public bool Remove(System.Security.Principal.IdentityReference identity) => throw null; + public System.Security.Principal.IdentityReference this[int index] { get => throw null; set { } } public System.Security.Principal.IdentityReferenceCollection Translate(System.Type targetType) => throw null; public System.Security.Principal.IdentityReferenceCollection Translate(System.Type targetType, bool forceSuccess) => throw null; } - - public class NTAccount : System.Security.Principal.IdentityReference + public sealed class NTAccount : System.Security.Principal.IdentityReference { - public static bool operator !=(System.Security.Principal.NTAccount left, System.Security.Principal.NTAccount right) => throw null; - public static bool operator ==(System.Security.Principal.NTAccount left, System.Security.Principal.NTAccount right) => throw null; + public NTAccount(string name) => throw null; + public NTAccount(string domainName, string accountName) => throw null; public override bool Equals(object o) => throw null; public override int GetHashCode() => throw null; public override bool IsValidTargetType(System.Type targetType) => throw null; - public NTAccount(string name) => throw null; - public NTAccount(string domainName, string accountName) => throw null; + public static bool operator ==(System.Security.Principal.NTAccount left, System.Security.Principal.NTAccount right) => throw null; + public static bool operator !=(System.Security.Principal.NTAccount left, System.Security.Principal.NTAccount right) => throw null; public override string ToString() => throw null; public override System.Security.Principal.IdentityReference Translate(System.Type targetType) => throw null; public override string Value { get => throw null; } } - - public class SecurityIdentifier : System.Security.Principal.IdentityReference, System.IComparable + public sealed class SecurityIdentifier : System.Security.Principal.IdentityReference, System.IComparable { - public static bool operator !=(System.Security.Principal.SecurityIdentifier left, System.Security.Principal.SecurityIdentifier right) => throw null; - public static bool operator ==(System.Security.Principal.SecurityIdentifier left, System.Security.Principal.SecurityIdentifier right) => throw null; public System.Security.Principal.SecurityIdentifier AccountDomainSid { get => throw null; } public int BinaryLength { get => throw null; } public int CompareTo(System.Security.Principal.SecurityIdentifier sid) => throw null; - public bool Equals(System.Security.Principal.SecurityIdentifier sid) => throw null; + public SecurityIdentifier(byte[] binaryForm, int offset) => throw null; + public SecurityIdentifier(nint binaryForm) => throw null; + public SecurityIdentifier(System.Security.Principal.WellKnownSidType sidType, System.Security.Principal.SecurityIdentifier domainSid) => throw null; + public SecurityIdentifier(string sddlForm) => throw null; public override bool Equals(object o) => throw null; - public void GetBinaryForm(System.Byte[] binaryForm, int offset) => throw null; + public bool Equals(System.Security.Principal.SecurityIdentifier sid) => throw null; + public void GetBinaryForm(byte[] binaryForm, int offset) => throw null; public override int GetHashCode() => throw null; public bool IsAccountSid() => throw null; public bool IsEqualDomainSid(System.Security.Principal.SecurityIdentifier sid) => throw null; @@ -96,168 +91,168 @@ public class SecurityIdentifier : System.Security.Principal.IdentityReference, S public bool IsWellKnown(System.Security.Principal.WellKnownSidType type) => throw null; public static int MaxBinaryLength; public static int MinBinaryLength; - public SecurityIdentifier(System.Byte[] binaryForm, int offset) => throw null; - public SecurityIdentifier(System.IntPtr binaryForm) => throw null; - public SecurityIdentifier(System.Security.Principal.WellKnownSidType sidType, System.Security.Principal.SecurityIdentifier domainSid) => throw null; - public SecurityIdentifier(string sddlForm) => throw null; + public static bool operator ==(System.Security.Principal.SecurityIdentifier left, System.Security.Principal.SecurityIdentifier right) => throw null; + public static bool operator !=(System.Security.Principal.SecurityIdentifier left, System.Security.Principal.SecurityIdentifier right) => throw null; public override string ToString() => throw null; public override System.Security.Principal.IdentityReference Translate(System.Type targetType) => throw null; public override string Value { get => throw null; } } - [System.Flags] - public enum TokenAccessLevels : int + public enum TokenAccessLevels { - AdjustDefault = 128, - AdjustGroups = 64, - AdjustPrivileges = 32, - AdjustSessionId = 256, - AllAccess = 983551, AssignPrimary = 1, Duplicate = 2, Impersonate = 4, - MaximumAllowed = 33554432, Query = 8, QuerySource = 16, + AdjustPrivileges = 32, + AdjustGroups = 64, + AdjustDefault = 128, + AdjustSessionId = 256, Read = 131080, Write = 131296, + AllAccess = 983551, + MaximumAllowed = 33554432, } - - public enum WellKnownSidType : int + public enum WellKnownSidType { - AccountAdministratorSid = 38, - AccountCertAdminsSid = 46, - AccountComputersSid = 44, - AccountControllersSid = 45, - AccountDomainAdminsSid = 41, - AccountDomainGuestsSid = 43, - AccountDomainUsersSid = 42, - AccountEnterpriseAdminsSid = 48, - AccountGuestSid = 39, - AccountKrbtgtSid = 40, - AccountPolicyAdminsSid = 49, - AccountRasAndIasServersSid = 50, - AccountSchemaAdminsSid = 47, + NullSid = 0, + WorldSid = 1, + LocalSid = 2, + CreatorOwnerSid = 3, + CreatorGroupSid = 4, + CreatorOwnerServerSid = 5, + CreatorGroupServerSid = 6, + NTAuthoritySid = 7, + DialupSid = 8, + NetworkSid = 9, + BatchSid = 10, + InteractiveSid = 11, + ServiceSid = 12, AnonymousSid = 13, + ProxySid = 14, + EnterpriseControllersSid = 15, + SelfSid = 16, AuthenticatedUserSid = 17, - BatchSid = 10, - BuiltinAccountOperatorsSid = 30, - BuiltinAdministratorsSid = 26, - BuiltinAuthorizationAccessSid = 59, - BuiltinBackupOperatorsSid = 33, + RestrictedCodeSid = 18, + TerminalServerSid = 19, + RemoteLogonIdSid = 20, + LogonIdsSid = 21, + LocalSystemSid = 22, + LocalServiceSid = 23, + NetworkServiceSid = 24, BuiltinDomainSid = 25, + BuiltinAdministratorsSid = 26, + BuiltinUsersSid = 27, BuiltinGuestsSid = 28, - BuiltinIncomingForestTrustBuildersSid = 56, - BuiltinNetworkConfigurationOperatorsSid = 37, - BuiltinPerformanceLoggingUsersSid = 58, - BuiltinPerformanceMonitoringUsersSid = 57, BuiltinPowerUsersSid = 29, - BuiltinPreWindows2000CompatibleAccessSid = 35, + BuiltinAccountOperatorsSid = 30, + BuiltinSystemOperatorsSid = 31, BuiltinPrintOperatorsSid = 32, - BuiltinRemoteDesktopUsersSid = 36, + BuiltinBackupOperatorsSid = 33, BuiltinReplicatorSid = 34, - BuiltinSystemOperatorsSid = 31, - BuiltinUsersSid = 27, - CreatorGroupServerSid = 6, - CreatorGroupSid = 4, - CreatorOwnerServerSid = 5, - CreatorOwnerSid = 3, - DialupSid = 8, - DigestAuthenticationSid = 52, - EnterpriseControllersSid = 15, - InteractiveSid = 11, - LocalServiceSid = 23, - LocalSid = 2, - LocalSystemSid = 22, - LogonIdsSid = 21, - MaxDefined = 60, - NTAuthoritySid = 7, - NetworkServiceSid = 24, - NetworkSid = 9, + BuiltinPreWindows2000CompatibleAccessSid = 35, + BuiltinRemoteDesktopUsersSid = 36, + BuiltinNetworkConfigurationOperatorsSid = 37, + AccountAdministratorSid = 38, + AccountGuestSid = 39, + AccountKrbtgtSid = 40, + AccountDomainAdminsSid = 41, + AccountDomainUsersSid = 42, + AccountDomainGuestsSid = 43, + AccountComputersSid = 44, + AccountControllersSid = 45, + AccountCertAdminsSid = 46, + AccountSchemaAdminsSid = 47, + AccountEnterpriseAdminsSid = 48, + AccountPolicyAdminsSid = 49, + AccountRasAndIasServersSid = 50, NtlmAuthenticationSid = 51, - NullSid = 0, - OtherOrganizationSid = 55, - ProxySid = 14, - RemoteLogonIdSid = 20, - RestrictedCodeSid = 18, + DigestAuthenticationSid = 52, SChannelAuthenticationSid = 53, - SelfSid = 16, - ServiceSid = 12, - TerminalServerSid = 19, ThisOrganizationSid = 54, - WinAccountReadonlyControllersSid = 75, - WinApplicationPackageAuthoritySid = 83, - WinBuiltinAnyPackageSid = 84, - WinBuiltinCertSvcDComAccessGroup = 78, - WinBuiltinCryptoOperatorsSid = 64, + OtherOrganizationSid = 55, + BuiltinIncomingForestTrustBuildersSid = 56, + BuiltinPerformanceMonitoringUsersSid = 57, + BuiltinPerformanceLoggingUsersSid = 58, + BuiltinAuthorizationAccessSid = 59, + MaxDefined = 60, + WinBuiltinTerminalServerLicenseServersSid = 60, WinBuiltinDCOMUsersSid = 61, - WinBuiltinEventLogReadersGroup = 76, WinBuiltinIUsersSid = 62, - WinBuiltinTerminalServerLicenseServersSid = 60, - WinCacheablePrincipalsGroupSid = 72, - WinCapabilityDocumentsLibrarySid = 91, - WinCapabilityEnterpriseAuthenticationSid = 93, - WinCapabilityInternetClientServerSid = 86, - WinCapabilityInternetClientSid = 85, - WinCapabilityMusicLibrarySid = 90, - WinCapabilityPicturesLibrarySid = 88, - WinCapabilityPrivateNetworkClientServerSid = 87, - WinCapabilityRemovableStorageSid = 94, - WinCapabilitySharedUserCertificatesSid = 92, - WinCapabilityVideosLibrarySid = 89, - WinConsoleLogonSid = 81, - WinCreatorOwnerRightsSid = 71, - WinEnterpriseReadonlyControllersSid = 74, - WinHighLabelSid = 68, WinIUserSid = 63, - WinLocalLogonSid = 80, + WinBuiltinCryptoOperatorsSid = 64, + WinUntrustedLabelSid = 65, WinLowLabelSid = 66, WinMediumLabelSid = 67, - WinMediumPlusLabelSid = 79, - WinNewEnterpriseReadonlyControllersSid = 77, - WinNonCacheablePrincipalsGroupSid = 73, + WinHighLabelSid = 68, WinSystemLabelSid = 69, - WinThisOrganizationCertificateSid = 82, - WinUntrustedLabelSid = 65, WinWriteRestrictedCodeSid = 70, - WorldSid = 1, + WinCreatorOwnerRightsSid = 71, + WinCacheablePrincipalsGroupSid = 72, + WinNonCacheablePrincipalsGroupSid = 73, + WinEnterpriseReadonlyControllersSid = 74, + WinAccountReadonlyControllersSid = 75, + WinBuiltinEventLogReadersGroup = 76, + WinNewEnterpriseReadonlyControllersSid = 77, + WinBuiltinCertSvcDComAccessGroup = 78, + WinMediumPlusLabelSid = 79, + WinLocalLogonSid = 80, + WinConsoleLogonSid = 81, + WinThisOrganizationCertificateSid = 82, + WinApplicationPackageAuthoritySid = 83, + WinBuiltinAnyPackageSid = 84, + WinCapabilityInternetClientSid = 85, + WinCapabilityInternetClientServerSid = 86, + WinCapabilityPrivateNetworkClientServerSid = 87, + WinCapabilityPicturesLibrarySid = 88, + WinCapabilityVideosLibrarySid = 89, + WinCapabilityMusicLibrarySid = 90, + WinCapabilityDocumentsLibrarySid = 91, + WinCapabilitySharedUserCertificatesSid = 92, + WinCapabilityEnterpriseAuthenticationSid = 93, + WinCapabilityRemovableStorageSid = 94, } - - public enum WindowsAccountType : int + public enum WindowsAccountType { - Anonymous = 3, - Guest = 1, Normal = 0, + Guest = 1, System = 2, + Anonymous = 3, } - - public enum WindowsBuiltInRole : int + public enum WindowsBuiltInRole { - AccountOperator = 548, Administrator = 544, - BackupOperator = 551, + User = 545, Guest = 546, PowerUser = 547, + AccountOperator = 548, + SystemOperator = 549, PrintOperator = 550, + BackupOperator = 551, Replicator = 552, - SystemOperator = 549, - User = 545, } - public class WindowsIdentity : System.Security.Claims.ClaimsIdentity, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable { public Microsoft.Win32.SafeHandles.SafeAccessTokenHandle AccessToken { get => throw null; } - public override string AuthenticationType { get => throw null; } + public override sealed string AuthenticationType { get => throw null; } public override System.Collections.Generic.IEnumerable Claims { get => throw null; } public override System.Security.Claims.ClaimsIdentity Clone() => throw null; - public const string DefaultIssuer = default; + public WindowsIdentity(nint userToken) => throw null; + public WindowsIdentity(nint userToken, string type) => throw null; + public WindowsIdentity(nint userToken, string type, System.Security.Principal.WindowsAccountType acctType) => throw null; + public WindowsIdentity(nint userToken, string type, System.Security.Principal.WindowsAccountType acctType, bool isAuthenticated) => throw null; + public WindowsIdentity(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected WindowsIdentity(System.Security.Principal.WindowsIdentity identity) => throw null; + public WindowsIdentity(string sUserPrincipalName) => throw null; + public static string DefaultIssuer; public virtual System.Collections.Generic.IEnumerable DeviceClaims { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public static System.Security.Principal.WindowsIdentity GetAnonymous() => throw null; public static System.Security.Principal.WindowsIdentity GetCurrent() => throw null; - public static System.Security.Principal.WindowsIdentity GetCurrent(System.Security.Principal.TokenAccessLevels desiredAccess) => throw null; public static System.Security.Principal.WindowsIdentity GetCurrent(bool ifImpersonating) => throw null; + public static System.Security.Principal.WindowsIdentity GetCurrent(System.Security.Principal.TokenAccessLevels desiredAccess) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public System.Security.Principal.IdentityReferenceCollection Groups { get => throw null; } public System.Security.Principal.TokenImpersonationLevel ImpersonationLevel { get => throw null; } @@ -272,30 +267,21 @@ public class WindowsIdentity : System.Security.Claims.ClaimsIdentity, System.IDi public static T RunImpersonated(Microsoft.Win32.SafeHandles.SafeAccessTokenHandle safeAccessTokenHandle, System.Func func) => throw null; public static System.Threading.Tasks.Task RunImpersonatedAsync(Microsoft.Win32.SafeHandles.SafeAccessTokenHandle safeAccessTokenHandle, System.Func func) => throw null; public static System.Threading.Tasks.Task RunImpersonatedAsync(Microsoft.Win32.SafeHandles.SafeAccessTokenHandle safeAccessTokenHandle, System.Func> func) => throw null; - public virtual System.IntPtr Token { get => throw null; } + public virtual nint Token { get => throw null; } public System.Security.Principal.SecurityIdentifier User { get => throw null; } public virtual System.Collections.Generic.IEnumerable UserClaims { get => throw null; } - public WindowsIdentity(System.IntPtr userToken) => throw null; - public WindowsIdentity(System.IntPtr userToken, string type) => throw null; - public WindowsIdentity(System.IntPtr userToken, string type, System.Security.Principal.WindowsAccountType acctType) => throw null; - public WindowsIdentity(System.IntPtr userToken, string type, System.Security.Principal.WindowsAccountType acctType, bool isAuthenticated) => throw null; - public WindowsIdentity(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected WindowsIdentity(System.Security.Principal.WindowsIdentity identity) => throw null; - public WindowsIdentity(string sUserPrincipalName) => throw null; } - public class WindowsPrincipal : System.Security.Claims.ClaimsPrincipal { + public WindowsPrincipal(System.Security.Principal.WindowsIdentity ntIdentity) => throw null; public virtual System.Collections.Generic.IEnumerable DeviceClaims { get => throw null; } public override System.Security.Principal.IIdentity Identity { get => throw null; } + public virtual bool IsInRole(int rid) => throw null; public virtual bool IsInRole(System.Security.Principal.SecurityIdentifier sid) => throw null; public virtual bool IsInRole(System.Security.Principal.WindowsBuiltInRole role) => throw null; - public virtual bool IsInRole(int rid) => throw null; public override bool IsInRole(string role) => throw null; public virtual System.Collections.Generic.IEnumerable UserClaims { get => throw null; } - public WindowsPrincipal(System.Security.Principal.WindowsIdentity ntIdentity) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs new file mode 100644 index 000000000000..a98d623155c7 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.Principal, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs new file mode 100644 index 000000000000..e05ef4f22052 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security.SecureString, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs new file mode 100644 index 000000000000..2cf972311ccc --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Security, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs new file mode 100644 index 000000000000..d6d5ab5c5771 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.ServiceModel.Web, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs new file mode 100644 index 000000000000..6a1ff5e0a00f --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.ServiceProcess, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.CodePages.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.CodePages.cs index 4ea79881dce4..9dce852290ca 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.CodePages.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.CodePages.cs @@ -1,17 +1,15 @@ // This file contains auto-generated code. // Generated from `System.Text.Encoding.CodePages, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Text { - public class CodePagesEncodingProvider : System.Text.EncodingProvider + public sealed class CodePagesEncodingProvider : System.Text.EncodingProvider { public override System.Text.Encoding GetEncoding(int codepage) => throw null; public override System.Text.Encoding GetEncoding(string name) => throw null; public override System.Collections.Generic.IEnumerable GetEncodings() => throw null; public static System.Text.EncodingProvider Instance { get => throw null; } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs index cf256dec475c..3b2478d58cb4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Text.Encoding.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Text @@ -8,133 +7,128 @@ namespace Text public class ASCIIEncoding : System.Text.Encoding { public ASCIIEncoding() => throw null; - public override int GetByteCount(System.Char[] chars, int index, int count) => throw null; - public override int GetByteCount(System.ReadOnlySpan chars) => throw null; - unsafe public override int GetByteCount(System.Char* chars, int count) => throw null; + public override unsafe int GetByteCount(char* chars, int count) => throw null; + public override int GetByteCount(char[] chars, int index, int count) => throw null; + public override int GetByteCount(System.ReadOnlySpan chars) => throw null; public override int GetByteCount(string chars) => throw null; - public override int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; - unsafe public override int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public override int GetBytes(string chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetCharCount(System.Byte[] bytes, int index, int count) => throw null; - public override int GetCharCount(System.ReadOnlySpan bytes) => throw null; - unsafe public override int GetCharCount(System.Byte* bytes, int count) => throw null; - public override int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex) => throw null; - public override int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; - unsafe public override int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public override unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; + public override int GetBytes(string chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override unsafe int GetCharCount(byte* bytes, int count) => throw null; + public override int GetCharCount(byte[] bytes, int index, int count) => throw null; + public override int GetCharCount(System.ReadOnlySpan bytes) => throw null; + public override unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) => throw null; + public override int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; public override System.Text.Decoder GetDecoder() => throw null; public override System.Text.Encoder GetEncoder() => throw null; public override int GetMaxByteCount(int charCount) => throw null; public override int GetMaxCharCount(int byteCount) => throw null; - public override string GetString(System.Byte[] bytes, int byteIndex, int byteCount) => throw null; + public override string GetString(byte[] bytes, int byteIndex, int byteCount) => throw null; public override bool IsSingleByte { get => throw null; } } - - public class UTF32Encoding : System.Text.Encoding + public class UnicodeEncoding : System.Text.Encoding { + public static int CharSize; + public UnicodeEncoding() => throw null; + public UnicodeEncoding(bool bigEndian, bool byteOrderMark) => throw null; + public UnicodeEncoding(bool bigEndian, bool byteOrderMark, bool throwOnInvalidBytes) => throw null; public override bool Equals(object value) => throw null; - public override int GetByteCount(System.Char[] chars, int index, int count) => throw null; - unsafe public override int GetByteCount(System.Char* chars, int count) => throw null; + public override unsafe int GetByteCount(char* chars, int count) => throw null; + public override int GetByteCount(char[] chars, int index, int count) => throw null; public override int GetByteCount(string s) => throw null; - public override int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - unsafe public override int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public override int GetBytes(string s, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetCharCount(System.Byte[] bytes, int index, int count) => throw null; - unsafe public override int GetCharCount(System.Byte* bytes, int count) => throw null; - public override int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex) => throw null; - unsafe public override int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public override unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override int GetBytes(string s, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override unsafe int GetCharCount(byte* bytes, int count) => throw null; + public override int GetCharCount(byte[] bytes, int index, int count) => throw null; + public override unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) => throw null; public override System.Text.Decoder GetDecoder() => throw null; public override System.Text.Encoder GetEncoder() => throw null; public override int GetHashCode() => throw null; public override int GetMaxByteCount(int charCount) => throw null; public override int GetMaxCharCount(int byteCount) => throw null; - public override System.Byte[] GetPreamble() => throw null; - public override string GetString(System.Byte[] bytes, int index, int count) => throw null; - public override System.ReadOnlySpan Preamble { get => throw null; } + public override byte[] GetPreamble() => throw null; + public override string GetString(byte[] bytes, int index, int count) => throw null; + public override System.ReadOnlySpan Preamble { get => throw null; } + } + public sealed class UTF32Encoding : System.Text.Encoding + { public UTF32Encoding() => throw null; public UTF32Encoding(bool bigEndian, bool byteOrderMark) => throw null; public UTF32Encoding(bool bigEndian, bool byteOrderMark, bool throwOnInvalidCharacters) => throw null; - } - - public class UTF7Encoding : System.Text.Encoding - { public override bool Equals(object value) => throw null; - public override int GetByteCount(System.Char[] chars, int index, int count) => throw null; - unsafe public override int GetByteCount(System.Char* chars, int count) => throw null; + public override unsafe int GetByteCount(char* chars, int count) => throw null; + public override int GetByteCount(char[] chars, int index, int count) => throw null; public override int GetByteCount(string s) => throw null; - public override int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - unsafe public override int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public override int GetBytes(string s, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetCharCount(System.Byte[] bytes, int index, int count) => throw null; - unsafe public override int GetCharCount(System.Byte* bytes, int count) => throw null; - public override int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex) => throw null; - unsafe public override int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public override unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override int GetBytes(string s, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override unsafe int GetCharCount(byte* bytes, int count) => throw null; + public override int GetCharCount(byte[] bytes, int index, int count) => throw null; + public override unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) => throw null; public override System.Text.Decoder GetDecoder() => throw null; public override System.Text.Encoder GetEncoder() => throw null; public override int GetHashCode() => throw null; public override int GetMaxByteCount(int charCount) => throw null; public override int GetMaxCharCount(int byteCount) => throw null; - public override string GetString(System.Byte[] bytes, int index, int count) => throw null; - public UTF7Encoding() => throw null; - public UTF7Encoding(bool allowOptionals) => throw null; + public override byte[] GetPreamble() => throw null; + public override string GetString(byte[] bytes, int index, int count) => throw null; + public override System.ReadOnlySpan Preamble { get => throw null; } } - - public class UTF8Encoding : System.Text.Encoding + public class UTF7Encoding : System.Text.Encoding { + public UTF7Encoding() => throw null; + public UTF7Encoding(bool allowOptionals) => throw null; public override bool Equals(object value) => throw null; - public override int GetByteCount(System.Char[] chars, int index, int count) => throw null; - public override int GetByteCount(System.ReadOnlySpan chars) => throw null; - unsafe public override int GetByteCount(System.Char* chars, int count) => throw null; - public override int GetByteCount(string chars) => throw null; - public override int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; - unsafe public override int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public override int GetBytes(string s, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetCharCount(System.Byte[] bytes, int index, int count) => throw null; - public override int GetCharCount(System.ReadOnlySpan bytes) => throw null; - unsafe public override int GetCharCount(System.Byte* bytes, int count) => throw null; - public override int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex) => throw null; - public override int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; - unsafe public override int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public override unsafe int GetByteCount(char* chars, int count) => throw null; + public override int GetByteCount(char[] chars, int index, int count) => throw null; + public override int GetByteCount(string s) => throw null; + public override unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override int GetBytes(string s, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override unsafe int GetCharCount(byte* bytes, int count) => throw null; + public override int GetCharCount(byte[] bytes, int index, int count) => throw null; + public override unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) => throw null; public override System.Text.Decoder GetDecoder() => throw null; public override System.Text.Encoder GetEncoder() => throw null; public override int GetHashCode() => throw null; public override int GetMaxByteCount(int charCount) => throw null; public override int GetMaxCharCount(int byteCount) => throw null; - public override System.Byte[] GetPreamble() => throw null; - public override string GetString(System.Byte[] bytes, int index, int count) => throw null; - public override System.ReadOnlySpan Preamble { get => throw null; } + public override string GetString(byte[] bytes, int index, int count) => throw null; + } + public class UTF8Encoding : System.Text.Encoding + { public UTF8Encoding() => throw null; public UTF8Encoding(bool encoderShouldEmitUTF8Identifier) => throw null; public UTF8Encoding(bool encoderShouldEmitUTF8Identifier, bool throwOnInvalidBytes) => throw null; - } - - public class UnicodeEncoding : System.Text.Encoding - { - public const int CharSize = default; public override bool Equals(object value) => throw null; - public override int GetByteCount(System.Char[] chars, int index, int count) => throw null; - unsafe public override int GetByteCount(System.Char* chars, int count) => throw null; - public override int GetByteCount(string s) => throw null; - public override int GetBytes(System.Char[] chars, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - unsafe public override int GetBytes(System.Char* chars, int charCount, System.Byte* bytes, int byteCount) => throw null; - public override int GetBytes(string s, int charIndex, int charCount, System.Byte[] bytes, int byteIndex) => throw null; - public override int GetCharCount(System.Byte[] bytes, int index, int count) => throw null; - unsafe public override int GetCharCount(System.Byte* bytes, int count) => throw null; - public override int GetChars(System.Byte[] bytes, int byteIndex, int byteCount, System.Char[] chars, int charIndex) => throw null; - unsafe public override int GetChars(System.Byte* bytes, int byteCount, System.Char* chars, int charCount) => throw null; + public override unsafe int GetByteCount(char* chars, int count) => throw null; + public override int GetByteCount(char[] chars, int index, int count) => throw null; + public override int GetByteCount(System.ReadOnlySpan chars) => throw null; + public override int GetByteCount(string chars) => throw null; + public override unsafe int GetBytes(char* chars, int charCount, byte* bytes, int byteCount) => throw null; + public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override int GetBytes(System.ReadOnlySpan chars, System.Span bytes) => throw null; + public override int GetBytes(string s, int charIndex, int charCount, byte[] bytes, int byteIndex) => throw null; + public override unsafe int GetCharCount(byte* bytes, int count) => throw null; + public override int GetCharCount(byte[] bytes, int index, int count) => throw null; + public override int GetCharCount(System.ReadOnlySpan bytes) => throw null; + public override unsafe int GetChars(byte* bytes, int byteCount, char* chars, int charCount) => throw null; + public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) => throw null; + public override int GetChars(System.ReadOnlySpan bytes, System.Span chars) => throw null; public override System.Text.Decoder GetDecoder() => throw null; public override System.Text.Encoder GetEncoder() => throw null; public override int GetHashCode() => throw null; public override int GetMaxByteCount(int charCount) => throw null; public override int GetMaxCharCount(int byteCount) => throw null; - public override System.Byte[] GetPreamble() => throw null; - public override string GetString(System.Byte[] bytes, int index, int count) => throw null; - public override System.ReadOnlySpan Preamble { get => throw null; } - public UnicodeEncoding() => throw null; - public UnicodeEncoding(bool bigEndian, bool byteOrderMark) => throw null; - public UnicodeEncoding(bool bigEndian, bool byteOrderMark, bool throwOnInvalidBytes) => throw null; + public override byte[] GetPreamble() => throw null; + public override string GetString(byte[] bytes, int index, int count) => throw null; + public override System.ReadOnlySpan Preamble { get => throw null; } } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs new file mode 100644 index 000000000000..2d88a5f2354f --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Text.Encoding, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encodings.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encodings.Web.cs index 19f4b8433762..90e4a5140a73 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encodings.Web.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encodings.Web.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Text.Encodings.Web, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Text @@ -13,73 +12,67 @@ public abstract class HtmlEncoder : System.Text.Encodings.Web.TextEncoder { public static System.Text.Encodings.Web.HtmlEncoder Create(System.Text.Encodings.Web.TextEncoderSettings settings) => throw null; public static System.Text.Encodings.Web.HtmlEncoder Create(params System.Text.Unicode.UnicodeRange[] allowedRanges) => throw null; - public static System.Text.Encodings.Web.HtmlEncoder Default { get => throw null; } protected HtmlEncoder() => throw null; + public static System.Text.Encodings.Web.HtmlEncoder Default { get => throw null; } } - public abstract class JavaScriptEncoder : System.Text.Encodings.Web.TextEncoder { public static System.Text.Encodings.Web.JavaScriptEncoder Create(System.Text.Encodings.Web.TextEncoderSettings settings) => throw null; public static System.Text.Encodings.Web.JavaScriptEncoder Create(params System.Text.Unicode.UnicodeRange[] allowedRanges) => throw null; - public static System.Text.Encodings.Web.JavaScriptEncoder Default { get => throw null; } protected JavaScriptEncoder() => throw null; + public static System.Text.Encodings.Web.JavaScriptEncoder Default { get => throw null; } public static System.Text.Encodings.Web.JavaScriptEncoder UnsafeRelaxedJsonEscaping { get => throw null; } } - public abstract class TextEncoder { - public virtual System.Buffers.OperationStatus Encode(System.ReadOnlySpan source, System.Span destination, out int charsConsumed, out int charsWritten, bool isFinalBlock = default(bool)) => throw null; - public virtual void Encode(System.IO.TextWriter output, System.Char[] value, int startIndex, int characterCount) => throw null; + protected TextEncoder() => throw null; + public virtual void Encode(System.IO.TextWriter output, char[] value, int startIndex, int characterCount) => throw null; public void Encode(System.IO.TextWriter output, string value) => throw null; public virtual void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public virtual System.Buffers.OperationStatus Encode(System.ReadOnlySpan source, System.Span destination, out int charsConsumed, out int charsWritten, bool isFinalBlock = default(bool)) => throw null; public virtual string Encode(string value) => throw null; - public virtual System.Buffers.OperationStatus EncodeUtf8(System.ReadOnlySpan utf8Source, System.Span utf8Destination, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; - unsafe public abstract int FindFirstCharacterToEncode(System.Char* text, int textLength); - public virtual int FindFirstCharacterToEncodeUtf8(System.ReadOnlySpan utf8Text) => throw null; + public virtual System.Buffers.OperationStatus EncodeUtf8(System.ReadOnlySpan utf8Source, System.Span utf8Destination, out int bytesConsumed, out int bytesWritten, bool isFinalBlock = default(bool)) => throw null; + public abstract unsafe int FindFirstCharacterToEncode(char* text, int textLength); + public virtual int FindFirstCharacterToEncodeUtf8(System.ReadOnlySpan utf8Text) => throw null; public abstract int MaxOutputCharactersPerInputCharacter { get; } - protected TextEncoder() => throw null; - unsafe public abstract bool TryEncodeUnicodeScalar(int unicodeScalar, System.Char* buffer, int bufferLength, out int numberOfCharactersWritten); + public abstract unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten); public abstract bool WillEncode(int unicodeScalar); } - public class TextEncoderSettings { - public virtual void AllowCharacter(System.Char character) => throw null; - public virtual void AllowCharacters(params System.Char[] characters) => throw null; + public virtual void AllowCharacter(char character) => throw null; + public virtual void AllowCharacters(params char[] characters) => throw null; public virtual void AllowCodePoints(System.Collections.Generic.IEnumerable codePoints) => throw null; public virtual void AllowRange(System.Text.Unicode.UnicodeRange range) => throw null; public virtual void AllowRanges(params System.Text.Unicode.UnicodeRange[] ranges) => throw null; public virtual void Clear() => throw null; - public virtual void ForbidCharacter(System.Char character) => throw null; - public virtual void ForbidCharacters(params System.Char[] characters) => throw null; - public virtual void ForbidRange(System.Text.Unicode.UnicodeRange range) => throw null; - public virtual void ForbidRanges(params System.Text.Unicode.UnicodeRange[] ranges) => throw null; - public virtual System.Collections.Generic.IEnumerable GetAllowedCodePoints() => throw null; public TextEncoderSettings() => throw null; public TextEncoderSettings(System.Text.Encodings.Web.TextEncoderSettings other) => throw null; public TextEncoderSettings(params System.Text.Unicode.UnicodeRange[] allowedRanges) => throw null; + public virtual void ForbidCharacter(char character) => throw null; + public virtual void ForbidCharacters(params char[] characters) => throw null; + public virtual void ForbidRange(System.Text.Unicode.UnicodeRange range) => throw null; + public virtual void ForbidRanges(params System.Text.Unicode.UnicodeRange[] ranges) => throw null; + public virtual System.Collections.Generic.IEnumerable GetAllowedCodePoints() => throw null; } - public abstract class UrlEncoder : System.Text.Encodings.Web.TextEncoder { public static System.Text.Encodings.Web.UrlEncoder Create(System.Text.Encodings.Web.TextEncoderSettings settings) => throw null; public static System.Text.Encodings.Web.UrlEncoder Create(params System.Text.Unicode.UnicodeRange[] allowedRanges) => throw null; - public static System.Text.Encodings.Web.UrlEncoder Default { get => throw null; } protected UrlEncoder() => throw null; + public static System.Text.Encodings.Web.UrlEncoder Default { get => throw null; } } - } } namespace Unicode { - public class UnicodeRange + public sealed class UnicodeRange { - public static System.Text.Unicode.UnicodeRange Create(System.Char firstCharacter, System.Char lastCharacter) => throw null; + public static System.Text.Unicode.UnicodeRange Create(char firstCharacter, char lastCharacter) => throw null; + public UnicodeRange(int firstCodePoint, int length) => throw null; public int FirstCodePoint { get => throw null; } public int Length { get => throw null; } - public UnicodeRange(int firstCodePoint, int length) => throw null; } - public static class UnicodeRanges { public static System.Text.Unicode.UnicodeRange All { get => throw null; } @@ -117,8 +110,8 @@ public static class UnicodeRanges public static System.Text.Unicode.UnicodeRange CjkUnifiedIdeographsExtensionA { get => throw null; } public static System.Text.Unicode.UnicodeRange CombiningDiacriticalMarks { get => throw null; } public static System.Text.Unicode.UnicodeRange CombiningDiacriticalMarksExtended { get => throw null; } - public static System.Text.Unicode.UnicodeRange CombiningDiacriticalMarksSupplement { get => throw null; } public static System.Text.Unicode.UnicodeRange CombiningDiacriticalMarksforSymbols { get => throw null; } + public static System.Text.Unicode.UnicodeRange CombiningDiacriticalMarksSupplement { get => throw null; } public static System.Text.Unicode.UnicodeRange CombiningHalfMarks { get => throw null; } public static System.Text.Unicode.UnicodeRange CommonIndicNumberForms { get => throw null; } public static System.Text.Unicode.UnicodeRange ControlPictures { get => throw null; } @@ -144,8 +137,8 @@ public static class UnicodeRanges public static System.Text.Unicode.UnicodeRange GeorgianExtended { get => throw null; } public static System.Text.Unicode.UnicodeRange GeorgianSupplement { get => throw null; } public static System.Text.Unicode.UnicodeRange Glagolitic { get => throw null; } - public static System.Text.Unicode.UnicodeRange GreekExtended { get => throw null; } public static System.Text.Unicode.UnicodeRange GreekandCoptic { get => throw null; } + public static System.Text.Unicode.UnicodeRange GreekExtended { get => throw null; } public static System.Text.Unicode.UnicodeRange Gujarati { get => throw null; } public static System.Text.Unicode.UnicodeRange Gurmukhi { get => throw null; } public static System.Text.Unicode.UnicodeRange HalfwidthandFullwidthForms { get => throw null; } @@ -195,8 +188,8 @@ public static class UnicodeRanges public static System.Text.Unicode.UnicodeRange Myanmar { get => throw null; } public static System.Text.Unicode.UnicodeRange MyanmarExtendedA { get => throw null; } public static System.Text.Unicode.UnicodeRange MyanmarExtendedB { get => throw null; } - public static System.Text.Unicode.UnicodeRange NKo { get => throw null; } public static System.Text.Unicode.UnicodeRange NewTaiLue { get => throw null; } + public static System.Text.Unicode.UnicodeRange NKo { get => throw null; } public static System.Text.Unicode.UnicodeRange None { get => throw null; } public static System.Text.Unicode.UnicodeRange NumberForms { get => throw null; } public static System.Text.Unicode.UnicodeRange Ogham { get => throw null; } @@ -241,11 +234,10 @@ public static class UnicodeRanges public static System.Text.Unicode.UnicodeRange VariationSelectors { get => throw null; } public static System.Text.Unicode.UnicodeRange VedicExtensions { get => throw null; } public static System.Text.Unicode.UnicodeRange VerticalForms { get => throw null; } + public static System.Text.Unicode.UnicodeRange YijingHexagramSymbols { get => throw null; } public static System.Text.Unicode.UnicodeRange YiRadicals { get => throw null; } public static System.Text.Unicode.UnicodeRange YiSyllables { get => throw null; } - public static System.Text.Unicode.UnicodeRange YijingHexagramSymbols { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs index 7c5954e05cab..20c147bb629c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Text.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Text @@ -9,18 +8,17 @@ namespace Json { public enum JsonCommentHandling : byte { - Allow = 2, Disallow = 0, Skip = 1, + Allow = 2, } - - public class JsonDocument : System.IDisposable + public sealed class JsonDocument : System.IDisposable { public void Dispose() => throw null; - public static System.Text.Json.JsonDocument Parse(System.ReadOnlyMemory utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; - public static System.Text.Json.JsonDocument Parse(System.ReadOnlyMemory json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; - public static System.Text.Json.JsonDocument Parse(System.Buffers.ReadOnlySequence utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.JsonDocument Parse(System.Buffers.ReadOnlySequence utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; public static System.Text.Json.JsonDocument Parse(System.IO.Stream utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.JsonDocument Parse(System.ReadOnlyMemory utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.JsonDocument Parse(System.ReadOnlyMemory json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; public static System.Text.Json.JsonDocument Parse(string json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions)) => throw null; public static System.Threading.Tasks.Task ParseAsync(System.IO.Stream utf8Json, System.Text.Json.JsonDocumentOptions options = default(System.Text.Json.JsonDocumentOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Text.Json.JsonDocument ParseValue(ref System.Text.Json.Utf8JsonReader reader) => throw null; @@ -28,20 +26,16 @@ public class JsonDocument : System.IDisposable public static bool TryParseValue(ref System.Text.Json.Utf8JsonReader reader, out System.Text.Json.JsonDocument document) => throw null; public void WriteTo(System.Text.Json.Utf8JsonWriter writer) => throw null; } - public struct JsonDocumentOptions { - public bool AllowTrailingCommas { get => throw null; set => throw null; } - public System.Text.Json.JsonCommentHandling CommentHandling { get => throw null; set => throw null; } - // Stub generator skipped constructor - public int MaxDepth { get => throw null; set => throw null; } + public bool AllowTrailingCommas { get => throw null; set { } } + public System.Text.Json.JsonCommentHandling CommentHandling { get => throw null; set { } } + public int MaxDepth { get => throw null; set { } } } - public struct JsonElement { - public struct ArrayEnumerator : System.Collections.Generic.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerable, System.Collections.IEnumerator, System.IDisposable + public struct ArrayEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - // Stub generator skipped constructor public System.Text.Json.JsonElement Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; @@ -51,474 +45,265 @@ public struct ArrayEnumerator : System.Collections.Generic.IEnumerable throw null; public void Reset() => throw null; } - - - public struct ObjectEnumerator : System.Collections.Generic.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerable, System.Collections.IEnumerator, System.IDisposable - { - public System.Text.Json.JsonProperty Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - public System.Text.Json.JsonElement.ObjectEnumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public bool MoveNext() => throw null; - // Stub generator skipped constructor - public void Reset() => throw null; - } - - public System.Text.Json.JsonElement Clone() => throw null; public System.Text.Json.JsonElement.ArrayEnumerator EnumerateArray() => throw null; public System.Text.Json.JsonElement.ObjectEnumerator EnumerateObject() => throw null; public int GetArrayLength() => throw null; public bool GetBoolean() => throw null; - public System.Byte GetByte() => throw null; - public System.Byte[] GetBytesFromBase64() => throw null; + public byte GetByte() => throw null; + public byte[] GetBytesFromBase64() => throw null; public System.DateTime GetDateTime() => throw null; public System.DateTimeOffset GetDateTimeOffset() => throw null; - public System.Decimal GetDecimal() => throw null; + public decimal GetDecimal() => throw null; public double GetDouble() => throw null; public System.Guid GetGuid() => throw null; - public System.Int16 GetInt16() => throw null; + public short GetInt16() => throw null; public int GetInt32() => throw null; - public System.Int64 GetInt64() => throw null; - public System.Text.Json.JsonElement GetProperty(System.ReadOnlySpan utf8PropertyName) => throw null; - public System.Text.Json.JsonElement GetProperty(System.ReadOnlySpan propertyName) => throw null; + public long GetInt64() => throw null; + public System.Text.Json.JsonElement GetProperty(System.ReadOnlySpan utf8PropertyName) => throw null; + public System.Text.Json.JsonElement GetProperty(System.ReadOnlySpan propertyName) => throw null; public System.Text.Json.JsonElement GetProperty(string propertyName) => throw null; public string GetRawText() => throw null; - public System.SByte GetSByte() => throw null; + public sbyte GetSByte() => throw null; public float GetSingle() => throw null; public string GetString() => throw null; - public System.UInt16 GetUInt16() => throw null; - public System.UInt32 GetUInt32() => throw null; - public System.UInt64 GetUInt64() => throw null; - public System.Text.Json.JsonElement this[int index] { get => throw null; } - // Stub generator skipped constructor + public ushort GetUInt16() => throw null; + public uint GetUInt32() => throw null; + public ulong GetUInt64() => throw null; + public struct ObjectEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + { + public System.Text.Json.JsonProperty Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public System.Text.Json.JsonElement.ObjectEnumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public static System.Text.Json.JsonElement ParseValue(ref System.Text.Json.Utf8JsonReader reader) => throw null; + public System.Text.Json.JsonElement this[int index] { get => throw null; } public override string ToString() => throw null; - public bool TryGetByte(out System.Byte value) => throw null; - public bool TryGetBytesFromBase64(out System.Byte[] value) => throw null; + public bool TryGetByte(out byte value) => throw null; + public bool TryGetBytesFromBase64(out byte[] value) => throw null; public bool TryGetDateTime(out System.DateTime value) => throw null; public bool TryGetDateTimeOffset(out System.DateTimeOffset value) => throw null; - public bool TryGetDecimal(out System.Decimal value) => throw null; + public bool TryGetDecimal(out decimal value) => throw null; public bool TryGetDouble(out double value) => throw null; public bool TryGetGuid(out System.Guid value) => throw null; - public bool TryGetInt16(out System.Int16 value) => throw null; + public bool TryGetInt16(out short value) => throw null; public bool TryGetInt32(out int value) => throw null; - public bool TryGetInt64(out System.Int64 value) => throw null; - public bool TryGetProperty(System.ReadOnlySpan utf8PropertyName, out System.Text.Json.JsonElement value) => throw null; - public bool TryGetProperty(System.ReadOnlySpan propertyName, out System.Text.Json.JsonElement value) => throw null; + public bool TryGetInt64(out long value) => throw null; + public bool TryGetProperty(System.ReadOnlySpan utf8PropertyName, out System.Text.Json.JsonElement value) => throw null; + public bool TryGetProperty(System.ReadOnlySpan propertyName, out System.Text.Json.JsonElement value) => throw null; public bool TryGetProperty(string propertyName, out System.Text.Json.JsonElement value) => throw null; - public bool TryGetSByte(out System.SByte value) => throw null; + public bool TryGetSByte(out sbyte value) => throw null; public bool TryGetSingle(out float value) => throw null; - public bool TryGetUInt16(out System.UInt16 value) => throw null; - public bool TryGetUInt32(out System.UInt32 value) => throw null; - public bool TryGetUInt64(out System.UInt64 value) => throw null; + public bool TryGetUInt16(out ushort value) => throw null; + public bool TryGetUInt32(out uint value) => throw null; + public bool TryGetUInt64(out ulong value) => throw null; public static bool TryParseValue(ref System.Text.Json.Utf8JsonReader reader, out System.Text.Json.JsonElement? element) => throw null; - public bool ValueEquals(System.ReadOnlySpan utf8Text) => throw null; - public bool ValueEquals(System.ReadOnlySpan text) => throw null; + public bool ValueEquals(System.ReadOnlySpan utf8Text) => throw null; + public bool ValueEquals(System.ReadOnlySpan text) => throw null; public bool ValueEquals(string text) => throw null; public System.Text.Json.JsonValueKind ValueKind { get => throw null; } public void WriteTo(System.Text.Json.Utf8JsonWriter writer) => throw null; } - public struct JsonEncodedText : System.IEquatable { - public static System.Text.Json.JsonEncodedText Encode(System.ReadOnlySpan utf8Value, System.Text.Encodings.Web.JavaScriptEncoder encoder = default(System.Text.Encodings.Web.JavaScriptEncoder)) => throw null; - public static System.Text.Json.JsonEncodedText Encode(System.ReadOnlySpan value, System.Text.Encodings.Web.JavaScriptEncoder encoder = default(System.Text.Encodings.Web.JavaScriptEncoder)) => throw null; + public static System.Text.Json.JsonEncodedText Encode(System.ReadOnlySpan utf8Value, System.Text.Encodings.Web.JavaScriptEncoder encoder = default(System.Text.Encodings.Web.JavaScriptEncoder)) => throw null; + public static System.Text.Json.JsonEncodedText Encode(System.ReadOnlySpan value, System.Text.Encodings.Web.JavaScriptEncoder encoder = default(System.Text.Encodings.Web.JavaScriptEncoder)) => throw null; public static System.Text.Json.JsonEncodedText Encode(string value, System.Text.Encodings.Web.JavaScriptEncoder encoder = default(System.Text.Encodings.Web.JavaScriptEncoder)) => throw null; - public System.ReadOnlySpan EncodedUtf8Bytes { get => throw null; } - public bool Equals(System.Text.Json.JsonEncodedText other) => throw null; + public System.ReadOnlySpan EncodedUtf8Bytes { get => throw null; } public override bool Equals(object obj) => throw null; + public bool Equals(System.Text.Json.JsonEncodedText other) => throw null; public override int GetHashCode() => throw null; - // Stub generator skipped constructor public override string ToString() => throw null; } - public class JsonException : System.Exception { - public System.Int64? BytePositionInLine { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public long? BytePositionInLine { get => throw null; } public JsonException() => throw null; protected JsonException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public JsonException(string message) => throw null; public JsonException(string message, System.Exception innerException) => throw null; - public JsonException(string message, string path, System.Int64? lineNumber, System.Int64? bytePositionInLine) => throw null; - public JsonException(string message, string path, System.Int64? lineNumber, System.Int64? bytePositionInLine, System.Exception innerException) => throw null; - public System.Int64? LineNumber { get => throw null; } + public JsonException(string message, string path, long? lineNumber, long? bytePositionInLine) => throw null; + public JsonException(string message, string path, long? lineNumber, long? bytePositionInLine, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public long? LineNumber { get => throw null; } public override string Message { get => throw null; } public string Path { get => throw null; } } - public abstract class JsonNamingPolicy { public static System.Text.Json.JsonNamingPolicy CamelCase { get => throw null; } public abstract string ConvertName(string name); protected JsonNamingPolicy() => throw null; } - public struct JsonProperty { - // Stub generator skipped constructor public string Name { get => throw null; } - public bool NameEquals(System.ReadOnlySpan utf8Text) => throw null; - public bool NameEquals(System.ReadOnlySpan text) => throw null; + public bool NameEquals(System.ReadOnlySpan utf8Text) => throw null; + public bool NameEquals(System.ReadOnlySpan text) => throw null; public bool NameEquals(string text) => throw null; public override string ToString() => throw null; public System.Text.Json.JsonElement Value { get => throw null; } public void WriteTo(System.Text.Json.Utf8JsonWriter writer) => throw null; } - public struct JsonReaderOptions { - public bool AllowTrailingCommas { get => throw null; set => throw null; } - public System.Text.Json.JsonCommentHandling CommentHandling { get => throw null; set => throw null; } - // Stub generator skipped constructor - public int MaxDepth { get => throw null; set => throw null; } + public bool AllowTrailingCommas { get => throw null; set { } } + public System.Text.Json.JsonCommentHandling CommentHandling { get => throw null; set { } } + public int MaxDepth { get => throw null; set { } } } - public struct JsonReaderState { - // Stub generator skipped constructor public JsonReaderState(System.Text.Json.JsonReaderOptions options = default(System.Text.Json.JsonReaderOptions)) => throw null; public System.Text.Json.JsonReaderOptions Options { get => throw null; } } - public static class JsonSerializer { - public static object Deserialize(this System.Text.Json.JsonDocument document, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static object Deserialize(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(System.ReadOnlySpan utf8Json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static object Deserialize(System.ReadOnlySpan utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(System.ReadOnlySpan json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static object Deserialize(System.ReadOnlySpan json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(string json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static object Deserialize(string json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static object Deserialize(this System.Text.Json.JsonDocument document, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(this System.Text.Json.JsonElement element, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(this System.Text.Json.JsonDocument document, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static object Deserialize(this System.Text.Json.JsonElement element, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(this System.Text.Json.Nodes.JsonNode node, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(this System.Text.Json.JsonElement element, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static object Deserialize(this System.Text.Json.Nodes.JsonNode node, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(System.ReadOnlySpan utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static object Deserialize(System.ReadOnlySpan utf8Json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(System.ReadOnlySpan json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static object Deserialize(System.ReadOnlySpan json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static object Deserialize(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(ref System.Text.Json.Utf8JsonReader reader, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static object Deserialize(this System.Text.Json.Nodes.JsonNode node, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static object Deserialize(ref System.Text.Json.Utf8JsonReader reader, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static object Deserialize(string json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static object Deserialize(string json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static object Deserialize(ref System.Text.Json.Utf8JsonReader reader, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static TValue Deserialize(System.IO.Stream utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static TValue Deserialize(System.IO.Stream utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; + public static TValue Deserialize(System.ReadOnlySpan utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static TValue Deserialize(System.ReadOnlySpan utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; + public static TValue Deserialize(System.ReadOnlySpan json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static TValue Deserialize(System.ReadOnlySpan json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; + public static TValue Deserialize(string json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static TValue Deserialize(string json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static TValue Deserialize(this System.Text.Json.JsonDocument document, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static TValue Deserialize(this System.Text.Json.JsonDocument document, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static TValue Deserialize(this System.Text.Json.JsonElement element, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static TValue Deserialize(this System.Text.Json.JsonElement element, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static TValue Deserialize(this System.Text.Json.Nodes.JsonNode node, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static TValue Deserialize(this System.Text.Json.Nodes.JsonNode node, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static TValue Deserialize(System.ReadOnlySpan utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static TValue Deserialize(System.ReadOnlySpan utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static TValue Deserialize(System.ReadOnlySpan json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static TValue Deserialize(System.ReadOnlySpan json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static TValue Deserialize(System.IO.Stream utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static TValue Deserialize(System.IO.Stream utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static TValue Deserialize(ref System.Text.Json.Utf8JsonReader reader, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static TValue Deserialize(ref System.Text.Json.Utf8JsonReader reader, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static TValue Deserialize(string json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static TValue Deserialize(string json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static System.Threading.Tasks.ValueTask DeserializeAsync(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask DeserializeAsync(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask DeserializeAsync(System.IO.Stream utf8Json, System.Type returnType, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask DeserializeAsync(System.IO.Stream utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask DeserializeAsync(System.IO.Stream utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Collections.Generic.IAsyncEnumerable DeserializeAsyncEnumerable(System.IO.Stream utf8Json, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Collections.Generic.IAsyncEnumerable DeserializeAsyncEnumerable(System.IO.Stream utf8Json, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void Serialize(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static void Serialize(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static void Serialize(System.Text.Json.Utf8JsonWriter writer, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static void Serialize(System.Text.Json.Utf8JsonWriter writer, object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static string Serialize(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static void Serialize(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static string Serialize(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static string Serialize(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static void Serialize(System.Text.Json.Utf8JsonWriter writer, object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static void Serialize(System.Text.Json.Utf8JsonWriter writer, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static void Serialize(System.IO.Stream utf8Json, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static void Serialize(System.IO.Stream utf8Json, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static string Serialize(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static string Serialize(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static void Serialize(System.Text.Json.Utf8JsonWriter writer, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static void Serialize(System.Text.Json.Utf8JsonWriter writer, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static System.Threading.Tasks.Task SerializeAsync(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static string Serialize(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static string Serialize(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; public static System.Threading.Tasks.Task SerializeAsync(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SerializeAsync(System.IO.Stream utf8Json, object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task SerializeAsync(System.IO.Stream utf8Json, TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task SerializeAsync(System.IO.Stream utf8Json, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Text.Json.JsonDocument SerializeToDocument(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.JsonDocument SerializeToDocument(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static System.Text.Json.JsonDocument SerializeToDocument(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.JsonDocument SerializeToDocument(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static System.Text.Json.JsonDocument SerializeToDocument(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static System.Text.Json.JsonElement SerializeToElement(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.JsonElement SerializeToElement(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static System.Text.Json.JsonElement SerializeToElement(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.JsonElement SerializeToElement(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static System.Text.Json.JsonElement SerializeToElement(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static System.Text.Json.Nodes.JsonNode SerializeToNode(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.Nodes.JsonNode SerializeToNode(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static System.Text.Json.Nodes.JsonNode SerializeToNode(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; public static System.Text.Json.Nodes.JsonNode SerializeToNode(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; public static System.Text.Json.Nodes.JsonNode SerializeToNode(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; - public static System.Byte[] SerializeToUtf8Bytes(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; - public static System.Byte[] SerializeToUtf8Bytes(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static System.Byte[] SerializeToUtf8Bytes(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public static System.Byte[] SerializeToUtf8Bytes(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; + public static byte[] SerializeToUtf8Bytes(object value, System.Type inputType, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static byte[] SerializeToUtf8Bytes(object value, System.Type inputType, System.Text.Json.Serialization.JsonSerializerContext context) => throw null; + public static byte[] SerializeToUtf8Bytes(TValue value, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public static byte[] SerializeToUtf8Bytes(TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo) => throw null; } - - public enum JsonSerializerDefaults : int + public enum JsonSerializerDefaults { General = 0, Web = 1, } - - public class JsonSerializerOptions + public sealed class JsonSerializerOptions { public void AddContext() where TContext : System.Text.Json.Serialization.JsonSerializerContext, new() => throw null; - public bool AllowTrailingCommas { get => throw null; set => throw null; } + public bool AllowTrailingCommas { get => throw null; set { } } public System.Collections.Generic.IList Converters { get => throw null; } - public static System.Text.Json.JsonSerializerOptions Default { get => throw null; } - public int DefaultBufferSize { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonIgnoreCondition DefaultIgnoreCondition { get => throw null; set => throw null; } - public System.Text.Json.JsonNamingPolicy DictionaryKeyPolicy { get => throw null; set => throw null; } - public System.Text.Encodings.Web.JavaScriptEncoder Encoder { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonConverter GetConverter(System.Type typeToConvert) => throw null; - public System.Text.Json.Serialization.Metadata.JsonTypeInfo GetTypeInfo(System.Type type) => throw null; - public bool IgnoreNullValues { get => throw null; set => throw null; } - public bool IgnoreReadOnlyFields { get => throw null; set => throw null; } - public bool IgnoreReadOnlyProperties { get => throw null; set => throw null; } - public bool IncludeFields { get => throw null; set => throw null; } public JsonSerializerOptions() => throw null; public JsonSerializerOptions(System.Text.Json.JsonSerializerDefaults defaults) => throw null; public JsonSerializerOptions(System.Text.Json.JsonSerializerOptions options) => throw null; - public int MaxDepth { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set => throw null; } - public bool PropertyNameCaseInsensitive { get => throw null; set => throw null; } - public System.Text.Json.JsonNamingPolicy PropertyNamingPolicy { get => throw null; set => throw null; } - public System.Text.Json.JsonCommentHandling ReadCommentHandling { get => throw null; set => throw null; } - public System.Text.Json.Serialization.ReferenceHandler ReferenceHandler { get => throw null; set => throw null; } - public System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver TypeInfoResolver { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonUnknownTypeHandling UnknownTypeHandling { get => throw null; set => throw null; } - public bool WriteIndented { get => throw null; set => throw null; } + public static System.Text.Json.JsonSerializerOptions Default { get => throw null; } + public int DefaultBufferSize { get => throw null; set { } } + public System.Text.Json.Serialization.JsonIgnoreCondition DefaultIgnoreCondition { get => throw null; set { } } + public System.Text.Json.JsonNamingPolicy DictionaryKeyPolicy { get => throw null; set { } } + public System.Text.Encodings.Web.JavaScriptEncoder Encoder { get => throw null; set { } } + public System.Text.Json.Serialization.JsonConverter GetConverter(System.Type typeToConvert) => throw null; + public System.Text.Json.Serialization.Metadata.JsonTypeInfo GetTypeInfo(System.Type type) => throw null; + public bool IgnoreNullValues { get => throw null; set { } } + public bool IgnoreReadOnlyFields { get => throw null; set { } } + public bool IgnoreReadOnlyProperties { get => throw null; set { } } + public bool IncludeFields { get => throw null; set { } } + public int MaxDepth { get => throw null; set { } } + public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set { } } + public bool PropertyNameCaseInsensitive { get => throw null; set { } } + public System.Text.Json.JsonNamingPolicy PropertyNamingPolicy { get => throw null; set { } } + public System.Text.Json.JsonCommentHandling ReadCommentHandling { get => throw null; set { } } + public System.Text.Json.Serialization.ReferenceHandler ReferenceHandler { get => throw null; set { } } + public System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver TypeInfoResolver { get => throw null; set { } } + public System.Text.Json.Serialization.JsonUnknownTypeHandling UnknownTypeHandling { get => throw null; set { } } + public bool WriteIndented { get => throw null; set { } } } - public enum JsonTokenType : byte { - Comment = 6, - EndArray = 4, - EndObject = 2, - False = 10, None = 0, - Null = 11, - Number = 8, - PropertyName = 5, - StartArray = 3, StartObject = 1, + EndObject = 2, + StartArray = 3, + EndArray = 4, + PropertyName = 5, + Comment = 6, String = 7, + Number = 8, True = 9, + False = 10, + Null = 11, } - public enum JsonValueKind : byte { - Array = 2, - False = 6, - Null = 7, - Number = 4, + Undefined = 0, Object = 1, + Array = 2, String = 3, + Number = 4, True = 5, - Undefined = 0, + False = 6, + Null = 7, } - public struct JsonWriterOptions { - public System.Text.Encodings.Web.JavaScriptEncoder Encoder { get => throw null; set => throw null; } - public bool Indented { get => throw null; set => throw null; } - // Stub generator skipped constructor - public int MaxDepth { get => throw null; set => throw null; } - public bool SkipValidation { get => throw null; set => throw null; } - } - - public struct Utf8JsonReader - { - public System.Int64 BytesConsumed { get => throw null; } - public int CopyString(System.Span utf8Destination) => throw null; - public int CopyString(System.Span destination) => throw null; - public int CurrentDepth { get => throw null; } - public System.Text.Json.JsonReaderState CurrentState { get => throw null; } - public bool GetBoolean() => throw null; - public System.Byte GetByte() => throw null; - public System.Byte[] GetBytesFromBase64() => throw null; - public string GetComment() => throw null; - public System.DateTime GetDateTime() => throw null; - public System.DateTimeOffset GetDateTimeOffset() => throw null; - public System.Decimal GetDecimal() => throw null; - public double GetDouble() => throw null; - public System.Guid GetGuid() => throw null; - public System.Int16 GetInt16() => throw null; - public int GetInt32() => throw null; - public System.Int64 GetInt64() => throw null; - public System.SByte GetSByte() => throw null; - public float GetSingle() => throw null; - public string GetString() => throw null; - public System.UInt16 GetUInt16() => throw null; - public System.UInt32 GetUInt32() => throw null; - public System.UInt64 GetUInt64() => throw null; - public bool HasValueSequence { get => throw null; } - public bool IsFinalBlock { get => throw null; } - public System.SequencePosition Position { get => throw null; } - public bool Read() => throw null; - public void Skip() => throw null; - public System.Int64 TokenStartIndex { get => throw null; } - public System.Text.Json.JsonTokenType TokenType { get => throw null; } - public bool TryGetByte(out System.Byte value) => throw null; - public bool TryGetBytesFromBase64(out System.Byte[] value) => throw null; - public bool TryGetDateTime(out System.DateTime value) => throw null; - public bool TryGetDateTimeOffset(out System.DateTimeOffset value) => throw null; - public bool TryGetDecimal(out System.Decimal value) => throw null; - public bool TryGetDouble(out double value) => throw null; - public bool TryGetGuid(out System.Guid value) => throw null; - public bool TryGetInt16(out System.Int16 value) => throw null; - public bool TryGetInt32(out int value) => throw null; - public bool TryGetInt64(out System.Int64 value) => throw null; - public bool TryGetSByte(out System.SByte value) => throw null; - public bool TryGetSingle(out float value) => throw null; - public bool TryGetUInt16(out System.UInt16 value) => throw null; - public bool TryGetUInt32(out System.UInt32 value) => throw null; - public bool TryGetUInt64(out System.UInt64 value) => throw null; - public bool TrySkip() => throw null; - // Stub generator skipped constructor - public Utf8JsonReader(System.Buffers.ReadOnlySequence jsonData, System.Text.Json.JsonReaderOptions options = default(System.Text.Json.JsonReaderOptions)) => throw null; - public Utf8JsonReader(System.Buffers.ReadOnlySequence jsonData, bool isFinalBlock, System.Text.Json.JsonReaderState state) => throw null; - public Utf8JsonReader(System.ReadOnlySpan jsonData, System.Text.Json.JsonReaderOptions options = default(System.Text.Json.JsonReaderOptions)) => throw null; - public Utf8JsonReader(System.ReadOnlySpan jsonData, bool isFinalBlock, System.Text.Json.JsonReaderState state) => throw null; - public bool ValueIsEscaped { get => throw null; } - public System.Buffers.ReadOnlySequence ValueSequence { get => throw null; } - public System.ReadOnlySpan ValueSpan { get => throw null; } - public bool ValueTextEquals(System.ReadOnlySpan utf8Text) => throw null; - public bool ValueTextEquals(System.ReadOnlySpan text) => throw null; - public bool ValueTextEquals(string text) => throw null; + public System.Text.Encodings.Web.JavaScriptEncoder Encoder { get => throw null; set { } } + public bool Indented { get => throw null; set { } } + public int MaxDepth { get => throw null; set { } } + public bool SkipValidation { get => throw null; set { } } } - - public class Utf8JsonWriter : System.IAsyncDisposable, System.IDisposable - { - public System.Int64 BytesCommitted { get => throw null; } - public int BytesPending { get => throw null; } - public int CurrentDepth { get => throw null; } - public void Dispose() => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public void Flush() => throw null; - public System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Text.Json.JsonWriterOptions Options { get => throw null; } - public void Reset() => throw null; - public void Reset(System.Buffers.IBufferWriter bufferWriter) => throw null; - public void Reset(System.IO.Stream utf8Json) => throw null; - public Utf8JsonWriter(System.Buffers.IBufferWriter bufferWriter, System.Text.Json.JsonWriterOptions options = default(System.Text.Json.JsonWriterOptions)) => throw null; - public Utf8JsonWriter(System.IO.Stream utf8Json, System.Text.Json.JsonWriterOptions options = default(System.Text.Json.JsonWriterOptions)) => throw null; - public void WriteBase64String(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan bytes) => throw null; - public void WriteBase64String(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan bytes) => throw null; - public void WriteBase64String(System.ReadOnlySpan propertyName, System.ReadOnlySpan bytes) => throw null; - public void WriteBase64String(string propertyName, System.ReadOnlySpan bytes) => throw null; - public void WriteBase64StringValue(System.ReadOnlySpan bytes) => throw null; - public void WriteBoolean(System.Text.Json.JsonEncodedText propertyName, bool value) => throw null; - public void WriteBoolean(System.ReadOnlySpan utf8PropertyName, bool value) => throw null; - public void WriteBoolean(System.ReadOnlySpan propertyName, bool value) => throw null; - public void WriteBoolean(string propertyName, bool value) => throw null; - public void WriteBooleanValue(bool value) => throw null; - public void WriteCommentValue(System.ReadOnlySpan utf8Value) => throw null; - public void WriteCommentValue(System.ReadOnlySpan value) => throw null; - public void WriteCommentValue(string value) => throw null; - public void WriteEndArray() => throw null; - public void WriteEndObject() => throw null; - public void WriteNull(System.Text.Json.JsonEncodedText propertyName) => throw null; - public void WriteNull(System.ReadOnlySpan utf8PropertyName) => throw null; - public void WriteNull(System.ReadOnlySpan propertyName) => throw null; - public void WriteNull(string propertyName) => throw null; - public void WriteNullValue() => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, System.Decimal value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, double value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, float value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, int value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, System.Int64 value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, System.UInt32 value) => throw null; - public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, System.UInt64 value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, System.Decimal value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, double value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, float value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, int value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, System.Int64 value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, System.UInt32 value) => throw null; - public void WriteNumber(System.ReadOnlySpan utf8PropertyName, System.UInt64 value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, System.Decimal value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, double value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, float value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, int value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, System.Int64 value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, System.UInt32 value) => throw null; - public void WriteNumber(System.ReadOnlySpan propertyName, System.UInt64 value) => throw null; - public void WriteNumber(string propertyName, System.Decimal value) => throw null; - public void WriteNumber(string propertyName, double value) => throw null; - public void WriteNumber(string propertyName, float value) => throw null; - public void WriteNumber(string propertyName, int value) => throw null; - public void WriteNumber(string propertyName, System.Int64 value) => throw null; - public void WriteNumber(string propertyName, System.UInt32 value) => throw null; - public void WriteNumber(string propertyName, System.UInt64 value) => throw null; - public void WriteNumberValue(System.Decimal value) => throw null; - public void WriteNumberValue(double value) => throw null; - public void WriteNumberValue(float value) => throw null; - public void WriteNumberValue(int value) => throw null; - public void WriteNumberValue(System.Int64 value) => throw null; - public void WriteNumberValue(System.UInt32 value) => throw null; - public void WriteNumberValue(System.UInt64 value) => throw null; - public void WritePropertyName(System.Text.Json.JsonEncodedText propertyName) => throw null; - public void WritePropertyName(System.ReadOnlySpan utf8PropertyName) => throw null; - public void WritePropertyName(System.ReadOnlySpan propertyName) => throw null; - public void WritePropertyName(string propertyName) => throw null; - public void WriteRawValue(System.ReadOnlySpan utf8Json, bool skipInputValidation = default(bool)) => throw null; - public void WriteRawValue(System.ReadOnlySpan json, bool skipInputValidation = default(bool)) => throw null; - public void WriteRawValue(string json, bool skipInputValidation = default(bool)) => throw null; - public void WriteStartArray() => throw null; - public void WriteStartArray(System.Text.Json.JsonEncodedText propertyName) => throw null; - public void WriteStartArray(System.ReadOnlySpan utf8PropertyName) => throw null; - public void WriteStartArray(System.ReadOnlySpan propertyName) => throw null; - public void WriteStartArray(string propertyName) => throw null; - public void WriteStartObject() => throw null; - public void WriteStartObject(System.Text.Json.JsonEncodedText propertyName) => throw null; - public void WriteStartObject(System.ReadOnlySpan utf8PropertyName) => throw null; - public void WriteStartObject(System.ReadOnlySpan propertyName) => throw null; - public void WriteStartObject(string propertyName) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.DateTime value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.DateTimeOffset value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.Guid value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.Text.Json.JsonEncodedText value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan utf8Value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan value) => throw null; - public void WriteString(System.Text.Json.JsonEncodedText propertyName, string value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.DateTime value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.DateTimeOffset value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.Guid value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.Text.Json.JsonEncodedText value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan utf8Value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan value) => throw null; - public void WriteString(System.ReadOnlySpan utf8PropertyName, string value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.DateTime value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.DateTimeOffset value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.Guid value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.Text.Json.JsonEncodedText value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.ReadOnlySpan utf8Value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, System.ReadOnlySpan value) => throw null; - public void WriteString(System.ReadOnlySpan propertyName, string value) => throw null; - public void WriteString(string propertyName, System.DateTime value) => throw null; - public void WriteString(string propertyName, System.DateTimeOffset value) => throw null; - public void WriteString(string propertyName, System.Guid value) => throw null; - public void WriteString(string propertyName, System.Text.Json.JsonEncodedText value) => throw null; - public void WriteString(string propertyName, System.ReadOnlySpan utf8Value) => throw null; - public void WriteString(string propertyName, System.ReadOnlySpan value) => throw null; - public void WriteString(string propertyName, string value) => throw null; - public void WriteStringValue(System.DateTime value) => throw null; - public void WriteStringValue(System.DateTimeOffset value) => throw null; - public void WriteStringValue(System.Guid value) => throw null; - public void WriteStringValue(System.Text.Json.JsonEncodedText value) => throw null; - public void WriteStringValue(System.ReadOnlySpan utf8Value) => throw null; - public void WriteStringValue(System.ReadOnlySpan value) => throw null; - public void WriteStringValue(string value) => throw null; - } - namespace Nodes { - public class JsonArray : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + public sealed class JsonArray : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { public void Add(System.Text.Json.Nodes.JsonNode item) => throw null; public void Add(T value) => throw null; @@ -527,19 +312,18 @@ public class JsonArray : System.Text.Json.Nodes.JsonNode, System.Collections.Gen void System.Collections.Generic.ICollection.CopyTo(System.Text.Json.Nodes.JsonNode[] array, int index) => throw null; public int Count { get => throw null; } public static System.Text.Json.Nodes.JsonArray Create(System.Text.Json.JsonElement element, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public JsonArray(System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public JsonArray(System.Text.Json.Nodes.JsonNodeOptions options, params System.Text.Json.Nodes.JsonNode[] items) => throw null; + public JsonArray(params System.Text.Json.Nodes.JsonNode[] items) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public int IndexOf(System.Text.Json.Nodes.JsonNode item) => throw null; public void Insert(int index, System.Text.Json.Nodes.JsonNode item) => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public JsonArray(System.Text.Json.Nodes.JsonNodeOptions options, params System.Text.Json.Nodes.JsonNode[] items) => throw null; - public JsonArray(System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public JsonArray(params System.Text.Json.Nodes.JsonNode[] items) => throw null; public bool Remove(System.Text.Json.Nodes.JsonNode item) => throw null; public void RemoveAt(int index) => throw null; public override void WriteTo(System.Text.Json.Utf8JsonWriter writer, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; } - public abstract class JsonNode { public System.Text.Json.Nodes.JsonArray AsArray() => throw null; @@ -547,94 +331,90 @@ public abstract class JsonNode public System.Text.Json.Nodes.JsonValue AsValue() => throw null; public string GetPath() => throw null; public virtual T GetValue() => throw null; - public System.Text.Json.Nodes.JsonNode this[int index] { get => throw null; set => throw null; } - public System.Text.Json.Nodes.JsonNode this[string propertyName] { get => throw null; set => throw null; } - internal JsonNode() => throw null; - public System.Text.Json.Nodes.JsonNodeOptions? Options { get => throw null; } - public System.Text.Json.Nodes.JsonNode Parent { get => throw null; } - public static System.Text.Json.Nodes.JsonNode Parse(System.ReadOnlySpan utf8Json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; - public static System.Text.Json.Nodes.JsonNode Parse(System.IO.Stream utf8Json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; - public static System.Text.Json.Nodes.JsonNode Parse(ref System.Text.Json.Utf8JsonReader reader, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonNode Parse(string json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; - public System.Text.Json.Nodes.JsonNode Root { get => throw null; } - public string ToJsonString(System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; - public override string ToString() => throw null; - public abstract void WriteTo(System.Text.Json.Utf8JsonWriter writer, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)); - public static explicit operator System.Byte(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Byte?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Char(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Char?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator bool(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator byte(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator char(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator System.DateTime(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.DateTime?(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator System.DateTimeOffset(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.DateTimeOffset?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Decimal(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Decimal?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator decimal(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator double(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator System.Guid(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Guid?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Int16(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Int16?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Int64(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.Int64?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.SByte(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.SByte?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt16(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt16?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt32(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt32?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt64(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator System.UInt64?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator bool(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator short(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator int(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator long(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator bool?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator double(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator byte?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator char?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator System.DateTimeOffset?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator System.DateTime?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator decimal?(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator double?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator float(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator float?(System.Text.Json.Nodes.JsonNode value) => throw null; - public static explicit operator int(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator System.Guid?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator short?(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator int?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator long?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator sbyte?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator float?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator ushort?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator uint?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator ulong?(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator sbyte(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator float(System.Text.Json.Nodes.JsonNode value) => throw null; public static explicit operator string(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator ushort(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator uint(System.Text.Json.Nodes.JsonNode value) => throw null; + public static explicit operator ulong(System.Text.Json.Nodes.JsonNode value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(bool value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(byte value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(char value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTime value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTime? value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTimeOffset value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTimeOffset? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(decimal value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(double value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(System.Guid value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Guid? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(bool value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(short value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(int value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(long value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(bool? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Byte value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Byte? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Char value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Char? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Decimal value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Decimal? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(double value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(byte? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(char? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTimeOffset? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(System.DateTime? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(decimal? value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(double? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(float value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(float? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(int value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(System.Guid? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(short? value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(int? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Int64 value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Int64? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.SByte value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.SByte? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Int16 value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.Int16? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(long? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(sbyte? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(float? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(ushort? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(uint? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(ulong? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(sbyte value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(float value) => throw null; public static implicit operator System.Text.Json.Nodes.JsonNode(string value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt32 value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt32? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt64 value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt64? value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt16 value) => throw null; - public static implicit operator System.Text.Json.Nodes.JsonNode(System.UInt16? value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(ushort value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(uint value) => throw null; + public static implicit operator System.Text.Json.Nodes.JsonNode(ulong value) => throw null; + public System.Text.Json.Nodes.JsonNodeOptions? Options { get => throw null; } + public System.Text.Json.Nodes.JsonNode Parent { get => throw null; } + public static System.Text.Json.Nodes.JsonNode Parse(System.IO.Stream utf8Json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.Nodes.JsonNode Parse(System.ReadOnlySpan utf8Json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.Nodes.JsonNode Parse(string json, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?), System.Text.Json.JsonDocumentOptions documentOptions = default(System.Text.Json.JsonDocumentOptions)) => throw null; + public static System.Text.Json.Nodes.JsonNode Parse(ref System.Text.Json.Utf8JsonReader reader, System.Text.Json.Nodes.JsonNodeOptions? nodeOptions = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public System.Text.Json.Nodes.JsonNode Root { get => throw null; } + public System.Text.Json.Nodes.JsonNode this[int index] { get => throw null; set { } } + public System.Text.Json.Nodes.JsonNode this[string propertyName] { get => throw null; set { } } + public string ToJsonString(System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; + public override string ToString() => throw null; + public abstract void WriteTo(System.Text.Json.Utf8JsonWriter writer, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)); } - public struct JsonNodeOptions { - // Stub generator skipped constructor - public bool PropertyNameCaseInsensitive { get => throw null; set => throw null; } + public bool PropertyNameCaseInsensitive { get => throw null; set { } } } - - public class JsonObject : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public sealed class JsonObject : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary { public void Add(System.Collections.Generic.KeyValuePair property) => throw null; public void Add(string propertyName, System.Text.Json.Nodes.JsonNode value) => throw null; @@ -644,62 +424,60 @@ public class JsonObject : System.Text.Json.Nodes.JsonNode, System.Collections.Ge void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; public int Count { get => throw null; } public static System.Text.Json.Nodes.JsonObject Create(System.Text.Json.JsonElement element, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public JsonObject(System.Collections.Generic.IEnumerable> properties, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public JsonObject(System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - public JsonObject(System.Collections.Generic.IEnumerable> properties, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public JsonObject(System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string propertyName) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool TryGetPropertyValue(string propertyName, out System.Text.Json.Nodes.JsonNode jsonNode) => throw null; bool System.Collections.Generic.IDictionary.TryGetValue(string propertyName, out System.Text.Json.Nodes.JsonNode jsonNode) => throw null; System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } public override void WriteTo(System.Text.Json.Utf8JsonWriter writer, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions)) => throw null; } - public abstract class JsonValue : System.Text.Json.Nodes.JsonNode { + public static System.Text.Json.Nodes.JsonValue Create(bool value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(byte value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(char value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(System.DateTime value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.DateTime? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(System.DateTimeOffset value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.DateTimeOffset? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(decimal value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(double value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(System.Guid value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Guid? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Text.Json.JsonElement value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Text.Json.JsonElement? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(bool value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(short value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(int value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(long value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(bool? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Byte value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Byte? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Char value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Char? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Decimal value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Decimal? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(double value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(byte? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(char? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(System.DateTimeOffset? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(System.DateTime? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(decimal? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(double? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(float value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(float? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(int value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(System.Guid? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(short? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(int? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Int64 value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Int64? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.SByte value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.SByte? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Int16 value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.Int16? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(long? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(sbyte? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(float? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(System.Text.Json.JsonElement? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(ushort? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(uint? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(ulong? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(sbyte value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(float value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(string value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt32 value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt32? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt64 value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt64? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt16 value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; - public static System.Text.Json.Nodes.JsonValue Create(System.UInt16? value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(System.Text.Json.JsonElement value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(ushort value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(uint value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; + public static System.Text.Json.Nodes.JsonValue Create(ulong value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(T value, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public static System.Text.Json.Nodes.JsonValue Create(T value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Text.Json.Nodes.JsonNodeOptions? options = default(System.Text.Json.Nodes.JsonNodeOptions?)) => throw null; public abstract bool TryGetValue(out T value); } - } namespace Serialization { @@ -707,49 +485,40 @@ public interface IJsonOnDeserialized { void OnDeserialized(); } - public interface IJsonOnDeserializing { void OnDeserializing(); } - public interface IJsonOnSerialized { void OnSerialized(); } - public interface IJsonOnSerializing { void OnSerializing(); } - public abstract class JsonAttribute : System.Attribute { protected JsonAttribute() => throw null; } - - public class JsonConstructorAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonConstructorAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonConstructorAttribute() => throw null; } - public abstract class JsonConverter { public abstract bool CanConvert(System.Type typeToConvert); - internal JsonConverter() => throw null; } - public abstract class JsonConverter : System.Text.Json.Serialization.JsonConverter { public override bool CanConvert(System.Type typeToConvert) => throw null; + protected JsonConverter() => throw null; public virtual bool HandleNull { get => throw null; } - protected internal JsonConverter() => throw null; public abstract T Read(ref System.Text.Json.Utf8JsonReader reader, System.Type typeToConvert, System.Text.Json.JsonSerializerOptions options); public virtual T ReadAsPropertyName(ref System.Text.Json.Utf8JsonReader reader, System.Type typeToConvert, System.Text.Json.JsonSerializerOptions options) => throw null; public abstract void Write(System.Text.Json.Utf8JsonWriter writer, T value, System.Text.Json.JsonSerializerOptions options); public virtual void WriteAsPropertyName(System.Text.Json.Utf8JsonWriter writer, T value, System.Text.Json.JsonSerializerOptions options) => throw null; } - public class JsonConverterAttribute : System.Text.Json.Serialization.JsonAttribute { public System.Type ConverterType { get => throw null; } @@ -757,171 +526,128 @@ public class JsonConverterAttribute : System.Text.Json.Serialization.JsonAttribu protected JsonConverterAttribute() => throw null; public JsonConverterAttribute(System.Type converterType) => throw null; } - public abstract class JsonConverterFactory : System.Text.Json.Serialization.JsonConverter { public abstract System.Text.Json.Serialization.JsonConverter CreateConverter(System.Type typeToConvert, System.Text.Json.JsonSerializerOptions options); protected JsonConverterFactory() => throw null; } - public class JsonDerivedTypeAttribute : System.Text.Json.Serialization.JsonAttribute { - public System.Type DerivedType { get => throw null; } public JsonDerivedTypeAttribute(System.Type derivedType) => throw null; public JsonDerivedTypeAttribute(System.Type derivedType, int typeDiscriminator) => throw null; public JsonDerivedTypeAttribute(System.Type derivedType, string typeDiscriminator) => throw null; + public System.Type DerivedType { get => throw null; } public object TypeDiscriminator { get => throw null; } } - - public class JsonExtensionDataAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonExtensionDataAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonExtensionDataAttribute() => throw null; } - - public class JsonIgnoreAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonIgnoreAttribute : System.Text.Json.Serialization.JsonAttribute { - public System.Text.Json.Serialization.JsonIgnoreCondition Condition { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonIgnoreCondition Condition { get => throw null; set { } } public JsonIgnoreAttribute() => throw null; } - - public enum JsonIgnoreCondition : int + public enum JsonIgnoreCondition { - Always = 1, Never = 0, + Always = 1, WhenWritingDefault = 2, WhenWritingNull = 3, } - - public class JsonIncludeAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonIncludeAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonIncludeAttribute() => throw null; } - - public enum JsonKnownNamingPolicy : int + public enum JsonKnownNamingPolicy { - CamelCase = 1, Unspecified = 0, + CamelCase = 1, } - [System.Flags] - public enum JsonNumberHandling : int + public enum JsonNumberHandling { - AllowNamedFloatingPointLiterals = 4, - AllowReadingFromString = 1, Strict = 0, + AllowReadingFromString = 1, WriteAsString = 2, + AllowNamedFloatingPointLiterals = 4, } - - public class JsonNumberHandlingAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonNumberHandlingAttribute : System.Text.Json.Serialization.JsonAttribute { - public System.Text.Json.Serialization.JsonNumberHandling Handling { get => throw null; } public JsonNumberHandlingAttribute(System.Text.Json.Serialization.JsonNumberHandling handling) => throw null; + public System.Text.Json.Serialization.JsonNumberHandling Handling { get => throw null; } } - - public class JsonPolymorphicAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonPolymorphicAttribute : System.Text.Json.Serialization.JsonAttribute { - public bool IgnoreUnrecognizedTypeDiscriminators { get => throw null; set => throw null; } public JsonPolymorphicAttribute() => throw null; - public string TypeDiscriminatorPropertyName { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonUnknownDerivedTypeHandling UnknownDerivedTypeHandling { get => throw null; set => throw null; } + public bool IgnoreUnrecognizedTypeDiscriminators { get => throw null; set { } } + public string TypeDiscriminatorPropertyName { get => throw null; set { } } + public System.Text.Json.Serialization.JsonUnknownDerivedTypeHandling UnknownDerivedTypeHandling { get => throw null; set { } } } - - public class JsonPropertyNameAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonPropertyNameAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonPropertyNameAttribute(string name) => throw null; public string Name { get => throw null; } } - - public class JsonPropertyOrderAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonPropertyOrderAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonPropertyOrderAttribute(int order) => throw null; public int Order { get => throw null; } } - - public class JsonRequiredAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonRequiredAttribute : System.Text.Json.Serialization.JsonAttribute { public JsonRequiredAttribute() => throw null; } - - public class JsonSerializableAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonSerializableAttribute : System.Text.Json.Serialization.JsonAttribute { - public System.Text.Json.Serialization.JsonSourceGenerationMode GenerationMode { get => throw null; set => throw null; } public JsonSerializableAttribute(System.Type type) => throw null; - public string TypeInfoPropertyName { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonSourceGenerationMode GenerationMode { get => throw null; set { } } + public string TypeInfoPropertyName { get => throw null; set { } } } - public abstract class JsonSerializerContext : System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver { + protected JsonSerializerContext(System.Text.Json.JsonSerializerOptions options) => throw null; protected abstract System.Text.Json.JsonSerializerOptions GeneratedSerializerOptions { get; } public abstract System.Text.Json.Serialization.Metadata.JsonTypeInfo GetTypeInfo(System.Type type); System.Text.Json.Serialization.Metadata.JsonTypeInfo System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver.GetTypeInfo(System.Type type, System.Text.Json.JsonSerializerOptions options) => throw null; - protected JsonSerializerContext(System.Text.Json.JsonSerializerOptions options) => throw null; public System.Text.Json.JsonSerializerOptions Options { get => throw null; } } - [System.Flags] - public enum JsonSourceGenerationMode : int + public enum JsonSourceGenerationMode { Default = 0, Metadata = 1, Serialization = 2, } - - public class JsonSourceGenerationOptionsAttribute : System.Text.Json.Serialization.JsonAttribute + public sealed class JsonSourceGenerationOptionsAttribute : System.Text.Json.Serialization.JsonAttribute { - public System.Text.Json.Serialization.JsonIgnoreCondition DefaultIgnoreCondition { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonSourceGenerationMode GenerationMode { get => throw null; set => throw null; } - public bool IgnoreReadOnlyFields { get => throw null; set => throw null; } - public bool IgnoreReadOnlyProperties { get => throw null; set => throw null; } - public bool IncludeFields { get => throw null; set => throw null; } public JsonSourceGenerationOptionsAttribute() => throw null; - public System.Text.Json.Serialization.JsonKnownNamingPolicy PropertyNamingPolicy { get => throw null; set => throw null; } - public bool WriteIndented { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonIgnoreCondition DefaultIgnoreCondition { get => throw null; set { } } + public System.Text.Json.Serialization.JsonSourceGenerationMode GenerationMode { get => throw null; set { } } + public bool IgnoreReadOnlyFields { get => throw null; set { } } + public bool IgnoreReadOnlyProperties { get => throw null; set { } } + public bool IncludeFields { get => throw null; set { } } + public System.Text.Json.Serialization.JsonKnownNamingPolicy PropertyNamingPolicy { get => throw null; set { } } + public bool WriteIndented { get => throw null; set { } } } - public class JsonStringEnumConverter : System.Text.Json.Serialization.JsonConverterFactory { - public override bool CanConvert(System.Type typeToConvert) => throw null; - public override System.Text.Json.Serialization.JsonConverter CreateConverter(System.Type typeToConvert, System.Text.Json.JsonSerializerOptions options) => throw null; + public override sealed bool CanConvert(System.Type typeToConvert) => throw null; + public override sealed System.Text.Json.Serialization.JsonConverter CreateConverter(System.Type typeToConvert, System.Text.Json.JsonSerializerOptions options) => throw null; public JsonStringEnumConverter() => throw null; public JsonStringEnumConverter(System.Text.Json.JsonNamingPolicy namingPolicy = default(System.Text.Json.JsonNamingPolicy), bool allowIntegerValues = default(bool)) => throw null; } - - public enum JsonUnknownDerivedTypeHandling : int + public enum JsonUnknownDerivedTypeHandling { FailSerialization = 0, FallBackToBaseType = 1, FallBackToNearestAncestor = 2, } - - public enum JsonUnknownTypeHandling : int + public enum JsonUnknownTypeHandling { JsonElement = 0, JsonNode = 1, } - - public abstract class ReferenceHandler - { - public abstract System.Text.Json.Serialization.ReferenceResolver CreateResolver(); - public static System.Text.Json.Serialization.ReferenceHandler IgnoreCycles { get => throw null; } - public static System.Text.Json.Serialization.ReferenceHandler Preserve { get => throw null; } - protected ReferenceHandler() => throw null; - } - - public class ReferenceHandler : System.Text.Json.Serialization.ReferenceHandler where T : System.Text.Json.Serialization.ReferenceResolver, new() - { - public override System.Text.Json.Serialization.ReferenceResolver CreateResolver() => throw null; - public ReferenceHandler() => throw null; - } - - public abstract class ReferenceResolver - { - public abstract void AddReference(string referenceId, object value); - public abstract string GetReference(object value, out bool alreadyExists); - protected ReferenceResolver() => throw null; - public abstract object ResolveReference(string referenceId); - } - namespace Metadata { public class DefaultJsonTypeInfoResolver : System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver @@ -930,75 +656,70 @@ public class DefaultJsonTypeInfoResolver : System.Text.Json.Serialization.Metada public virtual System.Text.Json.Serialization.Metadata.JsonTypeInfo GetTypeInfo(System.Type type, System.Text.Json.JsonSerializerOptions options) => throw null; public System.Collections.Generic.IList> Modifiers { get => throw null; } } - public interface IJsonTypeInfoResolver { System.Text.Json.Serialization.Metadata.JsonTypeInfo GetTypeInfo(System.Type type, System.Text.Json.JsonSerializerOptions options); } - - public class JsonCollectionInfoValues + public sealed class JsonCollectionInfoValues { - public System.Text.Json.Serialization.Metadata.JsonTypeInfo ElementInfo { get => throw null; set => throw null; } public JsonCollectionInfoValues() => throw null; - public System.Text.Json.Serialization.Metadata.JsonTypeInfo KeyInfo { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set => throw null; } - public System.Func ObjectCreator { get => throw null; set => throw null; } - public System.Action SerializeHandler { get => throw null; set => throw null; } + public System.Text.Json.Serialization.Metadata.JsonTypeInfo ElementInfo { get => throw null; set { } } + public System.Text.Json.Serialization.Metadata.JsonTypeInfo KeyInfo { get => throw null; set { } } + public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set { } } + public System.Func ObjectCreator { get => throw null; set { } } + public System.Action SerializeHandler { get => throw null; set { } } } - public struct JsonDerivedType { - public System.Type DerivedType { get => throw null; } - // Stub generator skipped constructor public JsonDerivedType(System.Type derivedType) => throw null; public JsonDerivedType(System.Type derivedType, int typeDiscriminator) => throw null; public JsonDerivedType(System.Type derivedType, string typeDiscriminator) => throw null; + public System.Type DerivedType { get => throw null; } public object TypeDiscriminator { get => throw null; } } - public static class JsonMetadataServices { public static System.Text.Json.Serialization.JsonConverter BooleanConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter ByteArrayConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter ByteConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter CharConverter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter ByteArrayConverter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter ByteConverter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter CharConverter { get => throw null; } public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateArrayInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateConcurrentQueueInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Concurrent.ConcurrentQueue => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateConcurrentStackInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Concurrent.ConcurrentStack => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.Dictionary => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIAsyncEnumerableInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IAsyncEnumerable => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateICollectionInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.ICollection => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IDictionary => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.IDictionary => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIEnumerableInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IEnumerable => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IDictionary => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIEnumerableInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.IEnumerable => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIListInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IList => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIEnumerableInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IEnumerable => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIListInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.IList => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIReadOnlyDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IReadOnlyDictionary => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateISetInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.ISet => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIListInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IList => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateImmutableDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo, System.Func>, TCollection> createRangeFunc) where TCollection : System.Collections.Generic.IReadOnlyDictionary => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateImmutableEnumerableInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo, System.Func, TCollection> createRangeFunc) where TCollection : System.Collections.Generic.IEnumerable => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateIReadOnlyDictionaryInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.IReadOnlyDictionary => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateISetInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.ISet => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateListInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.List => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateObjectInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonObjectInfoValues objectInfo) => throw null; public static System.Text.Json.Serialization.Metadata.JsonPropertyInfo CreatePropertyInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonPropertyInfoValues propertyInfo) => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateQueueInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.Queue => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateQueueInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo, System.Action addFunc) where TCollection : System.Collections.IEnumerable => throw null; - public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateStackInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.Stack => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateQueueInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.Queue => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateStackInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo, System.Action addFunc) where TCollection : System.Collections.IEnumerable => throw null; + public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateStackInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.Metadata.JsonCollectionInfoValues collectionInfo) where TCollection : System.Collections.Generic.Stack => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateValueInfo(System.Text.Json.JsonSerializerOptions options, System.Text.Json.Serialization.JsonConverter converter) => throw null; public static System.Text.Json.Serialization.JsonConverter DateOnlyConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter DateTimeConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter DateTimeOffsetConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter DecimalConverter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter DecimalConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter DoubleConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter GetEnumConverter(System.Text.Json.JsonSerializerOptions options) where T : struct => throw null; public static System.Text.Json.Serialization.JsonConverter GetNullableConverter(System.Text.Json.JsonSerializerOptions options) where T : struct => throw null; public static System.Text.Json.Serialization.JsonConverter GetNullableConverter(System.Text.Json.Serialization.Metadata.JsonTypeInfo underlyingTypeInfo) where T : struct => throw null; public static System.Text.Json.Serialization.JsonConverter GetUnsupportedTypeConverter() => throw null; public static System.Text.Json.Serialization.JsonConverter GuidConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter Int16Converter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter Int16Converter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter Int32Converter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter Int64Converter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter Int64Converter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter JsonArrayConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter JsonDocumentConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter JsonElementConverter { get => throw null; } @@ -1006,125 +727,315 @@ public static class JsonMetadataServices public static System.Text.Json.Serialization.JsonConverter JsonObjectConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter JsonValueConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter ObjectConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter SByteConverter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter SByteConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter SingleConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter StringConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter TimeOnlyConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter TimeSpanConverter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter UInt16Converter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter UInt32Converter { get => throw null; } - public static System.Text.Json.Serialization.JsonConverter UInt64Converter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter UInt16Converter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter UInt32Converter { get => throw null; } + public static System.Text.Json.Serialization.JsonConverter UInt64Converter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter UriConverter { get => throw null; } public static System.Text.Json.Serialization.JsonConverter VersionConverter { get => throw null; } } - - public class JsonObjectInfoValues + public sealed class JsonObjectInfoValues { - public System.Func ConstructorParameterMetadataInitializer { get => throw null; set => throw null; } + public System.Func ConstructorParameterMetadataInitializer { get => throw null; set { } } public JsonObjectInfoValues() => throw null; - public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set => throw null; } - public System.Func ObjectCreator { get => throw null; set => throw null; } - public System.Func ObjectWithParameterizedConstructorCreator { get => throw null; set => throw null; } - public System.Func PropertyMetadataInitializer { get => throw null; set => throw null; } - public System.Action SerializeHandler { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonNumberHandling NumberHandling { get => throw null; set { } } + public System.Func ObjectCreator { get => throw null; set { } } + public System.Func ObjectWithParameterizedConstructorCreator { get => throw null; set { } } + public System.Func PropertyMetadataInitializer { get => throw null; set { } } + public System.Action SerializeHandler { get => throw null; set { } } } - - public class JsonParameterInfoValues + public sealed class JsonParameterInfoValues { - public object DefaultValue { get => throw null; set => throw null; } - public bool HasDefaultValue { get => throw null; set => throw null; } public JsonParameterInfoValues() => throw null; - public string Name { get => throw null; set => throw null; } - public System.Type ParameterType { get => throw null; set => throw null; } - public int Position { get => throw null; set => throw null; } + public object DefaultValue { get => throw null; set { } } + public bool HasDefaultValue { get => throw null; set { } } + public string Name { get => throw null; set { } } + public System.Type ParameterType { get => throw null; set { } } + public int Position { get => throw null; set { } } } - public class JsonPolymorphismOptions { - public System.Collections.Generic.IList DerivedTypes { get => throw null; } - public bool IgnoreUnrecognizedTypeDiscriminators { get => throw null; set => throw null; } public JsonPolymorphismOptions() => throw null; - public string TypeDiscriminatorPropertyName { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonUnknownDerivedTypeHandling UnknownDerivedTypeHandling { get => throw null; set => throw null; } + public System.Collections.Generic.IList DerivedTypes { get => throw null; } + public bool IgnoreUnrecognizedTypeDiscriminators { get => throw null; set { } } + public string TypeDiscriminatorPropertyName { get => throw null; set { } } + public System.Text.Json.Serialization.JsonUnknownDerivedTypeHandling UnknownDerivedTypeHandling { get => throw null; set { } } } - public abstract class JsonPropertyInfo { - public System.Reflection.ICustomAttributeProvider AttributeProvider { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonConverter CustomConverter { get => throw null; set => throw null; } - public System.Func Get { get => throw null; set => throw null; } - public bool IsExtensionData { get => throw null; set => throw null; } - public bool IsRequired { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set => throw null; } + public System.Reflection.ICustomAttributeProvider AttributeProvider { get => throw null; set { } } + public System.Text.Json.Serialization.JsonConverter CustomConverter { get => throw null; set { } } + public System.Func Get { get => throw null; set { } } + public bool IsExtensionData { get => throw null; set { } } + public bool IsRequired { get => throw null; set { } } + public string Name { get => throw null; set { } } + public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set { } } public System.Text.Json.JsonSerializerOptions Options { get => throw null; } - public int Order { get => throw null; set => throw null; } + public int Order { get => throw null; set { } } public System.Type PropertyType { get => throw null; } - public System.Action Set { get => throw null; set => throw null; } - public System.Func ShouldSerialize { get => throw null; set => throw null; } + public System.Action Set { get => throw null; set { } } + public System.Func ShouldSerialize { get => throw null; set { } } } - - public class JsonPropertyInfoValues + public sealed class JsonPropertyInfoValues { - public System.Text.Json.Serialization.JsonConverter Converter { get => throw null; set => throw null; } - public System.Type DeclaringType { get => throw null; set => throw null; } - public System.Func Getter { get => throw null; set => throw null; } - public bool HasJsonInclude { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonIgnoreCondition? IgnoreCondition { get => throw null; set => throw null; } - public bool IsExtensionData { get => throw null; set => throw null; } - public bool IsProperty { get => throw null; set => throw null; } - public bool IsPublic { get => throw null; set => throw null; } - public bool IsVirtual { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonConverter Converter { get => throw null; set { } } public JsonPropertyInfoValues() => throw null; - public string JsonPropertyName { get => throw null; set => throw null; } - public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set => throw null; } - public string PropertyName { get => throw null; set => throw null; } - public System.Text.Json.Serialization.Metadata.JsonTypeInfo PropertyTypeInfo { get => throw null; set => throw null; } - public System.Action Setter { get => throw null; set => throw null; } + public System.Type DeclaringType { get => throw null; set { } } + public System.Func Getter { get => throw null; set { } } + public bool HasJsonInclude { get => throw null; set { } } + public System.Text.Json.Serialization.JsonIgnoreCondition? IgnoreCondition { get => throw null; set { } } + public bool IsExtensionData { get => throw null; set { } } + public bool IsProperty { get => throw null; set { } } + public bool IsPublic { get => throw null; set { } } + public bool IsVirtual { get => throw null; set { } } + public string JsonPropertyName { get => throw null; set { } } + public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set { } } + public string PropertyName { get => throw null; set { } } + public System.Text.Json.Serialization.Metadata.JsonTypeInfo PropertyTypeInfo { get => throw null; set { } } + public System.Action Setter { get => throw null; set { } } } - public abstract class JsonTypeInfo { public System.Text.Json.Serialization.JsonConverter Converter { get => throw null; } public System.Text.Json.Serialization.Metadata.JsonPropertyInfo CreateJsonPropertyInfo(System.Type propertyType, string name) => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateJsonTypeInfo(System.Type type, System.Text.Json.JsonSerializerOptions options) => throw null; public static System.Text.Json.Serialization.Metadata.JsonTypeInfo CreateJsonTypeInfo(System.Text.Json.JsonSerializerOptions options) => throw null; - public System.Func CreateObject { get => throw null; set => throw null; } + public System.Func CreateObject { get => throw null; set { } } public bool IsReadOnly { get => throw null; } - internal JsonTypeInfo() => throw null; public System.Text.Json.Serialization.Metadata.JsonTypeInfoKind Kind { get => throw null; } public void MakeReadOnly() => throw null; - public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set => throw null; } - public System.Action OnDeserialized { get => throw null; set => throw null; } - public System.Action OnDeserializing { get => throw null; set => throw null; } - public System.Action OnSerialized { get => throw null; set => throw null; } - public System.Action OnSerializing { get => throw null; set => throw null; } + public System.Text.Json.Serialization.JsonNumberHandling? NumberHandling { get => throw null; set { } } + public System.Action OnDeserialized { get => throw null; set { } } + public System.Action OnDeserializing { get => throw null; set { } } + public System.Action OnSerialized { get => throw null; set { } } + public System.Action OnSerializing { get => throw null; set { } } public System.Text.Json.JsonSerializerOptions Options { get => throw null; } - public System.Text.Json.Serialization.Metadata.JsonPolymorphismOptions PolymorphismOptions { get => throw null; set => throw null; } + public System.Text.Json.Serialization.Metadata.JsonPolymorphismOptions PolymorphismOptions { get => throw null; set { } } public System.Collections.Generic.IList Properties { get => throw null; } public System.Type Type { get => throw null; } } - public abstract class JsonTypeInfo : System.Text.Json.Serialization.Metadata.JsonTypeInfo { - public System.Func CreateObject { get => throw null; set => throw null; } + public System.Func CreateObject { get => throw null; set { } } public System.Action SerializeHandler { get => throw null; } } - - public enum JsonTypeInfoKind : int + public enum JsonTypeInfoKind { - Dictionary = 3, - Enumerable = 2, None = 0, Object = 1, + Enumerable = 2, + Dictionary = 3, } - public static class JsonTypeInfoResolver { public static System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver Combine(params System.Text.Json.Serialization.Metadata.IJsonTypeInfoResolver[] resolvers) => throw null; } - } + public abstract class ReferenceHandler + { + public abstract System.Text.Json.Serialization.ReferenceResolver CreateResolver(); + protected ReferenceHandler() => throw null; + public static System.Text.Json.Serialization.ReferenceHandler IgnoreCycles { get => throw null; } + public static System.Text.Json.Serialization.ReferenceHandler Preserve { get => throw null; } + } + public sealed class ReferenceHandler : System.Text.Json.Serialization.ReferenceHandler where T : System.Text.Json.Serialization.ReferenceResolver, new() + { + public override System.Text.Json.Serialization.ReferenceResolver CreateResolver() => throw null; + public ReferenceHandler() => throw null; + } + public abstract class ReferenceResolver + { + public abstract void AddReference(string referenceId, object value); + protected ReferenceResolver() => throw null; + public abstract string GetReference(object value, out bool alreadyExists); + public abstract object ResolveReference(string referenceId); + } + } + public struct Utf8JsonReader + { + public long BytesConsumed { get => throw null; } + public int CopyString(System.Span utf8Destination) => throw null; + public int CopyString(System.Span destination) => throw null; + public Utf8JsonReader(System.Buffers.ReadOnlySequence jsonData, bool isFinalBlock, System.Text.Json.JsonReaderState state) => throw null; + public Utf8JsonReader(System.Buffers.ReadOnlySequence jsonData, System.Text.Json.JsonReaderOptions options = default(System.Text.Json.JsonReaderOptions)) => throw null; + public Utf8JsonReader(System.ReadOnlySpan jsonData, bool isFinalBlock, System.Text.Json.JsonReaderState state) => throw null; + public Utf8JsonReader(System.ReadOnlySpan jsonData, System.Text.Json.JsonReaderOptions options = default(System.Text.Json.JsonReaderOptions)) => throw null; + public int CurrentDepth { get => throw null; } + public System.Text.Json.JsonReaderState CurrentState { get => throw null; } + public bool GetBoolean() => throw null; + public byte GetByte() => throw null; + public byte[] GetBytesFromBase64() => throw null; + public string GetComment() => throw null; + public System.DateTime GetDateTime() => throw null; + public System.DateTimeOffset GetDateTimeOffset() => throw null; + public decimal GetDecimal() => throw null; + public double GetDouble() => throw null; + public System.Guid GetGuid() => throw null; + public short GetInt16() => throw null; + public int GetInt32() => throw null; + public long GetInt64() => throw null; + public sbyte GetSByte() => throw null; + public float GetSingle() => throw null; + public string GetString() => throw null; + public ushort GetUInt16() => throw null; + public uint GetUInt32() => throw null; + public ulong GetUInt64() => throw null; + public bool HasValueSequence { get => throw null; } + public bool IsFinalBlock { get => throw null; } + public System.SequencePosition Position { get => throw null; } + public bool Read() => throw null; + public void Skip() => throw null; + public long TokenStartIndex { get => throw null; } + public System.Text.Json.JsonTokenType TokenType { get => throw null; } + public bool TryGetByte(out byte value) => throw null; + public bool TryGetBytesFromBase64(out byte[] value) => throw null; + public bool TryGetDateTime(out System.DateTime value) => throw null; + public bool TryGetDateTimeOffset(out System.DateTimeOffset value) => throw null; + public bool TryGetDecimal(out decimal value) => throw null; + public bool TryGetDouble(out double value) => throw null; + public bool TryGetGuid(out System.Guid value) => throw null; + public bool TryGetInt16(out short value) => throw null; + public bool TryGetInt32(out int value) => throw null; + public bool TryGetInt64(out long value) => throw null; + public bool TryGetSByte(out sbyte value) => throw null; + public bool TryGetSingle(out float value) => throw null; + public bool TryGetUInt16(out ushort value) => throw null; + public bool TryGetUInt32(out uint value) => throw null; + public bool TryGetUInt64(out ulong value) => throw null; + public bool TrySkip() => throw null; + public bool ValueIsEscaped { get => throw null; } + public System.Buffers.ReadOnlySequence ValueSequence { get => throw null; } + public System.ReadOnlySpan ValueSpan { get => throw null; } + public bool ValueTextEquals(System.ReadOnlySpan utf8Text) => throw null; + public bool ValueTextEquals(System.ReadOnlySpan text) => throw null; + public bool ValueTextEquals(string text) => throw null; + } + public sealed class Utf8JsonWriter : System.IAsyncDisposable, System.IDisposable + { + public long BytesCommitted { get => throw null; } + public int BytesPending { get => throw null; } + public Utf8JsonWriter(System.Buffers.IBufferWriter bufferWriter, System.Text.Json.JsonWriterOptions options = default(System.Text.Json.JsonWriterOptions)) => throw null; + public Utf8JsonWriter(System.IO.Stream utf8Json, System.Text.Json.JsonWriterOptions options = default(System.Text.Json.JsonWriterOptions)) => throw null; + public int CurrentDepth { get => throw null; } + public void Dispose() => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public void Flush() => throw null; + public System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Text.Json.JsonWriterOptions Options { get => throw null; } + public void Reset() => throw null; + public void Reset(System.Buffers.IBufferWriter bufferWriter) => throw null; + public void Reset(System.IO.Stream utf8Json) => throw null; + public void WriteBase64String(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan bytes) => throw null; + public void WriteBase64String(System.ReadOnlySpan propertyName, System.ReadOnlySpan bytes) => throw null; + public void WriteBase64String(string propertyName, System.ReadOnlySpan bytes) => throw null; + public void WriteBase64String(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan bytes) => throw null; + public void WriteBase64StringValue(System.ReadOnlySpan bytes) => throw null; + public void WriteBoolean(System.ReadOnlySpan utf8PropertyName, bool value) => throw null; + public void WriteBoolean(System.ReadOnlySpan propertyName, bool value) => throw null; + public void WriteBoolean(string propertyName, bool value) => throw null; + public void WriteBoolean(System.Text.Json.JsonEncodedText propertyName, bool value) => throw null; + public void WriteBooleanValue(bool value) => throw null; + public void WriteCommentValue(System.ReadOnlySpan utf8Value) => throw null; + public void WriteCommentValue(System.ReadOnlySpan value) => throw null; + public void WriteCommentValue(string value) => throw null; + public void WriteEndArray() => throw null; + public void WriteEndObject() => throw null; + public void WriteNull(System.ReadOnlySpan utf8PropertyName) => throw null; + public void WriteNull(System.ReadOnlySpan propertyName) => throw null; + public void WriteNull(string propertyName) => throw null; + public void WriteNull(System.Text.Json.JsonEncodedText propertyName) => throw null; + public void WriteNullValue() => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, decimal value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, double value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, int value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, long value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, float value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, uint value) => throw null; + public void WriteNumber(System.ReadOnlySpan utf8PropertyName, ulong value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, decimal value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, double value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, int value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, long value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, float value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, uint value) => throw null; + public void WriteNumber(System.ReadOnlySpan propertyName, ulong value) => throw null; + public void WriteNumber(string propertyName, decimal value) => throw null; + public void WriteNumber(string propertyName, double value) => throw null; + public void WriteNumber(string propertyName, int value) => throw null; + public void WriteNumber(string propertyName, long value) => throw null; + public void WriteNumber(string propertyName, float value) => throw null; + public void WriteNumber(string propertyName, uint value) => throw null; + public void WriteNumber(string propertyName, ulong value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, decimal value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, double value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, int value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, long value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, float value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, uint value) => throw null; + public void WriteNumber(System.Text.Json.JsonEncodedText propertyName, ulong value) => throw null; + public void WriteNumberValue(decimal value) => throw null; + public void WriteNumberValue(double value) => throw null; + public void WriteNumberValue(int value) => throw null; + public void WriteNumberValue(long value) => throw null; + public void WriteNumberValue(float value) => throw null; + public void WriteNumberValue(uint value) => throw null; + public void WriteNumberValue(ulong value) => throw null; + public void WritePropertyName(System.ReadOnlySpan utf8PropertyName) => throw null; + public void WritePropertyName(System.ReadOnlySpan propertyName) => throw null; + public void WritePropertyName(string propertyName) => throw null; + public void WritePropertyName(System.Text.Json.JsonEncodedText propertyName) => throw null; + public void WriteRawValue(System.ReadOnlySpan utf8Json, bool skipInputValidation = default(bool)) => throw null; + public void WriteRawValue(System.ReadOnlySpan json, bool skipInputValidation = default(bool)) => throw null; + public void WriteRawValue(string json, bool skipInputValidation = default(bool)) => throw null; + public void WriteStartArray() => throw null; + public void WriteStartArray(System.ReadOnlySpan utf8PropertyName) => throw null; + public void WriteStartArray(System.ReadOnlySpan propertyName) => throw null; + public void WriteStartArray(string propertyName) => throw null; + public void WriteStartArray(System.Text.Json.JsonEncodedText propertyName) => throw null; + public void WriteStartObject() => throw null; + public void WriteStartObject(System.ReadOnlySpan utf8PropertyName) => throw null; + public void WriteStartObject(System.ReadOnlySpan propertyName) => throw null; + public void WriteStartObject(string propertyName) => throw null; + public void WriteStartObject(System.Text.Json.JsonEncodedText propertyName) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.DateTime value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.DateTimeOffset value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.Guid value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan utf8Value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.ReadOnlySpan value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, string value) => throw null; + public void WriteString(System.ReadOnlySpan utf8PropertyName, System.Text.Json.JsonEncodedText value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.DateTime value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.DateTimeOffset value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.Guid value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.ReadOnlySpan utf8Value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.ReadOnlySpan value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, string value) => throw null; + public void WriteString(System.ReadOnlySpan propertyName, System.Text.Json.JsonEncodedText value) => throw null; + public void WriteString(string propertyName, System.DateTime value) => throw null; + public void WriteString(string propertyName, System.DateTimeOffset value) => throw null; + public void WriteString(string propertyName, System.Guid value) => throw null; + public void WriteString(string propertyName, System.ReadOnlySpan utf8Value) => throw null; + public void WriteString(string propertyName, System.ReadOnlySpan value) => throw null; + public void WriteString(string propertyName, string value) => throw null; + public void WriteString(string propertyName, System.Text.Json.JsonEncodedText value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.DateTime value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.DateTimeOffset value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.Guid value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan utf8Value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.ReadOnlySpan value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, string value) => throw null; + public void WriteString(System.Text.Json.JsonEncodedText propertyName, System.Text.Json.JsonEncodedText value) => throw null; + public void WriteStringValue(System.DateTime value) => throw null; + public void WriteStringValue(System.DateTimeOffset value) => throw null; + public void WriteStringValue(System.Guid value) => throw null; + public void WriteStringValue(System.ReadOnlySpan utf8Value) => throw null; + public void WriteStringValue(System.ReadOnlySpan value) => throw null; + public void WriteStringValue(string value) => throw null; + public void WriteStringValue(System.Text.Json.JsonEncodedText value) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs index 327a4efb7aa7..6baaa659f380 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Text.RegularExpressions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Text @@ -9,15 +8,13 @@ namespace RegularExpressions { public class Capture { - internal Capture() => throw null; public int Index { get => throw null; } public int Length { get => throw null; } public override string ToString() => throw null; public string Value { get => throw null; } - public System.ReadOnlySpan ValueSpan { get => throw null; } + public System.ReadOnlySpan ValueSpan { get => throw null; } } - - public class CaptureCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public class CaptureCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Capture item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -37,39 +34,35 @@ public class CaptureCollection : System.Collections.Generic.ICollection throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public System.Text.RegularExpressions.Capture this[int i] { get => throw null; } - System.Text.RegularExpressions.Capture System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + System.Text.RegularExpressions.Capture System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } bool System.Collections.Generic.ICollection.Remove(System.Text.RegularExpressions.Capture item) => throw null; void System.Collections.IList.Remove(object value) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; void System.Collections.IList.RemoveAt(int index) => throw null; public object SyncRoot { get => throw null; } + public System.Text.RegularExpressions.Capture this[int i] { get => throw null; } } - - public class GeneratedRegexAttribute : System.Attribute + public sealed class GeneratedRegexAttribute : System.Attribute { - public string CultureName { get => throw null; } public GeneratedRegexAttribute(string pattern) => throw null; public GeneratedRegexAttribute(string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; + public GeneratedRegexAttribute(string pattern, System.Text.RegularExpressions.RegexOptions options, string cultureName) => throw null; public GeneratedRegexAttribute(string pattern, System.Text.RegularExpressions.RegexOptions options, int matchTimeoutMilliseconds) => throw null; public GeneratedRegexAttribute(string pattern, System.Text.RegularExpressions.RegexOptions options, int matchTimeoutMilliseconds, string cultureName) => throw null; - public GeneratedRegexAttribute(string pattern, System.Text.RegularExpressions.RegexOptions options, string cultureName) => throw null; + public string CultureName { get => throw null; } public int MatchTimeoutMilliseconds { get => throw null; } public System.Text.RegularExpressions.RegexOptions Options { get => throw null; } public string Pattern { get => throw null; } } - public class Group : System.Text.RegularExpressions.Capture { public System.Text.RegularExpressions.CaptureCollection Captures { get => throw null; } - internal Group() => throw null; public string Name { get => throw null; } public bool Success { get => throw null; } public static System.Text.RegularExpressions.Group Synchronized(System.Text.RegularExpressions.Group inner) => throw null; } - - public class GroupCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public class GroupCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Group item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -91,20 +84,19 @@ public class GroupCollection : System.Collections.Generic.ICollection throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public System.Text.RegularExpressions.Group this[int groupnum] { get => throw null; } - System.Text.RegularExpressions.Group System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public System.Text.RegularExpressions.Group this[string groupname] { get => throw null; } + System.Text.RegularExpressions.Group System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } public System.Collections.Generic.IEnumerable Keys { get => throw null; } bool System.Collections.Generic.ICollection.Remove(System.Text.RegularExpressions.Group item) => throw null; void System.Collections.IList.Remove(object value) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; void System.Collections.IList.RemoveAt(int index) => throw null; public object SyncRoot { get => throw null; } + public System.Text.RegularExpressions.Group this[int groupnum] { get => throw null; } + public System.Text.RegularExpressions.Group this[string groupname] { get => throw null; } public bool TryGetValue(string key, out System.Text.RegularExpressions.Group value) => throw null; public System.Collections.Generic.IEnumerable Values { get => throw null; } } - public class Match : System.Text.RegularExpressions.Group { public static System.Text.RegularExpressions.Match Empty { get => throw null; } @@ -113,8 +105,7 @@ public class Match : System.Text.RegularExpressions.Group public virtual string Result(string replacement) => throw null; public static System.Text.RegularExpressions.Match Synchronized(System.Text.RegularExpressions.Match inner) => throw null; } - - public class MatchCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public class MatchCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Match item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -134,50 +125,49 @@ public class MatchCollection : System.Collections.Generic.ICollection throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public virtual System.Text.RegularExpressions.Match this[int i] { get => throw null; } - System.Text.RegularExpressions.Match System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + System.Text.RegularExpressions.Match System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + object System.Collections.IList.this[int index] { get => throw null; set { } } bool System.Collections.Generic.ICollection.Remove(System.Text.RegularExpressions.Match item) => throw null; void System.Collections.IList.Remove(object value) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; void System.Collections.IList.RemoveAt(int index) => throw null; public object SyncRoot { get => throw null; } + public virtual System.Text.RegularExpressions.Match this[int i] { get => throw null; } } - public delegate string MatchEvaluator(System.Text.RegularExpressions.Match match); - public class Regex : System.Runtime.Serialization.ISerializable { - public struct ValueMatchEnumerator - { - public System.Text.RegularExpressions.ValueMatch Current { get => throw null; } - public System.Text.RegularExpressions.Regex.ValueMatchEnumerator GetEnumerator() => throw null; - public bool MoveNext() => throw null; - // Stub generator skipped constructor - } - - - public static int CacheSize { get => throw null; set => throw null; } - protected System.Collections.IDictionary CapNames { get => throw null; set => throw null; } - protected System.Collections.IDictionary Caps { get => throw null; set => throw null; } + public static int CacheSize { get => throw null; set { } } + protected System.Collections.Hashtable capnames; + protected System.Collections.IDictionary CapNames { get => throw null; set { } } + protected System.Collections.Hashtable caps; + protected System.Collections.IDictionary Caps { get => throw null; set { } } + protected int capsize; + protected string[] capslist; public static void CompileToAssembly(System.Text.RegularExpressions.RegexCompilationInfo[] regexinfos, System.Reflection.AssemblyName assemblyname) => throw null; public static void CompileToAssembly(System.Text.RegularExpressions.RegexCompilationInfo[] regexinfos, System.Reflection.AssemblyName assemblyname, System.Reflection.Emit.CustomAttributeBuilder[] attributes) => throw null; public static void CompileToAssembly(System.Text.RegularExpressions.RegexCompilationInfo[] regexinfos, System.Reflection.AssemblyName assemblyname, System.Reflection.Emit.CustomAttributeBuilder[] attributes, string resourceFile) => throw null; - public int Count(System.ReadOnlySpan input) => throw null; - public int Count(System.ReadOnlySpan input, int startat) => throw null; - public static int Count(System.ReadOnlySpan input, string pattern) => throw null; - public static int Count(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; - public static int Count(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; public int Count(string input) => throw null; + public int Count(System.ReadOnlySpan input) => throw null; + public int Count(System.ReadOnlySpan input, int startat) => throw null; public static int Count(string input, string pattern) => throw null; public static int Count(string input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; public static int Count(string input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; - public System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input) => throw null; - public System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, int startat) => throw null; - public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern) => throw null; - public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; - public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + public static int Count(System.ReadOnlySpan input, string pattern) => throw null; + public static int Count(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; + public static int Count(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + protected Regex() => throw null; + protected Regex(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public Regex(string pattern) => throw null; + public Regex(string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; + public Regex(string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + public System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input) => throw null; + public System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, int startat) => throw null; + public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern) => throw null; + public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; + public static System.Text.RegularExpressions.Regex.ValueMatchEnumerator EnumerateMatches(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; public static string Escape(string str) => throw null; + protected System.Text.RegularExpressions.RegexRunnerFactory factory; public string[] GetGroupNames() => throw null; public int[] GetGroupNumbers() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo si, System.Runtime.Serialization.StreamingContext context) => throw null; @@ -185,11 +175,12 @@ public struct ValueMatchEnumerator public int GroupNumberFromName(string name) => throw null; public static System.TimeSpan InfiniteMatchTimeout; protected void InitializeReferences() => throw null; - public bool IsMatch(System.ReadOnlySpan input) => throw null; - public bool IsMatch(System.ReadOnlySpan input, int startat) => throw null; - public static bool IsMatch(System.ReadOnlySpan input, string pattern) => throw null; - public static bool IsMatch(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; - public static bool IsMatch(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + protected System.TimeSpan internalMatchTimeout; + public bool IsMatch(System.ReadOnlySpan input) => throw null; + public bool IsMatch(System.ReadOnlySpan input, int startat) => throw null; + public static bool IsMatch(System.ReadOnlySpan input, string pattern) => throw null; + public static bool IsMatch(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; + public static bool IsMatch(System.ReadOnlySpan input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; public bool IsMatch(string input) => throw null; public bool IsMatch(string input, int startat) => throw null; public static bool IsMatch(string input, string pattern) => throw null; @@ -201,31 +192,28 @@ public struct ValueMatchEnumerator public static System.Text.RegularExpressions.Match Match(string input, string pattern) => throw null; public static System.Text.RegularExpressions.Match Match(string input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; public static System.Text.RegularExpressions.Match Match(string input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; - public System.TimeSpan MatchTimeout { get => throw null; } public System.Text.RegularExpressions.MatchCollection Matches(string input) => throw null; public System.Text.RegularExpressions.MatchCollection Matches(string input, int startat) => throw null; public static System.Text.RegularExpressions.MatchCollection Matches(string input, string pattern) => throw null; public static System.Text.RegularExpressions.MatchCollection Matches(string input, string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; public static System.Text.RegularExpressions.MatchCollection Matches(string input, string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + public System.TimeSpan MatchTimeout { get => throw null; } public System.Text.RegularExpressions.RegexOptions Options { get => throw null; } - protected Regex() => throw null; - protected Regex(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Regex(string pattern) => throw null; - public Regex(string pattern, System.Text.RegularExpressions.RegexOptions options) => throw null; - public Regex(string pattern, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; - public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator) => throw null; - public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator, int count) => throw null; - public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator, int count, int startat) => throw null; + protected string pattern; public string Replace(string input, string replacement) => throw null; - public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator) => throw null; - public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator, System.Text.RegularExpressions.RegexOptions options) => throw null; - public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; public string Replace(string input, string replacement, int count) => throw null; public string Replace(string input, string replacement, int count, int startat) => throw null; public static string Replace(string input, string pattern, string replacement) => throw null; public static string Replace(string input, string pattern, string replacement, System.Text.RegularExpressions.RegexOptions options) => throw null; public static string Replace(string input, string pattern, string replacement, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator) => throw null; + public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator, System.Text.RegularExpressions.RegexOptions options) => throw null; + public static string Replace(string input, string pattern, System.Text.RegularExpressions.MatchEvaluator evaluator, System.Text.RegularExpressions.RegexOptions options, System.TimeSpan matchTimeout) => throw null; + public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator) => throw null; + public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator, int count) => throw null; + public string Replace(string input, System.Text.RegularExpressions.MatchEvaluator evaluator, int count, int startat) => throw null; public bool RightToLeft { get => throw null; } + protected System.Text.RegularExpressions.RegexOptions roptions; public string[] Split(string input) => throw null; public string[] Split(string input, int count) => throw null; public string[] Split(string input, int count, int startat) => throw null; @@ -235,110 +223,103 @@ public struct ValueMatchEnumerator public override string ToString() => throw null; public static string Unescape(string str) => throw null; protected bool UseOptionC() => throw null; - protected internal bool UseOptionR() => throw null; - protected internal static void ValidateMatchTimeout(System.TimeSpan matchTimeout) => throw null; - protected internal System.Collections.Hashtable capnames; - protected internal System.Collections.Hashtable caps; - protected internal int capsize; - protected internal string[] capslist; - protected internal System.Text.RegularExpressions.RegexRunnerFactory factory; - protected internal System.TimeSpan internalMatchTimeout; - protected internal string pattern; - protected internal System.Text.RegularExpressions.RegexOptions roptions; + protected bool UseOptionR() => throw null; + protected static void ValidateMatchTimeout(System.TimeSpan matchTimeout) => throw null; + public struct ValueMatchEnumerator + { + public System.Text.RegularExpressions.ValueMatch Current { get => throw null; } + public System.Text.RegularExpressions.Regex.ValueMatchEnumerator GetEnumerator() => throw null; + public bool MoveNext() => throw null; + } } - public class RegexCompilationInfo { - public bool IsPublic { get => throw null; set => throw null; } - public System.TimeSpan MatchTimeout { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public System.Text.RegularExpressions.RegexOptions Options { get => throw null; set => throw null; } - public string Pattern { get => throw null; set => throw null; } public RegexCompilationInfo(string pattern, System.Text.RegularExpressions.RegexOptions options, string name, string fullnamespace, bool ispublic) => throw null; public RegexCompilationInfo(string pattern, System.Text.RegularExpressions.RegexOptions options, string name, string fullnamespace, bool ispublic, System.TimeSpan matchTimeout) => throw null; + public bool IsPublic { get => throw null; set { } } + public System.TimeSpan MatchTimeout { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public System.Text.RegularExpressions.RegexOptions Options { get => throw null; set { } } + public string Pattern { get => throw null; set { } } } - public class RegexMatchTimeoutException : System.TimeoutException, System.Runtime.Serialization.ISerializable { - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string Input { get => throw null; } - public System.TimeSpan MatchTimeout { get => throw null; } - public string Pattern { get => throw null; } public RegexMatchTimeoutException() => throw null; protected RegexMatchTimeoutException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public RegexMatchTimeoutException(string message) => throw null; public RegexMatchTimeoutException(string message, System.Exception inner) => throw null; public RegexMatchTimeoutException(string regexInput, string regexPattern, System.TimeSpan matchTimeout) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string Input { get => throw null; } + public System.TimeSpan MatchTimeout { get => throw null; } + public string Pattern { get => throw null; } } - [System.Flags] - public enum RegexOptions : int + public enum RegexOptions { - Compiled = 8, - CultureInvariant = 512, - ECMAScript = 256, - ExplicitCapture = 4, + None = 0, IgnoreCase = 1, - IgnorePatternWhitespace = 32, Multiline = 2, - NonBacktracking = 1024, - None = 0, - RightToLeft = 64, + ExplicitCapture = 4, + Compiled = 8, Singleline = 16, + IgnorePatternWhitespace = 32, + RightToLeft = 64, + ECMAScript = 256, + CultureInvariant = 512, + NonBacktracking = 1024, } - - public enum RegexParseError : int + public enum RegexParseError { - AlternationHasComment = 17, + Unknown = 0, + AlternationHasTooManyConditions = 1, AlternationHasMalformedCondition = 2, - AlternationHasMalformedReference = 18, + InvalidUnicodePropertyEscape = 3, + MalformedUnicodePropertyEscape = 4, + UnrecognizedEscape = 5, + UnrecognizedControlCharacter = 6, + MissingControlCharacter = 7, + InsufficientOrInvalidHexDigits = 8, + QuantifierOrCaptureGroupOutOfRange = 9, + UndefinedNamedReference = 10, + UndefinedNumberedReference = 11, + MalformedNamedReference = 12, + UnescapedEndingBackslash = 13, + UnterminatedComment = 14, + InvalidGroupingConstruct = 15, AlternationHasNamedCapture = 16, - AlternationHasTooManyConditions = 1, + AlternationHasComment = 17, + AlternationHasMalformedReference = 18, AlternationHasUndefinedReference = 19, CaptureGroupNameInvalid = 20, CaptureGroupOfZero = 21, + UnterminatedBracket = 22, ExclusionGroupNotLast = 23, + ReversedCharacterRange = 24, + ShorthandClassInCharacterRange = 25, InsufficientClosingParentheses = 26, - InsufficientOpeningParentheses = 30, - InsufficientOrInvalidHexDigits = 8, - InvalidGroupingConstruct = 15, - InvalidUnicodePropertyEscape = 3, - MalformedNamedReference = 12, - MalformedUnicodePropertyEscape = 4, - MissingControlCharacter = 7, + ReversedQuantifierRange = 27, NestedQuantifiersNotParenthesized = 28, QuantifierAfterNothing = 29, - QuantifierOrCaptureGroupOutOfRange = 9, - ReversedCharacterRange = 24, - ReversedQuantifierRange = 27, - ShorthandClassInCharacterRange = 25, - UndefinedNamedReference = 10, - UndefinedNumberedReference = 11, - UnescapedEndingBackslash = 13, - Unknown = 0, - UnrecognizedControlCharacter = 6, - UnrecognizedEscape = 5, + InsufficientOpeningParentheses = 30, UnrecognizedUnicodeProperty = 31, - UnterminatedBracket = 22, - UnterminatedComment = 14, } - - public class RegexParseException : System.ArgumentException + public sealed class RegexParseException : System.ArgumentException { public System.Text.RegularExpressions.RegexParseError Error { get => throw null; } public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public int Offset { get => throw null; } } - public abstract class RegexRunner { protected void Capture(int capnum, int start, int end) => throw null; - protected static bool CharInClass(System.Char ch, string charClass) => throw null; - protected static bool CharInSet(System.Char ch, string set, string category) => throw null; + protected static bool CharInClass(char ch, string charClass) => throw null; + protected static bool CharInSet(char ch, string set, string category) => throw null; protected void CheckTimeout() => throw null; protected void Crawl(int i) => throw null; protected int Crawlpos() => throw null; + protected RegexRunner() => throw null; protected void DoubleCrawl() => throw null; protected void DoubleStack() => throw null; protected void DoubleTrack() => throw null; @@ -352,41 +333,36 @@ public abstract class RegexRunner protected int MatchIndex(int cap) => throw null; protected int MatchLength(int cap) => throw null; protected int Popcrawl() => throw null; - protected internal RegexRunner() => throw null; - protected internal virtual void Scan(System.ReadOnlySpan text) => throw null; - protected internal System.Text.RegularExpressions.Match Scan(System.Text.RegularExpressions.Regex regex, string text, int textbeg, int textend, int textstart, int prevlen, bool quick) => throw null; - protected internal System.Text.RegularExpressions.Match Scan(System.Text.RegularExpressions.Regex regex, string text, int textbeg, int textend, int textstart, int prevlen, bool quick, System.TimeSpan timeout) => throw null; + protected int[] runcrawl; + protected int runcrawlpos; + protected System.Text.RegularExpressions.Match runmatch; + protected System.Text.RegularExpressions.Regex runregex; + protected int[] runstack; + protected int runstackpos; + protected string runtext; + protected int runtextbeg; + protected int runtextend; + protected int runtextpos; + protected int runtextstart; + protected int[] runtrack; + protected int runtrackcount; + protected int runtrackpos; + protected System.Text.RegularExpressions.Match Scan(System.Text.RegularExpressions.Regex regex, string text, int textbeg, int textend, int textstart, int prevlen, bool quick) => throw null; + protected System.Text.RegularExpressions.Match Scan(System.Text.RegularExpressions.Regex regex, string text, int textbeg, int textend, int textstart, int prevlen, bool quick, System.TimeSpan timeout) => throw null; + protected virtual void Scan(System.ReadOnlySpan text) => throw null; protected void TransferCapture(int capnum, int uncapnum, int start, int end) => throw null; protected void Uncapture() => throw null; - protected internal int[] runcrawl; - protected internal int runcrawlpos; - protected internal System.Text.RegularExpressions.Match runmatch; - protected internal System.Text.RegularExpressions.Regex runregex; - protected internal int[] runstack; - protected internal int runstackpos; - protected internal string runtext; - protected internal int runtextbeg; - protected internal int runtextend; - protected internal int runtextpos; - protected internal int runtextstart; - protected internal int[] runtrack; - protected internal int runtrackcount; - protected internal int runtrackpos; } - public abstract class RegexRunnerFactory { - protected internal abstract System.Text.RegularExpressions.RegexRunner CreateInstance(); + protected abstract System.Text.RegularExpressions.RegexRunner CreateInstance(); protected RegexRunnerFactory() => throw null; } - public struct ValueMatch { public int Index { get => throw null; } public int Length { get => throw null; } - // Stub generator skipped constructor } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Channels.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Channels.cs index f898283d56e5..7e84ccae2efe 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Channels.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Channels.cs @@ -1,96 +1,85 @@ // This file contains auto-generated code. // Generated from `System.Threading.Channels, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Threading { namespace Channels { - public enum BoundedChannelFullMode : int + public enum BoundedChannelFullMode { + Wait = 0, DropNewest = 1, DropOldest = 2, DropWrite = 3, - Wait = 0, } - - public class BoundedChannelOptions : System.Threading.Channels.ChannelOptions + public sealed class BoundedChannelOptions : System.Threading.Channels.ChannelOptions { + public int Capacity { get => throw null; set { } } public BoundedChannelOptions(int capacity) => throw null; - public int Capacity { get => throw null; set => throw null; } - public System.Threading.Channels.BoundedChannelFullMode FullMode { get => throw null; set => throw null; } + public System.Threading.Channels.BoundedChannelFullMode FullMode { get => throw null; set { } } } - public static class Channel { + public static System.Threading.Channels.Channel CreateBounded(int capacity) => throw null; public static System.Threading.Channels.Channel CreateBounded(System.Threading.Channels.BoundedChannelOptions options) => throw null; public static System.Threading.Channels.Channel CreateBounded(System.Threading.Channels.BoundedChannelOptions options, System.Action itemDropped) => throw null; - public static System.Threading.Channels.Channel CreateBounded(int capacity) => throw null; public static System.Threading.Channels.Channel CreateUnbounded() => throw null; public static System.Threading.Channels.Channel CreateUnbounded(System.Threading.Channels.UnboundedChannelOptions options) => throw null; } - - public abstract class Channel + public abstract class Channel : System.Threading.Channels.Channel { protected Channel() => throw null; - public System.Threading.Channels.ChannelReader Reader { get => throw null; set => throw null; } - public System.Threading.Channels.ChannelWriter Writer { get => throw null; set => throw null; } - public static implicit operator System.Threading.Channels.ChannelReader(System.Threading.Channels.Channel channel) => throw null; - public static implicit operator System.Threading.Channels.ChannelWriter(System.Threading.Channels.Channel channel) => throw null; } - - public abstract class Channel : System.Threading.Channels.Channel + public abstract class Channel { protected Channel() => throw null; + public static implicit operator System.Threading.Channels.ChannelReader(System.Threading.Channels.Channel channel) => throw null; + public static implicit operator System.Threading.Channels.ChannelWriter(System.Threading.Channels.Channel channel) => throw null; + public System.Threading.Channels.ChannelReader Reader { get => throw null; set { } } + public System.Threading.Channels.ChannelWriter Writer { get => throw null; set { } } } - public class ChannelClosedException : System.InvalidOperationException { public ChannelClosedException() => throw null; public ChannelClosedException(System.Exception innerException) => throw null; - protected ChannelClosedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public ChannelClosedException(string message) => throw null; public ChannelClosedException(string message, System.Exception innerException) => throw null; + protected ChannelClosedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - public abstract class ChannelOptions { - public bool AllowSynchronousContinuations { get => throw null; set => throw null; } + public bool AllowSynchronousContinuations { get => throw null; set { } } protected ChannelOptions() => throw null; - public bool SingleReader { get => throw null; set => throw null; } - public bool SingleWriter { get => throw null; set => throw null; } + public bool SingleReader { get => throw null; set { } } + public bool SingleWriter { get => throw null; set { } } } - public abstract class ChannelReader { public virtual bool CanCount { get => throw null; } public virtual bool CanPeek { get => throw null; } - protected ChannelReader() => throw null; public virtual System.Threading.Tasks.Task Completion { get => throw null; } public virtual int Count { get => throw null; } + protected ChannelReader() => throw null; public virtual System.Collections.Generic.IAsyncEnumerable ReadAllAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.ValueTask ReadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual bool TryPeek(out T item) => throw null; public abstract bool TryRead(out T item); public abstract System.Threading.Tasks.ValueTask WaitToReadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public abstract class ChannelWriter { - protected ChannelWriter() => throw null; public void Complete(System.Exception error = default(System.Exception)) => throw null; + protected ChannelWriter() => throw null; public virtual bool TryComplete(System.Exception error = default(System.Exception)) => throw null; public abstract bool TryWrite(T item); public abstract System.Threading.Tasks.ValueTask WaitToWriteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public virtual System.Threading.Tasks.ValueTask WriteAsync(T item, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public class UnboundedChannelOptions : System.Threading.Channels.ChannelOptions + public sealed class UnboundedChannelOptions : System.Threading.Channels.ChannelOptions { public UnboundedChannelOptions() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Overlapped.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Overlapped.cs index 59532065c20b..603125a28c82 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Overlapped.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Overlapped.cs @@ -1,59 +1,51 @@ // This file contains auto-generated code. // Generated from `System.Threading.Overlapped, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Threading { - unsafe public delegate void IOCompletionCallback(System.UInt32 errorCode, System.UInt32 numBytes, System.Threading.NativeOverlapped* pOVERLAP); - + public unsafe delegate void IOCompletionCallback(uint errorCode, uint numBytes, System.Threading.NativeOverlapped* pOVERLAP); public struct NativeOverlapped { - public System.IntPtr EventHandle; - public System.IntPtr InternalHigh; - public System.IntPtr InternalLow; - // Stub generator skipped constructor + public nint EventHandle; + public nint InternalHigh; + public nint InternalLow; public int OffsetHigh; public int OffsetLow; } - public class Overlapped { - public System.IAsyncResult AsyncResult { get => throw null; set => throw null; } - public int EventHandle { get => throw null; set => throw null; } - public System.IntPtr EventHandleIntPtr { get => throw null; set => throw null; } - unsafe public static void Free(System.Threading.NativeOverlapped* nativeOverlappedPtr) => throw null; - public int OffsetHigh { get => throw null; set => throw null; } - public int OffsetLow { get => throw null; set => throw null; } + public System.IAsyncResult AsyncResult { get => throw null; set { } } public Overlapped() => throw null; - public Overlapped(int offsetLo, int offsetHi, System.IntPtr hEvent, System.IAsyncResult ar) => throw null; public Overlapped(int offsetLo, int offsetHi, int hEvent, System.IAsyncResult ar) => throw null; - unsafe public System.Threading.NativeOverlapped* Pack(System.Threading.IOCompletionCallback iocb) => throw null; - unsafe public System.Threading.NativeOverlapped* Pack(System.Threading.IOCompletionCallback iocb, object userData) => throw null; - unsafe public static System.Threading.Overlapped Unpack(System.Threading.NativeOverlapped* nativeOverlappedPtr) => throw null; - unsafe public System.Threading.NativeOverlapped* UnsafePack(System.Threading.IOCompletionCallback iocb) => throw null; - unsafe public System.Threading.NativeOverlapped* UnsafePack(System.Threading.IOCompletionCallback iocb, object userData) => throw null; + public Overlapped(int offsetLo, int offsetHi, nint hEvent, System.IAsyncResult ar) => throw null; + public int EventHandle { get => throw null; set { } } + public nint EventHandleIntPtr { get => throw null; set { } } + public static unsafe void Free(System.Threading.NativeOverlapped* nativeOverlappedPtr) => throw null; + public int OffsetHigh { get => throw null; set { } } + public int OffsetLow { get => throw null; set { } } + public unsafe System.Threading.NativeOverlapped* Pack(System.Threading.IOCompletionCallback iocb) => throw null; + public unsafe System.Threading.NativeOverlapped* Pack(System.Threading.IOCompletionCallback iocb, object userData) => throw null; + public static unsafe System.Threading.Overlapped Unpack(System.Threading.NativeOverlapped* nativeOverlappedPtr) => throw null; + public unsafe System.Threading.NativeOverlapped* UnsafePack(System.Threading.IOCompletionCallback iocb) => throw null; + public unsafe System.Threading.NativeOverlapped* UnsafePack(System.Threading.IOCompletionCallback iocb, object userData) => throw null; } - - public class PreAllocatedOverlapped : System.IDisposable + public sealed class PreAllocatedOverlapped : System.IDisposable { - public void Dispose() => throw null; public PreAllocatedOverlapped(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; + public void Dispose() => throw null; public static System.Threading.PreAllocatedOverlapped UnsafeCreate(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; - // ERR: Stub generator didn't handle member: ~PreAllocatedOverlapped } - - public class ThreadPoolBoundHandle : System.IDisposable + public sealed class ThreadPoolBoundHandle : System.IDisposable { - unsafe public System.Threading.NativeOverlapped* AllocateNativeOverlapped(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; - unsafe public System.Threading.NativeOverlapped* AllocateNativeOverlapped(System.Threading.PreAllocatedOverlapped preAllocated) => throw null; + public unsafe System.Threading.NativeOverlapped* AllocateNativeOverlapped(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; + public unsafe System.Threading.NativeOverlapped* AllocateNativeOverlapped(System.Threading.PreAllocatedOverlapped preAllocated) => throw null; public static System.Threading.ThreadPoolBoundHandle BindHandle(System.Runtime.InteropServices.SafeHandle handle) => throw null; public void Dispose() => throw null; - unsafe public void FreeNativeOverlapped(System.Threading.NativeOverlapped* overlapped) => throw null; - unsafe public static object GetNativeOverlappedState(System.Threading.NativeOverlapped* overlapped) => throw null; + public unsafe void FreeNativeOverlapped(System.Threading.NativeOverlapped* overlapped) => throw null; + public static unsafe object GetNativeOverlappedState(System.Threading.NativeOverlapped* overlapped) => throw null; public System.Runtime.InteropServices.SafeHandle Handle { get => throw null; } - unsafe public System.Threading.NativeOverlapped* UnsafeAllocateNativeOverlapped(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; + public unsafe System.Threading.NativeOverlapped* UnsafeAllocateNativeOverlapped(System.Threading.IOCompletionCallback callback, object state, object pinData) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs index 83cf3572c14a..36636e13569d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Threading.Tasks.Dataflow, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Threading @@ -9,29 +8,28 @@ namespace Tasks { namespace Dataflow { - public class ActionBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class ActionBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.ITargetBlock { + public void Complete() => throw null; + public System.Threading.Tasks.Task Completion { get => throw null; } public ActionBlock(System.Action action) => throw null; public ActionBlock(System.Action action, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; public ActionBlock(System.Func action) => throw null; public ActionBlock(System.Func action, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; - public void Complete() => throw null; - public System.Threading.Tasks.Task Completion { get => throw null; } void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public int InputCount { get => throw null; } System.Threading.Tasks.Dataflow.DataflowMessageStatus System.Threading.Tasks.Dataflow.ITargetBlock.OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, TInput messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept) => throw null; public bool Post(TInput item) => throw null; public override string ToString() => throw null; } - - public class BatchBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class BatchBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { - public BatchBlock(int batchSize) => throw null; - public BatchBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; public int BatchSize { get => throw null; } public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } T[] System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; + public BatchBlock(int batchSize) => throw null; + public BatchBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; System.Threading.Tasks.Dataflow.DataflowMessageStatus System.Threading.Tasks.Dataflow.ITargetBlock.OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, T messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept) => throw null; @@ -43,55 +41,52 @@ public class BatchBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, Sys public bool TryReceive(System.Predicate filter, out T[] item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - - public class BatchedJoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>, System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> + public sealed class BatchedJoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Collections.Generic.IList>>, System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>> { public int BatchSize { get => throw null; } - public BatchedJoinBlock(int batchSize) => throw null; - public BatchedJoinBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } - System.Tuple, System.Collections.Generic.IList, System.Collections.Generic.IList> System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target, out bool messageConsumed) => throw null; + System.Tuple, System.Collections.Generic.IList> System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target, out bool messageConsumed) => throw null; + public BatchedJoinBlock(int batchSize) => throw null; + public BatchedJoinBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; - public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; + public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; public int OutputCount { get => throw null; } - void System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target) => throw null; - bool System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target) => throw null; + void System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target) => throw null; + bool System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target) => throw null; public System.Threading.Tasks.Dataflow.ITargetBlock Target1 { get => throw null; } public System.Threading.Tasks.Dataflow.ITargetBlock Target2 { get => throw null; } - public System.Threading.Tasks.Dataflow.ITargetBlock Target3 { get => throw null; } public override string ToString() => throw null; - public bool TryReceive(System.Predicate, System.Collections.Generic.IList, System.Collections.Generic.IList>> filter, out System.Tuple, System.Collections.Generic.IList, System.Collections.Generic.IList> item) => throw null; - public bool TryReceiveAll(out System.Collections.Generic.IList, System.Collections.Generic.IList, System.Collections.Generic.IList>> items) => throw null; + public bool TryReceive(System.Predicate, System.Collections.Generic.IList>> filter, out System.Tuple, System.Collections.Generic.IList> item) => throw null; + public bool TryReceiveAll(out System.Collections.Generic.IList, System.Collections.Generic.IList>> items) => throw null; } - - public class BatchedJoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Collections.Generic.IList>>, System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>> + public sealed class BatchedJoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>, System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> { public int BatchSize { get => throw null; } - public BatchedJoinBlock(int batchSize) => throw null; - public BatchedJoinBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } - System.Tuple, System.Collections.Generic.IList> System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target, out bool messageConsumed) => throw null; + System.Tuple, System.Collections.Generic.IList, System.Collections.Generic.IList> System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target, out bool messageConsumed) => throw null; + public BatchedJoinBlock(int batchSize) => throw null; + public BatchedJoinBlock(int batchSize, System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; - public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; + public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; public int OutputCount { get => throw null; } - void System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target) => throw null; - bool System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList>>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList>> target) => throw null; + void System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target) => throw null; + bool System.Threading.Tasks.Dataflow.ISourceBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock, System.Collections.Generic.IList, System.Collections.Generic.IList>> target) => throw null; public System.Threading.Tasks.Dataflow.ITargetBlock Target1 { get => throw null; } public System.Threading.Tasks.Dataflow.ITargetBlock Target2 { get => throw null; } + public System.Threading.Tasks.Dataflow.ITargetBlock Target3 { get => throw null; } public override string ToString() => throw null; - public bool TryReceive(System.Predicate, System.Collections.Generic.IList>> filter, out System.Tuple, System.Collections.Generic.IList> item) => throw null; - public bool TryReceiveAll(out System.Collections.Generic.IList, System.Collections.Generic.IList>> items) => throw null; + public bool TryReceive(System.Predicate, System.Collections.Generic.IList, System.Collections.Generic.IList>> filter, out System.Tuple, System.Collections.Generic.IList, System.Collections.Generic.IList> item) => throw null; + public bool TryReceiveAll(out System.Collections.Generic.IList, System.Collections.Generic.IList, System.Collections.Generic.IList>> items) => throw null; } - - public class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { - public BroadcastBlock(System.Func cloningFunction) => throw null; - public BroadcastBlock(System.Func cloningFunction, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } T System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; + public BroadcastBlock(System.Func cloningFunction) => throw null; + public BroadcastBlock(System.Func cloningFunction, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; System.Threading.Tasks.Dataflow.DataflowMessageStatus System.Threading.Tasks.Dataflow.ITargetBlock.OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, T messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept) => throw null; @@ -101,15 +96,14 @@ public class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, public bool TryReceive(System.Predicate filter, out T item) => throw null; bool System.Threading.Tasks.Dataflow.IReceivableSourceBlock.TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - - public class BufferBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class BufferBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { - public BufferBlock() => throw null; - public BufferBlock(System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } T System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; public int Count { get => throw null; } + public BufferBlock() => throw null; + public BufferBlock(System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; System.Threading.Tasks.Dataflow.DataflowMessageStatus System.Threading.Tasks.Dataflow.ITargetBlock.OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, T messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept) => throw null; @@ -119,19 +113,18 @@ public class BufferBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, Sy public bool TryReceive(System.Predicate filter, out T item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - public static class DataflowBlock { public static System.IObservable AsObservable(this System.Threading.Tasks.Dataflow.ISourceBlock source) => throw null; public static System.IObserver AsObserver(this System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; - public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2, System.Threading.Tasks.Dataflow.ISourceBlock source3, System.Action action3) => throw null; - public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2, System.Threading.Tasks.Dataflow.ISourceBlock source3, System.Action action3, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2) => throw null; public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; + public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2, System.Threading.Tasks.Dataflow.ISourceBlock source3, System.Action action3) => throw null; + public static System.Threading.Tasks.Task Choose(System.Threading.Tasks.Dataflow.ISourceBlock source1, System.Action action1, System.Threading.Tasks.Dataflow.ISourceBlock source2, System.Action action2, System.Threading.Tasks.Dataflow.ISourceBlock source3, System.Action action3, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; public static System.Threading.Tasks.Dataflow.IPropagatorBlock Encapsulate(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.ISourceBlock source) => throw null; public static System.IDisposable LinkTo(this System.Threading.Tasks.Dataflow.ISourceBlock source, System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; - public static System.IDisposable LinkTo(this System.Threading.Tasks.Dataflow.ISourceBlock source, System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions, System.Predicate predicate) => throw null; public static System.IDisposable LinkTo(this System.Threading.Tasks.Dataflow.ISourceBlock source, System.Threading.Tasks.Dataflow.ITargetBlock target, System.Predicate predicate) => throw null; + public static System.IDisposable LinkTo(this System.Threading.Tasks.Dataflow.ISourceBlock source, System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions, System.Predicate predicate) => throw null; public static System.Threading.Tasks.Dataflow.ITargetBlock NullTarget() => throw null; public static System.Threading.Tasks.Task OutputAvailableAsync(this System.Threading.Tasks.Dataflow.ISourceBlock source) => throw null; public static System.Threading.Tasks.Task OutputAvailableAsync(this System.Threading.Tasks.Dataflow.ISourceBlock source, System.Threading.CancellationToken cancellationToken) => throw null; @@ -149,80 +142,69 @@ public static class DataflowBlock public static System.Threading.Tasks.Task SendAsync(this System.Threading.Tasks.Dataflow.ITargetBlock target, TInput item, System.Threading.CancellationToken cancellationToken) => throw null; public static bool TryReceive(this System.Threading.Tasks.Dataflow.IReceivableSourceBlock source, out TOutput item) => throw null; } - public class DataflowBlockOptions { - public int BoundedCapacity { get => throw null; set => throw null; } - public System.Threading.CancellationToken CancellationToken { get => throw null; set => throw null; } + public int BoundedCapacity { get => throw null; set { } } + public System.Threading.CancellationToken CancellationToken { get => throw null; set { } } public DataflowBlockOptions() => throw null; - public bool EnsureOrdered { get => throw null; set => throw null; } - public int MaxMessagesPerTask { get => throw null; set => throw null; } - public string NameFormat { get => throw null; set => throw null; } - public System.Threading.Tasks.TaskScheduler TaskScheduler { get => throw null; set => throw null; } - public const int Unbounded = default; + public bool EnsureOrdered { get => throw null; set { } } + public int MaxMessagesPerTask { get => throw null; set { } } + public string NameFormat { get => throw null; set { } } + public System.Threading.Tasks.TaskScheduler TaskScheduler { get => throw null; set { } } + public static int Unbounded; } - public class DataflowLinkOptions { - public bool Append { get => throw null; set => throw null; } + public bool Append { get => throw null; set { } } public DataflowLinkOptions() => throw null; - public int MaxMessages { get => throw null; set => throw null; } - public bool PropagateCompletion { get => throw null; set => throw null; } + public int MaxMessages { get => throw null; set { } } + public bool PropagateCompletion { get => throw null; set { } } } - public struct DataflowMessageHeader : System.IEquatable { - public static bool operator !=(System.Threading.Tasks.Dataflow.DataflowMessageHeader left, System.Threading.Tasks.Dataflow.DataflowMessageHeader right) => throw null; - public static bool operator ==(System.Threading.Tasks.Dataflow.DataflowMessageHeader left, System.Threading.Tasks.Dataflow.DataflowMessageHeader right) => throw null; - // Stub generator skipped constructor - public DataflowMessageHeader(System.Int64 id) => throw null; - public bool Equals(System.Threading.Tasks.Dataflow.DataflowMessageHeader other) => throw null; + public DataflowMessageHeader(long id) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.Tasks.Dataflow.DataflowMessageHeader other) => throw null; public override int GetHashCode() => throw null; - public System.Int64 Id { get => throw null; } + public long Id { get => throw null; } public bool IsValid { get => throw null; } + public static bool operator ==(System.Threading.Tasks.Dataflow.DataflowMessageHeader left, System.Threading.Tasks.Dataflow.DataflowMessageHeader right) => throw null; + public static bool operator !=(System.Threading.Tasks.Dataflow.DataflowMessageHeader left, System.Threading.Tasks.Dataflow.DataflowMessageHeader right) => throw null; } - - public enum DataflowMessageStatus : int + public enum DataflowMessageStatus { Accepted = 0, Declined = 1, - DecliningPermanently = 4, - NotAvailable = 3, Postponed = 2, + NotAvailable = 3, + DecliningPermanently = 4, } - public class ExecutionDataflowBlockOptions : System.Threading.Tasks.Dataflow.DataflowBlockOptions { public ExecutionDataflowBlockOptions() => throw null; - public int MaxDegreeOfParallelism { get => throw null; set => throw null; } - public bool SingleProducerConstrained { get => throw null; set => throw null; } + public int MaxDegreeOfParallelism { get => throw null; set { } } + public bool SingleProducerConstrained { get => throw null; set { } } } - public class GroupingDataflowBlockOptions : System.Threading.Tasks.Dataflow.DataflowBlockOptions { - public bool Greedy { get => throw null; set => throw null; } public GroupingDataflowBlockOptions() => throw null; - public System.Int64 MaxNumberOfGroups { get => throw null; set => throw null; } + public bool Greedy { get => throw null; set { } } + public long MaxNumberOfGroups { get => throw null; set { } } } - public interface IDataflowBlock { void Complete(); System.Threading.Tasks.Task Completion { get; } void Fault(System.Exception exception); } - public interface IPropagatorBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { } - public interface IReceivableSourceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.ISourceBlock { bool TryReceive(System.Predicate filter, out TOutput item); bool TryReceiveAll(out System.Collections.Generic.IList items); } - public interface ISourceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock { TOutput ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed); @@ -230,56 +212,56 @@ public interface ISourceBlock : System.Threading.Tasks.Dataflow.IDatafl void ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target); bool ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target); } - public interface ITargetBlock : System.Threading.Tasks.Dataflow.IDataflowBlock { System.Threading.Tasks.Dataflow.DataflowMessageStatus OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, TInput messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept); } - - public class JoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock>, System.Threading.Tasks.Dataflow.ISourceBlock> + public sealed class JoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock>, System.Threading.Tasks.Dataflow.ISourceBlock> { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } - System.Tuple System.Threading.Tasks.Dataflow.ISourceBlock>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target, out bool messageConsumed) => throw null; - void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; + System.Tuple System.Threading.Tasks.Dataflow.ISourceBlock>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target, out bool messageConsumed) => throw null; public JoinBlock() => throw null; public JoinBlock(System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; - public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; + void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; + public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; public int OutputCount { get => throw null; } - void System.Threading.Tasks.Dataflow.ISourceBlock>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; - bool System.Threading.Tasks.Dataflow.ISourceBlock>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; + void System.Threading.Tasks.Dataflow.ISourceBlock>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; + bool System.Threading.Tasks.Dataflow.ISourceBlock>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; public System.Threading.Tasks.Dataflow.ITargetBlock Target1 { get => throw null; } public System.Threading.Tasks.Dataflow.ITargetBlock Target2 { get => throw null; } - public System.Threading.Tasks.Dataflow.ITargetBlock Target3 { get => throw null; } public override string ToString() => throw null; - public bool TryReceive(System.Predicate> filter, out System.Tuple item) => throw null; - public bool TryReceiveAll(out System.Collections.Generic.IList> items) => throw null; + public bool TryReceive(System.Predicate> filter, out System.Tuple item) => throw null; + public bool TryReceiveAll(out System.Collections.Generic.IList> items) => throw null; } - - public class JoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock>, System.Threading.Tasks.Dataflow.ISourceBlock> + public sealed class JoinBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock>, System.Threading.Tasks.Dataflow.ISourceBlock> { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } - System.Tuple System.Threading.Tasks.Dataflow.ISourceBlock>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target, out bool messageConsumed) => throw null; - void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; + System.Tuple System.Threading.Tasks.Dataflow.ISourceBlock>.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target, out bool messageConsumed) => throw null; public JoinBlock() => throw null; public JoinBlock(System.Threading.Tasks.Dataflow.GroupingDataflowBlockOptions dataflowBlockOptions) => throw null; - public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; + void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; + public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock> target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; public int OutputCount { get => throw null; } - void System.Threading.Tasks.Dataflow.ISourceBlock>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; - bool System.Threading.Tasks.Dataflow.ISourceBlock>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; + void System.Threading.Tasks.Dataflow.ISourceBlock>.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; + bool System.Threading.Tasks.Dataflow.ISourceBlock>.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock> target) => throw null; public System.Threading.Tasks.Dataflow.ITargetBlock Target1 { get => throw null; } public System.Threading.Tasks.Dataflow.ITargetBlock Target2 { get => throw null; } + public System.Threading.Tasks.Dataflow.ITargetBlock Target3 { get => throw null; } public override string ToString() => throw null; - public bool TryReceive(System.Predicate> filter, out System.Tuple item) => throw null; - public bool TryReceiveAll(out System.Collections.Generic.IList> items) => throw null; + public bool TryReceive(System.Predicate> filter, out System.Tuple item) => throw null; + public bool TryReceiveAll(out System.Collections.Generic.IList> items) => throw null; } - - public class TransformBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class TransformBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } TOutput System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; + public TransformBlock(System.Func> transform) => throw null; + public TransformBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; + public TransformBlock(System.Func transform) => throw null; + public TransformBlock(System.Func transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public int InputCount { get => throw null; } public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; @@ -288,19 +270,20 @@ public class TransformBlock : System.Threading.Tasks.Dataflow.I void System.Threading.Tasks.Dataflow.ISourceBlock.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; bool System.Threading.Tasks.Dataflow.ISourceBlock.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; public override string ToString() => throw null; - public TransformBlock(System.Func transform) => throw null; - public TransformBlock(System.Func transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; - public TransformBlock(System.Func> transform) => throw null; - public TransformBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; public bool TryReceive(System.Predicate filter, out TOutput item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - - public class TransformManyBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class TransformManyBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } TOutput System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; + public TransformManyBlock(System.Func> transform) => throw null; + public TransformManyBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; + public TransformManyBlock(System.Func>> transform) => throw null; + public TransformManyBlock(System.Func>> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; + public TransformManyBlock(System.Func> transform) => throw null; + public TransformManyBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public int InputCount { get => throw null; } public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; @@ -309,21 +292,16 @@ public class TransformManyBlock : System.Threading.Tasks.Datafl void System.Threading.Tasks.Dataflow.ISourceBlock.ReleaseReservation(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; bool System.Threading.Tasks.Dataflow.ISourceBlock.ReserveMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target) => throw null; public override string ToString() => throw null; - public TransformManyBlock(System.Func> transform) => throw null; - public TransformManyBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; - public TransformManyBlock(System.Func> transform) => throw null; - public TransformManyBlock(System.Func> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; - public TransformManyBlock(System.Func>> transform) => throw null; - public TransformManyBlock(System.Func>> transform, System.Threading.Tasks.Dataflow.ExecutionDataflowBlockOptions dataflowBlockOptions) => throw null; public bool TryReceive(System.Predicate filter, out TOutput item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - - public class WriteOnceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock + public sealed class WriteOnceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } T System.Threading.Tasks.Dataflow.ISourceBlock.ConsumeMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, System.Threading.Tasks.Dataflow.ITargetBlock target, out bool messageConsumed) => throw null; + public WriteOnceBlock(System.Func cloningFunction) => throw null; + public WriteOnceBlock(System.Func cloningFunction, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; void System.Threading.Tasks.Dataflow.IDataflowBlock.Fault(System.Exception exception) => throw null; public System.IDisposable LinkTo(System.Threading.Tasks.Dataflow.ITargetBlock target, System.Threading.Tasks.Dataflow.DataflowLinkOptions linkOptions) => throw null; System.Threading.Tasks.Dataflow.DataflowMessageStatus System.Threading.Tasks.Dataflow.ITargetBlock.OfferMessage(System.Threading.Tasks.Dataflow.DataflowMessageHeader messageHeader, T messageValue, System.Threading.Tasks.Dataflow.ISourceBlock source, bool consumeToAccept) => throw null; @@ -332,10 +310,7 @@ public class WriteOnceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, public override string ToString() => throw null; public bool TryReceive(System.Predicate filter, out T item) => throw null; bool System.Threading.Tasks.Dataflow.IReceivableSourceBlock.TryReceiveAll(out System.Collections.Generic.IList items) => throw null; - public WriteOnceBlock(System.Func cloningFunction) => throw null; - public WriteOnceBlock(System.Func cloningFunction, System.Threading.Tasks.Dataflow.DataflowBlockOptions dataflowBlockOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs new file mode 100644 index 000000000000..bf9b214e18f0 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Threading.Tasks.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Parallel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Parallel.cs index 7d73c62a13f5..c5b81a4716a1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Parallel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Parallel.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Threading.Tasks.Parallel, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Threading @@ -13,69 +12,64 @@ public static class Parallel public static System.Threading.Tasks.ParallelLoopResult For(int fromInclusive, int toExclusive, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult For(int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult For(int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult For(int fromInclusive, int toExclusive, System.Func localInit, System.Func body, System.Action localFinally) => throw null; public static System.Threading.Tasks.ParallelLoopResult For(int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult For(System.Int64 fromInclusive, System.Int64 toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Action body) => throw null; - public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult For(long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; - public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Threading.CancellationToken cancellationToken, System.Func body) => throw null; - public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Func body) => throw null; - public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func body) => throw null; - public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IEnumerable source, System.Threading.CancellationToken cancellationToken, System.Func body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Action body) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.OrderablePartitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Concurrent.Partitioner source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; + public static System.Threading.Tasks.ParallelLoopResult ForEach(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func localInit, System.Func body, System.Action localFinally) => throw null; public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IEnumerable source, System.Func body) => throw null; + public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IEnumerable source, System.Threading.CancellationToken cancellationToken, System.Func body) => throw null; public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func body) => throw null; - public static void Invoke(System.Threading.Tasks.ParallelOptions parallelOptions, params System.Action[] actions) => throw null; + public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Func body) => throw null; + public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Threading.CancellationToken cancellationToken, System.Func body) => throw null; + public static System.Threading.Tasks.Task ForEachAsync(System.Collections.Generic.IAsyncEnumerable source, System.Threading.Tasks.ParallelOptions parallelOptions, System.Func body) => throw null; public static void Invoke(params System.Action[] actions) => throw null; + public static void Invoke(System.Threading.Tasks.ParallelOptions parallelOptions, params System.Action[] actions) => throw null; } - public struct ParallelLoopResult { public bool IsCompleted { get => throw null; } - public System.Int64? LowestBreakIteration { get => throw null; } - // Stub generator skipped constructor + public long? LowestBreakIteration { get => throw null; } } - public class ParallelLoopState { public void Break() => throw null; public bool IsExceptional { get => throw null; } public bool IsStopped { get => throw null; } - public System.Int64? LowestBreakIteration { get => throw null; } + public long? LowestBreakIteration { get => throw null; } public bool ShouldExitCurrentIteration { get => throw null; } public void Stop() => throw null; } - public class ParallelOptions { - public System.Threading.CancellationToken CancellationToken { get => throw null; set => throw null; } - public int MaxDegreeOfParallelism { get => throw null; set => throw null; } + public System.Threading.CancellationToken CancellationToken { get => throw null; set { } } public ParallelOptions() => throw null; - public System.Threading.Tasks.TaskScheduler TaskScheduler { get => throw null; set => throw null; } + public int MaxDegreeOfParallelism { get => throw null; set { } } + public System.Threading.Tasks.TaskScheduler TaskScheduler { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs new file mode 100644 index 000000000000..099e26704806 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Threading.Tasks, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Thread.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Thread.cs index ee5ec8959b96..0fad32945876 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Thread.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Thread.cs @@ -1,23 +1,19 @@ // This file contains auto-generated code. // Generated from `System.Threading.Thread, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { - public class LocalDataStoreSlot + public sealed class LocalDataStoreSlot { - // ERR: Stub generator didn't handle member: ~LocalDataStoreSlot } - namespace Threading { - public enum ApartmentState : int + public enum ApartmentState { - MTA = 1, STA = 0, + MTA = 1, Unknown = 2, } - - public class CompressedStack : System.Runtime.Serialization.ISerializable + public sealed class CompressedStack : System.Runtime.Serialization.ISerializable { public static System.Threading.CompressedStack Capture() => throw null; public System.Threading.CompressedStack CreateCopy() => throw null; @@ -25,22 +21,24 @@ public class CompressedStack : System.Runtime.Serialization.ISerializable public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public static void Run(System.Threading.CompressedStack compressedStack, System.Threading.ContextCallback callback, object state) => throw null; } - public delegate void ParameterizedThreadStart(object obj); - - public class Thread : System.Runtime.ConstrainedExecution.CriticalFinalizerObject + public sealed class Thread : System.Runtime.ConstrainedExecution.CriticalFinalizerObject { public void Abort() => throw null; public void Abort(object stateInfo) => throw null; public static System.LocalDataStoreSlot AllocateDataSlot() => throw null; public static System.LocalDataStoreSlot AllocateNamedDataSlot(string name) => throw null; - public System.Threading.ApartmentState ApartmentState { get => throw null; set => throw null; } + public System.Threading.ApartmentState ApartmentState { get => throw null; set { } } public static void BeginCriticalRegion() => throw null; public static void BeginThreadAffinity() => throw null; - public System.Globalization.CultureInfo CurrentCulture { get => throw null; set => throw null; } - public static System.Security.Principal.IPrincipal CurrentPrincipal { get => throw null; set => throw null; } + public Thread(System.Threading.ParameterizedThreadStart start) => throw null; + public Thread(System.Threading.ParameterizedThreadStart start, int maxStackSize) => throw null; + public Thread(System.Threading.ThreadStart start) => throw null; + public Thread(System.Threading.ThreadStart start, int maxStackSize) => throw null; + public System.Globalization.CultureInfo CurrentCulture { get => throw null; set { } } + public static System.Security.Principal.IPrincipal CurrentPrincipal { get => throw null; set { } } public static System.Threading.Thread CurrentThread { get => throw null; } - public System.Globalization.CultureInfo CurrentUICulture { get => throw null; set => throw null; } + public System.Globalization.CultureInfo CurrentUICulture { get => throw null; set { } } public void DisableComObjectEagerCleanup() => throw null; public static void EndCriticalRegion() => throw null; public static void EndThreadAffinity() => throw null; @@ -56,77 +54,68 @@ public class Thread : System.Runtime.ConstrainedExecution.CriticalFinalizerObjec public static System.LocalDataStoreSlot GetNamedDataSlot(string name) => throw null; public void Interrupt() => throw null; public bool IsAlive { get => throw null; } - public bool IsBackground { get => throw null; set => throw null; } + public bool IsBackground { get => throw null; set { } } public bool IsThreadPoolThread { get => throw null; } public void Join() => throw null; - public bool Join(System.TimeSpan timeout) => throw null; public bool Join(int millisecondsTimeout) => throw null; + public bool Join(System.TimeSpan timeout) => throw null; public int ManagedThreadId { get => throw null; } public static void MemoryBarrier() => throw null; - public string Name { get => throw null; set => throw null; } - public System.Threading.ThreadPriority Priority { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public System.Threading.ThreadPriority Priority { get => throw null; set { } } public static void ResetAbort() => throw null; public void Resume() => throw null; public void SetApartmentState(System.Threading.ApartmentState state) => throw null; public void SetCompressedStack(System.Threading.CompressedStack stack) => throw null; public static void SetData(System.LocalDataStoreSlot slot, object data) => throw null; - public static void Sleep(System.TimeSpan timeout) => throw null; public static void Sleep(int millisecondsTimeout) => throw null; + public static void Sleep(System.TimeSpan timeout) => throw null; public static void SpinWait(int iterations) => throw null; public void Start() => throw null; public void Start(object parameter) => throw null; public void Suspend() => throw null; - public Thread(System.Threading.ParameterizedThreadStart start) => throw null; - public Thread(System.Threading.ParameterizedThreadStart start, int maxStackSize) => throw null; - public Thread(System.Threading.ThreadStart start) => throw null; - public Thread(System.Threading.ThreadStart start, int maxStackSize) => throw null; public System.Threading.ThreadState ThreadState { get => throw null; } public bool TrySetApartmentState(System.Threading.ApartmentState state) => throw null; public void UnsafeStart() => throw null; public void UnsafeStart(object parameter) => throw null; - public static System.IntPtr VolatileRead(ref System.IntPtr address) => throw null; - public static System.UIntPtr VolatileRead(ref System.UIntPtr address) => throw null; - public static System.Byte VolatileRead(ref System.Byte address) => throw null; + public static byte VolatileRead(ref byte address) => throw null; public static double VolatileRead(ref double address) => throw null; - public static float VolatileRead(ref float address) => throw null; + public static short VolatileRead(ref short address) => throw null; public static int VolatileRead(ref int address) => throw null; - public static System.Int64 VolatileRead(ref System.Int64 address) => throw null; + public static long VolatileRead(ref long address) => throw null; + public static nint VolatileRead(ref nint address) => throw null; public static object VolatileRead(ref object address) => throw null; - public static System.SByte VolatileRead(ref System.SByte address) => throw null; - public static System.Int16 VolatileRead(ref System.Int16 address) => throw null; - public static System.UInt32 VolatileRead(ref System.UInt32 address) => throw null; - public static System.UInt64 VolatileRead(ref System.UInt64 address) => throw null; - public static System.UInt16 VolatileRead(ref System.UInt16 address) => throw null; - public static void VolatileWrite(ref System.IntPtr address, System.IntPtr value) => throw null; - public static void VolatileWrite(ref System.UIntPtr address, System.UIntPtr value) => throw null; - public static void VolatileWrite(ref System.Byte address, System.Byte value) => throw null; + public static sbyte VolatileRead(ref sbyte address) => throw null; + public static float VolatileRead(ref float address) => throw null; + public static ushort VolatileRead(ref ushort address) => throw null; + public static uint VolatileRead(ref uint address) => throw null; + public static ulong VolatileRead(ref ulong address) => throw null; + public static nuint VolatileRead(ref nuint address) => throw null; + public static void VolatileWrite(ref byte address, byte value) => throw null; public static void VolatileWrite(ref double address, double value) => throw null; - public static void VolatileWrite(ref float address, float value) => throw null; + public static void VolatileWrite(ref short address, short value) => throw null; public static void VolatileWrite(ref int address, int value) => throw null; - public static void VolatileWrite(ref System.Int64 address, System.Int64 value) => throw null; + public static void VolatileWrite(ref long address, long value) => throw null; + public static void VolatileWrite(ref nint address, nint value) => throw null; public static void VolatileWrite(ref object address, object value) => throw null; - public static void VolatileWrite(ref System.SByte address, System.SByte value) => throw null; - public static void VolatileWrite(ref System.Int16 address, System.Int16 value) => throw null; - public static void VolatileWrite(ref System.UInt32 address, System.UInt32 value) => throw null; - public static void VolatileWrite(ref System.UInt64 address, System.UInt64 value) => throw null; - public static void VolatileWrite(ref System.UInt16 address, System.UInt16 value) => throw null; + public static void VolatileWrite(ref sbyte address, sbyte value) => throw null; + public static void VolatileWrite(ref float address, float value) => throw null; + public static void VolatileWrite(ref ushort address, ushort value) => throw null; + public static void VolatileWrite(ref uint address, uint value) => throw null; + public static void VolatileWrite(ref ulong address, ulong value) => throw null; + public static void VolatileWrite(ref nuint address, nuint value) => throw null; public static bool Yield() => throw null; - // ERR: Stub generator didn't handle member: ~Thread } - - public class ThreadAbortException : System.SystemException + public sealed class ThreadAbortException : System.SystemException { public object ExceptionState { get => throw null; } } - public class ThreadExceptionEventArgs : System.EventArgs { - public System.Exception Exception { get => throw null; } public ThreadExceptionEventArgs(System.Exception t) => throw null; + public System.Exception Exception { get => throw null; } } - public delegate void ThreadExceptionEventHandler(object sender, System.Threading.ThreadExceptionEventArgs e); - public class ThreadInterruptedException : System.SystemException { public ThreadInterruptedException() => throw null; @@ -134,37 +123,32 @@ public class ThreadInterruptedException : System.SystemException public ThreadInterruptedException(string message) => throw null; public ThreadInterruptedException(string message, System.Exception innerException) => throw null; } - - public enum ThreadPriority : int + public enum ThreadPriority { - AboveNormal = 3, - BelowNormal = 1, - Highest = 4, Lowest = 0, + BelowNormal = 1, Normal = 2, + AboveNormal = 3, + Highest = 4, } - public delegate void ThreadStart(); - - public class ThreadStartException : System.SystemException + public sealed class ThreadStartException : System.SystemException { } - [System.Flags] - public enum ThreadState : int + public enum ThreadState { - AbortRequested = 128, - Aborted = 256, - Background = 4, Running = 0, StopRequested = 1, - Stopped = 16, SuspendRequested = 2, - Suspended = 64, + Background = 4, Unstarted = 8, + Stopped = 16, WaitSleepJoin = 32, + Suspended = 64, + AbortRequested = 128, + Aborted = 256, } - public class ThreadStateException : System.SystemException { public ThreadStateException() => throw null; @@ -172,6 +156,5 @@ public class ThreadStateException : System.SystemException public ThreadStateException(string message) => throw null; public ThreadStateException(string message, System.Exception innerException) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.ThreadPool.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.ThreadPool.cs index 0b672acd53e4..5f52c581e000 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.ThreadPool.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.ThreadPool.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Threading.ThreadPool, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Threading @@ -9,44 +8,39 @@ public interface IThreadPoolWorkItem { void Execute(); } - - public class RegisteredWaitHandle : System.MarshalByRefObject + public sealed class RegisteredWaitHandle : System.MarshalByRefObject { public bool Unregister(System.Threading.WaitHandle waitObject) => throw null; } - public static class ThreadPool { - public static bool BindHandle(System.IntPtr osHandle) => throw null; + public static bool BindHandle(nint osHandle) => throw null; public static bool BindHandle(System.Runtime.InteropServices.SafeHandle osHandle) => throw null; - public static System.Int64 CompletedWorkItemCount { get => throw null; } + public static long CompletedWorkItemCount { get => throw null; } public static void GetAvailableThreads(out int workerThreads, out int completionPortThreads) => throw null; public static void GetMaxThreads(out int workerThreads, out int completionPortThreads) => throw null; public static void GetMinThreads(out int workerThreads, out int completionPortThreads) => throw null; - public static System.Int64 PendingWorkItemCount { get => throw null; } + public static long PendingWorkItemCount { get => throw null; } public static bool QueueUserWorkItem(System.Threading.WaitCallback callBack) => throw null; public static bool QueueUserWorkItem(System.Threading.WaitCallback callBack, object state) => throw null; public static bool QueueUserWorkItem(System.Action callBack, TState state, bool preferLocal) => throw null; - public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.TimeSpan timeout, bool executeOnlyOnce) => throw null; public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, int millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; - public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.Int64 millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; - public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.UInt32 millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, long millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.TimeSpan timeout, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle RegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, uint millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; public static bool SetMaxThreads(int workerThreads, int completionPortThreads) => throw null; public static bool SetMinThreads(int workerThreads, int completionPortThreads) => throw null; public static int ThreadCount { get => throw null; } - unsafe public static bool UnsafeQueueNativeOverlapped(System.Threading.NativeOverlapped* overlapped) => throw null; + public static unsafe bool UnsafeQueueNativeOverlapped(System.Threading.NativeOverlapped* overlapped) => throw null; public static bool UnsafeQueueUserWorkItem(System.Threading.IThreadPoolWorkItem callBack, bool preferLocal) => throw null; public static bool UnsafeQueueUserWorkItem(System.Threading.WaitCallback callBack, object state) => throw null; public static bool UnsafeQueueUserWorkItem(System.Action callBack, TState state, bool preferLocal) => throw null; - public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.TimeSpan timeout, bool executeOnlyOnce) => throw null; public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, int millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; - public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.Int64 millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; - public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.UInt32 millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, long millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, System.TimeSpan timeout, bool executeOnlyOnce) => throw null; + public static System.Threading.RegisteredWaitHandle UnsafeRegisterWaitForSingleObject(System.Threading.WaitHandle waitObject, System.Threading.WaitOrTimerCallback callBack, object state, uint millisecondsTimeOutInterval, bool executeOnlyOnce) => throw null; } - public delegate void WaitCallback(object state); - public delegate void WaitOrTimerCallback(object state, bool timedOut); - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs new file mode 100644 index 000000000000..4c227d1b547d --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Threading.Timer, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs index ee58958e493c..71281da61b4a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Threading, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Threading @@ -8,8 +7,8 @@ namespace Threading public class AbandonedMutexException : System.SystemException { public AbandonedMutexException() => throw null; - protected AbandonedMutexException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public AbandonedMutexException(int location, System.Threading.WaitHandle handle) => throw null; + protected AbandonedMutexException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public AbandonedMutexException(string message) => throw null; public AbandonedMutexException(string message, System.Exception inner) => throw null; public AbandonedMutexException(string message, System.Exception inner, int location, System.Threading.WaitHandle handle) => throw null; @@ -17,46 +16,39 @@ public class AbandonedMutexException : System.SystemException public System.Threading.Mutex Mutex { get => throw null; } public int MutexIndex { get => throw null; } } - - public struct AsyncFlowControl : System.IDisposable, System.IEquatable + public struct AsyncFlowControl : System.IEquatable, System.IDisposable { - public static bool operator !=(System.Threading.AsyncFlowControl a, System.Threading.AsyncFlowControl b) => throw null; - public static bool operator ==(System.Threading.AsyncFlowControl a, System.Threading.AsyncFlowControl b) => throw null; - // Stub generator skipped constructor public void Dispose() => throw null; - public bool Equals(System.Threading.AsyncFlowControl obj) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.AsyncFlowControl obj) => throw null; public override int GetHashCode() => throw null; + public static bool operator ==(System.Threading.AsyncFlowControl a, System.Threading.AsyncFlowControl b) => throw null; + public static bool operator !=(System.Threading.AsyncFlowControl a, System.Threading.AsyncFlowControl b) => throw null; public void Undo() => throw null; } - - public class AsyncLocal + public sealed class AsyncLocal { public AsyncLocal() => throw null; public AsyncLocal(System.Action> valueChangedHandler) => throw null; - public T Value { get => throw null; set => throw null; } + public T Value { get => throw null; set { } } } - public struct AsyncLocalValueChangedArgs { - // Stub generator skipped constructor public T CurrentValue { get => throw null; } public T PreviousValue { get => throw null; } public bool ThreadContextChanged { get => throw null; } } - - public class AutoResetEvent : System.Threading.EventWaitHandle + public sealed class AutoResetEvent : System.Threading.EventWaitHandle { public AutoResetEvent(bool initialState) : base(default(bool), default(System.Threading.EventResetMode)) => throw null; } - public class Barrier : System.IDisposable { - public System.Int64 AddParticipant() => throw null; - public System.Int64 AddParticipants(int participantCount) => throw null; + public long AddParticipant() => throw null; + public long AddParticipants(int participantCount) => throw null; public Barrier(int participantCount) => throw null; public Barrier(int participantCount, System.Action postPhaseAction) => throw null; - public System.Int64 CurrentPhaseNumber { get => throw null; } + public long CurrentPhaseNumber { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public int ParticipantCount { get => throw null; } @@ -64,13 +56,12 @@ public class Barrier : System.IDisposable public void RemoveParticipant() => throw null; public void RemoveParticipants(int participantCount) => throw null; public void SignalAndWait() => throw null; + public bool SignalAndWait(int millisecondsTimeout) => throw null; + public bool SignalAndWait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public void SignalAndWait(System.Threading.CancellationToken cancellationToken) => throw null; public bool SignalAndWait(System.TimeSpan timeout) => throw null; public bool SignalAndWait(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool SignalAndWait(int millisecondsTimeout) => throw null; - public bool SignalAndWait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; } - public class BarrierPostPhaseException : System.Exception { public BarrierPostPhaseException() => throw null; @@ -79,9 +70,7 @@ public class BarrierPostPhaseException : System.Exception public BarrierPostPhaseException(string message) => throw null; public BarrierPostPhaseException(string message, System.Exception innerException) => throw null; } - public delegate void ContextCallback(object state); - public class CountdownEvent : System.IDisposable { public void AddCount() => throw null; @@ -99,20 +88,18 @@ public class CountdownEvent : System.IDisposable public bool TryAddCount() => throw null; public bool TryAddCount(int signalCount) => throw null; public void Wait() => throw null; + public bool Wait(int millisecondsTimeout) => throw null; + public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public void Wait(System.Threading.CancellationToken cancellationToken) => throw null; public bool Wait(System.TimeSpan timeout) => throw null; public bool Wait(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Wait(int millisecondsTimeout) => throw null; - public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.WaitHandle WaitHandle { get => throw null; } } - - public enum EventResetMode : int + public enum EventResetMode { AutoReset = 0, ManualReset = 1, } - public class EventWaitHandle : System.Threading.WaitHandle { public EventWaitHandle(bool initialState, System.Threading.EventResetMode mode) => throw null; @@ -123,8 +110,7 @@ public class EventWaitHandle : System.Threading.WaitHandle public bool Set() => throw null; public static bool TryOpenExisting(string name, out System.Threading.EventWaitHandle result) => throw null; } - - public class ExecutionContext : System.IDisposable, System.Runtime.Serialization.ISerializable + public sealed class ExecutionContext : System.IDisposable, System.Runtime.Serialization.ISerializable { public static System.Threading.ExecutionContext Capture() => throw null; public System.Threading.ExecutionContext CreateCopy() => throw null; @@ -136,17 +122,15 @@ public class ExecutionContext : System.IDisposable, System.Runtime.Serialization public static void Run(System.Threading.ExecutionContext executionContext, System.Threading.ContextCallback callback, object state) => throw null; public static System.Threading.AsyncFlowControl SuppressFlow() => throw null; } - public class HostExecutionContext : System.IDisposable { public virtual System.Threading.HostExecutionContext CreateCopy() => throw null; - public void Dispose() => throw null; - public virtual void Dispose(bool disposing) => throw null; public HostExecutionContext() => throw null; public HostExecutionContext(object state) => throw null; - protected internal object State { get => throw null; set => throw null; } + public void Dispose() => throw null; + public virtual void Dispose(bool disposing) => throw null; + protected object State { get => throw null; set { } } } - public class HostExecutionContextManager { public virtual System.Threading.HostExecutionContext Capture() => throw null; @@ -154,74 +138,69 @@ public class HostExecutionContextManager public virtual void Revert(object previousState) => throw null; public virtual object SetHostExecutionContext(System.Threading.HostExecutionContext hostExecutionContext) => throw null; } - public static class Interlocked { public static int Add(ref int location1, int value) => throw null; - public static System.Int64 Add(ref System.Int64 location1, System.Int64 value) => throw null; - public static System.UInt32 Add(ref System.UInt32 location1, System.UInt32 value) => throw null; - public static System.UInt64 Add(ref System.UInt64 location1, System.UInt64 value) => throw null; + public static long Add(ref long location1, long value) => throw null; + public static uint Add(ref uint location1, uint value) => throw null; + public static ulong Add(ref ulong location1, ulong value) => throw null; public static int And(ref int location1, int value) => throw null; - public static System.Int64 And(ref System.Int64 location1, System.Int64 value) => throw null; - public static System.UInt32 And(ref System.UInt32 location1, System.UInt32 value) => throw null; - public static System.UInt64 And(ref System.UInt64 location1, System.UInt64 value) => throw null; - public static System.IntPtr CompareExchange(ref System.IntPtr location1, System.IntPtr value, System.IntPtr comparand) => throw null; - public static System.UIntPtr CompareExchange(ref System.UIntPtr location1, System.UIntPtr value, System.UIntPtr comparand) => throw null; + public static long And(ref long location1, long value) => throw null; + public static uint And(ref uint location1, uint value) => throw null; + public static ulong And(ref ulong location1, ulong value) => throw null; public static double CompareExchange(ref double location1, double value, double comparand) => throw null; - public static float CompareExchange(ref float location1, float value, float comparand) => throw null; public static int CompareExchange(ref int location1, int value, int comparand) => throw null; - public static System.Int64 CompareExchange(ref System.Int64 location1, System.Int64 value, System.Int64 comparand) => throw null; + public static long CompareExchange(ref long location1, long value, long comparand) => throw null; + public static nint CompareExchange(ref nint location1, nint value, nint comparand) => throw null; + public static nuint CompareExchange(ref nuint location1, nuint value, nuint comparand) => throw null; public static object CompareExchange(ref object location1, object value, object comparand) => throw null; - public static System.UInt32 CompareExchange(ref System.UInt32 location1, System.UInt32 value, System.UInt32 comparand) => throw null; - public static System.UInt64 CompareExchange(ref System.UInt64 location1, System.UInt64 value, System.UInt64 comparand) => throw null; + public static float CompareExchange(ref float location1, float value, float comparand) => throw null; + public static uint CompareExchange(ref uint location1, uint value, uint comparand) => throw null; + public static ulong CompareExchange(ref ulong location1, ulong value, ulong comparand) => throw null; public static T CompareExchange(ref T location1, T value, T comparand) where T : class => throw null; public static int Decrement(ref int location) => throw null; - public static System.Int64 Decrement(ref System.Int64 location) => throw null; - public static System.UInt32 Decrement(ref System.UInt32 location) => throw null; - public static System.UInt64 Decrement(ref System.UInt64 location) => throw null; - public static System.IntPtr Exchange(ref System.IntPtr location1, System.IntPtr value) => throw null; - public static System.UIntPtr Exchange(ref System.UIntPtr location1, System.UIntPtr value) => throw null; + public static long Decrement(ref long location) => throw null; + public static uint Decrement(ref uint location) => throw null; + public static ulong Decrement(ref ulong location) => throw null; public static double Exchange(ref double location1, double value) => throw null; - public static float Exchange(ref float location1, float value) => throw null; public static int Exchange(ref int location1, int value) => throw null; - public static System.Int64 Exchange(ref System.Int64 location1, System.Int64 value) => throw null; + public static long Exchange(ref long location1, long value) => throw null; + public static nint Exchange(ref nint location1, nint value) => throw null; + public static nuint Exchange(ref nuint location1, nuint value) => throw null; public static object Exchange(ref object location1, object value) => throw null; - public static System.UInt32 Exchange(ref System.UInt32 location1, System.UInt32 value) => throw null; - public static System.UInt64 Exchange(ref System.UInt64 location1, System.UInt64 value) => throw null; + public static float Exchange(ref float location1, float value) => throw null; + public static uint Exchange(ref uint location1, uint value) => throw null; + public static ulong Exchange(ref ulong location1, ulong value) => throw null; public static T Exchange(ref T location1, T value) where T : class => throw null; public static int Increment(ref int location) => throw null; - public static System.Int64 Increment(ref System.Int64 location) => throw null; - public static System.UInt32 Increment(ref System.UInt32 location) => throw null; - public static System.UInt64 Increment(ref System.UInt64 location) => throw null; + public static long Increment(ref long location) => throw null; + public static uint Increment(ref uint location) => throw null; + public static ulong Increment(ref ulong location) => throw null; public static void MemoryBarrier() => throw null; public static void MemoryBarrierProcessWide() => throw null; public static int Or(ref int location1, int value) => throw null; - public static System.Int64 Or(ref System.Int64 location1, System.Int64 value) => throw null; - public static System.UInt32 Or(ref System.UInt32 location1, System.UInt32 value) => throw null; - public static System.UInt64 Or(ref System.UInt64 location1, System.UInt64 value) => throw null; - public static System.Int64 Read(ref System.Int64 location) => throw null; - public static System.UInt64 Read(ref System.UInt64 location) => throw null; + public static long Or(ref long location1, long value) => throw null; + public static uint Or(ref uint location1, uint value) => throw null; + public static ulong Or(ref ulong location1, ulong value) => throw null; + public static long Read(ref long location) => throw null; + public static ulong Read(ref ulong location) => throw null; } - public static class LazyInitializer { public static T EnsureInitialized(ref T target) where T : class => throw null; - public static T EnsureInitialized(ref T target, System.Func valueFactory) where T : class => throw null; public static T EnsureInitialized(ref T target, ref bool initialized, ref object syncLock) => throw null; public static T EnsureInitialized(ref T target, ref bool initialized, ref object syncLock, System.Func valueFactory) => throw null; + public static T EnsureInitialized(ref T target, System.Func valueFactory) where T : class => throw null; public static T EnsureInitialized(ref T target, ref object syncLock, System.Func valueFactory) where T : class => throw null; } - public struct LockCookie : System.IEquatable { - public static bool operator !=(System.Threading.LockCookie a, System.Threading.LockCookie b) => throw null; - public static bool operator ==(System.Threading.LockCookie a, System.Threading.LockCookie b) => throw null; - public bool Equals(System.Threading.LockCookie obj) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.LockCookie obj) => throw null; public override int GetHashCode() => throw null; - // Stub generator skipped constructor + public static bool operator ==(System.Threading.LockCookie a, System.Threading.LockCookie b) => throw null; + public static bool operator !=(System.Threading.LockCookie a, System.Threading.LockCookie b) => throw null; } - public class LockRecursionException : System.Exception { public LockRecursionException() => throw null; @@ -229,61 +208,56 @@ public class LockRecursionException : System.Exception public LockRecursionException(string message) => throw null; public LockRecursionException(string message, System.Exception innerException) => throw null; } - - public enum LockRecursionPolicy : int + public enum LockRecursionPolicy { NoRecursion = 0, SupportsRecursion = 1, } - - public class ManualResetEvent : System.Threading.EventWaitHandle + public sealed class ManualResetEvent : System.Threading.EventWaitHandle { public ManualResetEvent(bool initialState) : base(default(bool), default(System.Threading.EventResetMode)) => throw null; } - public class ManualResetEventSlim : System.IDisposable { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public bool IsSet { get => throw null; } public ManualResetEventSlim() => throw null; public ManualResetEventSlim(bool initialState) => throw null; public ManualResetEventSlim(bool initialState, int spinCount) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public bool IsSet { get => throw null; } public void Reset() => throw null; public void Set() => throw null; public int SpinCount { get => throw null; } public void Wait() => throw null; + public bool Wait(int millisecondsTimeout) => throw null; + public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public void Wait(System.Threading.CancellationToken cancellationToken) => throw null; public bool Wait(System.TimeSpan timeout) => throw null; public bool Wait(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Wait(int millisecondsTimeout) => throw null; - public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.WaitHandle WaitHandle { get => throw null; } } - public static class Monitor { public static void Enter(object obj) => throw null; public static void Enter(object obj, ref bool lockTaken) => throw null; public static void Exit(object obj) => throw null; public static bool IsEntered(object obj) => throw null; - public static System.Int64 LockContentionCount { get => throw null; } + public static long LockContentionCount { get => throw null; } public static void Pulse(object obj) => throw null; public static void PulseAll(object obj) => throw null; public static bool TryEnter(object obj) => throw null; - public static bool TryEnter(object obj, System.TimeSpan timeout) => throw null; - public static void TryEnter(object obj, System.TimeSpan timeout, ref bool lockTaken) => throw null; + public static void TryEnter(object obj, ref bool lockTaken) => throw null; public static bool TryEnter(object obj, int millisecondsTimeout) => throw null; public static void TryEnter(object obj, int millisecondsTimeout, ref bool lockTaken) => throw null; - public static void TryEnter(object obj, ref bool lockTaken) => throw null; + public static bool TryEnter(object obj, System.TimeSpan timeout) => throw null; + public static void TryEnter(object obj, System.TimeSpan timeout, ref bool lockTaken) => throw null; public static bool Wait(object obj) => throw null; - public static bool Wait(object obj, System.TimeSpan timeout) => throw null; - public static bool Wait(object obj, System.TimeSpan timeout, bool exitContext) => throw null; public static bool Wait(object obj, int millisecondsTimeout) => throw null; public static bool Wait(object obj, int millisecondsTimeout, bool exitContext) => throw null; + public static bool Wait(object obj, System.TimeSpan timeout) => throw null; + public static bool Wait(object obj, System.TimeSpan timeout, bool exitContext) => throw null; } - - public class Mutex : System.Threading.WaitHandle + public sealed class Mutex : System.Threading.WaitHandle { public Mutex() => throw null; public Mutex(bool initiallyOwned) => throw null; @@ -293,29 +267,29 @@ public class Mutex : System.Threading.WaitHandle public void ReleaseMutex() => throw null; public static bool TryOpenExisting(string name, out System.Threading.Mutex result) => throw null; } - - public class ReaderWriterLock : System.Runtime.ConstrainedExecution.CriticalFinalizerObject + public sealed class ReaderWriterLock : System.Runtime.ConstrainedExecution.CriticalFinalizerObject { - public void AcquireReaderLock(System.TimeSpan timeout) => throw null; public void AcquireReaderLock(int millisecondsTimeout) => throw null; - public void AcquireWriterLock(System.TimeSpan timeout) => throw null; + public void AcquireReaderLock(System.TimeSpan timeout) => throw null; public void AcquireWriterLock(int millisecondsTimeout) => throw null; + public void AcquireWriterLock(System.TimeSpan timeout) => throw null; public bool AnyWritersSince(int seqNum) => throw null; + public ReaderWriterLock() => throw null; public void DowngradeFromWriterLock(ref System.Threading.LockCookie lockCookie) => throw null; public bool IsReaderLockHeld { get => throw null; } public bool IsWriterLockHeld { get => throw null; } - public ReaderWriterLock() => throw null; public System.Threading.LockCookie ReleaseLock() => throw null; public void ReleaseReaderLock() => throw null; public void ReleaseWriterLock() => throw null; public void RestoreLock(ref System.Threading.LockCookie lockCookie) => throw null; - public System.Threading.LockCookie UpgradeToWriterLock(System.TimeSpan timeout) => throw null; public System.Threading.LockCookie UpgradeToWriterLock(int millisecondsTimeout) => throw null; + public System.Threading.LockCookie UpgradeToWriterLock(System.TimeSpan timeout) => throw null; public int WriterSeqNum { get => throw null; } } - public class ReaderWriterLockSlim : System.IDisposable { + public ReaderWriterLockSlim() => throw null; + public ReaderWriterLockSlim(System.Threading.LockRecursionPolicy recursionPolicy) => throw null; public int CurrentReadCount { get => throw null; } public void Dispose() => throw null; public void EnterReadLock() => throw null; @@ -327,34 +301,30 @@ public class ReaderWriterLockSlim : System.IDisposable public bool IsReadLockHeld { get => throw null; } public bool IsUpgradeableReadLockHeld { get => throw null; } public bool IsWriteLockHeld { get => throw null; } - public ReaderWriterLockSlim() => throw null; - public ReaderWriterLockSlim(System.Threading.LockRecursionPolicy recursionPolicy) => throw null; public System.Threading.LockRecursionPolicy RecursionPolicy { get => throw null; } public int RecursiveReadCount { get => throw null; } public int RecursiveUpgradeCount { get => throw null; } public int RecursiveWriteCount { get => throw null; } - public bool TryEnterReadLock(System.TimeSpan timeout) => throw null; public bool TryEnterReadLock(int millisecondsTimeout) => throw null; - public bool TryEnterUpgradeableReadLock(System.TimeSpan timeout) => throw null; + public bool TryEnterReadLock(System.TimeSpan timeout) => throw null; public bool TryEnterUpgradeableReadLock(int millisecondsTimeout) => throw null; - public bool TryEnterWriteLock(System.TimeSpan timeout) => throw null; + public bool TryEnterUpgradeableReadLock(System.TimeSpan timeout) => throw null; public bool TryEnterWriteLock(int millisecondsTimeout) => throw null; + public bool TryEnterWriteLock(System.TimeSpan timeout) => throw null; public int WaitingReadCount { get => throw null; } public int WaitingUpgradeCount { get => throw null; } public int WaitingWriteCount { get => throw null; } } - - public class Semaphore : System.Threading.WaitHandle + public sealed class Semaphore : System.Threading.WaitHandle { - public static System.Threading.Semaphore OpenExisting(string name) => throw null; - public int Release() => throw null; - public int Release(int releaseCount) => throw null; public Semaphore(int initialCount, int maximumCount) => throw null; public Semaphore(int initialCount, int maximumCount, string name) => throw null; public Semaphore(int initialCount, int maximumCount, string name, out bool createdNew) => throw null; + public static System.Threading.Semaphore OpenExisting(string name) => throw null; + public int Release() => throw null; + public int Release(int releaseCount) => throw null; public static bool TryOpenExisting(string name, out System.Threading.Semaphore result) => throw null; } - public class SemaphoreFullException : System.SystemException { public SemaphoreFullException() => throw null; @@ -362,48 +332,43 @@ public class SemaphoreFullException : System.SystemException public SemaphoreFullException(string message) => throw null; public SemaphoreFullException(string message, System.Exception innerException) => throw null; } - public class SemaphoreSlim : System.IDisposable { public System.Threading.WaitHandle AvailableWaitHandle { get => throw null; } + public SemaphoreSlim(int initialCount) => throw null; + public SemaphoreSlim(int initialCount, int maxCount) => throw null; public int CurrentCount { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public int Release() => throw null; public int Release(int releaseCount) => throw null; - public SemaphoreSlim(int initialCount) => throw null; - public SemaphoreSlim(int initialCount, int maxCount) => throw null; public void Wait() => throw null; + public bool Wait(int millisecondsTimeout) => throw null; + public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public void Wait(System.Threading.CancellationToken cancellationToken) => throw null; public bool Wait(System.TimeSpan timeout) => throw null; public bool Wait(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Wait(int millisecondsTimeout) => throw null; - public bool Wait(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitAsync() => throw null; + public System.Threading.Tasks.Task WaitAsync(int millisecondsTimeout) => throw null; + public System.Threading.Tasks.Task WaitAsync(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout) => throw null; public System.Threading.Tasks.Task WaitAsync(System.TimeSpan timeout, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task WaitAsync(int millisecondsTimeout) => throw null; - public System.Threading.Tasks.Task WaitAsync(int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; } - public delegate void SendOrPostCallback(object state); - public struct SpinLock { + public SpinLock(bool enableThreadOwnerTracking) => throw null; public void Enter(ref bool lockTaken) => throw null; public void Exit() => throw null; public void Exit(bool useMemoryBarrier) => throw null; public bool IsHeld { get => throw null; } public bool IsHeldByCurrentThread { get => throw null; } public bool IsThreadOwnerTrackingEnabled { get => throw null; } - // Stub generator skipped constructor - public SpinLock(bool enableThreadOwnerTracking) => throw null; - public void TryEnter(System.TimeSpan timeout, ref bool lockTaken) => throw null; - public void TryEnter(int millisecondsTimeout, ref bool lockTaken) => throw null; public void TryEnter(ref bool lockTaken) => throw null; + public void TryEnter(int millisecondsTimeout, ref bool lockTaken) => throw null; + public void TryEnter(System.TimeSpan timeout, ref bool lockTaken) => throw null; } - public struct SpinWait { public int Count { get => throw null; } @@ -412,14 +377,13 @@ public struct SpinWait public void SpinOnce() => throw null; public void SpinOnce(int sleep1Threshold) => throw null; public static void SpinUntil(System.Func condition) => throw null; - public static bool SpinUntil(System.Func condition, System.TimeSpan timeout) => throw null; public static bool SpinUntil(System.Func condition, int millisecondsTimeout) => throw null; - // Stub generator skipped constructor + public static bool SpinUntil(System.Func condition, System.TimeSpan timeout) => throw null; } - public class SynchronizationContext { public virtual System.Threading.SynchronizationContext CreateCopy() => throw null; + public SynchronizationContext() => throw null; public static System.Threading.SynchronizationContext Current { get => throw null; } public bool IsWaitNotificationRequired() => throw null; public virtual void OperationCompleted() => throw null; @@ -428,11 +392,9 @@ public class SynchronizationContext public virtual void Send(System.Threading.SendOrPostCallback d, object state) => throw null; public static void SetSynchronizationContext(System.Threading.SynchronizationContext syncContext) => throw null; protected void SetWaitNotificationRequired() => throw null; - public SynchronizationContext() => throw null; - public virtual int Wait(System.IntPtr[] waitHandles, bool waitAll, int millisecondsTimeout) => throw null; - protected static int WaitHelper(System.IntPtr[] waitHandles, bool waitAll, int millisecondsTimeout) => throw null; + public virtual int Wait(nint[] waitHandles, bool waitAll, int millisecondsTimeout) => throw null; + protected static int WaitHelper(nint[] waitHandles, bool waitAll, int millisecondsTimeout) => throw null; } - public class SynchronizationLockException : System.SystemException { public SynchronizationLockException() => throw null; @@ -440,54 +402,50 @@ public class SynchronizationLockException : System.SystemException public SynchronizationLockException(string message) => throw null; public SynchronizationLockException(string message, System.Exception innerException) => throw null; } - public class ThreadLocal : System.IDisposable { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public bool IsValueCreated { get => throw null; } public ThreadLocal() => throw null; + public ThreadLocal(bool trackAllValues) => throw null; public ThreadLocal(System.Func valueFactory) => throw null; public ThreadLocal(System.Func valueFactory, bool trackAllValues) => throw null; - public ThreadLocal(bool trackAllValues) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public bool IsValueCreated { get => throw null; } public override string ToString() => throw null; - public T Value { get => throw null; set => throw null; } + public T Value { get => throw null; set { } } public System.Collections.Generic.IList Values { get => throw null; } - // ERR: Stub generator didn't handle member: ~ThreadLocal } - public static class Volatile { - public static System.IntPtr Read(ref System.IntPtr location) => throw null; - public static System.UIntPtr Read(ref System.UIntPtr location) => throw null; public static bool Read(ref bool location) => throw null; - public static System.Byte Read(ref System.Byte location) => throw null; + public static byte Read(ref byte location) => throw null; public static double Read(ref double location) => throw null; - public static float Read(ref float location) => throw null; + public static short Read(ref short location) => throw null; public static int Read(ref int location) => throw null; - public static System.Int64 Read(ref System.Int64 location) => throw null; - public static System.SByte Read(ref System.SByte location) => throw null; - public static System.Int16 Read(ref System.Int16 location) => throw null; - public static System.UInt32 Read(ref System.UInt32 location) => throw null; - public static System.UInt64 Read(ref System.UInt64 location) => throw null; - public static System.UInt16 Read(ref System.UInt16 location) => throw null; + public static long Read(ref long location) => throw null; + public static nint Read(ref nint location) => throw null; + public static sbyte Read(ref sbyte location) => throw null; + public static float Read(ref float location) => throw null; + public static ushort Read(ref ushort location) => throw null; + public static uint Read(ref uint location) => throw null; + public static ulong Read(ref ulong location) => throw null; + public static nuint Read(ref nuint location) => throw null; public static T Read(ref T location) where T : class => throw null; - public static void Write(ref System.IntPtr location, System.IntPtr value) => throw null; - public static void Write(ref System.UIntPtr location, System.UIntPtr value) => throw null; public static void Write(ref bool location, bool value) => throw null; - public static void Write(ref System.Byte location, System.Byte value) => throw null; + public static void Write(ref byte location, byte value) => throw null; public static void Write(ref double location, double value) => throw null; - public static void Write(ref float location, float value) => throw null; + public static void Write(ref short location, short value) => throw null; public static void Write(ref int location, int value) => throw null; - public static void Write(ref System.Int64 location, System.Int64 value) => throw null; - public static void Write(ref System.SByte location, System.SByte value) => throw null; - public static void Write(ref System.Int16 location, System.Int16 value) => throw null; - public static void Write(ref System.UInt32 location, System.UInt32 value) => throw null; - public static void Write(ref System.UInt64 location, System.UInt64 value) => throw null; - public static void Write(ref System.UInt16 location, System.UInt16 value) => throw null; + public static void Write(ref long location, long value) => throw null; + public static void Write(ref nint location, nint value) => throw null; + public static void Write(ref sbyte location, sbyte value) => throw null; + public static void Write(ref float location, float value) => throw null; + public static void Write(ref ushort location, ushort value) => throw null; + public static void Write(ref uint location, uint value) => throw null; + public static void Write(ref ulong location, ulong value) => throw null; + public static void Write(ref nuint location, nuint value) => throw null; public static void Write(ref T location, T value) where T : class => throw null; } - public class WaitHandleCannotBeOpenedException : System.ApplicationException { public WaitHandleCannotBeOpenedException() => throw null; @@ -495,6 +453,5 @@ public class WaitHandleCannotBeOpenedException : System.ApplicationException public WaitHandleCannotBeOpenedException(string message) => throw null; public WaitHandleCannotBeOpenedException(string message, System.Exception innerException) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs index 3ace7f93f48e..93c34566210b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs @@ -1,64 +1,54 @@ // This file contains auto-generated code. // Generated from `System.Transactions.Local, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Transactions { - public class CommittableTransaction : System.Transactions.Transaction, System.IAsyncResult + public sealed class CommittableTransaction : System.Transactions.Transaction, System.IAsyncResult { object System.IAsyncResult.AsyncState { get => throw null; } System.Threading.WaitHandle System.IAsyncResult.AsyncWaitHandle { get => throw null; } public System.IAsyncResult BeginCommit(System.AsyncCallback asyncCallback, object asyncState) => throw null; public void Commit() => throw null; + bool System.IAsyncResult.CompletedSynchronously { get => throw null; } public CommittableTransaction() => throw null; public CommittableTransaction(System.TimeSpan timeout) => throw null; public CommittableTransaction(System.Transactions.TransactionOptions options) => throw null; - bool System.IAsyncResult.CompletedSynchronously { get => throw null; } public void EndCommit(System.IAsyncResult asyncResult) => throw null; bool System.IAsyncResult.IsCompleted { get => throw null; } } - - public enum DependentCloneOption : int + public enum DependentCloneOption { BlockCommitUntilComplete = 0, RollbackIfNotComplete = 1, } - - public class DependentTransaction : System.Transactions.Transaction + public sealed class DependentTransaction : System.Transactions.Transaction { public void Complete() => throw null; } - public class Enlistment { public void Done() => throw null; - internal Enlistment() => throw null; } - [System.Flags] - public enum EnlistmentOptions : int + public enum EnlistmentOptions { - EnlistDuringPrepareRequired = 1, None = 0, + EnlistDuringPrepareRequired = 1, } - - public enum EnterpriseServicesInteropOption : int + public enum EnterpriseServicesInteropOption { + None = 0, Automatic = 1, Full = 2, - None = 0, } - public delegate System.Transactions.Transaction HostCurrentTransactionCallback(); - public interface IDtcTransaction { - void Abort(System.IntPtr reason, int retaining, int async); + void Abort(nint reason, int retaining, int async); void Commit(int retaining, int commitType, int reserved); - void GetTransactionInfo(System.IntPtr transactionInformation); + void GetTransactionInfo(nint transactionInformation); } - public interface IEnlistmentNotification { void Commit(System.Transactions.Enlistment enlistment); @@ -66,48 +56,41 @@ public interface IEnlistmentNotification void Prepare(System.Transactions.PreparingEnlistment preparingEnlistment); void Rollback(System.Transactions.Enlistment enlistment); } - public interface IPromotableSinglePhaseNotification : System.Transactions.ITransactionPromoter { void Initialize(); void Rollback(System.Transactions.SinglePhaseEnlistment singlePhaseEnlistment); void SinglePhaseCommit(System.Transactions.SinglePhaseEnlistment singlePhaseEnlistment); } - public interface ISimpleTransactionSuperior : System.Transactions.ITransactionPromoter { void Rollback(); } - public interface ISinglePhaseNotification : System.Transactions.IEnlistmentNotification { void SinglePhaseCommit(System.Transactions.SinglePhaseEnlistment singlePhaseEnlistment); } - - public interface ITransactionPromoter - { - System.Byte[] Promote(); - } - - public enum IsolationLevel : int + public enum IsolationLevel { - Chaos = 5, + Serializable = 0, + RepeatableRead = 1, ReadCommitted = 2, ReadUncommitted = 3, - RepeatableRead = 1, - Serializable = 0, Snapshot = 4, + Chaos = 5, Unspecified = 6, } - + public interface ITransactionPromoter + { + byte[] Promote(); + } public class PreparingEnlistment : System.Transactions.Enlistment { public void ForceRollback() => throw null; public void ForceRollback(System.Exception e) => throw null; public void Prepared() => throw null; - public System.Byte[] RecoveryInformation() => throw null; + public byte[] RecoveryInformation() => throw null; } - public class SinglePhaseEnlistment : System.Transactions.Enlistment { public void Aborted() => throw null; @@ -116,18 +99,14 @@ public class SinglePhaseEnlistment : System.Transactions.Enlistment public void InDoubt() => throw null; public void InDoubt(System.Exception e) => throw null; } - - public class SubordinateTransaction : System.Transactions.Transaction + public sealed class SubordinateTransaction : System.Transactions.Transaction { public SubordinateTransaction(System.Transactions.IsolationLevel isoLevel, System.Transactions.ISimpleTransactionSuperior superior) => throw null; } - public class Transaction : System.IDisposable, System.Runtime.Serialization.ISerializable { - public static bool operator !=(System.Transactions.Transaction x, System.Transactions.Transaction y) => throw null; - public static bool operator ==(System.Transactions.Transaction x, System.Transactions.Transaction y) => throw null; public System.Transactions.Transaction Clone() => throw null; - public static System.Transactions.Transaction Current { get => throw null; set => throw null; } + public static System.Transactions.Transaction Current { get => throw null; set { } } public System.Transactions.DependentTransaction DependentClone(System.Transactions.DependentCloneOption cloneOption) => throw null; public void Dispose() => throw null; public System.Transactions.Enlistment EnlistDurable(System.Guid resourceManagerIdentifier, System.Transactions.IEnlistmentNotification enlistmentNotification, System.Transactions.EnlistmentOptions enlistmentOptions) => throw null; @@ -139,18 +118,18 @@ public class Transaction : System.IDisposable, System.Runtime.Serialization.ISer public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Byte[] GetPromotedToken() => throw null; + public byte[] GetPromotedToken() => throw null; public System.Transactions.IsolationLevel IsolationLevel { get => throw null; } + public static bool operator ==(System.Transactions.Transaction x, System.Transactions.Transaction y) => throw null; + public static bool operator !=(System.Transactions.Transaction x, System.Transactions.Transaction y) => throw null; public System.Transactions.Enlistment PromoteAndEnlistDurable(System.Guid resourceManagerIdentifier, System.Transactions.IPromotableSinglePhaseNotification promotableNotification, System.Transactions.ISinglePhaseNotification enlistmentNotification, System.Transactions.EnlistmentOptions enlistmentOptions) => throw null; public System.Guid PromoterType { get => throw null; } public void Rollback() => throw null; public void Rollback(System.Exception e) => throw null; public void SetDistributedTransactionIdentifier(System.Transactions.IPromotableSinglePhaseNotification promotableNotification, System.Guid distributedTransactionIdentifier) => throw null; - internal Transaction() => throw null; - public event System.Transactions.TransactionCompletedEventHandler TransactionCompleted; + public event System.Transactions.TransactionCompletedEventHandler TransactionCompleted { add { } remove { } } public System.Transactions.TransactionInformation TransactionInformation { get => throw null; } } - public class TransactionAbortedException : System.Transactions.TransactionException { public TransactionAbortedException() => throw null; @@ -158,15 +137,12 @@ public class TransactionAbortedException : System.Transactions.TransactionExcept public TransactionAbortedException(string message) => throw null; public TransactionAbortedException(string message, System.Exception innerException) => throw null; } - public delegate void TransactionCompletedEventHandler(object sender, System.Transactions.TransactionEventArgs e); - public class TransactionEventArgs : System.EventArgs { - public System.Transactions.Transaction Transaction { get => throw null; } public TransactionEventArgs() => throw null; + public System.Transactions.Transaction Transaction { get => throw null; } } - public class TransactionException : System.SystemException { public TransactionException() => throw null; @@ -174,7 +150,6 @@ public class TransactionException : System.SystemException public TransactionException(string message) => throw null; public TransactionException(string message, System.Exception innerException) => throw null; } - public class TransactionInDoubtException : System.Transactions.TransactionException { public TransactionInDoubtException() => throw null; @@ -182,7 +157,6 @@ public class TransactionInDoubtException : System.Transactions.TransactionExcept public TransactionInDoubtException(string message) => throw null; public TransactionInDoubtException(string message, System.Exception innerException) => throw null; } - public class TransactionInformation { public System.DateTime CreationTime { get => throw null; } @@ -190,30 +164,27 @@ public class TransactionInformation public string LocalIdentifier { get => throw null; } public System.Transactions.TransactionStatus Status { get => throw null; } } - public static class TransactionInterop { public static System.Transactions.IDtcTransaction GetDtcTransaction(System.Transactions.Transaction transaction) => throw null; - public static System.Byte[] GetExportCookie(System.Transactions.Transaction transaction, System.Byte[] whereabouts) => throw null; + public static byte[] GetExportCookie(System.Transactions.Transaction transaction, byte[] whereabouts) => throw null; public static System.Transactions.Transaction GetTransactionFromDtcTransaction(System.Transactions.IDtcTransaction transactionNative) => throw null; - public static System.Transactions.Transaction GetTransactionFromExportCookie(System.Byte[] cookie) => throw null; - public static System.Transactions.Transaction GetTransactionFromTransmitterPropagationToken(System.Byte[] propagationToken) => throw null; - public static System.Byte[] GetTransmitterPropagationToken(System.Transactions.Transaction transaction) => throw null; - public static System.Byte[] GetWhereabouts() => throw null; + public static System.Transactions.Transaction GetTransactionFromExportCookie(byte[] cookie) => throw null; + public static System.Transactions.Transaction GetTransactionFromTransmitterPropagationToken(byte[] propagationToken) => throw null; + public static byte[] GetTransmitterPropagationToken(System.Transactions.Transaction transaction) => throw null; + public static byte[] GetWhereabouts() => throw null; public static System.Guid PromoterTypeDtc; } - public static class TransactionManager { - public static System.TimeSpan DefaultTimeout { get => throw null; set => throw null; } - public static event System.Transactions.TransactionStartedEventHandler DistributedTransactionStarted; - public static System.Transactions.HostCurrentTransactionCallback HostCurrentCallback { get => throw null; set => throw null; } - public static bool ImplicitDistributedTransactions { get => throw null; set => throw null; } - public static System.TimeSpan MaximumTimeout { get => throw null; set => throw null; } + public static System.TimeSpan DefaultTimeout { get => throw null; set { } } + public static event System.Transactions.TransactionStartedEventHandler DistributedTransactionStarted { add { } remove { } } + public static System.Transactions.HostCurrentTransactionCallback HostCurrentCallback { get => throw null; set { } } + public static bool ImplicitDistributedTransactions { get => throw null; set { } } + public static System.TimeSpan MaximumTimeout { get => throw null; set { } } public static void RecoveryComplete(System.Guid resourceManagerIdentifier) => throw null; - public static System.Transactions.Enlistment Reenlist(System.Guid resourceManagerIdentifier, System.Byte[] recoveryInformation, System.Transactions.IEnlistmentNotification enlistmentNotification) => throw null; + public static System.Transactions.Enlistment Reenlist(System.Guid resourceManagerIdentifier, byte[] recoveryInformation, System.Transactions.IEnlistmentNotification enlistmentNotification) => throw null; } - public class TransactionManagerCommunicationException : System.Transactions.TransactionException { public TransactionManagerCommunicationException() => throw null; @@ -221,19 +192,16 @@ public class TransactionManagerCommunicationException : System.Transactions.Tran public TransactionManagerCommunicationException(string message) => throw null; public TransactionManagerCommunicationException(string message, System.Exception innerException) => throw null; } - public struct TransactionOptions : System.IEquatable { - public static bool operator !=(System.Transactions.TransactionOptions x, System.Transactions.TransactionOptions y) => throw null; - public static bool operator ==(System.Transactions.TransactionOptions x, System.Transactions.TransactionOptions y) => throw null; - public bool Equals(System.Transactions.TransactionOptions other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Transactions.TransactionOptions other) => throw null; public override int GetHashCode() => throw null; - public System.Transactions.IsolationLevel IsolationLevel { get => throw null; set => throw null; } - public System.TimeSpan Timeout { get => throw null; set => throw null; } - // Stub generator skipped constructor + public System.Transactions.IsolationLevel IsolationLevel { get => throw null; set { } } + public static bool operator ==(System.Transactions.TransactionOptions x, System.Transactions.TransactionOptions y) => throw null; + public static bool operator !=(System.Transactions.TransactionOptions x, System.Transactions.TransactionOptions y) => throw null; + public System.TimeSpan Timeout { get => throw null; set { } } } - public class TransactionPromotionException : System.Transactions.TransactionException { public TransactionPromotionException() => throw null; @@ -241,11 +209,9 @@ public class TransactionPromotionException : System.Transactions.TransactionExce public TransactionPromotionException(string message) => throw null; public TransactionPromotionException(string message, System.Exception innerException) => throw null; } - - public class TransactionScope : System.IDisposable + public sealed class TransactionScope : System.IDisposable { public void Complete() => throw null; - public void Dispose() => throw null; public TransactionScope() => throw null; public TransactionScope(System.Transactions.Transaction transactionToUse) => throw null; public TransactionScope(System.Transactions.Transaction transactionToUse, System.TimeSpan scopeTimeout) => throw null; @@ -260,30 +226,26 @@ public class TransactionScope : System.IDisposable public TransactionScope(System.Transactions.TransactionScopeOption scopeOption, System.Transactions.TransactionOptions transactionOptions, System.Transactions.EnterpriseServicesInteropOption interopOption) => throw null; public TransactionScope(System.Transactions.TransactionScopeOption scopeOption, System.Transactions.TransactionOptions transactionOptions, System.Transactions.TransactionScopeAsyncFlowOption asyncFlowOption) => throw null; public TransactionScope(System.Transactions.TransactionScopeOption scopeOption, System.Transactions.TransactionScopeAsyncFlowOption asyncFlowOption) => throw null; + public void Dispose() => throw null; } - - public enum TransactionScopeAsyncFlowOption : int + public enum TransactionScopeAsyncFlowOption { - Enabled = 1, Suppress = 0, + Enabled = 1, } - - public enum TransactionScopeOption : int + public enum TransactionScopeOption { Required = 0, RequiresNew = 1, Suppress = 2, } - public delegate void TransactionStartedEventHandler(object sender, System.Transactions.TransactionEventArgs e); - - public enum TransactionStatus : int + public enum TransactionStatus { - Aborted = 2, Active = 0, Committed = 1, + Aborted = 2, InDoubt = 3, } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs new file mode 100644 index 000000000000..2d691f7b48c8 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Transactions, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs new file mode 100644 index 000000000000..4e2a700aa410 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.ValueTuple, Version=4.0.3.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.HttpUtility.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.HttpUtility.cs index 6a83230211c1..a8d3b61e6dc9 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.HttpUtility.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.HttpUtility.cs @@ -1,12 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Web.HttpUtility, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Web { - public class HttpUtility + public sealed class HttpUtility { + public HttpUtility() => throw null; public static string HtmlAttributeEncode(string s) => throw null; public static void HtmlAttributeEncode(string s, System.IO.TextWriter output) => throw null; public static string HtmlDecode(string s) => throw null; @@ -14,31 +14,29 @@ public class HttpUtility public static string HtmlEncode(object value) => throw null; public static string HtmlEncode(string s) => throw null; public static void HtmlEncode(string s, System.IO.TextWriter output) => throw null; - public HttpUtility() => throw null; public static string JavaScriptStringEncode(string value) => throw null; public static string JavaScriptStringEncode(string value, bool addDoubleQuotes) => throw null; public static System.Collections.Specialized.NameValueCollection ParseQueryString(string query) => throw null; public static System.Collections.Specialized.NameValueCollection ParseQueryString(string query, System.Text.Encoding encoding) => throw null; - public static string UrlDecode(System.Byte[] bytes, System.Text.Encoding e) => throw null; - public static string UrlDecode(System.Byte[] bytes, int offset, int count, System.Text.Encoding e) => throw null; + public static string UrlDecode(byte[] bytes, int offset, int count, System.Text.Encoding e) => throw null; + public static string UrlDecode(byte[] bytes, System.Text.Encoding e) => throw null; public static string UrlDecode(string str) => throw null; public static string UrlDecode(string str, System.Text.Encoding e) => throw null; - public static System.Byte[] UrlDecodeToBytes(System.Byte[] bytes) => throw null; - public static System.Byte[] UrlDecodeToBytes(System.Byte[] bytes, int offset, int count) => throw null; - public static System.Byte[] UrlDecodeToBytes(string str) => throw null; - public static System.Byte[] UrlDecodeToBytes(string str, System.Text.Encoding e) => throw null; - public static string UrlEncode(System.Byte[] bytes) => throw null; - public static string UrlEncode(System.Byte[] bytes, int offset, int count) => throw null; + public static byte[] UrlDecodeToBytes(byte[] bytes) => throw null; + public static byte[] UrlDecodeToBytes(byte[] bytes, int offset, int count) => throw null; + public static byte[] UrlDecodeToBytes(string str) => throw null; + public static byte[] UrlDecodeToBytes(string str, System.Text.Encoding e) => throw null; + public static string UrlEncode(byte[] bytes) => throw null; + public static string UrlEncode(byte[] bytes, int offset, int count) => throw null; public static string UrlEncode(string str) => throw null; public static string UrlEncode(string str, System.Text.Encoding e) => throw null; - public static System.Byte[] UrlEncodeToBytes(System.Byte[] bytes) => throw null; - public static System.Byte[] UrlEncodeToBytes(System.Byte[] bytes, int offset, int count) => throw null; - public static System.Byte[] UrlEncodeToBytes(string str) => throw null; - public static System.Byte[] UrlEncodeToBytes(string str, System.Text.Encoding e) => throw null; + public static byte[] UrlEncodeToBytes(byte[] bytes) => throw null; + public static byte[] UrlEncodeToBytes(byte[] bytes, int offset, int count) => throw null; + public static byte[] UrlEncodeToBytes(string str) => throw null; + public static byte[] UrlEncodeToBytes(string str, System.Text.Encoding e) => throw null; public static string UrlEncodeUnicode(string str) => throw null; - public static System.Byte[] UrlEncodeUnicodeToBytes(string str) => throw null; + public static byte[] UrlEncodeUnicodeToBytes(string str) => throw null; public static string UrlPathEncode(string str) => throw null; } - } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs new file mode 100644 index 000000000000..fca0c2bf5584 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Web, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs new file mode 100644 index 000000000000..bef2d1bbe95e --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Windows, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs new file mode 100644 index 000000000000..ab12a2bcecab --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Xml.Linq, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs index 6895809f5b6d..181ee980c4fd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs @@ -1,1388 +1,110 @@ // This file contains auto-generated code. // Generated from `System.Xml.ReaderWriter, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Xml { - public enum ConformanceLevel : int + public enum ConformanceLevel { Auto = 0, - Document = 2, Fragment = 1, + Document = 2, } - - public enum DtdProcessing : int + public enum DtdProcessing { + Prohibit = 0, Ignore = 1, Parse = 2, - Prohibit = 0, } - - public enum EntityHandling : int + public enum EntityHandling { - ExpandCharEntities = 2, ExpandEntities = 1, + ExpandCharEntities = 2, } - - public enum Formatting : int + public enum Formatting { - Indented = 1, None = 0, + Indented = 1, } - public interface IApplicationResourceStreamResolver { System.IO.Stream GetApplicationResourceStream(System.Uri relativeUri); } - public interface IHasXmlNode { System.Xml.XmlNode GetNode(); } - public interface IXmlLineInfo { bool HasLineInfo(); int LineNumber { get; } int LinePosition { get; } } - public interface IXmlNamespaceResolver { System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope); string LookupNamespace(string prefix); string LookupPrefix(string namespaceName); } - - public class NameTable : System.Xml.XmlNameTable - { - public override string Add(System.Char[] key, int start, int len) => throw null; - public override string Add(string key) => throw null; - public override string Get(System.Char[] key, int start, int len) => throw null; - public override string Get(string value) => throw null; - public NameTable() => throw null; - } - [System.Flags] - public enum NamespaceHandling : int + public enum NamespaceHandling { Default = 0, OmitDuplicates = 1, } - - public enum NewLineHandling : int + public class NameTable : System.Xml.XmlNameTable + { + public override string Add(char[] key, int start, int len) => throw null; + public override string Add(string key) => throw null; + public NameTable() => throw null; + public override string Get(char[] key, int start, int len) => throw null; + public override string Get(string value) => throw null; + } + public enum NewLineHandling { + Replace = 0, Entitize = 1, None = 2, - Replace = 0, } - - public enum ReadState : int + public enum ReadState { - Closed = 4, - EndOfFile = 3, - Error = 2, Initial = 0, Interactive = 1, + Error = 2, + EndOfFile = 3, + Closed = 4, } - - public enum ValidationType : int - { - Auto = 1, - DTD = 2, - None = 0, - Schema = 4, - XDR = 3, - } - - public enum WhitespaceHandling : int - { - All = 0, - None = 2, - Significant = 1, - } - - public enum WriteState : int - { - Attribute = 3, - Closed = 5, - Content = 4, - Element = 2, - Error = 6, - Prolog = 1, - Start = 0, - } - - public class XmlAttribute : System.Xml.XmlNode - { - public override System.Xml.XmlNode AppendChild(System.Xml.XmlNode newChild) => throw null; - public override string BaseURI { get => throw null; } - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string InnerText { set => throw null; } - public override string InnerXml { set => throw null; } - public override System.Xml.XmlNode InsertAfter(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; - public override System.Xml.XmlNode InsertBefore(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override string NamespaceURI { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlDocument OwnerDocument { get => throw null; } - public virtual System.Xml.XmlElement OwnerElement { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override string Prefix { get => throw null; set => throw null; } - public override System.Xml.XmlNode PrependChild(System.Xml.XmlNode newChild) => throw null; - public override System.Xml.XmlNode RemoveChild(System.Xml.XmlNode oldChild) => throw null; - public override System.Xml.XmlNode ReplaceChild(System.Xml.XmlNode newChild, System.Xml.XmlNode oldChild) => throw null; - public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public virtual bool Specified { get => throw null; } - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlAttribute(string prefix, string localName, string namespaceURI, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlAttributeCollection : System.Xml.XmlNamedNodeMap, System.Collections.ICollection, System.Collections.IEnumerable - { - public System.Xml.XmlAttribute Append(System.Xml.XmlAttribute node) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Xml.XmlAttribute[] array, int index) => throw null; - int System.Collections.ICollection.Count { get => throw null; } - public System.Xml.XmlAttribute InsertAfter(System.Xml.XmlAttribute newNode, System.Xml.XmlAttribute refNode) => throw null; - public System.Xml.XmlAttribute InsertBefore(System.Xml.XmlAttribute newNode, System.Xml.XmlAttribute refNode) => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public System.Xml.XmlAttribute this[int i] { get => throw null; } - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public System.Xml.XmlAttribute this[string localName, string namespaceURI] { get => throw null; } - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public System.Xml.XmlAttribute this[string name] { get => throw null; } - public System.Xml.XmlAttribute Prepend(System.Xml.XmlAttribute node) => throw null; - public System.Xml.XmlAttribute Remove(System.Xml.XmlAttribute node) => throw null; - public void RemoveAll() => throw null; - public System.Xml.XmlAttribute RemoveAt(int i) => throw null; - public override System.Xml.XmlNode SetNamedItem(System.Xml.XmlNode node) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public class XmlCDataSection : System.Xml.XmlCharacterData - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override System.Xml.XmlNode PreviousText { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlCDataSection(string data, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; - } - - public abstract class XmlCharacterData : System.Xml.XmlLinkedNode - { - public virtual void AppendData(string strData) => throw null; - public virtual string Data { get => throw null; set => throw null; } - public virtual void DeleteData(int offset, int count) => throw null; - public override string InnerText { get => throw null; set => throw null; } - public virtual void InsertData(int offset, string strData) => throw null; - public virtual int Length { get => throw null; } - public virtual void ReplaceData(int offset, int count, string strData) => throw null; - public virtual string Substring(int offset, int count) => throw null; - public override string Value { get => throw null; set => throw null; } - protected internal XmlCharacterData(string data, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlComment : System.Xml.XmlCharacterData - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlComment(string comment, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; - } - - public class XmlConvert - { - public static string DecodeName(string name) => throw null; - public static string EncodeLocalName(string name) => throw null; - public static string EncodeName(string name) => throw null; - public static string EncodeNmToken(string name) => throw null; - public static bool IsNCNameChar(System.Char ch) => throw null; - public static bool IsPublicIdChar(System.Char ch) => throw null; - public static bool IsStartNCNameChar(System.Char ch) => throw null; - public static bool IsWhitespaceChar(System.Char ch) => throw null; - public static bool IsXmlChar(System.Char ch) => throw null; - public static bool IsXmlSurrogatePair(System.Char lowChar, System.Char highChar) => throw null; - public static bool ToBoolean(string s) => throw null; - public static System.Byte ToByte(string s) => throw null; - public static System.Char ToChar(string s) => throw null; - public static System.DateTime ToDateTime(string s) => throw null; - public static System.DateTime ToDateTime(string s, string[] formats) => throw null; - public static System.DateTime ToDateTime(string s, System.Xml.XmlDateTimeSerializationMode dateTimeOption) => throw null; - public static System.DateTime ToDateTime(string s, string format) => throw null; - public static System.DateTimeOffset ToDateTimeOffset(string s) => throw null; - public static System.DateTimeOffset ToDateTimeOffset(string s, string[] formats) => throw null; - public static System.DateTimeOffset ToDateTimeOffset(string s, string format) => throw null; - public static System.Decimal ToDecimal(string s) => throw null; - public static double ToDouble(string s) => throw null; - public static System.Guid ToGuid(string s) => throw null; - public static System.Int16 ToInt16(string s) => throw null; - public static int ToInt32(string s) => throw null; - public static System.Int64 ToInt64(string s) => throw null; - public static System.SByte ToSByte(string s) => throw null; - public static float ToSingle(string s) => throw null; - public static string ToString(System.DateTime value) => throw null; - public static string ToString(System.DateTime value, System.Xml.XmlDateTimeSerializationMode dateTimeOption) => throw null; - public static string ToString(System.DateTime value, string format) => throw null; - public static string ToString(System.DateTimeOffset value) => throw null; - public static string ToString(System.DateTimeOffset value, string format) => throw null; - public static string ToString(System.Guid value) => throw null; - public static string ToString(System.TimeSpan value) => throw null; - public static string ToString(bool value) => throw null; - public static string ToString(System.Byte value) => throw null; - public static string ToString(System.Char value) => throw null; - public static string ToString(System.Decimal value) => throw null; - public static string ToString(double value) => throw null; - public static string ToString(float value) => throw null; - public static string ToString(int value) => throw null; - public static string ToString(System.Int64 value) => throw null; - public static string ToString(System.SByte value) => throw null; - public static string ToString(System.Int16 value) => throw null; - public static string ToString(System.UInt32 value) => throw null; - public static string ToString(System.UInt64 value) => throw null; - public static string ToString(System.UInt16 value) => throw null; - public static System.TimeSpan ToTimeSpan(string s) => throw null; - public static System.UInt16 ToUInt16(string s) => throw null; - public static System.UInt32 ToUInt32(string s) => throw null; - public static System.UInt64 ToUInt64(string s) => throw null; - public static string VerifyNCName(string name) => throw null; - public static string VerifyNMTOKEN(string name) => throw null; - public static string VerifyName(string name) => throw null; - public static string VerifyPublicId(string publicId) => throw null; - public static string VerifyTOKEN(string token) => throw null; - public static string VerifyWhitespace(string content) => throw null; - public static string VerifyXmlChars(string content) => throw null; - public XmlConvert() => throw null; - } - - public enum XmlDateTimeSerializationMode : int - { - Local = 0, - RoundtripKind = 3, - Unspecified = 2, - Utc = 1, - } - - public class XmlDeclaration : System.Xml.XmlLinkedNode - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public string Encoding { get => throw null; set => throw null; } - public override string InnerText { get => throw null; set => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string Standalone { get => throw null; set => throw null; } - public override string Value { get => throw null; set => throw null; } - public string Version { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlDeclaration(string version, string encoding, string standalone, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlDocument : System.Xml.XmlNode + namespace Resolvers { - public override string BaseURI { get => throw null; } - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public System.Xml.XmlAttribute CreateAttribute(string name) => throw null; - public System.Xml.XmlAttribute CreateAttribute(string qualifiedName, string namespaceURI) => throw null; - public virtual System.Xml.XmlAttribute CreateAttribute(string prefix, string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlCDataSection CreateCDataSection(string data) => throw null; - public virtual System.Xml.XmlComment CreateComment(string data) => throw null; - protected internal virtual System.Xml.XmlAttribute CreateDefaultAttribute(string prefix, string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlDocumentFragment CreateDocumentFragment() => throw null; - public virtual System.Xml.XmlDocumentType CreateDocumentType(string name, string publicId, string systemId, string internalSubset) => throw null; - public System.Xml.XmlElement CreateElement(string name) => throw null; - public System.Xml.XmlElement CreateElement(string qualifiedName, string namespaceURI) => throw null; - public virtual System.Xml.XmlElement CreateElement(string prefix, string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlEntityReference CreateEntityReference(string name) => throw null; - public override System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; - protected internal virtual System.Xml.XPath.XPathNavigator CreateNavigator(System.Xml.XmlNode node) => throw null; - public virtual System.Xml.XmlNode CreateNode(System.Xml.XmlNodeType type, string name, string namespaceURI) => throw null; - public virtual System.Xml.XmlNode CreateNode(System.Xml.XmlNodeType type, string prefix, string name, string namespaceURI) => throw null; - public virtual System.Xml.XmlNode CreateNode(string nodeTypeString, string name, string namespaceURI) => throw null; - public virtual System.Xml.XmlProcessingInstruction CreateProcessingInstruction(string target, string data) => throw null; - public virtual System.Xml.XmlSignificantWhitespace CreateSignificantWhitespace(string text) => throw null; - public virtual System.Xml.XmlText CreateTextNode(string text) => throw null; - public virtual System.Xml.XmlWhitespace CreateWhitespace(string text) => throw null; - public virtual System.Xml.XmlDeclaration CreateXmlDeclaration(string version, string encoding, string standalone) => throw null; - public System.Xml.XmlElement DocumentElement { get => throw null; } - public virtual System.Xml.XmlDocumentType DocumentType { get => throw null; } - public virtual System.Xml.XmlElement GetElementById(string elementId) => throw null; - public virtual System.Xml.XmlNodeList GetElementsByTagName(string name) => throw null; - public virtual System.Xml.XmlNodeList GetElementsByTagName(string localName, string namespaceURI) => throw null; - public System.Xml.XmlImplementation Implementation { get => throw null; } - public virtual System.Xml.XmlNode ImportNode(System.Xml.XmlNode node, bool deep) => throw null; - public override string InnerText { set => throw null; } - public override string InnerXml { get => throw null; set => throw null; } - public override bool IsReadOnly { get => throw null; } - public virtual void Load(System.IO.Stream inStream) => throw null; - public virtual void Load(System.IO.TextReader txtReader) => throw null; - public virtual void Load(System.Xml.XmlReader reader) => throw null; - public virtual void Load(string filename) => throw null; - public virtual void LoadXml(string xml) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public System.Xml.XmlNameTable NameTable { get => throw null; } - public event System.Xml.XmlNodeChangedEventHandler NodeChanged; - public event System.Xml.XmlNodeChangedEventHandler NodeChanging; - public event System.Xml.XmlNodeChangedEventHandler NodeInserted; - public event System.Xml.XmlNodeChangedEventHandler NodeInserting; - public event System.Xml.XmlNodeChangedEventHandler NodeRemoved; - public event System.Xml.XmlNodeChangedEventHandler NodeRemoving; - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlDocument OwnerDocument { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public bool PreserveWhitespace { get => throw null; set => throw null; } - public virtual System.Xml.XmlNode ReadNode(System.Xml.XmlReader reader) => throw null; - public virtual void Save(System.IO.Stream outStream) => throw null; - public virtual void Save(System.IO.TextWriter writer) => throw null; - public virtual void Save(System.Xml.XmlWriter w) => throw null; - public virtual void Save(string filename) => throw null; - public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; set => throw null; } - public void Validate(System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; - public void Validate(System.Xml.Schema.ValidationEventHandler validationEventHandler, System.Xml.XmlNode nodeToValidate) => throw null; - public override void WriteContentTo(System.Xml.XmlWriter xw) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - public XmlDocument() => throw null; - protected internal XmlDocument(System.Xml.XmlImplementation imp) => throw null; - public XmlDocument(System.Xml.XmlNameTable nt) => throw null; - public virtual System.Xml.XmlResolver XmlResolver { set => throw null; } + [System.Flags] + public enum XmlKnownDtds + { + None = 0, + Xhtml10 = 1, + Rss091 = 2, + All = 65535, + } + public class XmlPreloadedResolver : System.Xml.XmlResolver + { + public void Add(System.Uri uri, byte[] value) => throw null; + public void Add(System.Uri uri, byte[] value, int offset, int count) => throw null; + public void Add(System.Uri uri, System.IO.Stream value) => throw null; + public void Add(System.Uri uri, string value) => throw null; + public override System.Net.ICredentials Credentials { set { } } + public XmlPreloadedResolver() => throw null; + public XmlPreloadedResolver(System.Xml.Resolvers.XmlKnownDtds preloadedDtds) => throw null; + public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver) => throw null; + public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver, System.Xml.Resolvers.XmlKnownDtds preloadedDtds) => throw null; + public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver, System.Xml.Resolvers.XmlKnownDtds preloadedDtds, System.Collections.Generic.IEqualityComparer uriComparer) => throw null; + public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public System.Collections.Generic.IEnumerable PreloadedUris { get => throw null; } + public void Remove(System.Uri uri) => throw null; + public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; + public override bool SupportsType(System.Uri absoluteUri, System.Type type) => throw null; + } } - - public class XmlDocumentFragment : System.Xml.XmlNode - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string InnerXml { get => throw null; set => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlDocument OwnerDocument { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlDocumentFragment(System.Xml.XmlDocument ownerDocument) => throw null; - } - - public class XmlDocumentType : System.Xml.XmlLinkedNode - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public System.Xml.XmlNamedNodeMap Entities { get => throw null; } - public string InternalSubset { get => throw null; } - public override bool IsReadOnly { get => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public System.Xml.XmlNamedNodeMap Notations { get => throw null; } - public string PublicId { get => throw null; } - public string SystemId { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlDocumentType(string name, string publicId, string systemId, string internalSubset, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlElement : System.Xml.XmlLinkedNode - { - public override System.Xml.XmlAttributeCollection Attributes { get => throw null; } - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public virtual string GetAttribute(string name) => throw null; - public virtual string GetAttribute(string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlAttribute GetAttributeNode(string name) => throw null; - public virtual System.Xml.XmlAttribute GetAttributeNode(string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlNodeList GetElementsByTagName(string name) => throw null; - public virtual System.Xml.XmlNodeList GetElementsByTagName(string localName, string namespaceURI) => throw null; - public virtual bool HasAttribute(string name) => throw null; - public virtual bool HasAttribute(string localName, string namespaceURI) => throw null; - public virtual bool HasAttributes { get => throw null; } - public override string InnerText { get => throw null; set => throw null; } - public override string InnerXml { get => throw null; set => throw null; } - public bool IsEmpty { get => throw null; set => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override string NamespaceURI { get => throw null; } - public override System.Xml.XmlNode NextSibling { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlDocument OwnerDocument { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override string Prefix { get => throw null; set => throw null; } - public override void RemoveAll() => throw null; - public virtual void RemoveAllAttributes() => throw null; - public virtual void RemoveAttribute(string name) => throw null; - public virtual void RemoveAttribute(string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlNode RemoveAttributeAt(int i) => throw null; - public virtual System.Xml.XmlAttribute RemoveAttributeNode(System.Xml.XmlAttribute oldAttr) => throw null; - public virtual System.Xml.XmlAttribute RemoveAttributeNode(string localName, string namespaceURI) => throw null; - public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public virtual void SetAttribute(string name, string value) => throw null; - public virtual string SetAttribute(string localName, string namespaceURI, string value) => throw null; - public virtual System.Xml.XmlAttribute SetAttributeNode(System.Xml.XmlAttribute newAttr) => throw null; - public virtual System.Xml.XmlAttribute SetAttributeNode(string localName, string namespaceURI) => throw null; - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlElement(string prefix, string localName, string namespaceURI, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlEntity : System.Xml.XmlNode - { - public override string BaseURI { get => throw null; } - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string InnerText { get => throw null; set => throw null; } - public override string InnerXml { get => throw null; set => throw null; } - public override bool IsReadOnly { get => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string NotationName { get => throw null; } - public override string OuterXml { get => throw null; } - public string PublicId { get => throw null; } - public string SystemId { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - } - - public class XmlEntityReference : System.Xml.XmlLinkedNode - { - public override string BaseURI { get => throw null; } - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override bool IsReadOnly { get => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlEntityReference(string name, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlException : System.SystemException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public int LineNumber { get => throw null; } - public int LinePosition { get => throw null; } - public override string Message { get => throw null; } - public string SourceUri { get => throw null; } - public XmlException() => throw null; - protected XmlException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public XmlException(string message) => throw null; - public XmlException(string message, System.Exception innerException) => throw null; - public XmlException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; - } - - public class XmlImplementation - { - public virtual System.Xml.XmlDocument CreateDocument() => throw null; - public bool HasFeature(string strFeature, string strVersion) => throw null; - public XmlImplementation() => throw null; - public XmlImplementation(System.Xml.XmlNameTable nt) => throw null; - } - - public abstract class XmlLinkedNode : System.Xml.XmlNode - { - public override System.Xml.XmlNode NextSibling { get => throw null; } - public override System.Xml.XmlNode PreviousSibling { get => throw null; } - internal XmlLinkedNode() => throw null; - } - - public abstract class XmlNameTable - { - public abstract string Add(System.Char[] array, int offset, int length); - public abstract string Add(string array); - public abstract string Get(System.Char[] array, int offset, int length); - public abstract string Get(string array); - protected XmlNameTable() => throw null; - } - - public class XmlNamedNodeMap : System.Collections.IEnumerable - { - public virtual int Count { get => throw null; } - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - public virtual System.Xml.XmlNode GetNamedItem(string name) => throw null; - public virtual System.Xml.XmlNode GetNamedItem(string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlNode Item(int index) => throw null; - public virtual System.Xml.XmlNode RemoveNamedItem(string name) => throw null; - public virtual System.Xml.XmlNode RemoveNamedItem(string localName, string namespaceURI) => throw null; - public virtual System.Xml.XmlNode SetNamedItem(System.Xml.XmlNode node) => throw null; - internal XmlNamedNodeMap() => throw null; - } - - public class XmlNamespaceManager : System.Collections.IEnumerable, System.Xml.IXmlNamespaceResolver - { - public virtual void AddNamespace(string prefix, string uri) => throw null; - public virtual string DefaultNamespace { get => throw null; } - public virtual System.Collections.IEnumerator GetEnumerator() => throw null; - public virtual System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; - public virtual bool HasNamespace(string prefix) => throw null; - public virtual string LookupNamespace(string prefix) => throw null; - public virtual string LookupPrefix(string uri) => throw null; - public virtual System.Xml.XmlNameTable NameTable { get => throw null; } - public virtual bool PopScope() => throw null; - public virtual void PushScope() => throw null; - public virtual void RemoveNamespace(string prefix, string uri) => throw null; - public XmlNamespaceManager(System.Xml.XmlNameTable nameTable) => throw null; - } - - public enum XmlNamespaceScope : int - { - All = 0, - ExcludeXml = 1, - Local = 2, - } - - public abstract class XmlNode : System.Collections.IEnumerable, System.ICloneable, System.Xml.XPath.IXPathNavigable - { - public virtual System.Xml.XmlNode AppendChild(System.Xml.XmlNode newChild) => throw null; - public virtual System.Xml.XmlAttributeCollection Attributes { get => throw null; } - public virtual string BaseURI { get => throw null; } - public virtual System.Xml.XmlNodeList ChildNodes { get => throw null; } - public virtual System.Xml.XmlNode Clone() => throw null; - object System.ICloneable.Clone() => throw null; - public abstract System.Xml.XmlNode CloneNode(bool deep); - public virtual System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; - public virtual System.Xml.XmlNode FirstChild { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public virtual string GetNamespaceOfPrefix(string prefix) => throw null; - public virtual string GetPrefixOfNamespace(string namespaceURI) => throw null; - public virtual bool HasChildNodes { get => throw null; } - public virtual string InnerText { get => throw null; set => throw null; } - public virtual string InnerXml { get => throw null; set => throw null; } - public virtual System.Xml.XmlNode InsertAfter(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; - public virtual System.Xml.XmlNode InsertBefore(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; - public virtual bool IsReadOnly { get => throw null; } - public virtual System.Xml.XmlElement this[string localname, string ns] { get => throw null; } - public virtual System.Xml.XmlElement this[string name] { get => throw null; } - public virtual System.Xml.XmlNode LastChild { get => throw null; } - public abstract string LocalName { get; } - public abstract string Name { get; } - public virtual string NamespaceURI { get => throw null; } - public virtual System.Xml.XmlNode NextSibling { get => throw null; } - public abstract System.Xml.XmlNodeType NodeType { get; } - public virtual void Normalize() => throw null; - public virtual string OuterXml { get => throw null; } - public virtual System.Xml.XmlDocument OwnerDocument { get => throw null; } - public virtual System.Xml.XmlNode ParentNode { get => throw null; } - public virtual string Prefix { get => throw null; set => throw null; } - public virtual System.Xml.XmlNode PrependChild(System.Xml.XmlNode newChild) => throw null; - public virtual System.Xml.XmlNode PreviousSibling { get => throw null; } - public virtual System.Xml.XmlNode PreviousText { get => throw null; } - public virtual void RemoveAll() => throw null; - public virtual System.Xml.XmlNode RemoveChild(System.Xml.XmlNode oldChild) => throw null; - public virtual System.Xml.XmlNode ReplaceChild(System.Xml.XmlNode newChild, System.Xml.XmlNode oldChild) => throw null; - public virtual System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public System.Xml.XmlNodeList SelectNodes(string xpath) => throw null; - public System.Xml.XmlNodeList SelectNodes(string xpath, System.Xml.XmlNamespaceManager nsmgr) => throw null; - public System.Xml.XmlNode SelectSingleNode(string xpath) => throw null; - public System.Xml.XmlNode SelectSingleNode(string xpath, System.Xml.XmlNamespaceManager nsmgr) => throw null; - public virtual bool Supports(string feature, string version) => throw null; - public virtual string Value { get => throw null; set => throw null; } - public abstract void WriteContentTo(System.Xml.XmlWriter w); - public abstract void WriteTo(System.Xml.XmlWriter w); - internal XmlNode() => throw null; - } - - public enum XmlNodeChangedAction : int - { - Change = 2, - Insert = 0, - Remove = 1, - } - - public class XmlNodeChangedEventArgs : System.EventArgs - { - public System.Xml.XmlNodeChangedAction Action { get => throw null; } - public System.Xml.XmlNode NewParent { get => throw null; } - public string NewValue { get => throw null; } - public System.Xml.XmlNode Node { get => throw null; } - public System.Xml.XmlNode OldParent { get => throw null; } - public string OldValue { get => throw null; } - public XmlNodeChangedEventArgs(System.Xml.XmlNode node, System.Xml.XmlNode oldParent, System.Xml.XmlNode newParent, string oldValue, string newValue, System.Xml.XmlNodeChangedAction action) => throw null; - } - - public delegate void XmlNodeChangedEventHandler(object sender, System.Xml.XmlNodeChangedEventArgs e); - - public abstract class XmlNodeList : System.Collections.IEnumerable, System.IDisposable - { - public abstract int Count { get; } - void System.IDisposable.Dispose() => throw null; - public abstract System.Collections.IEnumerator GetEnumerator(); - public abstract System.Xml.XmlNode Item(int index); - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public virtual System.Xml.XmlNode this[int i] { get => throw null; } - protected virtual void PrivateDisposeNodeList() => throw null; - protected XmlNodeList() => throw null; - } - - public enum XmlNodeOrder : int - { - After = 1, - Before = 0, - Same = 2, - Unknown = 3, - } - - public class XmlNodeReader : System.Xml.XmlReader, System.Xml.IXmlNamespaceResolver - { - public override int AttributeCount { get => throw null; } - public override string BaseURI { get => throw null; } - public override bool CanReadBinaryContent { get => throw null; } - public override bool CanResolveEntity { get => throw null; } - public override void Close() => throw null; - public override int Depth { get => throw null; } - public override bool EOF { get => throw null; } - public override string GetAttribute(int attributeIndex) => throw null; - public override string GetAttribute(string name) => throw null; - public override string GetAttribute(string name, string namespaceURI) => throw null; - System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; - public override bool HasAttributes { get => throw null; } - public override bool HasValue { get => throw null; } - public override bool IsDefault { get => throw null; } - public override bool IsEmptyElement { get => throw null; } - public override string LocalName { get => throw null; } - public override string LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; - public override void MoveToAttribute(int attributeIndex) => throw null; - public override bool MoveToAttribute(string name) => throw null; - public override bool MoveToAttribute(string name, string namespaceURI) => throw null; - public override bool MoveToElement() => throw null; - public override bool MoveToFirstAttribute() => throw null; - public override bool MoveToNextAttribute() => throw null; - public override string Name { get => throw null; } - public override System.Xml.XmlNameTable NameTable { get => throw null; } - public override string NamespaceURI { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override string Prefix { get => throw null; } - public override bool Read() => throw null; - public override bool ReadAttributeValue() => throw null; - public override int ReadContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override System.Xml.ReadState ReadState { get => throw null; } - public override string ReadString() => throw null; - public override void ResolveEntity() => throw null; - public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public override void Skip() => throw null; - public override string Value { get => throw null; } - public override string XmlLang { get => throw null; } - public XmlNodeReader(System.Xml.XmlNode node) => throw null; - public override System.Xml.XmlSpace XmlSpace { get => throw null; } - } - - public enum XmlNodeType : int - { - Attribute = 2, - CDATA = 4, - Comment = 8, - Document = 9, - DocumentFragment = 11, - DocumentType = 10, - Element = 1, - EndElement = 15, - EndEntity = 16, - Entity = 6, - EntityReference = 5, - None = 0, - Notation = 12, - ProcessingInstruction = 7, - SignificantWhitespace = 14, - Text = 3, - Whitespace = 13, - XmlDeclaration = 17, - } - - public class XmlNotation : System.Xml.XmlNode - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string InnerXml { get => throw null; set => throw null; } - public override bool IsReadOnly { get => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override string OuterXml { get => throw null; } - public string PublicId { get => throw null; } - public string SystemId { get => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - } - - public enum XmlOutputMethod : int - { - AutoDetect = 3, - Html = 1, - Text = 2, - Xml = 0, - } - - public class XmlParserContext - { - public string BaseURI { get => throw null; set => throw null; } - public string DocTypeName { get => throw null; set => throw null; } - public System.Text.Encoding Encoding { get => throw null; set => throw null; } - public string InternalSubset { get => throw null; set => throw null; } - public System.Xml.XmlNameTable NameTable { get => throw null; set => throw null; } - public System.Xml.XmlNamespaceManager NamespaceManager { get => throw null; set => throw null; } - public string PublicId { get => throw null; set => throw null; } - public string SystemId { get => throw null; set => throw null; } - public string XmlLang { get => throw null; set => throw null; } - public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string xmlLang, System.Xml.XmlSpace xmlSpace) => throw null; - public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string xmlLang, System.Xml.XmlSpace xmlSpace, System.Text.Encoding enc) => throw null; - public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string docTypeName, string pubId, string sysId, string internalSubset, string baseURI, string xmlLang, System.Xml.XmlSpace xmlSpace) => throw null; - public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string docTypeName, string pubId, string sysId, string internalSubset, string baseURI, string xmlLang, System.Xml.XmlSpace xmlSpace, System.Text.Encoding enc) => throw null; - public System.Xml.XmlSpace XmlSpace { get => throw null; set => throw null; } - } - - public class XmlProcessingInstruction : System.Xml.XmlLinkedNode - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public string Data { get => throw null; set => throw null; } - public override string InnerText { get => throw null; set => throw null; } - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string Target { get => throw null; } - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlProcessingInstruction(string target, string data, System.Xml.XmlDocument doc) => throw null; - } - - public class XmlQualifiedName - { - public static bool operator !=(System.Xml.XmlQualifiedName a, System.Xml.XmlQualifiedName b) => throw null; - public static bool operator ==(System.Xml.XmlQualifiedName a, System.Xml.XmlQualifiedName b) => throw null; - public static System.Xml.XmlQualifiedName Empty; - public override bool Equals(object other) => throw null; - public override int GetHashCode() => throw null; - public bool IsEmpty { get => throw null; } - public string Name { get => throw null; } - public string Namespace { get => throw null; } - public override string ToString() => throw null; - public static string ToString(string name, string ns) => throw null; - public XmlQualifiedName() => throw null; - public XmlQualifiedName(string name) => throw null; - public XmlQualifiedName(string name, string ns) => throw null; - } - - public abstract class XmlReader : System.IDisposable - { - public abstract int AttributeCount { get; } - public abstract string BaseURI { get; } - public virtual bool CanReadBinaryContent { get => throw null; } - public virtual bool CanReadValueChunk { get => throw null; } - public virtual bool CanResolveEntity { get => throw null; } - public virtual void Close() => throw null; - public static System.Xml.XmlReader Create(System.IO.Stream input) => throw null; - public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings) => throw null; - public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; - public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings, string baseUri) => throw null; - public static System.Xml.XmlReader Create(System.IO.TextReader input) => throw null; - public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings) => throw null; - public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; - public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings, string baseUri) => throw null; - public static System.Xml.XmlReader Create(System.Xml.XmlReader reader, System.Xml.XmlReaderSettings settings) => throw null; - public static System.Xml.XmlReader Create(string inputUri) => throw null; - public static System.Xml.XmlReader Create(string inputUri, System.Xml.XmlReaderSettings settings) => throw null; - public static System.Xml.XmlReader Create(string inputUri, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; - public abstract int Depth { get; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public abstract bool EOF { get; } - public abstract string GetAttribute(int i); - public abstract string GetAttribute(string name); - public abstract string GetAttribute(string name, string namespaceURI); - public virtual System.Threading.Tasks.Task GetValueAsync() => throw null; - public virtual bool HasAttributes { get => throw null; } - public virtual bool HasValue { get => throw null; } - public virtual bool IsDefault { get => throw null; } - public abstract bool IsEmptyElement { get; } - public static bool IsName(string str) => throw null; - public static bool IsNameToken(string str) => throw null; - public virtual bool IsStartElement() => throw null; - public virtual bool IsStartElement(string name) => throw null; - public virtual bool IsStartElement(string localname, string ns) => throw null; - public virtual string this[int i] { get => throw null; } - public virtual string this[string name, string namespaceURI] { get => throw null; } - public virtual string this[string name] { get => throw null; } - public abstract string LocalName { get; } - public abstract string LookupNamespace(string prefix); - public virtual void MoveToAttribute(int i) => throw null; - public abstract bool MoveToAttribute(string name); - public abstract bool MoveToAttribute(string name, string ns); - public virtual System.Xml.XmlNodeType MoveToContent() => throw null; - public virtual System.Threading.Tasks.Task MoveToContentAsync() => throw null; - public abstract bool MoveToElement(); - public abstract bool MoveToFirstAttribute(); - public abstract bool MoveToNextAttribute(); - public virtual string Name { get => throw null; } - public abstract System.Xml.XmlNameTable NameTable { get; } - public abstract string NamespaceURI { get; } - public abstract System.Xml.XmlNodeType NodeType { get; } - public abstract string Prefix { get; } - public virtual System.Char QuoteChar { get => throw null; } - public abstract bool Read(); - public virtual System.Threading.Tasks.Task ReadAsync() => throw null; - public abstract bool ReadAttributeValue(); - public virtual object ReadContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; - public virtual System.Threading.Tasks.Task ReadContentAsAsync(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; - public virtual int ReadContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadContentAsBase64Async(System.Byte[] buffer, int index, int count) => throw null; - public virtual int ReadContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadContentAsBinHexAsync(System.Byte[] buffer, int index, int count) => throw null; - public virtual bool ReadContentAsBoolean() => throw null; - public virtual System.DateTime ReadContentAsDateTime() => throw null; - public virtual System.DateTimeOffset ReadContentAsDateTimeOffset() => throw null; - public virtual System.Decimal ReadContentAsDecimal() => throw null; - public virtual double ReadContentAsDouble() => throw null; - public virtual float ReadContentAsFloat() => throw null; - public virtual int ReadContentAsInt() => throw null; - public virtual System.Int64 ReadContentAsLong() => throw null; - public virtual object ReadContentAsObject() => throw null; - public virtual System.Threading.Tasks.Task ReadContentAsObjectAsync() => throw null; - public virtual string ReadContentAsString() => throw null; - public virtual System.Threading.Tasks.Task ReadContentAsStringAsync() => throw null; - public virtual object ReadElementContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; - public virtual object ReadElementContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver, string localName, string namespaceURI) => throw null; - public virtual System.Threading.Tasks.Task ReadElementContentAsAsync(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; - public virtual int ReadElementContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadElementContentAsBase64Async(System.Byte[] buffer, int index, int count) => throw null; - public virtual int ReadElementContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadElementContentAsBinHexAsync(System.Byte[] buffer, int index, int count) => throw null; - public virtual bool ReadElementContentAsBoolean() => throw null; - public virtual bool ReadElementContentAsBoolean(string localName, string namespaceURI) => throw null; - public virtual System.DateTime ReadElementContentAsDateTime() => throw null; - public virtual System.DateTime ReadElementContentAsDateTime(string localName, string namespaceURI) => throw null; - public virtual System.Decimal ReadElementContentAsDecimal() => throw null; - public virtual System.Decimal ReadElementContentAsDecimal(string localName, string namespaceURI) => throw null; - public virtual double ReadElementContentAsDouble() => throw null; - public virtual double ReadElementContentAsDouble(string localName, string namespaceURI) => throw null; - public virtual float ReadElementContentAsFloat() => throw null; - public virtual float ReadElementContentAsFloat(string localName, string namespaceURI) => throw null; - public virtual int ReadElementContentAsInt() => throw null; - public virtual int ReadElementContentAsInt(string localName, string namespaceURI) => throw null; - public virtual System.Int64 ReadElementContentAsLong() => throw null; - public virtual System.Int64 ReadElementContentAsLong(string localName, string namespaceURI) => throw null; - public virtual object ReadElementContentAsObject() => throw null; - public virtual object ReadElementContentAsObject(string localName, string namespaceURI) => throw null; - public virtual System.Threading.Tasks.Task ReadElementContentAsObjectAsync() => throw null; - public virtual string ReadElementContentAsString() => throw null; - public virtual string ReadElementContentAsString(string localName, string namespaceURI) => throw null; - public virtual System.Threading.Tasks.Task ReadElementContentAsStringAsync() => throw null; - public virtual string ReadElementString() => throw null; - public virtual string ReadElementString(string name) => throw null; - public virtual string ReadElementString(string localname, string ns) => throw null; - public virtual void ReadEndElement() => throw null; - public virtual string ReadInnerXml() => throw null; - public virtual System.Threading.Tasks.Task ReadInnerXmlAsync() => throw null; - public virtual string ReadOuterXml() => throw null; - public virtual System.Threading.Tasks.Task ReadOuterXmlAsync() => throw null; - public virtual void ReadStartElement() => throw null; - public virtual void ReadStartElement(string name) => throw null; - public virtual void ReadStartElement(string localname, string ns) => throw null; - public abstract System.Xml.ReadState ReadState { get; } - public virtual string ReadString() => throw null; - public virtual System.Xml.XmlReader ReadSubtree() => throw null; - public virtual bool ReadToDescendant(string name) => throw null; - public virtual bool ReadToDescendant(string localName, string namespaceURI) => throw null; - public virtual bool ReadToFollowing(string name) => throw null; - public virtual bool ReadToFollowing(string localName, string namespaceURI) => throw null; - public virtual bool ReadToNextSibling(string name) => throw null; - public virtual bool ReadToNextSibling(string localName, string namespaceURI) => throw null; - public virtual int ReadValueChunk(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task ReadValueChunkAsync(System.Char[] buffer, int index, int count) => throw null; - public abstract void ResolveEntity(); - public virtual System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public virtual System.Xml.XmlReaderSettings Settings { get => throw null; } - public virtual void Skip() => throw null; - public virtual System.Threading.Tasks.Task SkipAsync() => throw null; - public abstract string Value { get; } - public virtual System.Type ValueType { get => throw null; } - public virtual string XmlLang { get => throw null; } - protected XmlReader() => throw null; - public virtual System.Xml.XmlSpace XmlSpace { get => throw null; } - } - - public class XmlReaderSettings - { - public bool Async { get => throw null; set => throw null; } - public bool CheckCharacters { get => throw null; set => throw null; } - public System.Xml.XmlReaderSettings Clone() => throw null; - public bool CloseInput { get => throw null; set => throw null; } - public System.Xml.ConformanceLevel ConformanceLevel { get => throw null; set => throw null; } - public System.Xml.DtdProcessing DtdProcessing { get => throw null; set => throw null; } - public bool IgnoreComments { get => throw null; set => throw null; } - public bool IgnoreProcessingInstructions { get => throw null; set => throw null; } - public bool IgnoreWhitespace { get => throw null; set => throw null; } - public int LineNumberOffset { get => throw null; set => throw null; } - public int LinePositionOffset { get => throw null; set => throw null; } - public System.Int64 MaxCharactersFromEntities { get => throw null; set => throw null; } - public System.Int64 MaxCharactersInDocument { get => throw null; set => throw null; } - public System.Xml.XmlNameTable NameTable { get => throw null; set => throw null; } - public bool ProhibitDtd { get => throw null; set => throw null; } - public void Reset() => throw null; - public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; set => throw null; } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; - public System.Xml.Schema.XmlSchemaValidationFlags ValidationFlags { get => throw null; set => throw null; } - public System.Xml.ValidationType ValidationType { get => throw null; set => throw null; } - public XmlReaderSettings() => throw null; - public System.Xml.XmlResolver XmlResolver { set => throw null; } - } - - public abstract class XmlResolver - { - public virtual System.Net.ICredentials Credentials { set => throw null; } - public abstract object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn); - public virtual System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public virtual System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; - public virtual bool SupportsType(System.Uri absoluteUri, System.Type type) => throw null; - public static System.Xml.XmlResolver ThrowingResolver { get => throw null; } - protected XmlResolver() => throw null; - } - - public class XmlSecureResolver : System.Xml.XmlResolver - { - public override System.Net.ICredentials Credentials { set => throw null; } - public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; - public XmlSecureResolver(System.Xml.XmlResolver resolver, string securityUrl) => throw null; - } - - public class XmlSignificantWhitespace : System.Xml.XmlCharacterData - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override System.Xml.XmlNode PreviousText { get => throw null; } - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlSignificantWhitespace(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; - } - - public enum XmlSpace : int - { - Default = 1, - None = 0, - Preserve = 2, - } - - public class XmlText : System.Xml.XmlCharacterData - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override System.Xml.XmlNode PreviousText { get => throw null; } - public virtual System.Xml.XmlText SplitText(int offset) => throw null; - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlText(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; - } - - public class XmlTextReader : System.Xml.XmlReader, System.Xml.IXmlLineInfo, System.Xml.IXmlNamespaceResolver - { - public override int AttributeCount { get => throw null; } - public override string BaseURI { get => throw null; } - public override bool CanReadBinaryContent { get => throw null; } - public override bool CanReadValueChunk { get => throw null; } - public override bool CanResolveEntity { get => throw null; } - public override void Close() => throw null; - public override int Depth { get => throw null; } - public System.Xml.DtdProcessing DtdProcessing { get => throw null; set => throw null; } - public override bool EOF { get => throw null; } - public System.Text.Encoding Encoding { get => throw null; } - public System.Xml.EntityHandling EntityHandling { get => throw null; set => throw null; } - public override string GetAttribute(int i) => throw null; - public override string GetAttribute(string name) => throw null; - public override string GetAttribute(string localName, string namespaceURI) => throw null; - public System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; - System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; - public System.IO.TextReader GetRemainder() => throw null; - public bool HasLineInfo() => throw null; - public override bool HasValue { get => throw null; } - public override bool IsDefault { get => throw null; } - public override bool IsEmptyElement { get => throw null; } - public int LineNumber { get => throw null; } - public int LinePosition { get => throw null; } - public override string LocalName { get => throw null; } - public override string LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; - public override void MoveToAttribute(int i) => throw null; - public override bool MoveToAttribute(string name) => throw null; - public override bool MoveToAttribute(string localName, string namespaceURI) => throw null; - public override bool MoveToElement() => throw null; - public override bool MoveToFirstAttribute() => throw null; - public override bool MoveToNextAttribute() => throw null; - public override string Name { get => throw null; } - public override System.Xml.XmlNameTable NameTable { get => throw null; } - public override string NamespaceURI { get => throw null; } - public bool Namespaces { get => throw null; set => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public bool Normalization { get => throw null; set => throw null; } - public override string Prefix { get => throw null; } - public bool ProhibitDtd { get => throw null; set => throw null; } - public override System.Char QuoteChar { get => throw null; } - public override bool Read() => throw null; - public override bool ReadAttributeValue() => throw null; - public int ReadBase64(System.Byte[] array, int offset, int len) => throw null; - public int ReadBinHex(System.Byte[] array, int offset, int len) => throw null; - public int ReadChars(System.Char[] buffer, int index, int count) => throw null; - public override int ReadContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override System.Xml.ReadState ReadState { get => throw null; } - public override string ReadString() => throw null; - public void ResetState() => throw null; - public override void ResolveEntity() => throw null; - public override void Skip() => throw null; - public override string Value { get => throw null; } - public System.Xml.WhitespaceHandling WhitespaceHandling { get => throw null; set => throw null; } - public override string XmlLang { get => throw null; } - public System.Xml.XmlResolver XmlResolver { set => throw null; } - public override System.Xml.XmlSpace XmlSpace { get => throw null; } - protected XmlTextReader() => throw null; - public XmlTextReader(System.IO.Stream input) => throw null; - public XmlTextReader(System.IO.Stream input, System.Xml.XmlNameTable nt) => throw null; - public XmlTextReader(System.IO.Stream xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; - public XmlTextReader(System.IO.TextReader input) => throw null; - public XmlTextReader(System.IO.TextReader input, System.Xml.XmlNameTable nt) => throw null; - protected XmlTextReader(System.Xml.XmlNameTable nt) => throw null; - public XmlTextReader(string url) => throw null; - public XmlTextReader(string url, System.IO.Stream input) => throw null; - public XmlTextReader(string url, System.IO.Stream input, System.Xml.XmlNameTable nt) => throw null; - public XmlTextReader(string url, System.IO.TextReader input) => throw null; - public XmlTextReader(string url, System.IO.TextReader input, System.Xml.XmlNameTable nt) => throw null; - public XmlTextReader(string url, System.Xml.XmlNameTable nt) => throw null; - public XmlTextReader(string xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; - } - - public class XmlTextWriter : System.Xml.XmlWriter - { - public System.IO.Stream BaseStream { get => throw null; } - public override void Close() => throw null; - public override void Flush() => throw null; - public System.Xml.Formatting Formatting { get => throw null; set => throw null; } - public System.Char IndentChar { get => throw null; set => throw null; } - public int Indentation { get => throw null; set => throw null; } - public override string LookupPrefix(string ns) => throw null; - public bool Namespaces { get => throw null; set => throw null; } - public System.Char QuoteChar { get => throw null; set => throw null; } - public override void WriteBase64(System.Byte[] buffer, int index, int count) => throw null; - public override void WriteBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override void WriteCData(string text) => throw null; - public override void WriteCharEntity(System.Char ch) => throw null; - public override void WriteChars(System.Char[] buffer, int index, int count) => throw null; - public override void WriteComment(string text) => throw null; - public override void WriteDocType(string name, string pubid, string sysid, string subset) => throw null; - public override void WriteEndAttribute() => throw null; - public override void WriteEndDocument() => throw null; - public override void WriteEndElement() => throw null; - public override void WriteEntityRef(string name) => throw null; - public override void WriteFullEndElement() => throw null; - public override void WriteName(string name) => throw null; - public override void WriteNmToken(string name) => throw null; - public override void WriteProcessingInstruction(string name, string text) => throw null; - public override void WriteQualifiedName(string localName, string ns) => throw null; - public override void WriteRaw(System.Char[] buffer, int index, int count) => throw null; - public override void WriteRaw(string data) => throw null; - public override void WriteStartAttribute(string prefix, string localName, string ns) => throw null; - public override void WriteStartDocument() => throw null; - public override void WriteStartDocument(bool standalone) => throw null; - public override void WriteStartElement(string prefix, string localName, string ns) => throw null; - public override System.Xml.WriteState WriteState { get => throw null; } - public override void WriteString(string text) => throw null; - public override void WriteSurrogateCharEntity(System.Char lowChar, System.Char highChar) => throw null; - public override void WriteWhitespace(string ws) => throw null; - public override string XmlLang { get => throw null; } - public override System.Xml.XmlSpace XmlSpace { get => throw null; } - public XmlTextWriter(System.IO.Stream w, System.Text.Encoding encoding) => throw null; - public XmlTextWriter(System.IO.TextWriter w) => throw null; - public XmlTextWriter(string filename, System.Text.Encoding encoding) => throw null; - } - - public enum XmlTokenizedType : int - { - CDATA = 0, - ENTITIES = 5, - ENTITY = 4, - ENUMERATION = 9, - ID = 1, - IDREF = 2, - IDREFS = 3, - NCName = 11, - NMTOKEN = 6, - NMTOKENS = 7, - NOTATION = 8, - None = 12, - QName = 10, - } - - public class XmlUrlResolver : System.Xml.XmlResolver - { - public System.Net.Cache.RequestCachePolicy CachePolicy { set => throw null; } - public override System.Net.ICredentials Credentials { set => throw null; } - public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public System.Net.IWebProxy Proxy { set => throw null; } - public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; - public XmlUrlResolver() => throw null; - } - - public class XmlValidatingReader : System.Xml.XmlReader, System.Xml.IXmlLineInfo, System.Xml.IXmlNamespaceResolver - { - public override int AttributeCount { get => throw null; } - public override string BaseURI { get => throw null; } - public override bool CanReadBinaryContent { get => throw null; } - public override bool CanResolveEntity { get => throw null; } - public override void Close() => throw null; - public override int Depth { get => throw null; } - public override bool EOF { get => throw null; } - public System.Text.Encoding Encoding { get => throw null; } - public System.Xml.EntityHandling EntityHandling { get => throw null; set => throw null; } - public override string GetAttribute(int i) => throw null; - public override string GetAttribute(string name) => throw null; - public override string GetAttribute(string localName, string namespaceURI) => throw null; - System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; - public bool HasLineInfo() => throw null; - public override bool HasValue { get => throw null; } - public override bool IsDefault { get => throw null; } - public override bool IsEmptyElement { get => throw null; } - public int LineNumber { get => throw null; } - public int LinePosition { get => throw null; } - public override string LocalName { get => throw null; } - public override string LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; - string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; - public override void MoveToAttribute(int i) => throw null; - public override bool MoveToAttribute(string name) => throw null; - public override bool MoveToAttribute(string localName, string namespaceURI) => throw null; - public override bool MoveToElement() => throw null; - public override bool MoveToFirstAttribute() => throw null; - public override bool MoveToNextAttribute() => throw null; - public override string Name { get => throw null; } - public override System.Xml.XmlNameTable NameTable { get => throw null; } - public override string NamespaceURI { get => throw null; } - public bool Namespaces { get => throw null; set => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override string Prefix { get => throw null; } - public override System.Char QuoteChar { get => throw null; } - public override bool Read() => throw null; - public override bool ReadAttributeValue() => throw null; - public override int ReadContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBase64(System.Byte[] buffer, int index, int count) => throw null; - public override int ReadElementContentAsBinHex(System.Byte[] buffer, int index, int count) => throw null; - public override System.Xml.ReadState ReadState { get => throw null; } - public override string ReadString() => throw null; - public object ReadTypedValue() => throw null; - public System.Xml.XmlReader Reader { get => throw null; } - public override void ResolveEntity() => throw null; - public object SchemaType { get => throw null; } - public System.Xml.Schema.XmlSchemaCollection Schemas { get => throw null; } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; - public System.Xml.ValidationType ValidationType { get => throw null; set => throw null; } - public override string Value { get => throw null; } - public override string XmlLang { get => throw null; } - public System.Xml.XmlResolver XmlResolver { set => throw null; } - public override System.Xml.XmlSpace XmlSpace { get => throw null; } - public XmlValidatingReader(System.IO.Stream xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; - public XmlValidatingReader(System.Xml.XmlReader reader) => throw null; - public XmlValidatingReader(string xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; - } - - public class XmlWhitespace : System.Xml.XmlCharacterData - { - public override System.Xml.XmlNode CloneNode(bool deep) => throw null; - public override string LocalName { get => throw null; } - public override string Name { get => throw null; } - public override System.Xml.XmlNodeType NodeType { get => throw null; } - public override System.Xml.XmlNode ParentNode { get => throw null; } - public override System.Xml.XmlNode PreviousText { get => throw null; } - public override string Value { get => throw null; set => throw null; } - public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; - public override void WriteTo(System.Xml.XmlWriter w) => throw null; - protected internal XmlWhitespace(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; - } - - public abstract class XmlWriter : System.IAsyncDisposable, System.IDisposable - { - public virtual void Close() => throw null; - public static System.Xml.XmlWriter Create(System.IO.Stream output) => throw null; - public static System.Xml.XmlWriter Create(System.IO.Stream output, System.Xml.XmlWriterSettings settings) => throw null; - public static System.Xml.XmlWriter Create(System.Text.StringBuilder output) => throw null; - public static System.Xml.XmlWriter Create(System.Text.StringBuilder output, System.Xml.XmlWriterSettings settings) => throw null; - public static System.Xml.XmlWriter Create(System.IO.TextWriter output) => throw null; - public static System.Xml.XmlWriter Create(System.IO.TextWriter output, System.Xml.XmlWriterSettings settings) => throw null; - public static System.Xml.XmlWriter Create(System.Xml.XmlWriter output) => throw null; - public static System.Xml.XmlWriter Create(System.Xml.XmlWriter output, System.Xml.XmlWriterSettings settings) => throw null; - public static System.Xml.XmlWriter Create(string outputFileName) => throw null; - public static System.Xml.XmlWriter Create(string outputFileName, System.Xml.XmlWriterSettings settings) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - protected virtual System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; - public abstract void Flush(); - public virtual System.Threading.Tasks.Task FlushAsync() => throw null; - public abstract string LookupPrefix(string ns); - public virtual System.Xml.XmlWriterSettings Settings { get => throw null; } - public void WriteAttributeString(string localName, string value) => throw null; - public void WriteAttributeString(string localName, string ns, string value) => throw null; - public void WriteAttributeString(string prefix, string localName, string ns, string value) => throw null; - public System.Threading.Tasks.Task WriteAttributeStringAsync(string prefix, string localName, string ns, string value) => throw null; - public virtual void WriteAttributes(System.Xml.XmlReader reader, bool defattr) => throw null; - public virtual System.Threading.Tasks.Task WriteAttributesAsync(System.Xml.XmlReader reader, bool defattr) => throw null; - public abstract void WriteBase64(System.Byte[] buffer, int index, int count); - public virtual System.Threading.Tasks.Task WriteBase64Async(System.Byte[] buffer, int index, int count) => throw null; - public virtual void WriteBinHex(System.Byte[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task WriteBinHexAsync(System.Byte[] buffer, int index, int count) => throw null; - public abstract void WriteCData(string text); - public virtual System.Threading.Tasks.Task WriteCDataAsync(string text) => throw null; - public abstract void WriteCharEntity(System.Char ch); - public virtual System.Threading.Tasks.Task WriteCharEntityAsync(System.Char ch) => throw null; - public abstract void WriteChars(System.Char[] buffer, int index, int count); - public virtual System.Threading.Tasks.Task WriteCharsAsync(System.Char[] buffer, int index, int count) => throw null; - public abstract void WriteComment(string text); - public virtual System.Threading.Tasks.Task WriteCommentAsync(string text) => throw null; - public abstract void WriteDocType(string name, string pubid, string sysid, string subset); - public virtual System.Threading.Tasks.Task WriteDocTypeAsync(string name, string pubid, string sysid, string subset) => throw null; - public void WriteElementString(string localName, string value) => throw null; - public void WriteElementString(string localName, string ns, string value) => throw null; - public void WriteElementString(string prefix, string localName, string ns, string value) => throw null; - public System.Threading.Tasks.Task WriteElementStringAsync(string prefix, string localName, string ns, string value) => throw null; - public abstract void WriteEndAttribute(); - protected internal virtual System.Threading.Tasks.Task WriteEndAttributeAsync() => throw null; - public abstract void WriteEndDocument(); - public virtual System.Threading.Tasks.Task WriteEndDocumentAsync() => throw null; - public abstract void WriteEndElement(); - public virtual System.Threading.Tasks.Task WriteEndElementAsync() => throw null; - public abstract void WriteEntityRef(string name); - public virtual System.Threading.Tasks.Task WriteEntityRefAsync(string name) => throw null; - public abstract void WriteFullEndElement(); - public virtual System.Threading.Tasks.Task WriteFullEndElementAsync() => throw null; - public virtual void WriteName(string name) => throw null; - public virtual System.Threading.Tasks.Task WriteNameAsync(string name) => throw null; - public virtual void WriteNmToken(string name) => throw null; - public virtual System.Threading.Tasks.Task WriteNmTokenAsync(string name) => throw null; - public virtual void WriteNode(System.Xml.XPath.XPathNavigator navigator, bool defattr) => throw null; - public virtual void WriteNode(System.Xml.XmlReader reader, bool defattr) => throw null; - public virtual System.Threading.Tasks.Task WriteNodeAsync(System.Xml.XPath.XPathNavigator navigator, bool defattr) => throw null; - public virtual System.Threading.Tasks.Task WriteNodeAsync(System.Xml.XmlReader reader, bool defattr) => throw null; - public abstract void WriteProcessingInstruction(string name, string text); - public virtual System.Threading.Tasks.Task WriteProcessingInstructionAsync(string name, string text) => throw null; - public virtual void WriteQualifiedName(string localName, string ns) => throw null; - public virtual System.Threading.Tasks.Task WriteQualifiedNameAsync(string localName, string ns) => throw null; - public abstract void WriteRaw(System.Char[] buffer, int index, int count); - public abstract void WriteRaw(string data); - public virtual System.Threading.Tasks.Task WriteRawAsync(System.Char[] buffer, int index, int count) => throw null; - public virtual System.Threading.Tasks.Task WriteRawAsync(string data) => throw null; - public void WriteStartAttribute(string localName) => throw null; - public void WriteStartAttribute(string localName, string ns) => throw null; - public abstract void WriteStartAttribute(string prefix, string localName, string ns); - protected internal virtual System.Threading.Tasks.Task WriteStartAttributeAsync(string prefix, string localName, string ns) => throw null; - public abstract void WriteStartDocument(); - public abstract void WriteStartDocument(bool standalone); - public virtual System.Threading.Tasks.Task WriteStartDocumentAsync() => throw null; - public virtual System.Threading.Tasks.Task WriteStartDocumentAsync(bool standalone) => throw null; - public void WriteStartElement(string localName) => throw null; - public void WriteStartElement(string localName, string ns) => throw null; - public abstract void WriteStartElement(string prefix, string localName, string ns); - public virtual System.Threading.Tasks.Task WriteStartElementAsync(string prefix, string localName, string ns) => throw null; - public abstract System.Xml.WriteState WriteState { get; } - public abstract void WriteString(string text); - public virtual System.Threading.Tasks.Task WriteStringAsync(string text) => throw null; - public abstract void WriteSurrogateCharEntity(System.Char lowChar, System.Char highChar); - public virtual System.Threading.Tasks.Task WriteSurrogateCharEntityAsync(System.Char lowChar, System.Char highChar) => throw null; - public virtual void WriteValue(System.DateTime value) => throw null; - public virtual void WriteValue(System.DateTimeOffset value) => throw null; - public virtual void WriteValue(bool value) => throw null; - public virtual void WriteValue(System.Decimal value) => throw null; - public virtual void WriteValue(double value) => throw null; - public virtual void WriteValue(float value) => throw null; - public virtual void WriteValue(int value) => throw null; - public virtual void WriteValue(System.Int64 value) => throw null; - public virtual void WriteValue(object value) => throw null; - public virtual void WriteValue(string value) => throw null; - public abstract void WriteWhitespace(string ws); - public virtual System.Threading.Tasks.Task WriteWhitespaceAsync(string ws) => throw null; - public virtual string XmlLang { get => throw null; } - public virtual System.Xml.XmlSpace XmlSpace { get => throw null; } - protected XmlWriter() => throw null; - } - - public class XmlWriterSettings - { - public bool Async { get => throw null; set => throw null; } - public bool CheckCharacters { get => throw null; set => throw null; } - public System.Xml.XmlWriterSettings Clone() => throw null; - public bool CloseOutput { get => throw null; set => throw null; } - public System.Xml.ConformanceLevel ConformanceLevel { get => throw null; set => throw null; } - public bool DoNotEscapeUriAttributes { get => throw null; set => throw null; } - public System.Text.Encoding Encoding { get => throw null; set => throw null; } - public bool Indent { get => throw null; set => throw null; } - public string IndentChars { get => throw null; set => throw null; } - public System.Xml.NamespaceHandling NamespaceHandling { get => throw null; set => throw null; } - public string NewLineChars { get => throw null; set => throw null; } - public System.Xml.NewLineHandling NewLineHandling { get => throw null; set => throw null; } - public bool NewLineOnAttributes { get => throw null; set => throw null; } - public bool OmitXmlDeclaration { get => throw null; set => throw null; } - public System.Xml.XmlOutputMethod OutputMethod { get => throw null; } - public void Reset() => throw null; - public bool WriteEndDocumentOnClose { get => throw null; set => throw null; } - public XmlWriterSettings() => throw null; - } - - namespace Resolvers - { - [System.Flags] - public enum XmlKnownDtds : int - { - All = 65535, - None = 0, - Rss091 = 2, - Xhtml10 = 1, - } - - public class XmlPreloadedResolver : System.Xml.XmlResolver - { - public void Add(System.Uri uri, System.Byte[] value) => throw null; - public void Add(System.Uri uri, System.Byte[] value, int offset, int count) => throw null; - public void Add(System.Uri uri, System.IO.Stream value) => throw null; - public void Add(System.Uri uri, string value) => throw null; - public override System.Net.ICredentials Credentials { set => throw null; } - public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; - public System.Collections.Generic.IEnumerable PreloadedUris { get => throw null; } - public void Remove(System.Uri uri) => throw null; - public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; - public override bool SupportsType(System.Uri absoluteUri, System.Type type) => throw null; - public XmlPreloadedResolver() => throw null; - public XmlPreloadedResolver(System.Xml.Resolvers.XmlKnownDtds preloadedDtds) => throw null; - public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver) => throw null; - public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver, System.Xml.Resolvers.XmlKnownDtds preloadedDtds) => throw null; - public XmlPreloadedResolver(System.Xml.XmlResolver fallbackResolver, System.Xml.Resolvers.XmlKnownDtds preloadedDtds, System.Collections.Generic.IEqualityComparer uriComparer) => throw null; - } - - } - namespace Schema + namespace Schema { public interface IXmlSchemaInfo { @@ -1394,17 +116,14 @@ public interface IXmlSchemaInfo System.Xml.Schema.XmlSchemaType SchemaType { get; } System.Xml.Schema.XmlSchemaValidity Validity { get; } } - public class ValidationEventArgs : System.EventArgs { public System.Xml.Schema.XmlSchemaException Exception { get => throw null; } public string Message { get => throw null; } public System.Xml.Schema.XmlSeverityType Severity { get => throw null; } } - public delegate void ValidationEventHandler(object sender, System.Xml.Schema.ValidationEventArgs e); - - public class XmlAtomicValue : System.Xml.XPath.XPathItem, System.ICloneable + public sealed class XmlAtomicValue : System.Xml.XPath.XPathItem, System.ICloneable { public System.Xml.Schema.XmlAtomicValue Clone() => throw null; object System.ICloneable.Clone() => throw null; @@ -1417,153 +136,140 @@ public class XmlAtomicValue : System.Xml.XPath.XPathItem, System.ICloneable public override System.DateTime ValueAsDateTime { get => throw null; } public override double ValueAsDouble { get => throw null; } public override int ValueAsInt { get => throw null; } - public override System.Int64 ValueAsLong { get => throw null; } + public override long ValueAsLong { get => throw null; } public override System.Type ValueType { get => throw null; } public override System.Xml.Schema.XmlSchemaType XmlType { get => throw null; } } - public class XmlSchema : System.Xml.Schema.XmlSchemaObject { - public System.Xml.Schema.XmlSchemaForm AttributeFormDefault { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaForm AttributeFormDefault { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectTable AttributeGroups { get => throw null; } public System.Xml.Schema.XmlSchemaObjectTable Attributes { get => throw null; } - public System.Xml.Schema.XmlSchemaDerivationMethod BlockDefault { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod BlockDefault { get => throw null; set { } } public void Compile(System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public void Compile(System.Xml.Schema.ValidationEventHandler validationEventHandler, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.Schema.XmlSchemaForm ElementFormDefault { get => throw null; set => throw null; } + public XmlSchema() => throw null; + public System.Xml.Schema.XmlSchemaForm ElementFormDefault { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectTable Elements { get => throw null; } - public System.Xml.Schema.XmlSchemaDerivationMethod FinalDefault { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod FinalDefault { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectTable Groups { get => throw null; } - public string Id { get => throw null; set => throw null; } + public string Id { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Includes { get => throw null; } - public const string InstanceNamespace = default; + public static string InstanceNamespace; public bool IsCompiled { get => throw null; } public System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } - public const string Namespace = default; + public static string Namespace; public System.Xml.Schema.XmlSchemaObjectTable Notations { get => throw null; } public static System.Xml.Schema.XmlSchema Read(System.IO.Stream stream, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public static System.Xml.Schema.XmlSchema Read(System.IO.TextReader reader, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public static System.Xml.Schema.XmlSchema Read(System.Xml.XmlReader reader, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public System.Xml.Schema.XmlSchemaObjectTable SchemaTypes { get => throw null; } - public string TargetNamespace { get => throw null; set => throw null; } - public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set => throw null; } - public string Version { get => throw null; set => throw null; } + public string TargetNamespace { get => throw null; set { } } + public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set { } } + public string Version { get => throw null; set { } } public void Write(System.IO.Stream stream) => throw null; public void Write(System.IO.Stream stream, System.Xml.XmlNamespaceManager namespaceManager) => throw null; public void Write(System.IO.TextWriter writer) => throw null; public void Write(System.IO.TextWriter writer, System.Xml.XmlNamespaceManager namespaceManager) => throw null; public void Write(System.Xml.XmlWriter writer) => throw null; public void Write(System.Xml.XmlWriter writer, System.Xml.XmlNamespaceManager namespaceManager) => throw null; - public XmlSchema() => throw null; } - public class XmlSchemaAll : System.Xml.Schema.XmlSchemaGroupBase { - public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } public XmlSchemaAll() => throw null; + public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } } - public class XmlSchemaAnnotated : System.Xml.Schema.XmlSchemaObject { - public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set => throw null; } - public string Id { get => throw null; set => throw null; } - public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set { } } public XmlSchemaAnnotated() => throw null; + public string Id { get => throw null; set { } } + public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set { } } } - public class XmlSchemaAnnotation : System.Xml.Schema.XmlSchemaObject { - public string Id { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } - public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set => throw null; } public XmlSchemaAnnotation() => throw null; + public string Id { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } + public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set { } } } - public class XmlSchemaAny : System.Xml.Schema.XmlSchemaParticle { - public string Namespace { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaContentProcessing ProcessContents { get => throw null; set => throw null; } public XmlSchemaAny() => throw null; + public string Namespace { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaContentProcessing ProcessContents { get => throw null; set { } } } - public class XmlSchemaAnyAttribute : System.Xml.Schema.XmlSchemaAnnotated { - public string Namespace { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaContentProcessing ProcessContents { get => throw null; set => throw null; } public XmlSchemaAnyAttribute() => throw null; + public string Namespace { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaContentProcessing ProcessContents { get => throw null; set { } } } - public class XmlSchemaAppInfo : System.Xml.Schema.XmlSchemaObject { - public System.Xml.XmlNode[] Markup { get => throw null; set => throw null; } - public string Source { get => throw null; set => throw null; } public XmlSchemaAppInfo() => throw null; + public System.Xml.XmlNode[] Markup { get => throw null; set { } } + public string Source { get => throw null; set { } } } - public class XmlSchemaAttribute : System.Xml.Schema.XmlSchemaAnnotated { public System.Xml.Schema.XmlSchemaSimpleType AttributeSchemaType { get => throw null; } public object AttributeType { get => throw null; } - public string DefaultValue { get => throw null; set => throw null; } - public string FixedValue { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } - public System.Xml.XmlQualifiedName RefName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaSimpleType SchemaType { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName SchemaTypeName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaUse Use { get => throw null; set => throw null; } public XmlSchemaAttribute() => throw null; + public string DefaultValue { get => throw null; set { } } + public string FixedValue { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public string Name { get => throw null; set { } } + public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } + public System.Xml.XmlQualifiedName RefName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaSimpleType SchemaType { get => throw null; set { } } + public System.Xml.XmlQualifiedName SchemaTypeName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaUse Use { get => throw null; set { } } } - public class XmlSchemaAttributeGroup : System.Xml.Schema.XmlSchemaAnnotated { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public string Name { get => throw null; set => throw null; } + public XmlSchemaAttributeGroup() => throw null; + public string Name { get => throw null; set { } } public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } public System.Xml.Schema.XmlSchemaAttributeGroup RedefinedAttributeGroup { get => throw null; } - public XmlSchemaAttributeGroup() => throw null; } - public class XmlSchemaAttributeGroupRef : System.Xml.Schema.XmlSchemaAnnotated { - public System.Xml.XmlQualifiedName RefName { get => throw null; set => throw null; } public XmlSchemaAttributeGroupRef() => throw null; + public System.Xml.XmlQualifiedName RefName { get => throw null; set { } } } - public class XmlSchemaChoice : System.Xml.Schema.XmlSchemaGroupBase { - public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } public XmlSchemaChoice() => throw null; + public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } } - - public class XmlSchemaCollection : System.Collections.ICollection, System.Collections.IEnumerable + public sealed class XmlSchemaCollection : System.Collections.ICollection, System.Collections.IEnumerable { + public System.Xml.Schema.XmlSchema Add(string ns, string uri) => throw null; + public System.Xml.Schema.XmlSchema Add(string ns, System.Xml.XmlReader reader) => throw null; + public System.Xml.Schema.XmlSchema Add(string ns, System.Xml.XmlReader reader, System.Xml.XmlResolver resolver) => throw null; public System.Xml.Schema.XmlSchema Add(System.Xml.Schema.XmlSchema schema) => throw null; public System.Xml.Schema.XmlSchema Add(System.Xml.Schema.XmlSchema schema, System.Xml.XmlResolver resolver) => throw null; public void Add(System.Xml.Schema.XmlSchemaCollection schema) => throw null; - public System.Xml.Schema.XmlSchema Add(string ns, System.Xml.XmlReader reader) => throw null; - public System.Xml.Schema.XmlSchema Add(string ns, System.Xml.XmlReader reader, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.Schema.XmlSchema Add(string ns, string uri) => throw null; - public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public bool Contains(string ns) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public void CopyTo(System.Xml.Schema.XmlSchema[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } int System.Collections.ICollection.Count { get => throw null; } + public XmlSchemaCollection() => throw null; + public XmlSchemaCollection(System.Xml.XmlNameTable nametable) => throw null; public System.Xml.Schema.XmlSchemaCollectionEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public System.Xml.Schema.XmlSchema this[string ns] { get => throw null; } public System.Xml.XmlNameTable NameTable { get => throw null; } object System.Collections.ICollection.SyncRoot { get => throw null; } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; - public XmlSchemaCollection() => throw null; - public XmlSchemaCollection(System.Xml.XmlNameTable nametable) => throw null; + public System.Xml.Schema.XmlSchema this[string ns] { get => throw null; } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } } - - public class XmlSchemaCollectionEnumerator : System.Collections.IEnumerator + public sealed class XmlSchemaCollectionEnumerator : System.Collections.IEnumerator { public System.Xml.Schema.XmlSchema Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1571,82 +277,72 @@ public class XmlSchemaCollectionEnumerator : System.Collections.IEnumerator bool System.Collections.IEnumerator.MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - public class XmlSchemaCompilationSettings + public sealed class XmlSchemaCompilationSettings { - public bool EnableUpaCheck { get => throw null; set => throw null; } public XmlSchemaCompilationSettings() => throw null; + public bool EnableUpaCheck { get => throw null; set { } } } - public class XmlSchemaComplexContent : System.Xml.Schema.XmlSchemaContentModel { - public override System.Xml.Schema.XmlSchemaContent Content { get => throw null; set => throw null; } - public bool IsMixed { get => throw null; set => throw null; } + public override System.Xml.Schema.XmlSchemaContent Content { get => throw null; set { } } public XmlSchemaComplexContent() => throw null; + public bool IsMixed { get => throw null; set { } } } - public class XmlSchemaComplexContentExtension : System.Xml.Schema.XmlSchemaContent { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set => throw null; } + public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set { } } public XmlSchemaComplexContentExtension() => throw null; + public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set { } } } - public class XmlSchemaComplexContentRestriction : System.Xml.Schema.XmlSchemaContent { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set => throw null; } + public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set { } } public XmlSchemaComplexContentRestriction() => throw null; + public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set { } } } - public class XmlSchemaComplexType : System.Xml.Schema.XmlSchemaType { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } public System.Xml.Schema.XmlSchemaObjectTable AttributeUses { get => throw null; } public System.Xml.Schema.XmlSchemaAnyAttribute AttributeWildcard { get => throw null; } - public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public System.Xml.Schema.XmlSchemaDerivationMethod Block { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod Block { get => throw null; set { } } public System.Xml.Schema.XmlSchemaDerivationMethod BlockResolved { get => throw null; } - public System.Xml.Schema.XmlSchemaContentModel ContentModel { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaContentModel ContentModel { get => throw null; set { } } public System.Xml.Schema.XmlSchemaContentType ContentType { get => throw null; } public System.Xml.Schema.XmlSchemaParticle ContentTypeParticle { get => throw null; } - public bool IsAbstract { get => throw null; set => throw null; } - public override bool IsMixed { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set => throw null; } public XmlSchemaComplexType() => throw null; + public bool IsAbstract { get => throw null; set { } } + public override bool IsMixed { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaParticle Particle { get => throw null; set { } } } - public abstract class XmlSchemaContent : System.Xml.Schema.XmlSchemaAnnotated { protected XmlSchemaContent() => throw null; } - public abstract class XmlSchemaContentModel : System.Xml.Schema.XmlSchemaAnnotated { public abstract System.Xml.Schema.XmlSchemaContent Content { get; set; } protected XmlSchemaContentModel() => throw null; } - - public enum XmlSchemaContentProcessing : int + public enum XmlSchemaContentProcessing { - Lax = 2, None = 0, Skip = 1, + Lax = 2, Strict = 3, } - - public enum XmlSchemaContentType : int + public enum XmlSchemaContentType { - ElementOnly = 2, + TextOnly = 0, Empty = 1, + ElementOnly = 2, Mixed = 3, - TextOnly = 0, } - public abstract class XmlSchemaDatatype { public virtual object ChangeType(object value, System.Type targetType) => throw null; @@ -1658,275 +354,239 @@ public abstract class XmlSchemaDatatype public abstract System.Type ValueType { get; } public virtual System.Xml.Schema.XmlSchemaDatatypeVariety Variety { get => throw null; } } - - public enum XmlSchemaDatatypeVariety : int + public enum XmlSchemaDatatypeVariety { Atomic = 0, List = 1, Union = 2, } - [System.Flags] - public enum XmlSchemaDerivationMethod : int + public enum XmlSchemaDerivationMethod { - All = 255, Empty = 0, + Substitution = 1, Extension = 2, - List = 8, - None = 256, Restriction = 4, - Substitution = 1, + List = 8, Union = 16, + All = 255, + None = 256, } - public class XmlSchemaDocumentation : System.Xml.Schema.XmlSchemaObject { - public string Language { get => throw null; set => throw null; } - public System.Xml.XmlNode[] Markup { get => throw null; set => throw null; } - public string Source { get => throw null; set => throw null; } public XmlSchemaDocumentation() => throw null; + public string Language { get => throw null; set { } } + public System.Xml.XmlNode[] Markup { get => throw null; set { } } + public string Source { get => throw null; set { } } } - public class XmlSchemaElement : System.Xml.Schema.XmlSchemaParticle { - public System.Xml.Schema.XmlSchemaDerivationMethod Block { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod Block { get => throw null; set { } } public System.Xml.Schema.XmlSchemaDerivationMethod BlockResolved { get => throw null; } public System.Xml.Schema.XmlSchemaObjectCollection Constraints { get => throw null; } - public string DefaultValue { get => throw null; set => throw null; } + public XmlSchemaElement() => throw null; + public string DefaultValue { get => throw null; set { } } public System.Xml.Schema.XmlSchemaType ElementSchemaType { get => throw null; } public object ElementType { get => throw null; } - public System.Xml.Schema.XmlSchemaDerivationMethod Final { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod Final { get => throw null; set { } } public System.Xml.Schema.XmlSchemaDerivationMethod FinalResolved { get => throw null; } - public string FixedValue { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public bool IsAbstract { get => throw null; set => throw null; } - public bool IsNillable { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public string FixedValue { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public bool IsAbstract { get => throw null; set { } } + public bool IsNillable { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } - public System.Xml.XmlQualifiedName RefName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaType SchemaType { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName SchemaTypeName { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName SubstitutionGroup { get => throw null; set => throw null; } - public XmlSchemaElement() => throw null; + public System.Xml.XmlQualifiedName RefName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaType SchemaType { get => throw null; set { } } + public System.Xml.XmlQualifiedName SchemaTypeName { get => throw null; set { } } + public System.Xml.XmlQualifiedName SubstitutionGroup { get => throw null; set { } } } - public class XmlSchemaEnumerationFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaEnumerationFacet() => throw null; } - public class XmlSchemaException : System.SystemException { + public XmlSchemaException() => throw null; + protected XmlSchemaException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public XmlSchemaException(string message) => throw null; + public XmlSchemaException(string message, System.Exception innerException) => throw null; + public XmlSchemaException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public int LineNumber { get => throw null; } public int LinePosition { get => throw null; } public override string Message { get => throw null; } public System.Xml.Schema.XmlSchemaObject SourceSchemaObject { get => throw null; } public string SourceUri { get => throw null; } - public XmlSchemaException() => throw null; - protected XmlSchemaException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public XmlSchemaException(string message) => throw null; - public XmlSchemaException(string message, System.Exception innerException) => throw null; - public XmlSchemaException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; } - public abstract class XmlSchemaExternal : System.Xml.Schema.XmlSchemaObject { - public string Id { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchema Schema { get => throw null; set => throw null; } - public string SchemaLocation { get => throw null; set => throw null; } - public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set => throw null; } protected XmlSchemaExternal() => throw null; + public string Id { get => throw null; set { } } + public System.Xml.Schema.XmlSchema Schema { get => throw null; set { } } + public string SchemaLocation { get => throw null; set { } } + public System.Xml.XmlAttribute[] UnhandledAttributes { get => throw null; set { } } } - public abstract class XmlSchemaFacet : System.Xml.Schema.XmlSchemaAnnotated { - public virtual bool IsFixed { get => throw null; set => throw null; } - public string Value { get => throw null; set => throw null; } protected XmlSchemaFacet() => throw null; + public virtual bool IsFixed { get => throw null; set { } } + public string Value { get => throw null; set { } } } - - public enum XmlSchemaForm : int + public enum XmlSchemaForm { None = 0, Qualified = 1, Unqualified = 2, } - public class XmlSchemaFractionDigitsFacet : System.Xml.Schema.XmlSchemaNumericFacet { public XmlSchemaFractionDigitsFacet() => throw null; } - public class XmlSchemaGroup : System.Xml.Schema.XmlSchemaAnnotated { - public string Name { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaGroupBase Particle { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } public XmlSchemaGroup() => throw null; + public string Name { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaGroupBase Particle { get => throw null; set { } } + public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } } - public abstract class XmlSchemaGroupBase : System.Xml.Schema.XmlSchemaParticle { public abstract System.Xml.Schema.XmlSchemaObjectCollection Items { get; } - internal XmlSchemaGroupBase() => throw null; } - public class XmlSchemaGroupRef : System.Xml.Schema.XmlSchemaParticle { - public System.Xml.Schema.XmlSchemaGroupBase Particle { get => throw null; } - public System.Xml.XmlQualifiedName RefName { get => throw null; set => throw null; } public XmlSchemaGroupRef() => throw null; + public System.Xml.Schema.XmlSchemaGroupBase Particle { get => throw null; } + public System.Xml.XmlQualifiedName RefName { get => throw null; set { } } } - public class XmlSchemaIdentityConstraint : System.Xml.Schema.XmlSchemaAnnotated { + public XmlSchemaIdentityConstraint() => throw null; public System.Xml.Schema.XmlSchemaObjectCollection Fields { get => throw null; } - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } - public System.Xml.Schema.XmlSchemaXPath Selector { get => throw null; set => throw null; } - public XmlSchemaIdentityConstraint() => throw null; + public System.Xml.Schema.XmlSchemaXPath Selector { get => throw null; set { } } } - public class XmlSchemaImport : System.Xml.Schema.XmlSchemaExternal { - public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set { } } public XmlSchemaImport() => throw null; + public string Namespace { get => throw null; set { } } } - public class XmlSchemaInclude : System.Xml.Schema.XmlSchemaExternal { - public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnnotation Annotation { get => throw null; set { } } public XmlSchemaInclude() => throw null; } - - public class XmlSchemaInference + public sealed class XmlSchemaInference { - public enum InferenceOption : int + public XmlSchemaInference() => throw null; + public enum InferenceOption { - Relaxed = 1, Restricted = 0, + Relaxed = 1, } - - public System.Xml.Schema.XmlSchemaSet InferSchema(System.Xml.XmlReader instanceDocument) => throw null; public System.Xml.Schema.XmlSchemaSet InferSchema(System.Xml.XmlReader instanceDocument, System.Xml.Schema.XmlSchemaSet schemas) => throw null; - public System.Xml.Schema.XmlSchemaInference.InferenceOption Occurrence { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaInference.InferenceOption TypeInference { get => throw null; set => throw null; } - public XmlSchemaInference() => throw null; + public System.Xml.Schema.XmlSchemaInference.InferenceOption Occurrence { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaInference.InferenceOption TypeInference { get => throw null; set { } } } - public class XmlSchemaInferenceException : System.Xml.Schema.XmlSchemaException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XmlSchemaInferenceException() => throw null; protected XmlSchemaInferenceException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XmlSchemaInferenceException(string message) => throw null; public XmlSchemaInferenceException(string message, System.Exception innerException) => throw null; public XmlSchemaInferenceException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - public class XmlSchemaInfo : System.Xml.Schema.IXmlSchemaInfo { - public System.Xml.Schema.XmlSchemaContentType ContentType { get => throw null; set => throw null; } - public bool IsDefault { get => throw null; set => throw null; } - public bool IsNil { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaSimpleType MemberType { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaAttribute SchemaAttribute { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaElement SchemaElement { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaType SchemaType { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaValidity Validity { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaContentType ContentType { get => throw null; set { } } public XmlSchemaInfo() => throw null; + public bool IsDefault { get => throw null; set { } } + public bool IsNil { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaSimpleType MemberType { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaAttribute SchemaAttribute { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaElement SchemaElement { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaType SchemaType { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaValidity Validity { get => throw null; set { } } } - public class XmlSchemaKey : System.Xml.Schema.XmlSchemaIdentityConstraint { public XmlSchemaKey() => throw null; } - public class XmlSchemaKeyref : System.Xml.Schema.XmlSchemaIdentityConstraint { - public System.Xml.XmlQualifiedName Refer { get => throw null; set => throw null; } public XmlSchemaKeyref() => throw null; + public System.Xml.XmlQualifiedName Refer { get => throw null; set { } } } - public class XmlSchemaLengthFacet : System.Xml.Schema.XmlSchemaNumericFacet { public XmlSchemaLengthFacet() => throw null; } - public class XmlSchemaMaxExclusiveFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaMaxExclusiveFacet() => throw null; } - public class XmlSchemaMaxInclusiveFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaMaxInclusiveFacet() => throw null; } - public class XmlSchemaMaxLengthFacet : System.Xml.Schema.XmlSchemaNumericFacet { public XmlSchemaMaxLengthFacet() => throw null; } - public class XmlSchemaMinExclusiveFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaMinExclusiveFacet() => throw null; } - public class XmlSchemaMinInclusiveFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaMinInclusiveFacet() => throw null; } - public class XmlSchemaMinLengthFacet : System.Xml.Schema.XmlSchemaNumericFacet { public XmlSchemaMinLengthFacet() => throw null; } - public class XmlSchemaNotation : System.Xml.Schema.XmlSchemaAnnotated { - public string Name { get => throw null; set => throw null; } - public string Public { get => throw null; set => throw null; } - public string System { get => throw null; set => throw null; } public XmlSchemaNotation() => throw null; + public string Name { get => throw null; set { } } + public string Public { get => throw null; set { } } + public string System { get => throw null; set { } } } - public abstract class XmlSchemaNumericFacet : System.Xml.Schema.XmlSchemaFacet { protected XmlSchemaNumericFacet() => throw null; } - public abstract class XmlSchemaObject { - public int LineNumber { get => throw null; set => throw null; } - public int LinePosition { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlSerializerNamespaces Namespaces { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaObject Parent { get => throw null; set => throw null; } - public string SourceUri { get => throw null; set => throw null; } protected XmlSchemaObject() => throw null; + public int LineNumber { get => throw null; set { } } + public int LinePosition { get => throw null; set { } } + public System.Xml.Serialization.XmlSerializerNamespaces Namespaces { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaObject Parent { get => throw null; set { } } + public string SourceUri { get => throw null; set { } } } - public class XmlSchemaObjectCollection : System.Collections.CollectionBase { public int Add(System.Xml.Schema.XmlSchemaObject item) => throw null; public bool Contains(System.Xml.Schema.XmlSchemaObject item) => throw null; public void CopyTo(System.Xml.Schema.XmlSchemaObject[] array, int index) => throw null; + public XmlSchemaObjectCollection() => throw null; + public XmlSchemaObjectCollection(System.Xml.Schema.XmlSchemaObject parent) => throw null; public System.Xml.Schema.XmlSchemaObjectEnumerator GetEnumerator() => throw null; public int IndexOf(System.Xml.Schema.XmlSchemaObject item) => throw null; public void Insert(int index, System.Xml.Schema.XmlSchemaObject item) => throw null; - public virtual System.Xml.Schema.XmlSchemaObject this[int index] { get => throw null; set => throw null; } protected override void OnClear() => throw null; protected override void OnInsert(int index, object item) => throw null; protected override void OnRemove(int index, object item) => throw null; protected override void OnSet(int index, object oldValue, object newValue) => throw null; public void Remove(System.Xml.Schema.XmlSchemaObject item) => throw null; - public XmlSchemaObjectCollection() => throw null; - public XmlSchemaObjectCollection(System.Xml.Schema.XmlSchemaObject parent) => throw null; + public virtual System.Xml.Schema.XmlSchemaObject this[int index] { get => throw null; set { } } } - public class XmlSchemaObjectEnumerator : System.Collections.IEnumerator { public System.Xml.Schema.XmlSchemaObject Current { get => throw null; } @@ -1936,58 +596,54 @@ public class XmlSchemaObjectEnumerator : System.Collections.IEnumerator public void Reset() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - public class XmlSchemaObjectTable { public bool Contains(System.Xml.XmlQualifiedName name) => throw null; public int Count { get => throw null; } public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; - public System.Xml.Schema.XmlSchemaObject this[System.Xml.XmlQualifiedName name] { get => throw null; } public System.Collections.ICollection Names { get => throw null; } + public System.Xml.Schema.XmlSchemaObject this[System.Xml.XmlQualifiedName name] { get => throw null; } public System.Collections.ICollection Values { get => throw null; } } - public abstract class XmlSchemaParticle : System.Xml.Schema.XmlSchemaAnnotated { - public System.Decimal MaxOccurs { get => throw null; set => throw null; } - public string MaxOccursString { get => throw null; set => throw null; } - public System.Decimal MinOccurs { get => throw null; set => throw null; } - public string MinOccursString { get => throw null; set => throw null; } protected XmlSchemaParticle() => throw null; + public decimal MaxOccurs { get => throw null; set { } } + public string MaxOccursString { get => throw null; set { } } + public decimal MinOccurs { get => throw null; set { } } + public string MinOccursString { get => throw null; set { } } } - public class XmlSchemaPatternFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaPatternFacet() => throw null; } - public class XmlSchemaRedefine : System.Xml.Schema.XmlSchemaExternal { public System.Xml.Schema.XmlSchemaObjectTable AttributeGroups { get => throw null; } + public XmlSchemaRedefine() => throw null; public System.Xml.Schema.XmlSchemaObjectTable Groups { get => throw null; } public System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } public System.Xml.Schema.XmlSchemaObjectTable SchemaTypes { get => throw null; } - public XmlSchemaRedefine() => throw null; } - public class XmlSchemaSequence : System.Xml.Schema.XmlSchemaGroupBase { - public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } public XmlSchemaSequence() => throw null; + public override System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } } - public class XmlSchemaSet { + public System.Xml.Schema.XmlSchema Add(string targetNamespace, string schemaUri) => throw null; + public System.Xml.Schema.XmlSchema Add(string targetNamespace, System.Xml.XmlReader schemaDocument) => throw null; public System.Xml.Schema.XmlSchema Add(System.Xml.Schema.XmlSchema schema) => throw null; public void Add(System.Xml.Schema.XmlSchemaSet schemas) => throw null; - public System.Xml.Schema.XmlSchema Add(string targetNamespace, System.Xml.XmlReader schemaDocument) => throw null; - public System.Xml.Schema.XmlSchema Add(string targetNamespace, string schemaUri) => throw null; - public System.Xml.Schema.XmlSchemaCompilationSettings CompilationSettings { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaCompilationSettings CompilationSettings { get => throw null; set { } } public void Compile() => throw null; - public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public bool Contains(string targetNamespace) => throw null; + public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public void CopyTo(System.Xml.Schema.XmlSchema[] schemas, int index) => throw null; public int Count { get => throw null; } + public XmlSchemaSet() => throw null; + public XmlSchemaSet(System.Xml.XmlNameTable nameTable) => throw null; public System.Xml.Schema.XmlSchemaObjectTable GlobalAttributes { get => throw null; } public System.Xml.Schema.XmlSchemaObjectTable GlobalElements { get => throw null; } public System.Xml.Schema.XmlSchemaObjectTable GlobalTypes { get => throw null; } @@ -1998,359 +654,1546 @@ public class XmlSchemaSet public System.Xml.Schema.XmlSchema Reprocess(System.Xml.Schema.XmlSchema schema) => throw null; public System.Collections.ICollection Schemas() => throw null; public System.Collections.ICollection Schemas(string targetNamespace) => throw null; - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; - public System.Xml.XmlResolver XmlResolver { set => throw null; } - public XmlSchemaSet() => throw null; - public XmlSchemaSet(System.Xml.XmlNameTable nameTable) => throw null; + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public System.Xml.XmlResolver XmlResolver { set { } } } - public class XmlSchemaSimpleContent : System.Xml.Schema.XmlSchemaContentModel { - public override System.Xml.Schema.XmlSchemaContent Content { get => throw null; set => throw null; } + public override System.Xml.Schema.XmlSchemaContent Content { get => throw null; set { } } public XmlSchemaSimpleContent() => throw null; } - public class XmlSchemaSimpleContentExtension : System.Xml.Schema.XmlSchemaContent { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set => throw null; } + public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set { } } public XmlSchemaSimpleContentExtension() => throw null; } - public class XmlSchemaSimpleContentRestriction : System.Xml.Schema.XmlSchemaContent { - public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaAnyAttribute AnyAttribute { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Attributes { get => throw null; } - public System.Xml.Schema.XmlSchemaSimpleType BaseType { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaObjectCollection Facets { get => throw null; } + public System.Xml.Schema.XmlSchemaSimpleType BaseType { get => throw null; set { } } + public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set { } } public XmlSchemaSimpleContentRestriction() => throw null; + public System.Xml.Schema.XmlSchemaObjectCollection Facets { get => throw null; } } - public class XmlSchemaSimpleType : System.Xml.Schema.XmlSchemaType { - public System.Xml.Schema.XmlSchemaSimpleTypeContent Content { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaSimpleTypeContent Content { get => throw null; set { } } public XmlSchemaSimpleType() => throw null; } - public abstract class XmlSchemaSimpleTypeContent : System.Xml.Schema.XmlSchemaAnnotated { protected XmlSchemaSimpleTypeContent() => throw null; } - public class XmlSchemaSimpleTypeList : System.Xml.Schema.XmlSchemaSimpleTypeContent { - public System.Xml.Schema.XmlSchemaSimpleType BaseItemType { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaSimpleType ItemType { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName ItemTypeName { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaSimpleType BaseItemType { get => throw null; set { } } public XmlSchemaSimpleTypeList() => throw null; + public System.Xml.Schema.XmlSchemaSimpleType ItemType { get => throw null; set { } } + public System.Xml.XmlQualifiedName ItemTypeName { get => throw null; set { } } } - public class XmlSchemaSimpleTypeRestriction : System.Xml.Schema.XmlSchemaSimpleTypeContent { - public System.Xml.Schema.XmlSchemaSimpleType BaseType { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaObjectCollection Facets { get => throw null; } + public System.Xml.Schema.XmlSchemaSimpleType BaseType { get => throw null; set { } } + public System.Xml.XmlQualifiedName BaseTypeName { get => throw null; set { } } public XmlSchemaSimpleTypeRestriction() => throw null; + public System.Xml.Schema.XmlSchemaObjectCollection Facets { get => throw null; } } - public class XmlSchemaSimpleTypeUnion : System.Xml.Schema.XmlSchemaSimpleTypeContent { public System.Xml.Schema.XmlSchemaSimpleType[] BaseMemberTypes { get => throw null; } public System.Xml.Schema.XmlSchemaObjectCollection BaseTypes { get => throw null; } - public System.Xml.XmlQualifiedName[] MemberTypes { get => throw null; set => throw null; } public XmlSchemaSimpleTypeUnion() => throw null; + public System.Xml.XmlQualifiedName[] MemberTypes { get => throw null; set { } } } - public class XmlSchemaTotalDigitsFacet : System.Xml.Schema.XmlSchemaNumericFacet { public XmlSchemaTotalDigitsFacet() => throw null; } - public class XmlSchemaType : System.Xml.Schema.XmlSchemaAnnotated { public object BaseSchemaType { get => throw null; } public System.Xml.Schema.XmlSchemaType BaseXmlSchemaType { get => throw null; } + public XmlSchemaType() => throw null; public System.Xml.Schema.XmlSchemaDatatype Datatype { get => throw null; } public System.Xml.Schema.XmlSchemaDerivationMethod DerivedBy { get => throw null; } - public System.Xml.Schema.XmlSchemaDerivationMethod Final { get => throw null; set => throw null; } + public System.Xml.Schema.XmlSchemaDerivationMethod Final { get => throw null; set { } } public System.Xml.Schema.XmlSchemaDerivationMethod FinalResolved { get => throw null; } - public static System.Xml.Schema.XmlSchemaComplexType GetBuiltInComplexType(System.Xml.XmlQualifiedName qualifiedName) => throw null; public static System.Xml.Schema.XmlSchemaComplexType GetBuiltInComplexType(System.Xml.Schema.XmlTypeCode typeCode) => throw null; - public static System.Xml.Schema.XmlSchemaSimpleType GetBuiltInSimpleType(System.Xml.XmlQualifiedName qualifiedName) => throw null; + public static System.Xml.Schema.XmlSchemaComplexType GetBuiltInComplexType(System.Xml.XmlQualifiedName qualifiedName) => throw null; public static System.Xml.Schema.XmlSchemaSimpleType GetBuiltInSimpleType(System.Xml.Schema.XmlTypeCode typeCode) => throw null; + public static System.Xml.Schema.XmlSchemaSimpleType GetBuiltInSimpleType(System.Xml.XmlQualifiedName qualifiedName) => throw null; public static bool IsDerivedFrom(System.Xml.Schema.XmlSchemaType derivedType, System.Xml.Schema.XmlSchemaType baseType, System.Xml.Schema.XmlSchemaDerivationMethod except) => throw null; - public virtual bool IsMixed { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public virtual bool IsMixed { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Xml.XmlQualifiedName QualifiedName { get => throw null; } public System.Xml.Schema.XmlTypeCode TypeCode { get => throw null; } - public XmlSchemaType() => throw null; } - public class XmlSchemaUnique : System.Xml.Schema.XmlSchemaIdentityConstraint { public XmlSchemaUnique() => throw null; } - - public enum XmlSchemaUse : int + public enum XmlSchemaUse { None = 0, Optional = 1, Prohibited = 2, Required = 3, } - public class XmlSchemaValidationException : System.Xml.Schema.XmlSchemaException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected internal void SetSourceObject(object sourceObject) => throw null; - public object SourceObject { get => throw null; } public XmlSchemaValidationException() => throw null; protected XmlSchemaValidationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XmlSchemaValidationException(string message) => throw null; public XmlSchemaValidationException(string message, System.Exception innerException) => throw null; public XmlSchemaValidationException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected void SetSourceObject(object sourceObject) => throw null; + public object SourceObject { get => throw null; } } - [System.Flags] - public enum XmlSchemaValidationFlags : int + public enum XmlSchemaValidationFlags { - AllowXmlAttributes = 16, None = 0, - ProcessIdentityConstraints = 8, ProcessInlineSchema = 1, ProcessSchemaLocation = 2, ReportValidationWarnings = 4, + ProcessIdentityConstraints = 8, + AllowXmlAttributes = 16, } - - public class XmlSchemaValidator + public sealed class XmlSchemaValidator { public void AddSchema(System.Xml.Schema.XmlSchema schema) => throw null; + public XmlSchemaValidator(System.Xml.XmlNameTable nameTable, System.Xml.Schema.XmlSchemaSet schemas, System.Xml.IXmlNamespaceResolver namespaceResolver, System.Xml.Schema.XmlSchemaValidationFlags validationFlags) => throw null; public void EndValidation() => throw null; public System.Xml.Schema.XmlSchemaAttribute[] GetExpectedAttributes() => throw null; public System.Xml.Schema.XmlSchemaParticle[] GetExpectedParticles() => throw null; public void GetUnspecifiedDefaultAttributes(System.Collections.ArrayList defaultAttributes) => throw null; public void Initialize() => throw null; public void Initialize(System.Xml.Schema.XmlSchemaObject partialValidationType) => throw null; - public System.Xml.IXmlLineInfo LineInfoProvider { get => throw null; set => throw null; } + public System.Xml.IXmlLineInfo LineInfoProvider { get => throw null; set { } } public void SkipToEndElement(System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; - public System.Uri SourceUri { get => throw null; set => throw null; } - public object ValidateAttribute(string localName, string namespaceUri, System.Xml.Schema.XmlValueGetter attributeValue, System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; + public System.Uri SourceUri { get => throw null; set { } } public object ValidateAttribute(string localName, string namespaceUri, string attributeValue, System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; + public object ValidateAttribute(string localName, string namespaceUri, System.Xml.Schema.XmlValueGetter attributeValue, System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; public void ValidateElement(string localName, string namespaceUri, System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; public void ValidateElement(string localName, string namespaceUri, System.Xml.Schema.XmlSchemaInfo schemaInfo, string xsiType, string xsiNil, string xsiSchemaLocation, string xsiNoNamespaceSchemaLocation) => throw null; public object ValidateEndElement(System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; public object ValidateEndElement(System.Xml.Schema.XmlSchemaInfo schemaInfo, object typedValue) => throw null; public void ValidateEndOfAttributes(System.Xml.Schema.XmlSchemaInfo schemaInfo) => throw null; - public void ValidateText(System.Xml.Schema.XmlValueGetter elementValue) => throw null; public void ValidateText(string elementValue) => throw null; - public void ValidateWhitespace(System.Xml.Schema.XmlValueGetter elementValue) => throw null; + public void ValidateText(System.Xml.Schema.XmlValueGetter elementValue) => throw null; public void ValidateWhitespace(string elementValue) => throw null; - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; - public object ValidationEventSender { get => throw null; set => throw null; } - public System.Xml.XmlResolver XmlResolver { set => throw null; } - public XmlSchemaValidator(System.Xml.XmlNameTable nameTable, System.Xml.Schema.XmlSchemaSet schemas, System.Xml.IXmlNamespaceResolver namespaceResolver, System.Xml.Schema.XmlSchemaValidationFlags validationFlags) => throw null; + public void ValidateWhitespace(System.Xml.Schema.XmlValueGetter elementValue) => throw null; + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public object ValidationEventSender { get => throw null; set { } } + public System.Xml.XmlResolver XmlResolver { set { } } } - - public enum XmlSchemaValidity : int + public enum XmlSchemaValidity { - Invalid = 2, NotKnown = 0, Valid = 1, + Invalid = 2, } - public class XmlSchemaWhiteSpaceFacet : System.Xml.Schema.XmlSchemaFacet { public XmlSchemaWhiteSpaceFacet() => throw null; } - public class XmlSchemaXPath : System.Xml.Schema.XmlSchemaAnnotated { - public string XPath { get => throw null; set => throw null; } public XmlSchemaXPath() => throw null; + public string XPath { get => throw null; set { } } } - - public enum XmlSeverityType : int + public enum XmlSeverityType { Error = 0, Warning = 1, } - - public enum XmlTypeCode : int + public enum XmlTypeCode { - AnyAtomicType = 10, - AnyUri = 28, + None = 0, + Item = 1, + Node = 2, + Document = 3, + Element = 4, Attribute = 5, - Base64Binary = 27, - Boolean = 13, - Byte = 46, + Namespace = 6, + ProcessingInstruction = 7, Comment = 8, - Date = 20, - DateTime = 18, - DayTimeDuration = 54, + Text = 9, + AnyAtomicType = 10, + UntypedAtomic = 11, + String = 12, + Boolean = 13, Decimal = 14, - Document = 3, + Float = 15, Double = 16, Duration = 17, - Element = 4, - Entity = 39, - Float = 15, + DateTime = 18, + Time = 19, + Date = 20, + GYearMonth = 21, + GYear = 22, + GMonthDay = 23, GDay = 24, GMonth = 25, - GMonthDay = 23, - GYear = 22, - GYearMonth = 21, HexBinary = 26, + Base64Binary = 27, + AnyUri = 28, + QName = 29, + Notation = 30, + NormalizedString = 31, + Token = 32, + Language = 33, + NmToken = 34, + Name = 35, + NCName = 36, Id = 37, Idref = 38, - Int = 44, + Entity = 39, Integer = 40, - Item = 1, - Language = 33, - Long = 43, - NCName = 36, - Name = 35, - Namespace = 6, - NegativeInteger = 42, - NmToken = 34, - Node = 2, - NonNegativeInteger = 47, NonPositiveInteger = 41, - None = 0, - NormalizedString = 31, - Notation = 30, - PositiveInteger = 52, - ProcessingInstruction = 7, - QName = 29, + NegativeInteger = 42, + Long = 43, + Int = 44, Short = 45, - String = 12, - Text = 9, - Time = 19, - Token = 32, - UnsignedByte = 51, - UnsignedInt = 49, + Byte = 46, + NonNegativeInteger = 47, UnsignedLong = 48, + UnsignedInt = 49, UnsignedShort = 50, - UntypedAtomic = 11, + UnsignedByte = 51, + PositiveInteger = 52, YearMonthDuration = 53, + DayTimeDuration = 54, + } + public delegate object XmlValueGetter(); + } + namespace Serialization + { + public interface IXmlSerializable + { + System.Xml.Schema.XmlSchema GetSchema(); + void ReadXml(System.Xml.XmlReader reader); + void WriteXml(System.Xml.XmlWriter writer); + } + public class XmlAnyAttributeAttribute : System.Attribute + { + public XmlAnyAttributeAttribute() => throw null; + } + public class XmlAnyElementAttribute : System.Attribute + { + public XmlAnyElementAttribute() => throw null; + public XmlAnyElementAttribute(string name) => throw null; + public XmlAnyElementAttribute(string name, string ns) => throw null; + public string Name { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public int Order { get => throw null; set { } } + } + public class XmlAttributeAttribute : System.Attribute + { + public string AttributeName { get => throw null; set { } } + public XmlAttributeAttribute() => throw null; + public XmlAttributeAttribute(string attributeName) => throw null; + public XmlAttributeAttribute(string attributeName, System.Type type) => throw null; + public XmlAttributeAttribute(System.Type type) => throw null; + public string DataType { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + } + public class XmlElementAttribute : System.Attribute + { + public XmlElementAttribute() => throw null; + public XmlElementAttribute(string elementName) => throw null; + public XmlElementAttribute(string elementName, System.Type type) => throw null; + public XmlElementAttribute(System.Type type) => throw null; + public string DataType { get => throw null; set { } } + public string ElementName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public bool IsNullable { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public int Order { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + } + public class XmlEnumAttribute : System.Attribute + { + public XmlEnumAttribute() => throw null; + public XmlEnumAttribute(string name) => throw null; + public string Name { get => throw null; set { } } + } + public class XmlIgnoreAttribute : System.Attribute + { + public XmlIgnoreAttribute() => throw null; + } + public class XmlNamespaceDeclarationsAttribute : System.Attribute + { + public XmlNamespaceDeclarationsAttribute() => throw null; + } + public class XmlRootAttribute : System.Attribute + { + public XmlRootAttribute() => throw null; + public XmlRootAttribute(string elementName) => throw null; + public string DataType { get => throw null; set { } } + public string ElementName { get => throw null; set { } } + public bool IsNullable { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + } + public sealed class XmlSchemaProviderAttribute : System.Attribute + { + public XmlSchemaProviderAttribute(string methodName) => throw null; + public bool IsAny { get => throw null; set { } } + public string MethodName { get => throw null; } + } + public class XmlSerializerNamespaces + { + public void Add(string prefix, string ns) => throw null; + public int Count { get => throw null; } + public XmlSerializerNamespaces() => throw null; + public XmlSerializerNamespaces(System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; + public XmlSerializerNamespaces(System.Xml.XmlQualifiedName[] namespaces) => throw null; + public System.Xml.XmlQualifiedName[] ToArray() => throw null; } - - public delegate object XmlValueGetter(); - + public class XmlTextAttribute : System.Attribute + { + public XmlTextAttribute() => throw null; + public XmlTextAttribute(System.Type type) => throw null; + public string DataType { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + } + } + public enum ValidationType + { + None = 0, + Auto = 1, + DTD = 2, + XDR = 3, + Schema = 4, + } + public enum WhitespaceHandling + { + All = 0, + Significant = 1, + None = 2, + } + public enum WriteState + { + Start = 0, + Prolog = 1, + Element = 2, + Attribute = 3, + Content = 4, + Closed = 5, + Error = 6, + } + public class XmlAttribute : System.Xml.XmlNode + { + public override System.Xml.XmlNode AppendChild(System.Xml.XmlNode newChild) => throw null; + public override string BaseURI { get => throw null; } + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlAttribute(string prefix, string localName, string namespaceURI, System.Xml.XmlDocument doc) => throw null; + public override string InnerText { set { } } + public override string InnerXml { set { } } + public override System.Xml.XmlNode InsertAfter(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; + public override System.Xml.XmlNode InsertBefore(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override string NamespaceURI { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlDocument OwnerDocument { get => throw null; } + public virtual System.Xml.XmlElement OwnerElement { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override string Prefix { get => throw null; set { } } + public override System.Xml.XmlNode PrependChild(System.Xml.XmlNode newChild) => throw null; + public override System.Xml.XmlNode RemoveChild(System.Xml.XmlNode oldChild) => throw null; + public override System.Xml.XmlNode ReplaceChild(System.Xml.XmlNode newChild, System.Xml.XmlNode oldChild) => throw null; + public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public virtual bool Specified { get => throw null; } + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public sealed class XmlAttributeCollection : System.Xml.XmlNamedNodeMap, System.Collections.ICollection, System.Collections.IEnumerable + { + public System.Xml.XmlAttribute Append(System.Xml.XmlAttribute node) => throw null; + public void CopyTo(System.Xml.XmlAttribute[] array, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + int System.Collections.ICollection.Count { get => throw null; } + public System.Xml.XmlAttribute InsertAfter(System.Xml.XmlAttribute newNode, System.Xml.XmlAttribute refNode) => throw null; + public System.Xml.XmlAttribute InsertBefore(System.Xml.XmlAttribute newNode, System.Xml.XmlAttribute refNode) => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public System.Xml.XmlAttribute Prepend(System.Xml.XmlAttribute node) => throw null; + public System.Xml.XmlAttribute Remove(System.Xml.XmlAttribute node) => throw null; + public void RemoveAll() => throw null; + public System.Xml.XmlAttribute RemoveAt(int i) => throw null; + public override System.Xml.XmlNode SetNamedItem(System.Xml.XmlNode node) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public System.Xml.XmlAttribute this[int i] { get => throw null; } + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public System.Xml.XmlAttribute this[string name] { get => throw null; } + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public System.Xml.XmlAttribute this[string localName, string namespaceURI] { get => throw null; } + } + public class XmlCDataSection : System.Xml.XmlCharacterData + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlCDataSection(string data, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override System.Xml.XmlNode PreviousText { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public abstract class XmlCharacterData : System.Xml.XmlLinkedNode + { + public virtual void AppendData(string strData) => throw null; + protected XmlCharacterData(string data, System.Xml.XmlDocument doc) => throw null; + public virtual string Data { get => throw null; set { } } + public virtual void DeleteData(int offset, int count) => throw null; + public override string InnerText { get => throw null; set { } } + public virtual void InsertData(int offset, string strData) => throw null; + public virtual int Length { get => throw null; } + public virtual void ReplaceData(int offset, int count, string strData) => throw null; + public virtual string Substring(int offset, int count) => throw null; + public override string Value { get => throw null; set { } } + } + public class XmlComment : System.Xml.XmlCharacterData + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlComment(string comment, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlConvert + { + public XmlConvert() => throw null; + public static string DecodeName(string name) => throw null; + public static string EncodeLocalName(string name) => throw null; + public static string EncodeName(string name) => throw null; + public static string EncodeNmToken(string name) => throw null; + public static bool IsNCNameChar(char ch) => throw null; + public static bool IsPublicIdChar(char ch) => throw null; + public static bool IsStartNCNameChar(char ch) => throw null; + public static bool IsWhitespaceChar(char ch) => throw null; + public static bool IsXmlChar(char ch) => throw null; + public static bool IsXmlSurrogatePair(char lowChar, char highChar) => throw null; + public static bool ToBoolean(string s) => throw null; + public static byte ToByte(string s) => throw null; + public static char ToChar(string s) => throw null; + public static System.DateTime ToDateTime(string s) => throw null; + public static System.DateTime ToDateTime(string s, string format) => throw null; + public static System.DateTime ToDateTime(string s, string[] formats) => throw null; + public static System.DateTime ToDateTime(string s, System.Xml.XmlDateTimeSerializationMode dateTimeOption) => throw null; + public static System.DateTimeOffset ToDateTimeOffset(string s) => throw null; + public static System.DateTimeOffset ToDateTimeOffset(string s, string format) => throw null; + public static System.DateTimeOffset ToDateTimeOffset(string s, string[] formats) => throw null; + public static decimal ToDecimal(string s) => throw null; + public static double ToDouble(string s) => throw null; + public static System.Guid ToGuid(string s) => throw null; + public static short ToInt16(string s) => throw null; + public static int ToInt32(string s) => throw null; + public static long ToInt64(string s) => throw null; + public static sbyte ToSByte(string s) => throw null; + public static float ToSingle(string s) => throw null; + public static string ToString(bool value) => throw null; + public static string ToString(byte value) => throw null; + public static string ToString(char value) => throw null; + public static string ToString(System.DateTime value) => throw null; + public static string ToString(System.DateTime value, string format) => throw null; + public static string ToString(System.DateTime value, System.Xml.XmlDateTimeSerializationMode dateTimeOption) => throw null; + public static string ToString(System.DateTimeOffset value) => throw null; + public static string ToString(System.DateTimeOffset value, string format) => throw null; + public static string ToString(decimal value) => throw null; + public static string ToString(double value) => throw null; + public static string ToString(System.Guid value) => throw null; + public static string ToString(short value) => throw null; + public static string ToString(int value) => throw null; + public static string ToString(long value) => throw null; + public static string ToString(sbyte value) => throw null; + public static string ToString(float value) => throw null; + public static string ToString(System.TimeSpan value) => throw null; + public static string ToString(ushort value) => throw null; + public static string ToString(uint value) => throw null; + public static string ToString(ulong value) => throw null; + public static System.TimeSpan ToTimeSpan(string s) => throw null; + public static ushort ToUInt16(string s) => throw null; + public static uint ToUInt32(string s) => throw null; + public static ulong ToUInt64(string s) => throw null; + public static string VerifyName(string name) => throw null; + public static string VerifyNCName(string name) => throw null; + public static string VerifyNMTOKEN(string name) => throw null; + public static string VerifyPublicId(string publicId) => throw null; + public static string VerifyTOKEN(string token) => throw null; + public static string VerifyWhitespace(string content) => throw null; + public static string VerifyXmlChars(string content) => throw null; + } + public enum XmlDateTimeSerializationMode + { + Local = 0, + Utc = 1, + Unspecified = 2, + RoundtripKind = 3, + } + public class XmlDeclaration : System.Xml.XmlLinkedNode + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlDeclaration(string version, string encoding, string standalone, System.Xml.XmlDocument doc) => throw null; + public string Encoding { get => throw null; set { } } + public override string InnerText { get => throw null; set { } } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public string Standalone { get => throw null; set { } } + public override string Value { get => throw null; set { } } + public string Version { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlDocument : System.Xml.XmlNode + { + public override string BaseURI { get => throw null; } + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + public System.Xml.XmlAttribute CreateAttribute(string name) => throw null; + public System.Xml.XmlAttribute CreateAttribute(string qualifiedName, string namespaceURI) => throw null; + public virtual System.Xml.XmlAttribute CreateAttribute(string prefix, string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlCDataSection CreateCDataSection(string data) => throw null; + public virtual System.Xml.XmlComment CreateComment(string data) => throw null; + protected virtual System.Xml.XmlAttribute CreateDefaultAttribute(string prefix, string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlDocumentFragment CreateDocumentFragment() => throw null; + public virtual System.Xml.XmlDocumentType CreateDocumentType(string name, string publicId, string systemId, string internalSubset) => throw null; + public System.Xml.XmlElement CreateElement(string name) => throw null; + public System.Xml.XmlElement CreateElement(string qualifiedName, string namespaceURI) => throw null; + public virtual System.Xml.XmlElement CreateElement(string prefix, string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlEntityReference CreateEntityReference(string name) => throw null; + public override System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; + protected virtual System.Xml.XPath.XPathNavigator CreateNavigator(System.Xml.XmlNode node) => throw null; + public virtual System.Xml.XmlNode CreateNode(string nodeTypeString, string name, string namespaceURI) => throw null; + public virtual System.Xml.XmlNode CreateNode(System.Xml.XmlNodeType type, string name, string namespaceURI) => throw null; + public virtual System.Xml.XmlNode CreateNode(System.Xml.XmlNodeType type, string prefix, string name, string namespaceURI) => throw null; + public virtual System.Xml.XmlProcessingInstruction CreateProcessingInstruction(string target, string data) => throw null; + public virtual System.Xml.XmlSignificantWhitespace CreateSignificantWhitespace(string text) => throw null; + public virtual System.Xml.XmlText CreateTextNode(string text) => throw null; + public virtual System.Xml.XmlWhitespace CreateWhitespace(string text) => throw null; + public virtual System.Xml.XmlDeclaration CreateXmlDeclaration(string version, string encoding, string standalone) => throw null; + public XmlDocument() => throw null; + protected XmlDocument(System.Xml.XmlImplementation imp) => throw null; + public XmlDocument(System.Xml.XmlNameTable nt) => throw null; + public System.Xml.XmlElement DocumentElement { get => throw null; } + public virtual System.Xml.XmlDocumentType DocumentType { get => throw null; } + public virtual System.Xml.XmlElement GetElementById(string elementId) => throw null; + public virtual System.Xml.XmlNodeList GetElementsByTagName(string name) => throw null; + public virtual System.Xml.XmlNodeList GetElementsByTagName(string localName, string namespaceURI) => throw null; + public System.Xml.XmlImplementation Implementation { get => throw null; } + public virtual System.Xml.XmlNode ImportNode(System.Xml.XmlNode node, bool deep) => throw null; + public override string InnerText { set { } } + public override string InnerXml { get => throw null; set { } } + public override bool IsReadOnly { get => throw null; } + public virtual void Load(System.IO.Stream inStream) => throw null; + public virtual void Load(System.IO.TextReader txtReader) => throw null; + public virtual void Load(string filename) => throw null; + public virtual void Load(System.Xml.XmlReader reader) => throw null; + public virtual void LoadXml(string xml) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public System.Xml.XmlNameTable NameTable { get => throw null; } + public event System.Xml.XmlNodeChangedEventHandler NodeChanged { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeChanging { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeInserted { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeInserting { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeRemoved { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeRemoving { add { } remove { } } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlDocument OwnerDocument { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public bool PreserveWhitespace { get => throw null; set { } } + public virtual System.Xml.XmlNode ReadNode(System.Xml.XmlReader reader) => throw null; + public virtual void Save(System.IO.Stream outStream) => throw null; + public virtual void Save(System.IO.TextWriter writer) => throw null; + public virtual void Save(string filename) => throw null; + public virtual void Save(System.Xml.XmlWriter w) => throw null; + public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; set { } } + public void Validate(System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; + public void Validate(System.Xml.Schema.ValidationEventHandler validationEventHandler, System.Xml.XmlNode nodeToValidate) => throw null; + public override void WriteContentTo(System.Xml.XmlWriter xw) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + public virtual System.Xml.XmlResolver XmlResolver { set { } } + } + public class XmlDocumentFragment : System.Xml.XmlNode + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlDocumentFragment(System.Xml.XmlDocument ownerDocument) => throw null; + public override string InnerXml { get => throw null; set { } } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlDocument OwnerDocument { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlDocumentType : System.Xml.XmlLinkedNode + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlDocumentType(string name, string publicId, string systemId, string internalSubset, System.Xml.XmlDocument doc) => throw null; + public System.Xml.XmlNamedNodeMap Entities { get => throw null; } + public string InternalSubset { get => throw null; } + public override bool IsReadOnly { get => throw null; } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public System.Xml.XmlNamedNodeMap Notations { get => throw null; } + public string PublicId { get => throw null; } + public string SystemId { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlElement : System.Xml.XmlLinkedNode + { + public override System.Xml.XmlAttributeCollection Attributes { get => throw null; } + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlElement(string prefix, string localName, string namespaceURI, System.Xml.XmlDocument doc) => throw null; + public virtual string GetAttribute(string name) => throw null; + public virtual string GetAttribute(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlAttribute GetAttributeNode(string name) => throw null; + public virtual System.Xml.XmlAttribute GetAttributeNode(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlNodeList GetElementsByTagName(string name) => throw null; + public virtual System.Xml.XmlNodeList GetElementsByTagName(string localName, string namespaceURI) => throw null; + public virtual bool HasAttribute(string name) => throw null; + public virtual bool HasAttribute(string localName, string namespaceURI) => throw null; + public virtual bool HasAttributes { get => throw null; } + public override string InnerText { get => throw null; set { } } + public override string InnerXml { get => throw null; set { } } + public bool IsEmpty { get => throw null; set { } } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override string NamespaceURI { get => throw null; } + public override System.Xml.XmlNode NextSibling { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlDocument OwnerDocument { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override string Prefix { get => throw null; set { } } + public override void RemoveAll() => throw null; + public virtual void RemoveAllAttributes() => throw null; + public virtual void RemoveAttribute(string name) => throw null; + public virtual void RemoveAttribute(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlNode RemoveAttributeAt(int i) => throw null; + public virtual System.Xml.XmlAttribute RemoveAttributeNode(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlAttribute RemoveAttributeNode(System.Xml.XmlAttribute oldAttr) => throw null; + public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public virtual void SetAttribute(string name, string value) => throw null; + public virtual string SetAttribute(string localName, string namespaceURI, string value) => throw null; + public virtual System.Xml.XmlAttribute SetAttributeNode(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlAttribute SetAttributeNode(System.Xml.XmlAttribute newAttr) => throw null; + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlEntity : System.Xml.XmlNode + { + public override string BaseURI { get => throw null; } + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + public override string InnerText { get => throw null; set { } } + public override string InnerXml { get => throw null; set { } } + public override bool IsReadOnly { get => throw null; } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public string NotationName { get => throw null; } + public override string OuterXml { get => throw null; } + public string PublicId { get => throw null; } + public string SystemId { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlEntityReference : System.Xml.XmlLinkedNode + { + public override string BaseURI { get => throw null; } + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlEntityReference(string name, System.Xml.XmlDocument doc) => throw null; + public override bool IsReadOnly { get => throw null; } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlException : System.SystemException + { + public XmlException() => throw null; + protected XmlException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public XmlException(string message) => throw null; + public XmlException(string message, System.Exception innerException) => throw null; + public XmlException(string message, System.Exception innerException, int lineNumber, int linePosition) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int LineNumber { get => throw null; } + public int LinePosition { get => throw null; } + public override string Message { get => throw null; } + public string SourceUri { get => throw null; } + } + public class XmlImplementation + { + public virtual System.Xml.XmlDocument CreateDocument() => throw null; + public XmlImplementation() => throw null; + public XmlImplementation(System.Xml.XmlNameTable nt) => throw null; + public bool HasFeature(string strFeature, string strVersion) => throw null; + } + public abstract class XmlLinkedNode : System.Xml.XmlNode + { + public override System.Xml.XmlNode NextSibling { get => throw null; } + public override System.Xml.XmlNode PreviousSibling { get => throw null; } + } + public class XmlNamedNodeMap : System.Collections.IEnumerable + { + public virtual int Count { get => throw null; } + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + public virtual System.Xml.XmlNode GetNamedItem(string name) => throw null; + public virtual System.Xml.XmlNode GetNamedItem(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlNode Item(int index) => throw null; + public virtual System.Xml.XmlNode RemoveNamedItem(string name) => throw null; + public virtual System.Xml.XmlNode RemoveNamedItem(string localName, string namespaceURI) => throw null; + public virtual System.Xml.XmlNode SetNamedItem(System.Xml.XmlNode node) => throw null; + } + public class XmlNamespaceManager : System.Collections.IEnumerable, System.Xml.IXmlNamespaceResolver + { + public virtual void AddNamespace(string prefix, string uri) => throw null; + public XmlNamespaceManager(System.Xml.XmlNameTable nameTable) => throw null; + public virtual string DefaultNamespace { get => throw null; } + public virtual System.Collections.IEnumerator GetEnumerator() => throw null; + public virtual System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; + public virtual bool HasNamespace(string prefix) => throw null; + public virtual string LookupNamespace(string prefix) => throw null; + public virtual string LookupPrefix(string uri) => throw null; + public virtual System.Xml.XmlNameTable NameTable { get => throw null; } + public virtual bool PopScope() => throw null; + public virtual void PushScope() => throw null; + public virtual void RemoveNamespace(string prefix, string uri) => throw null; + } + public enum XmlNamespaceScope + { + All = 0, + ExcludeXml = 1, + Local = 2, + } + public abstract class XmlNameTable + { + public abstract string Add(char[] array, int offset, int length); + public abstract string Add(string array); + protected XmlNameTable() => throw null; + public abstract string Get(char[] array, int offset, int length); + public abstract string Get(string array); + } + public abstract class XmlNode : System.Collections.IEnumerable, System.ICloneable, System.Xml.XPath.IXPathNavigable + { + public virtual System.Xml.XmlNode AppendChild(System.Xml.XmlNode newChild) => throw null; + public virtual System.Xml.XmlAttributeCollection Attributes { get => throw null; } + public virtual string BaseURI { get => throw null; } + public virtual System.Xml.XmlNodeList ChildNodes { get => throw null; } + public virtual System.Xml.XmlNode Clone() => throw null; + object System.ICloneable.Clone() => throw null; + public abstract System.Xml.XmlNode CloneNode(bool deep); + public virtual System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; + public virtual System.Xml.XmlNode FirstChild { get => throw null; } + public System.Collections.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public virtual string GetNamespaceOfPrefix(string prefix) => throw null; + public virtual string GetPrefixOfNamespace(string namespaceURI) => throw null; + public virtual bool HasChildNodes { get => throw null; } + public virtual string InnerText { get => throw null; set { } } + public virtual string InnerXml { get => throw null; set { } } + public virtual System.Xml.XmlNode InsertAfter(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; + public virtual System.Xml.XmlNode InsertBefore(System.Xml.XmlNode newChild, System.Xml.XmlNode refChild) => throw null; + public virtual bool IsReadOnly { get => throw null; } + public virtual System.Xml.XmlNode LastChild { get => throw null; } + public abstract string LocalName { get; } + public abstract string Name { get; } + public virtual string NamespaceURI { get => throw null; } + public virtual System.Xml.XmlNode NextSibling { get => throw null; } + public abstract System.Xml.XmlNodeType NodeType { get; } + public virtual void Normalize() => throw null; + public virtual string OuterXml { get => throw null; } + public virtual System.Xml.XmlDocument OwnerDocument { get => throw null; } + public virtual System.Xml.XmlNode ParentNode { get => throw null; } + public virtual string Prefix { get => throw null; set { } } + public virtual System.Xml.XmlNode PrependChild(System.Xml.XmlNode newChild) => throw null; + public virtual System.Xml.XmlNode PreviousSibling { get => throw null; } + public virtual System.Xml.XmlNode PreviousText { get => throw null; } + public virtual void RemoveAll() => throw null; + public virtual System.Xml.XmlNode RemoveChild(System.Xml.XmlNode oldChild) => throw null; + public virtual System.Xml.XmlNode ReplaceChild(System.Xml.XmlNode newChild, System.Xml.XmlNode oldChild) => throw null; + public virtual System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public System.Xml.XmlNodeList SelectNodes(string xpath) => throw null; + public System.Xml.XmlNodeList SelectNodes(string xpath, System.Xml.XmlNamespaceManager nsmgr) => throw null; + public System.Xml.XmlNode SelectSingleNode(string xpath) => throw null; + public System.Xml.XmlNode SelectSingleNode(string xpath, System.Xml.XmlNamespaceManager nsmgr) => throw null; + public virtual bool Supports(string feature, string version) => throw null; + public virtual System.Xml.XmlElement this[string name] { get => throw null; } + public virtual System.Xml.XmlElement this[string localname, string ns] { get => throw null; } + public virtual string Value { get => throw null; set { } } + public abstract void WriteContentTo(System.Xml.XmlWriter w); + public abstract void WriteTo(System.Xml.XmlWriter w); + } + public enum XmlNodeChangedAction + { + Insert = 0, + Remove = 1, + Change = 2, + } + public class XmlNodeChangedEventArgs : System.EventArgs + { + public System.Xml.XmlNodeChangedAction Action { get => throw null; } + public XmlNodeChangedEventArgs(System.Xml.XmlNode node, System.Xml.XmlNode oldParent, System.Xml.XmlNode newParent, string oldValue, string newValue, System.Xml.XmlNodeChangedAction action) => throw null; + public System.Xml.XmlNode NewParent { get => throw null; } + public string NewValue { get => throw null; } + public System.Xml.XmlNode Node { get => throw null; } + public System.Xml.XmlNode OldParent { get => throw null; } + public string OldValue { get => throw null; } + } + public delegate void XmlNodeChangedEventHandler(object sender, System.Xml.XmlNodeChangedEventArgs e); + public abstract class XmlNodeList : System.Collections.IEnumerable, System.IDisposable + { + public abstract int Count { get; } + protected XmlNodeList() => throw null; + void System.IDisposable.Dispose() => throw null; + public abstract System.Collections.IEnumerator GetEnumerator(); + public abstract System.Xml.XmlNode Item(int index); + protected virtual void PrivateDisposeNodeList() => throw null; + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public virtual System.Xml.XmlNode this[int i] { get => throw null; } + } + public enum XmlNodeOrder + { + Before = 0, + After = 1, + Same = 2, + Unknown = 3, + } + public class XmlNodeReader : System.Xml.XmlReader, System.Xml.IXmlNamespaceResolver + { + public override int AttributeCount { get => throw null; } + public override string BaseURI { get => throw null; } + public override bool CanReadBinaryContent { get => throw null; } + public override bool CanResolveEntity { get => throw null; } + public override void Close() => throw null; + public XmlNodeReader(System.Xml.XmlNode node) => throw null; + public override int Depth { get => throw null; } + public override bool EOF { get => throw null; } + public override string GetAttribute(int attributeIndex) => throw null; + public override string GetAttribute(string name) => throw null; + public override string GetAttribute(string name, string namespaceURI) => throw null; + System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; + public override bool HasAttributes { get => throw null; } + public override bool HasValue { get => throw null; } + public override bool IsDefault { get => throw null; } + public override bool IsEmptyElement { get => throw null; } + public override string LocalName { get => throw null; } + public override string LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; + public override void MoveToAttribute(int attributeIndex) => throw null; + public override bool MoveToAttribute(string name) => throw null; + public override bool MoveToAttribute(string name, string namespaceURI) => throw null; + public override bool MoveToElement() => throw null; + public override bool MoveToFirstAttribute() => throw null; + public override bool MoveToNextAttribute() => throw null; + public override string Name { get => throw null; } + public override string NamespaceURI { get => throw null; } + public override System.Xml.XmlNameTable NameTable { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override string Prefix { get => throw null; } + public override bool Read() => throw null; + public override bool ReadAttributeValue() => throw null; + public override int ReadContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public override System.Xml.ReadState ReadState { get => throw null; } + public override string ReadString() => throw null; + public override void ResolveEntity() => throw null; + public override System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public override void Skip() => throw null; + public override string Value { get => throw null; } + public override string XmlLang { get => throw null; } + public override System.Xml.XmlSpace XmlSpace { get => throw null; } + } + public enum XmlNodeType + { + None = 0, + Element = 1, + Attribute = 2, + Text = 3, + CDATA = 4, + EntityReference = 5, + Entity = 6, + ProcessingInstruction = 7, + Comment = 8, + Document = 9, + DocumentType = 10, + DocumentFragment = 11, + Notation = 12, + Whitespace = 13, + SignificantWhitespace = 14, + EndElement = 15, + EndEntity = 16, + XmlDeclaration = 17, + } + public class XmlNotation : System.Xml.XmlNode + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + public override string InnerXml { get => throw null; set { } } + public override bool IsReadOnly { get => throw null; } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override string OuterXml { get => throw null; } + public string PublicId { get => throw null; } + public string SystemId { get => throw null; } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public enum XmlOutputMethod + { + Xml = 0, + Html = 1, + Text = 2, + AutoDetect = 3, + } + public class XmlParserContext + { + public string BaseURI { get => throw null; set { } } + public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string docTypeName, string pubId, string sysId, string internalSubset, string baseURI, string xmlLang, System.Xml.XmlSpace xmlSpace) => throw null; + public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string docTypeName, string pubId, string sysId, string internalSubset, string baseURI, string xmlLang, System.Xml.XmlSpace xmlSpace, System.Text.Encoding enc) => throw null; + public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string xmlLang, System.Xml.XmlSpace xmlSpace) => throw null; + public XmlParserContext(System.Xml.XmlNameTable nt, System.Xml.XmlNamespaceManager nsMgr, string xmlLang, System.Xml.XmlSpace xmlSpace, System.Text.Encoding enc) => throw null; + public string DocTypeName { get => throw null; set { } } + public System.Text.Encoding Encoding { get => throw null; set { } } + public string InternalSubset { get => throw null; set { } } + public System.Xml.XmlNamespaceManager NamespaceManager { get => throw null; set { } } + public System.Xml.XmlNameTable NameTable { get => throw null; set { } } + public string PublicId { get => throw null; set { } } + public string SystemId { get => throw null; set { } } + public string XmlLang { get => throw null; set { } } + public System.Xml.XmlSpace XmlSpace { get => throw null; set { } } + } + public class XmlProcessingInstruction : System.Xml.XmlLinkedNode + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlProcessingInstruction(string target, string data, System.Xml.XmlDocument doc) => throw null; + public string Data { get => throw null; set { } } + public override string InnerText { get => throw null; set { } } + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public string Target { get => throw null; } + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlQualifiedName + { + public XmlQualifiedName() => throw null; + public XmlQualifiedName(string name) => throw null; + public XmlQualifiedName(string name, string ns) => throw null; + public static System.Xml.XmlQualifiedName Empty; + public override bool Equals(object other) => throw null; + public override int GetHashCode() => throw null; + public bool IsEmpty { get => throw null; } + public string Name { get => throw null; } + public string Namespace { get => throw null; } + public static bool operator ==(System.Xml.XmlQualifiedName a, System.Xml.XmlQualifiedName b) => throw null; + public static bool operator !=(System.Xml.XmlQualifiedName a, System.Xml.XmlQualifiedName b) => throw null; + public override string ToString() => throw null; + public static string ToString(string name, string ns) => throw null; + } + public abstract class XmlReader : System.IDisposable + { + public abstract int AttributeCount { get; } + public abstract string BaseURI { get; } + public virtual bool CanReadBinaryContent { get => throw null; } + public virtual bool CanReadValueChunk { get => throw null; } + public virtual bool CanResolveEntity { get => throw null; } + public virtual void Close() => throw null; + public static System.Xml.XmlReader Create(System.IO.Stream input) => throw null; + public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings) => throw null; + public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings, string baseUri) => throw null; + public static System.Xml.XmlReader Create(System.IO.Stream input, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; + public static System.Xml.XmlReader Create(System.IO.TextReader input) => throw null; + public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings) => throw null; + public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings, string baseUri) => throw null; + public static System.Xml.XmlReader Create(System.IO.TextReader input, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; + public static System.Xml.XmlReader Create(string inputUri) => throw null; + public static System.Xml.XmlReader Create(string inputUri, System.Xml.XmlReaderSettings settings) => throw null; + public static System.Xml.XmlReader Create(string inputUri, System.Xml.XmlReaderSettings settings, System.Xml.XmlParserContext inputContext) => throw null; + public static System.Xml.XmlReader Create(System.Xml.XmlReader reader, System.Xml.XmlReaderSettings settings) => throw null; + protected XmlReader() => throw null; + public abstract int Depth { get; } + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public abstract bool EOF { get; } + public abstract string GetAttribute(int i); + public abstract string GetAttribute(string name); + public abstract string GetAttribute(string name, string namespaceURI); + public virtual System.Threading.Tasks.Task GetValueAsync() => throw null; + public virtual bool HasAttributes { get => throw null; } + public virtual bool HasValue { get => throw null; } + public virtual bool IsDefault { get => throw null; } + public abstract bool IsEmptyElement { get; } + public static bool IsName(string str) => throw null; + public static bool IsNameToken(string str) => throw null; + public virtual bool IsStartElement() => throw null; + public virtual bool IsStartElement(string name) => throw null; + public virtual bool IsStartElement(string localname, string ns) => throw null; + public abstract string LocalName { get; } + public abstract string LookupNamespace(string prefix); + public virtual void MoveToAttribute(int i) => throw null; + public abstract bool MoveToAttribute(string name); + public abstract bool MoveToAttribute(string name, string ns); + public virtual System.Xml.XmlNodeType MoveToContent() => throw null; + public virtual System.Threading.Tasks.Task MoveToContentAsync() => throw null; + public abstract bool MoveToElement(); + public abstract bool MoveToFirstAttribute(); + public abstract bool MoveToNextAttribute(); + public virtual string Name { get => throw null; } + public abstract string NamespaceURI { get; } + public abstract System.Xml.XmlNameTable NameTable { get; } + public abstract System.Xml.XmlNodeType NodeType { get; } + public abstract string Prefix { get; } + public virtual char QuoteChar { get => throw null; } + public abstract bool Read(); + public virtual System.Threading.Tasks.Task ReadAsync() => throw null; + public abstract bool ReadAttributeValue(); + public virtual object ReadContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; + public virtual System.Threading.Tasks.Task ReadContentAsAsync(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; + public virtual int ReadContentAsBase64(byte[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadContentAsBase64Async(byte[] buffer, int index, int count) => throw null; + public virtual int ReadContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadContentAsBinHexAsync(byte[] buffer, int index, int count) => throw null; + public virtual bool ReadContentAsBoolean() => throw null; + public virtual System.DateTime ReadContentAsDateTime() => throw null; + public virtual System.DateTimeOffset ReadContentAsDateTimeOffset() => throw null; + public virtual decimal ReadContentAsDecimal() => throw null; + public virtual double ReadContentAsDouble() => throw null; + public virtual float ReadContentAsFloat() => throw null; + public virtual int ReadContentAsInt() => throw null; + public virtual long ReadContentAsLong() => throw null; + public virtual object ReadContentAsObject() => throw null; + public virtual System.Threading.Tasks.Task ReadContentAsObjectAsync() => throw null; + public virtual string ReadContentAsString() => throw null; + public virtual System.Threading.Tasks.Task ReadContentAsStringAsync() => throw null; + public virtual object ReadElementContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; + public virtual object ReadElementContentAs(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver, string localName, string namespaceURI) => throw null; + public virtual System.Threading.Tasks.Task ReadElementContentAsAsync(System.Type returnType, System.Xml.IXmlNamespaceResolver namespaceResolver) => throw null; + public virtual int ReadElementContentAsBase64(byte[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadElementContentAsBase64Async(byte[] buffer, int index, int count) => throw null; + public virtual int ReadElementContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadElementContentAsBinHexAsync(byte[] buffer, int index, int count) => throw null; + public virtual bool ReadElementContentAsBoolean() => throw null; + public virtual bool ReadElementContentAsBoolean(string localName, string namespaceURI) => throw null; + public virtual System.DateTime ReadElementContentAsDateTime() => throw null; + public virtual System.DateTime ReadElementContentAsDateTime(string localName, string namespaceURI) => throw null; + public virtual decimal ReadElementContentAsDecimal() => throw null; + public virtual decimal ReadElementContentAsDecimal(string localName, string namespaceURI) => throw null; + public virtual double ReadElementContentAsDouble() => throw null; + public virtual double ReadElementContentAsDouble(string localName, string namespaceURI) => throw null; + public virtual float ReadElementContentAsFloat() => throw null; + public virtual float ReadElementContentAsFloat(string localName, string namespaceURI) => throw null; + public virtual int ReadElementContentAsInt() => throw null; + public virtual int ReadElementContentAsInt(string localName, string namespaceURI) => throw null; + public virtual long ReadElementContentAsLong() => throw null; + public virtual long ReadElementContentAsLong(string localName, string namespaceURI) => throw null; + public virtual object ReadElementContentAsObject() => throw null; + public virtual object ReadElementContentAsObject(string localName, string namespaceURI) => throw null; + public virtual System.Threading.Tasks.Task ReadElementContentAsObjectAsync() => throw null; + public virtual string ReadElementContentAsString() => throw null; + public virtual string ReadElementContentAsString(string localName, string namespaceURI) => throw null; + public virtual System.Threading.Tasks.Task ReadElementContentAsStringAsync() => throw null; + public virtual string ReadElementString() => throw null; + public virtual string ReadElementString(string name) => throw null; + public virtual string ReadElementString(string localname, string ns) => throw null; + public virtual void ReadEndElement() => throw null; + public virtual string ReadInnerXml() => throw null; + public virtual System.Threading.Tasks.Task ReadInnerXmlAsync() => throw null; + public virtual string ReadOuterXml() => throw null; + public virtual System.Threading.Tasks.Task ReadOuterXmlAsync() => throw null; + public virtual void ReadStartElement() => throw null; + public virtual void ReadStartElement(string name) => throw null; + public virtual void ReadStartElement(string localname, string ns) => throw null; + public abstract System.Xml.ReadState ReadState { get; } + public virtual string ReadString() => throw null; + public virtual System.Xml.XmlReader ReadSubtree() => throw null; + public virtual bool ReadToDescendant(string name) => throw null; + public virtual bool ReadToDescendant(string localName, string namespaceURI) => throw null; + public virtual bool ReadToFollowing(string name) => throw null; + public virtual bool ReadToFollowing(string localName, string namespaceURI) => throw null; + public virtual bool ReadToNextSibling(string name) => throw null; + public virtual bool ReadToNextSibling(string localName, string namespaceURI) => throw null; + public virtual int ReadValueChunk(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task ReadValueChunkAsync(char[] buffer, int index, int count) => throw null; + public abstract void ResolveEntity(); + public virtual System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } + public virtual System.Xml.XmlReaderSettings Settings { get => throw null; } + public virtual void Skip() => throw null; + public virtual System.Threading.Tasks.Task SkipAsync() => throw null; + public virtual string this[int i] { get => throw null; } + public virtual string this[string name] { get => throw null; } + public virtual string this[string name, string namespaceURI] { get => throw null; } + public abstract string Value { get; } + public virtual System.Type ValueType { get => throw null; } + public virtual string XmlLang { get => throw null; } + public virtual System.Xml.XmlSpace XmlSpace { get => throw null; } + } + public sealed class XmlReaderSettings + { + public bool Async { get => throw null; set { } } + public bool CheckCharacters { get => throw null; set { } } + public System.Xml.XmlReaderSettings Clone() => throw null; + public bool CloseInput { get => throw null; set { } } + public System.Xml.ConformanceLevel ConformanceLevel { get => throw null; set { } } + public XmlReaderSettings() => throw null; + public System.Xml.DtdProcessing DtdProcessing { get => throw null; set { } } + public bool IgnoreComments { get => throw null; set { } } + public bool IgnoreProcessingInstructions { get => throw null; set { } } + public bool IgnoreWhitespace { get => throw null; set { } } + public int LineNumberOffset { get => throw null; set { } } + public int LinePositionOffset { get => throw null; set { } } + public long MaxCharactersFromEntities { get => throw null; set { } } + public long MaxCharactersInDocument { get => throw null; set { } } + public System.Xml.XmlNameTable NameTable { get => throw null; set { } } + public bool ProhibitDtd { get => throw null; set { } } + public void Reset() => throw null; + public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; set { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public System.Xml.Schema.XmlSchemaValidationFlags ValidationFlags { get => throw null; set { } } + public System.Xml.ValidationType ValidationType { get => throw null; set { } } + public System.Xml.XmlResolver XmlResolver { set { } } + } + public abstract class XmlResolver + { + public virtual System.Net.ICredentials Credentials { set { } } + protected XmlResolver() => throw null; + public abstract object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn); + public virtual System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public virtual System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; + public virtual bool SupportsType(System.Uri absoluteUri, System.Type type) => throw null; + public static System.Xml.XmlResolver ThrowingResolver { get => throw null; } + } + public class XmlSecureResolver : System.Xml.XmlResolver + { + public override System.Net.ICredentials Credentials { set { } } + public XmlSecureResolver(System.Xml.XmlResolver resolver, string securityUrl) => throw null; + public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; + } + public class XmlSignificantWhitespace : System.Xml.XmlCharacterData + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlSignificantWhitespace(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override System.Xml.XmlNode PreviousText { get => throw null; } + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public enum XmlSpace + { + None = 0, + Default = 1, + Preserve = 2, + } + public class XmlText : System.Xml.XmlCharacterData + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlText(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override System.Xml.XmlNode PreviousText { get => throw null; } + public virtual System.Xml.XmlText SplitText(int offset) => throw null; + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public class XmlTextReader : System.Xml.XmlReader, System.Xml.IXmlLineInfo, System.Xml.IXmlNamespaceResolver + { + public override int AttributeCount { get => throw null; } + public override string BaseURI { get => throw null; } + public override bool CanReadBinaryContent { get => throw null; } + public override bool CanReadValueChunk { get => throw null; } + public override bool CanResolveEntity { get => throw null; } + public override void Close() => throw null; + protected XmlTextReader() => throw null; + public XmlTextReader(System.IO.Stream input) => throw null; + public XmlTextReader(System.IO.Stream input, System.Xml.XmlNameTable nt) => throw null; + public XmlTextReader(System.IO.Stream xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; + public XmlTextReader(System.IO.TextReader input) => throw null; + public XmlTextReader(System.IO.TextReader input, System.Xml.XmlNameTable nt) => throw null; + public XmlTextReader(string url) => throw null; + public XmlTextReader(string url, System.IO.Stream input) => throw null; + public XmlTextReader(string url, System.IO.Stream input, System.Xml.XmlNameTable nt) => throw null; + public XmlTextReader(string url, System.IO.TextReader input) => throw null; + public XmlTextReader(string url, System.IO.TextReader input, System.Xml.XmlNameTable nt) => throw null; + public XmlTextReader(string url, System.Xml.XmlNameTable nt) => throw null; + public XmlTextReader(string xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; + protected XmlTextReader(System.Xml.XmlNameTable nt) => throw null; + public override int Depth { get => throw null; } + public System.Xml.DtdProcessing DtdProcessing { get => throw null; set { } } + public System.Text.Encoding Encoding { get => throw null; } + public System.Xml.EntityHandling EntityHandling { get => throw null; set { } } + public override bool EOF { get => throw null; } + public override string GetAttribute(int i) => throw null; + public override string GetAttribute(string name) => throw null; + public override string GetAttribute(string localName, string namespaceURI) => throw null; + public System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; + System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; + public System.IO.TextReader GetRemainder() => throw null; + public bool HasLineInfo() => throw null; + public override bool HasValue { get => throw null; } + public override bool IsDefault { get => throw null; } + public override bool IsEmptyElement { get => throw null; } + public int LineNumber { get => throw null; } + public int LinePosition { get => throw null; } + public override string LocalName { get => throw null; } + public override string LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; + public override void MoveToAttribute(int i) => throw null; + public override bool MoveToAttribute(string name) => throw null; + public override bool MoveToAttribute(string localName, string namespaceURI) => throw null; + public override bool MoveToElement() => throw null; + public override bool MoveToFirstAttribute() => throw null; + public override bool MoveToNextAttribute() => throw null; + public override string Name { get => throw null; } + public bool Namespaces { get => throw null; set { } } + public override string NamespaceURI { get => throw null; } + public override System.Xml.XmlNameTable NameTable { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public bool Normalization { get => throw null; set { } } + public override string Prefix { get => throw null; } + public bool ProhibitDtd { get => throw null; set { } } + public override char QuoteChar { get => throw null; } + public override bool Read() => throw null; + public override bool ReadAttributeValue() => throw null; + public int ReadBase64(byte[] array, int offset, int len) => throw null; + public int ReadBinHex(byte[] array, int offset, int len) => throw null; + public int ReadChars(char[] buffer, int index, int count) => throw null; + public override int ReadContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public override System.Xml.ReadState ReadState { get => throw null; } + public override string ReadString() => throw null; + public void ResetState() => throw null; + public override void ResolveEntity() => throw null; + public override void Skip() => throw null; + public override string Value { get => throw null; } + public System.Xml.WhitespaceHandling WhitespaceHandling { get => throw null; set { } } + public override string XmlLang { get => throw null; } + public System.Xml.XmlResolver XmlResolver { set { } } + public override System.Xml.XmlSpace XmlSpace { get => throw null; } } - namespace Serialization + public class XmlTextWriter : System.Xml.XmlWriter { - public interface IXmlSerializable - { - System.Xml.Schema.XmlSchema GetSchema(); - void ReadXml(System.Xml.XmlReader reader); - void WriteXml(System.Xml.XmlWriter writer); - } - - public class XmlAnyAttributeAttribute : System.Attribute - { - public XmlAnyAttributeAttribute() => throw null; - } - - public class XmlAnyElementAttribute : System.Attribute - { - public string Name { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public XmlAnyElementAttribute() => throw null; - public XmlAnyElementAttribute(string name) => throw null; - public XmlAnyElementAttribute(string name, string ns) => throw null; - } - - public class XmlAttributeAttribute : System.Attribute - { - public string AttributeName { get => throw null; set => throw null; } - public string DataType { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - public XmlAttributeAttribute() => throw null; - public XmlAttributeAttribute(System.Type type) => throw null; - public XmlAttributeAttribute(string attributeName) => throw null; - public XmlAttributeAttribute(string attributeName, System.Type type) => throw null; - } - - public class XmlElementAttribute : System.Attribute - { - public string DataType { get => throw null; set => throw null; } - public string ElementName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - public XmlElementAttribute() => throw null; - public XmlElementAttribute(System.Type type) => throw null; - public XmlElementAttribute(string elementName) => throw null; - public XmlElementAttribute(string elementName, System.Type type) => throw null; - } - - public class XmlEnumAttribute : System.Attribute - { - public string Name { get => throw null; set => throw null; } - public XmlEnumAttribute() => throw null; - public XmlEnumAttribute(string name) => throw null; - } - - public class XmlIgnoreAttribute : System.Attribute - { - public XmlIgnoreAttribute() => throw null; - } - - public class XmlNamespaceDeclarationsAttribute : System.Attribute - { - public XmlNamespaceDeclarationsAttribute() => throw null; - } - - public class XmlRootAttribute : System.Attribute - { - public string DataType { get => throw null; set => throw null; } - public string ElementName { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public XmlRootAttribute() => throw null; - public XmlRootAttribute(string elementName) => throw null; - } - - public class XmlSchemaProviderAttribute : System.Attribute + public System.IO.Stream BaseStream { get => throw null; } + public override void Close() => throw null; + public XmlTextWriter(System.IO.Stream w, System.Text.Encoding encoding) => throw null; + public XmlTextWriter(System.IO.TextWriter w) => throw null; + public XmlTextWriter(string filename, System.Text.Encoding encoding) => throw null; + public override void Flush() => throw null; + public System.Xml.Formatting Formatting { get => throw null; set { } } + public int Indentation { get => throw null; set { } } + public char IndentChar { get => throw null; set { } } + public override string LookupPrefix(string ns) => throw null; + public bool Namespaces { get => throw null; set { } } + public char QuoteChar { get => throw null; set { } } + public override void WriteBase64(byte[] buffer, int index, int count) => throw null; + public override void WriteBinHex(byte[] buffer, int index, int count) => throw null; + public override void WriteCData(string text) => throw null; + public override void WriteCharEntity(char ch) => throw null; + public override void WriteChars(char[] buffer, int index, int count) => throw null; + public override void WriteComment(string text) => throw null; + public override void WriteDocType(string name, string pubid, string sysid, string subset) => throw null; + public override void WriteEndAttribute() => throw null; + public override void WriteEndDocument() => throw null; + public override void WriteEndElement() => throw null; + public override void WriteEntityRef(string name) => throw null; + public override void WriteFullEndElement() => throw null; + public override void WriteName(string name) => throw null; + public override void WriteNmToken(string name) => throw null; + public override void WriteProcessingInstruction(string name, string text) => throw null; + public override void WriteQualifiedName(string localName, string ns) => throw null; + public override void WriteRaw(char[] buffer, int index, int count) => throw null; + public override void WriteRaw(string data) => throw null; + public override void WriteStartAttribute(string prefix, string localName, string ns) => throw null; + public override void WriteStartDocument() => throw null; + public override void WriteStartDocument(bool standalone) => throw null; + public override void WriteStartElement(string prefix, string localName, string ns) => throw null; + public override System.Xml.WriteState WriteState { get => throw null; } + public override void WriteString(string text) => throw null; + public override void WriteSurrogateCharEntity(char lowChar, char highChar) => throw null; + public override void WriteWhitespace(string ws) => throw null; + public override string XmlLang { get => throw null; } + public override System.Xml.XmlSpace XmlSpace { get => throw null; } + } + public enum XmlTokenizedType + { + CDATA = 0, + ID = 1, + IDREF = 2, + IDREFS = 3, + ENTITY = 4, + ENTITIES = 5, + NMTOKEN = 6, + NMTOKENS = 7, + NOTATION = 8, + ENUMERATION = 9, + QName = 10, + NCName = 11, + None = 12, + } + public class XmlUrlResolver : System.Xml.XmlResolver + { + public System.Net.Cache.RequestCachePolicy CachePolicy { set { } } + public override System.Net.ICredentials Credentials { set { } } + public XmlUrlResolver() => throw null; + public override object GetEntity(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public override System.Threading.Tasks.Task GetEntityAsync(System.Uri absoluteUri, string role, System.Type ofObjectToReturn) => throw null; + public System.Net.IWebProxy Proxy { set { } } + public override System.Uri ResolveUri(System.Uri baseUri, string relativeUri) => throw null; + } + public class XmlValidatingReader : System.Xml.XmlReader, System.Xml.IXmlLineInfo, System.Xml.IXmlNamespaceResolver + { + public override int AttributeCount { get => throw null; } + public override string BaseURI { get => throw null; } + public override bool CanReadBinaryContent { get => throw null; } + public override bool CanResolveEntity { get => throw null; } + public override void Close() => throw null; + public XmlValidatingReader(System.IO.Stream xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; + public XmlValidatingReader(string xmlFragment, System.Xml.XmlNodeType fragType, System.Xml.XmlParserContext context) => throw null; + public XmlValidatingReader(System.Xml.XmlReader reader) => throw null; + public override int Depth { get => throw null; } + public System.Text.Encoding Encoding { get => throw null; } + public System.Xml.EntityHandling EntityHandling { get => throw null; set { } } + public override bool EOF { get => throw null; } + public override string GetAttribute(int i) => throw null; + public override string GetAttribute(string name) => throw null; + public override string GetAttribute(string localName, string namespaceURI) => throw null; + System.Collections.Generic.IDictionary System.Xml.IXmlNamespaceResolver.GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; + public bool HasLineInfo() => throw null; + public override bool HasValue { get => throw null; } + public override bool IsDefault { get => throw null; } + public override bool IsEmptyElement { get => throw null; } + public int LineNumber { get => throw null; } + public int LinePosition { get => throw null; } + public override string LocalName { get => throw null; } + public override string LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupNamespace(string prefix) => throw null; + string System.Xml.IXmlNamespaceResolver.LookupPrefix(string namespaceName) => throw null; + public override void MoveToAttribute(int i) => throw null; + public override bool MoveToAttribute(string name) => throw null; + public override bool MoveToAttribute(string localName, string namespaceURI) => throw null; + public override bool MoveToElement() => throw null; + public override bool MoveToFirstAttribute() => throw null; + public override bool MoveToNextAttribute() => throw null; + public override string Name { get => throw null; } + public bool Namespaces { get => throw null; set { } } + public override string NamespaceURI { get => throw null; } + public override System.Xml.XmlNameTable NameTable { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override string Prefix { get => throw null; } + public override char QuoteChar { get => throw null; } + public override bool Read() => throw null; + public override bool ReadAttributeValue() => throw null; + public override int ReadContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBase64(byte[] buffer, int index, int count) => throw null; + public override int ReadElementContentAsBinHex(byte[] buffer, int index, int count) => throw null; + public System.Xml.XmlReader Reader { get => throw null; } + public override System.Xml.ReadState ReadState { get => throw null; } + public override string ReadString() => throw null; + public object ReadTypedValue() => throw null; + public override void ResolveEntity() => throw null; + public System.Xml.Schema.XmlSchemaCollection Schemas { get => throw null; } + public object SchemaType { get => throw null; } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public System.Xml.ValidationType ValidationType { get => throw null; set { } } + public override string Value { get => throw null; } + public override string XmlLang { get => throw null; } + public System.Xml.XmlResolver XmlResolver { set { } } + public override System.Xml.XmlSpace XmlSpace { get => throw null; } + } + public class XmlWhitespace : System.Xml.XmlCharacterData + { + public override System.Xml.XmlNode CloneNode(bool deep) => throw null; + protected XmlWhitespace(string strData, System.Xml.XmlDocument doc) : base(default(string), default(System.Xml.XmlDocument)) => throw null; + public override string LocalName { get => throw null; } + public override string Name { get => throw null; } + public override System.Xml.XmlNodeType NodeType { get => throw null; } + public override System.Xml.XmlNode ParentNode { get => throw null; } + public override System.Xml.XmlNode PreviousText { get => throw null; } + public override string Value { get => throw null; set { } } + public override void WriteContentTo(System.Xml.XmlWriter w) => throw null; + public override void WriteTo(System.Xml.XmlWriter w) => throw null; + } + public abstract class XmlWriter : System.IAsyncDisposable, System.IDisposable + { + public virtual void Close() => throw null; + public static System.Xml.XmlWriter Create(System.IO.Stream output) => throw null; + public static System.Xml.XmlWriter Create(System.IO.Stream output, System.Xml.XmlWriterSettings settings) => throw null; + public static System.Xml.XmlWriter Create(System.IO.TextWriter output) => throw null; + public static System.Xml.XmlWriter Create(System.IO.TextWriter output, System.Xml.XmlWriterSettings settings) => throw null; + public static System.Xml.XmlWriter Create(string outputFileName) => throw null; + public static System.Xml.XmlWriter Create(string outputFileName, System.Xml.XmlWriterSettings settings) => throw null; + public static System.Xml.XmlWriter Create(System.Text.StringBuilder output) => throw null; + public static System.Xml.XmlWriter Create(System.Text.StringBuilder output, System.Xml.XmlWriterSettings settings) => throw null; + public static System.Xml.XmlWriter Create(System.Xml.XmlWriter output) => throw null; + public static System.Xml.XmlWriter Create(System.Xml.XmlWriter output, System.Xml.XmlWriterSettings settings) => throw null; + protected XmlWriter() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + protected virtual System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; + public abstract void Flush(); + public virtual System.Threading.Tasks.Task FlushAsync() => throw null; + public abstract string LookupPrefix(string ns); + public virtual System.Xml.XmlWriterSettings Settings { get => throw null; } + public virtual void WriteAttributes(System.Xml.XmlReader reader, bool defattr) => throw null; + public virtual System.Threading.Tasks.Task WriteAttributesAsync(System.Xml.XmlReader reader, bool defattr) => throw null; + public void WriteAttributeString(string localName, string value) => throw null; + public void WriteAttributeString(string localName, string ns, string value) => throw null; + public void WriteAttributeString(string prefix, string localName, string ns, string value) => throw null; + public System.Threading.Tasks.Task WriteAttributeStringAsync(string prefix, string localName, string ns, string value) => throw null; + public abstract void WriteBase64(byte[] buffer, int index, int count); + public virtual System.Threading.Tasks.Task WriteBase64Async(byte[] buffer, int index, int count) => throw null; + public virtual void WriteBinHex(byte[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task WriteBinHexAsync(byte[] buffer, int index, int count) => throw null; + public abstract void WriteCData(string text); + public virtual System.Threading.Tasks.Task WriteCDataAsync(string text) => throw null; + public abstract void WriteCharEntity(char ch); + public virtual System.Threading.Tasks.Task WriteCharEntityAsync(char ch) => throw null; + public abstract void WriteChars(char[] buffer, int index, int count); + public virtual System.Threading.Tasks.Task WriteCharsAsync(char[] buffer, int index, int count) => throw null; + public abstract void WriteComment(string text); + public virtual System.Threading.Tasks.Task WriteCommentAsync(string text) => throw null; + public abstract void WriteDocType(string name, string pubid, string sysid, string subset); + public virtual System.Threading.Tasks.Task WriteDocTypeAsync(string name, string pubid, string sysid, string subset) => throw null; + public void WriteElementString(string localName, string value) => throw null; + public void WriteElementString(string localName, string ns, string value) => throw null; + public void WriteElementString(string prefix, string localName, string ns, string value) => throw null; + public System.Threading.Tasks.Task WriteElementStringAsync(string prefix, string localName, string ns, string value) => throw null; + public abstract void WriteEndAttribute(); + protected virtual System.Threading.Tasks.Task WriteEndAttributeAsync() => throw null; + public abstract void WriteEndDocument(); + public virtual System.Threading.Tasks.Task WriteEndDocumentAsync() => throw null; + public abstract void WriteEndElement(); + public virtual System.Threading.Tasks.Task WriteEndElementAsync() => throw null; + public abstract void WriteEntityRef(string name); + public virtual System.Threading.Tasks.Task WriteEntityRefAsync(string name) => throw null; + public abstract void WriteFullEndElement(); + public virtual System.Threading.Tasks.Task WriteFullEndElementAsync() => throw null; + public virtual void WriteName(string name) => throw null; + public virtual System.Threading.Tasks.Task WriteNameAsync(string name) => throw null; + public virtual void WriteNmToken(string name) => throw null; + public virtual System.Threading.Tasks.Task WriteNmTokenAsync(string name) => throw null; + public virtual void WriteNode(System.Xml.XmlReader reader, bool defattr) => throw null; + public virtual void WriteNode(System.Xml.XPath.XPathNavigator navigator, bool defattr) => throw null; + public virtual System.Threading.Tasks.Task WriteNodeAsync(System.Xml.XmlReader reader, bool defattr) => throw null; + public virtual System.Threading.Tasks.Task WriteNodeAsync(System.Xml.XPath.XPathNavigator navigator, bool defattr) => throw null; + public abstract void WriteProcessingInstruction(string name, string text); + public virtual System.Threading.Tasks.Task WriteProcessingInstructionAsync(string name, string text) => throw null; + public virtual void WriteQualifiedName(string localName, string ns) => throw null; + public virtual System.Threading.Tasks.Task WriteQualifiedNameAsync(string localName, string ns) => throw null; + public abstract void WriteRaw(char[] buffer, int index, int count); + public abstract void WriteRaw(string data); + public virtual System.Threading.Tasks.Task WriteRawAsync(char[] buffer, int index, int count) => throw null; + public virtual System.Threading.Tasks.Task WriteRawAsync(string data) => throw null; + public void WriteStartAttribute(string localName) => throw null; + public void WriteStartAttribute(string localName, string ns) => throw null; + public abstract void WriteStartAttribute(string prefix, string localName, string ns); + protected virtual System.Threading.Tasks.Task WriteStartAttributeAsync(string prefix, string localName, string ns) => throw null; + public abstract void WriteStartDocument(); + public abstract void WriteStartDocument(bool standalone); + public virtual System.Threading.Tasks.Task WriteStartDocumentAsync() => throw null; + public virtual System.Threading.Tasks.Task WriteStartDocumentAsync(bool standalone) => throw null; + public void WriteStartElement(string localName) => throw null; + public void WriteStartElement(string localName, string ns) => throw null; + public abstract void WriteStartElement(string prefix, string localName, string ns); + public virtual System.Threading.Tasks.Task WriteStartElementAsync(string prefix, string localName, string ns) => throw null; + public abstract System.Xml.WriteState WriteState { get; } + public abstract void WriteString(string text); + public virtual System.Threading.Tasks.Task WriteStringAsync(string text) => throw null; + public abstract void WriteSurrogateCharEntity(char lowChar, char highChar); + public virtual System.Threading.Tasks.Task WriteSurrogateCharEntityAsync(char lowChar, char highChar) => throw null; + public virtual void WriteValue(bool value) => throw null; + public virtual void WriteValue(System.DateTime value) => throw null; + public virtual void WriteValue(System.DateTimeOffset value) => throw null; + public virtual void WriteValue(decimal value) => throw null; + public virtual void WriteValue(double value) => throw null; + public virtual void WriteValue(int value) => throw null; + public virtual void WriteValue(long value) => throw null; + public virtual void WriteValue(object value) => throw null; + public virtual void WriteValue(float value) => throw null; + public virtual void WriteValue(string value) => throw null; + public abstract void WriteWhitespace(string ws); + public virtual System.Threading.Tasks.Task WriteWhitespaceAsync(string ws) => throw null; + public virtual string XmlLang { get => throw null; } + public virtual System.Xml.XmlSpace XmlSpace { get => throw null; } + } + public sealed class XmlWriterSettings + { + public bool Async { get => throw null; set { } } + public bool CheckCharacters { get => throw null; set { } } + public System.Xml.XmlWriterSettings Clone() => throw null; + public bool CloseOutput { get => throw null; set { } } + public System.Xml.ConformanceLevel ConformanceLevel { get => throw null; set { } } + public XmlWriterSettings() => throw null; + public bool DoNotEscapeUriAttributes { get => throw null; set { } } + public System.Text.Encoding Encoding { get => throw null; set { } } + public bool Indent { get => throw null; set { } } + public string IndentChars { get => throw null; set { } } + public System.Xml.NamespaceHandling NamespaceHandling { get => throw null; set { } } + public string NewLineChars { get => throw null; set { } } + public System.Xml.NewLineHandling NewLineHandling { get => throw null; set { } } + public bool NewLineOnAttributes { get => throw null; set { } } + public bool OmitXmlDeclaration { get => throw null; set { } } + public System.Xml.XmlOutputMethod OutputMethod { get => throw null; } + public void Reset() => throw null; + public bool WriteEndDocumentOnClose { get => throw null; set { } } + } + namespace XPath + { + public interface IXPathNavigable { - public bool IsAny { get => throw null; set => throw null; } - public string MethodName { get => throw null; } - public XmlSchemaProviderAttribute(string methodName) => throw null; + System.Xml.XPath.XPathNavigator CreateNavigator(); } - - public class XmlSerializerNamespaces + public enum XmlCaseOrder { - public void Add(string prefix, string ns) => throw null; - public int Count { get => throw null; } - public System.Xml.XmlQualifiedName[] ToArray() => throw null; - public XmlSerializerNamespaces() => throw null; - public XmlSerializerNamespaces(System.Xml.XmlQualifiedName[] namespaces) => throw null; - public XmlSerializerNamespaces(System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; + None = 0, + UpperFirst = 1, + LowerFirst = 2, } - - public class XmlTextAttribute : System.Attribute + public enum XmlDataType { - public string DataType { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - public XmlTextAttribute() => throw null; - public XmlTextAttribute(System.Type type) => throw null; + Text = 1, + Number = 2, } - - } - namespace XPath - { - public interface IXPathNavigable + public enum XmlSortOrder { - System.Xml.XPath.XPathNavigator CreateNavigator(); + Ascending = 1, + Descending = 2, } - public abstract class XPathExpression { public abstract void AddSort(object expr, System.Collections.IComparer comparer); @@ -2363,9 +2206,9 @@ public abstract class XPathExpression public abstract void SetContext(System.Xml.IXmlNamespaceResolver nsResolver); public abstract void SetContext(System.Xml.XmlNamespaceManager nsManager); } - public abstract class XPathItem { + protected XPathItem() => throw null; public abstract bool IsNode { get; } public abstract object TypedValue { get; } public abstract string Value { get; } @@ -2375,25 +2218,22 @@ public abstract class XPathItem public abstract System.DateTime ValueAsDateTime { get; } public abstract double ValueAsDouble { get; } public abstract int ValueAsInt { get; } - public abstract System.Int64 ValueAsLong { get; } + public abstract long ValueAsLong { get; } public abstract System.Type ValueType { get; } - protected XPathItem() => throw null; public abstract System.Xml.Schema.XmlSchemaType XmlType { get; } } - - public enum XPathNamespaceScope : int + public enum XPathNamespaceScope { All = 0, ExcludeXml = 1, Local = 2, } - public abstract class XPathNavigator : System.Xml.XPath.XPathItem, System.ICloneable, System.Xml.IXmlNamespaceResolver, System.Xml.XPath.IXPathNavigable { public virtual System.Xml.XmlWriter AppendChild() => throw null; - public virtual void AppendChild(System.Xml.XPath.XPathNavigator newChild) => throw null; - public virtual void AppendChild(System.Xml.XmlReader newChild) => throw null; public virtual void AppendChild(string newChild) => throw null; + public virtual void AppendChild(System.Xml.XmlReader newChild) => throw null; + public virtual void AppendChild(System.Xml.XPath.XPathNavigator newChild) => throw null; public virtual void AppendChildElement(string prefix, string localName, string namespaceURI, string value) => throw null; public abstract string BaseURI { get; } public virtual bool CanEdit { get => throw null; } @@ -2405,55 +2245,56 @@ public abstract class XPathNavigator : System.Xml.XPath.XPathItem, System.IClone public virtual void CreateAttribute(string prefix, string localName, string namespaceURI, string value) => throw null; public virtual System.Xml.XmlWriter CreateAttributes() => throw null; public virtual System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; + protected XPathNavigator() => throw null; public virtual void DeleteRange(System.Xml.XPath.XPathNavigator lastSiblingToDelete) => throw null; public virtual void DeleteSelf() => throw null; - public virtual object Evaluate(System.Xml.XPath.XPathExpression expr) => throw null; - public virtual object Evaluate(System.Xml.XPath.XPathExpression expr, System.Xml.XPath.XPathNodeIterator context) => throw null; public virtual object Evaluate(string xpath) => throw null; public virtual object Evaluate(string xpath, System.Xml.IXmlNamespaceResolver resolver) => throw null; + public virtual object Evaluate(System.Xml.XPath.XPathExpression expr) => throw null; + public virtual object Evaluate(System.Xml.XPath.XPathExpression expr, System.Xml.XPath.XPathNodeIterator context) => throw null; public virtual string GetAttribute(string localName, string namespaceURI) => throw null; public virtual string GetNamespace(string name) => throw null; public virtual System.Collections.Generic.IDictionary GetNamespacesInScope(System.Xml.XmlNamespaceScope scope) => throw null; public virtual bool HasAttributes { get => throw null; } public virtual bool HasChildren { get => throw null; } - public virtual string InnerXml { get => throw null; set => throw null; } + public virtual string InnerXml { get => throw null; set { } } public virtual System.Xml.XmlWriter InsertAfter() => throw null; - public virtual void InsertAfter(System.Xml.XPath.XPathNavigator newSibling) => throw null; - public virtual void InsertAfter(System.Xml.XmlReader newSibling) => throw null; public virtual void InsertAfter(string newSibling) => throw null; + public virtual void InsertAfter(System.Xml.XmlReader newSibling) => throw null; + public virtual void InsertAfter(System.Xml.XPath.XPathNavigator newSibling) => throw null; public virtual System.Xml.XmlWriter InsertBefore() => throw null; - public virtual void InsertBefore(System.Xml.XPath.XPathNavigator newSibling) => throw null; - public virtual void InsertBefore(System.Xml.XmlReader newSibling) => throw null; public virtual void InsertBefore(string newSibling) => throw null; + public virtual void InsertBefore(System.Xml.XmlReader newSibling) => throw null; + public virtual void InsertBefore(System.Xml.XPath.XPathNavigator newSibling) => throw null; public virtual void InsertElementAfter(string prefix, string localName, string namespaceURI, string value) => throw null; public virtual void InsertElementBefore(string prefix, string localName, string namespaceURI, string value) => throw null; public virtual bool IsDescendant(System.Xml.XPath.XPathNavigator nav) => throw null; public abstract bool IsEmptyElement { get; } - public override bool IsNode { get => throw null; } + public override sealed bool IsNode { get => throw null; } public abstract bool IsSamePosition(System.Xml.XPath.XPathNavigator other); public abstract string LocalName { get; } public virtual string LookupNamespace(string prefix) => throw null; public virtual string LookupPrefix(string namespaceURI) => throw null; - public virtual bool Matches(System.Xml.XPath.XPathExpression expr) => throw null; public virtual bool Matches(string xpath) => throw null; + public virtual bool Matches(System.Xml.XPath.XPathExpression expr) => throw null; public abstract bool MoveTo(System.Xml.XPath.XPathNavigator other); public virtual bool MoveToAttribute(string localName, string namespaceURI) => throw null; - public virtual bool MoveToChild(System.Xml.XPath.XPathNodeType type) => throw null; public virtual bool MoveToChild(string localName, string namespaceURI) => throw null; + public virtual bool MoveToChild(System.Xml.XPath.XPathNodeType type) => throw null; public virtual bool MoveToFirst() => throw null; public abstract bool MoveToFirstAttribute(); public abstract bool MoveToFirstChild(); public bool MoveToFirstNamespace() => throw null; public abstract bool MoveToFirstNamespace(System.Xml.XPath.XPathNamespaceScope namespaceScope); - public virtual bool MoveToFollowing(System.Xml.XPath.XPathNodeType type) => throw null; - public virtual bool MoveToFollowing(System.Xml.XPath.XPathNodeType type, System.Xml.XPath.XPathNavigator end) => throw null; public virtual bool MoveToFollowing(string localName, string namespaceURI) => throw null; public virtual bool MoveToFollowing(string localName, string namespaceURI, System.Xml.XPath.XPathNavigator end) => throw null; + public virtual bool MoveToFollowing(System.Xml.XPath.XPathNodeType type) => throw null; + public virtual bool MoveToFollowing(System.Xml.XPath.XPathNodeType type, System.Xml.XPath.XPathNavigator end) => throw null; public abstract bool MoveToId(string id); public virtual bool MoveToNamespace(string name) => throw null; public abstract bool MoveToNext(); - public virtual bool MoveToNext(System.Xml.XPath.XPathNodeType type) => throw null; public virtual bool MoveToNext(string localName, string namespaceURI) => throw null; + public virtual bool MoveToNext(System.Xml.XPath.XPathNodeType type) => throw null; public abstract bool MoveToNextAttribute(); public bool MoveToNextNamespace() => throw null; public abstract bool MoveToNextNamespace(System.Xml.XPath.XPathNamespaceScope namespaceScope); @@ -2461,35 +2302,35 @@ public abstract class XPathNavigator : System.Xml.XPath.XPathItem, System.IClone public abstract bool MoveToPrevious(); public virtual void MoveToRoot() => throw null; public abstract string Name { get; } - public abstract System.Xml.XmlNameTable NameTable { get; } public abstract string NamespaceURI { get; } + public abstract System.Xml.XmlNameTable NameTable { get; } public static System.Collections.IEqualityComparer NavigatorComparer { get => throw null; } public abstract System.Xml.XPath.XPathNodeType NodeType { get; } - public virtual string OuterXml { get => throw null; set => throw null; } + public virtual string OuterXml { get => throw null; set { } } public abstract string Prefix { get; } public virtual System.Xml.XmlWriter PrependChild() => throw null; - public virtual void PrependChild(System.Xml.XPath.XPathNavigator newChild) => throw null; - public virtual void PrependChild(System.Xml.XmlReader newChild) => throw null; public virtual void PrependChild(string newChild) => throw null; + public virtual void PrependChild(System.Xml.XmlReader newChild) => throw null; + public virtual void PrependChild(System.Xml.XPath.XPathNavigator newChild) => throw null; public virtual void PrependChildElement(string prefix, string localName, string namespaceURI, string value) => throw null; public virtual System.Xml.XmlReader ReadSubtree() => throw null; public virtual System.Xml.XmlWriter ReplaceRange(System.Xml.XPath.XPathNavigator lastSiblingToReplace) => throw null; - public virtual void ReplaceSelf(System.Xml.XPath.XPathNavigator newNode) => throw null; - public virtual void ReplaceSelf(System.Xml.XmlReader newNode) => throw null; public virtual void ReplaceSelf(string newNode) => throw null; + public virtual void ReplaceSelf(System.Xml.XmlReader newNode) => throw null; + public virtual void ReplaceSelf(System.Xml.XPath.XPathNavigator newNode) => throw null; public virtual System.Xml.Schema.IXmlSchemaInfo SchemaInfo { get => throw null; } - public virtual System.Xml.XPath.XPathNodeIterator Select(System.Xml.XPath.XPathExpression expr) => throw null; public virtual System.Xml.XPath.XPathNodeIterator Select(string xpath) => throw null; public virtual System.Xml.XPath.XPathNodeIterator Select(string xpath, System.Xml.IXmlNamespaceResolver resolver) => throw null; - public virtual System.Xml.XPath.XPathNodeIterator SelectAncestors(System.Xml.XPath.XPathNodeType type, bool matchSelf) => throw null; + public virtual System.Xml.XPath.XPathNodeIterator Select(System.Xml.XPath.XPathExpression expr) => throw null; public virtual System.Xml.XPath.XPathNodeIterator SelectAncestors(string name, string namespaceURI, bool matchSelf) => throw null; - public virtual System.Xml.XPath.XPathNodeIterator SelectChildren(System.Xml.XPath.XPathNodeType type) => throw null; + public virtual System.Xml.XPath.XPathNodeIterator SelectAncestors(System.Xml.XPath.XPathNodeType type, bool matchSelf) => throw null; public virtual System.Xml.XPath.XPathNodeIterator SelectChildren(string name, string namespaceURI) => throw null; - public virtual System.Xml.XPath.XPathNodeIterator SelectDescendants(System.Xml.XPath.XPathNodeType type, bool matchSelf) => throw null; + public virtual System.Xml.XPath.XPathNodeIterator SelectChildren(System.Xml.XPath.XPathNodeType type) => throw null; public virtual System.Xml.XPath.XPathNodeIterator SelectDescendants(string name, string namespaceURI, bool matchSelf) => throw null; - public virtual System.Xml.XPath.XPathNavigator SelectSingleNode(System.Xml.XPath.XPathExpression expression) => throw null; + public virtual System.Xml.XPath.XPathNodeIterator SelectDescendants(System.Xml.XPath.XPathNodeType type, bool matchSelf) => throw null; public virtual System.Xml.XPath.XPathNavigator SelectSingleNode(string xpath) => throw null; public virtual System.Xml.XPath.XPathNavigator SelectSingleNode(string xpath, System.Xml.IXmlNamespaceResolver resolver) => throw null; + public virtual System.Xml.XPath.XPathNavigator SelectSingleNode(System.Xml.XPath.XPathExpression expression) => throw null; public virtual void SetTypedValue(object typedValue) => throw null; public virtual void SetValue(string value) => throw null; public override string ToString() => throw null; @@ -2500,70 +2341,46 @@ public abstract class XPathNavigator : System.Xml.XPath.XPathItem, System.IClone public override System.DateTime ValueAsDateTime { get => throw null; } public override double ValueAsDouble { get => throw null; } public override int ValueAsInt { get => throw null; } - public override System.Int64 ValueAsLong { get => throw null; } + public override long ValueAsLong { get => throw null; } public override System.Type ValueType { get => throw null; } public virtual void WriteSubtree(System.Xml.XmlWriter writer) => throw null; - protected XPathNavigator() => throw null; public virtual string XmlLang { get => throw null; } public override System.Xml.Schema.XmlSchemaType XmlType { get => throw null; } } - public abstract class XPathNodeIterator : System.Collections.IEnumerable, System.ICloneable { public abstract System.Xml.XPath.XPathNodeIterator Clone(); object System.ICloneable.Clone() => throw null; public virtual int Count { get => throw null; } + protected XPathNodeIterator() => throw null; public abstract System.Xml.XPath.XPathNavigator Current { get; } public abstract int CurrentPosition { get; } public virtual System.Collections.IEnumerator GetEnumerator() => throw null; public abstract bool MoveNext(); - protected XPathNodeIterator() => throw null; } - - public enum XPathNodeType : int + public enum XPathNodeType { - All = 9, - Attribute = 2, - Comment = 8, + Root = 0, Element = 1, + Attribute = 2, Namespace = 3, - ProcessingInstruction = 7, - Root = 0, - SignificantWhitespace = 5, Text = 4, + SignificantWhitespace = 5, Whitespace = 6, + ProcessingInstruction = 7, + Comment = 8, + All = 9, } - - public enum XPathResultType : int + public enum XPathResultType { - Any = 5, - Boolean = 2, - Error = 6, - Navigator = 1, - NodeSet = 3, Number = 0, + Navigator = 1, String = 1, + Boolean = 2, + NodeSet = 3, + Any = 5, + Error = 6, } - - public enum XmlCaseOrder : int - { - LowerFirst = 2, - None = 0, - UpperFirst = 1, - } - - public enum XmlDataType : int - { - Number = 2, - Text = 1, - } - - public enum XmlSortOrder : int - { - Ascending = 1, - Descending = 2, - } - } namespace Xsl { @@ -2575,7 +2392,6 @@ public interface IXsltContextFunction int Minargs { get; } System.Xml.XPath.XPathResultType ReturnType { get; } } - public interface IXsltContextVariable { object Evaluate(System.Xml.Xsl.XsltContext xsltContext); @@ -2583,134 +2399,124 @@ public interface IXsltContextVariable bool IsParam { get; } System.Xml.XPath.XPathResultType VariableType { get; } } - - public class XslCompiledTransform + public sealed class XslCompiledTransform { - public void Load(System.Xml.XPath.IXPathNavigable stylesheet) => throw null; - public void Load(System.Xml.XPath.IXPathNavigable stylesheet, System.Xml.Xsl.XsltSettings settings, System.Xml.XmlResolver stylesheetResolver) => throw null; - public void Load(System.Reflection.MethodInfo executeMethod, System.Byte[] queryData, System.Type[] earlyBoundTypes) => throw null; + public XslCompiledTransform() => throw null; + public XslCompiledTransform(bool enableDebug) => throw null; + public void Load(System.Reflection.MethodInfo executeMethod, byte[] queryData, System.Type[] earlyBoundTypes) => throw null; + public void Load(string stylesheetUri) => throw null; + public void Load(string stylesheetUri, System.Xml.Xsl.XsltSettings settings, System.Xml.XmlResolver stylesheetResolver) => throw null; public void Load(System.Type compiledStylesheet) => throw null; public void Load(System.Xml.XmlReader stylesheet) => throw null; public void Load(System.Xml.XmlReader stylesheet, System.Xml.Xsl.XsltSettings settings, System.Xml.XmlResolver stylesheetResolver) => throw null; - public void Load(string stylesheetUri) => throw null; - public void Load(string stylesheetUri, System.Xml.Xsl.XsltSettings settings, System.Xml.XmlResolver stylesheetResolver) => throw null; + public void Load(System.Xml.XPath.IXPathNavigable stylesheet) => throw null; + public void Load(System.Xml.XPath.IXPathNavigable stylesheet, System.Xml.Xsl.XsltSettings settings, System.Xml.XmlResolver stylesheetResolver) => throw null; public System.Xml.XmlWriterSettings OutputSettings { get => throw null; } - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.XmlWriter results) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.Stream results) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.TextWriter results) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results, System.Xml.XmlResolver documentResolver) => throw null; + public void Transform(string inputUri, string resultsFile) => throw null; + public void Transform(string inputUri, System.Xml.XmlWriter results) => throw null; + public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.IO.Stream results) => throw null; + public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.IO.TextWriter results) => throw null; + public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results) => throw null; public void Transform(System.Xml.XmlReader input, System.Xml.XmlWriter results) => throw null; public void Transform(System.Xml.XmlReader input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.Stream results) => throw null; public void Transform(System.Xml.XmlReader input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.TextWriter results) => throw null; public void Transform(System.Xml.XmlReader input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results) => throw null; public void Transform(System.Xml.XmlReader input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results, System.Xml.XmlResolver documentResolver) => throw null; - public void Transform(string inputUri, System.Xml.XmlWriter results) => throw null; - public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.IO.Stream results) => throw null; - public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.IO.TextWriter results) => throw null; - public void Transform(string inputUri, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results) => throw null; - public void Transform(string inputUri, string resultsFile) => throw null; - public XslCompiledTransform() => throw null; - public XslCompiledTransform(bool enableDebug) => throw null; - } - - public class XslTransform - { - public void Load(System.Xml.XPath.IXPathNavigable stylesheet) => throw null; - public void Load(System.Xml.XPath.IXPathNavigable stylesheet, System.Xml.XmlResolver resolver) => throw null; - public void Load(System.Xml.XPath.XPathNavigator stylesheet) => throw null; - public void Load(System.Xml.XPath.XPathNavigator stylesheet, System.Xml.XmlResolver resolver) => throw null; - public void Load(System.Xml.XmlReader stylesheet) => throw null; - public void Load(System.Xml.XmlReader stylesheet, System.Xml.XmlResolver resolver) => throw null; - public void Load(string url) => throw null; - public void Load(string url, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.XmlReader Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output, System.Xml.XmlResolver resolver) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.XmlReader Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlResolver resolver) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output) => throw null; - public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.XmlReader Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output, System.Xml.XmlResolver resolver) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.XmlReader Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlResolver resolver) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output) => throw null; - public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output, System.Xml.XmlResolver resolver) => throw null; - public void Transform(string inputfile, string outputfile) => throw null; - public void Transform(string inputfile, string outputfile, System.Xml.XmlResolver resolver) => throw null; - public System.Xml.XmlResolver XmlResolver { set => throw null; } - public XslTransform() => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.XmlWriter results) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.Stream results) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.IO.TextWriter results) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList arguments, System.Xml.XmlWriter results, System.Xml.XmlResolver documentResolver) => throw null; } - public class XsltArgumentList { public void AddExtensionObject(string namespaceUri, object extension) => throw null; public void AddParam(string name, string namespaceUri, object parameter) => throw null; public void Clear() => throw null; + public XsltArgumentList() => throw null; public object GetExtensionObject(string namespaceUri) => throw null; public object GetParam(string name, string namespaceUri) => throw null; public object RemoveExtensionObject(string namespaceUri) => throw null; public object RemoveParam(string name, string namespaceUri) => throw null; - public XsltArgumentList() => throw null; - public event System.Xml.Xsl.XsltMessageEncounteredEventHandler XsltMessageEncountered; + public event System.Xml.Xsl.XsltMessageEncounteredEventHandler XsltMessageEncountered { add { } remove { } } } - public class XsltCompileException : System.Xml.Xsl.XsltException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XsltCompileException() => throw null; public XsltCompileException(System.Exception inner, string sourceUri, int lineNumber, int linePosition) => throw null; protected XsltCompileException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XsltCompileException(string message) => throw null; public XsltCompileException(string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - public abstract class XsltContext : System.Xml.XmlNamespaceManager { public abstract int CompareDocument(string baseUri, string nextbaseUri); + protected XsltContext() : base(default(System.Xml.XmlNameTable)) => throw null; + protected XsltContext(System.Xml.NameTable table) : base(default(System.Xml.XmlNameTable)) => throw null; public abstract bool PreserveWhitespace(System.Xml.XPath.XPathNavigator node); public abstract System.Xml.Xsl.IXsltContextFunction ResolveFunction(string prefix, string name, System.Xml.XPath.XPathResultType[] ArgTypes); public abstract System.Xml.Xsl.IXsltContextVariable ResolveVariable(string prefix, string name); public abstract bool Whitespace { get; } - protected XsltContext() : base(default(System.Xml.XmlNameTable)) => throw null; - protected XsltContext(System.Xml.NameTable table) : base(default(System.Xml.XmlNameTable)) => throw null; } - public class XsltException : System.SystemException { + public XsltException() => throw null; + protected XsltException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public XsltException(string message) => throw null; + public XsltException(string message, System.Exception innerException) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public virtual int LineNumber { get => throw null; } public virtual int LinePosition { get => throw null; } public override string Message { get => throw null; } public virtual string SourceUri { get => throw null; } - public XsltException() => throw null; - protected XsltException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public XsltException(string message) => throw null; - public XsltException(string message, System.Exception innerException) => throw null; } - public abstract class XsltMessageEncounteredEventArgs : System.EventArgs { - public abstract string Message { get; } protected XsltMessageEncounteredEventArgs() => throw null; + public abstract string Message { get; } } - public delegate void XsltMessageEncounteredEventHandler(object sender, System.Xml.Xsl.XsltMessageEncounteredEventArgs e); - - public class XsltSettings + public sealed class XslTransform + { + public XslTransform() => throw null; + public void Load(string url) => throw null; + public void Load(string url, System.Xml.XmlResolver resolver) => throw null; + public void Load(System.Xml.XmlReader stylesheet) => throw null; + public void Load(System.Xml.XmlReader stylesheet, System.Xml.XmlResolver resolver) => throw null; + public void Load(System.Xml.XPath.IXPathNavigable stylesheet) => throw null; + public void Load(System.Xml.XPath.IXPathNavigable stylesheet, System.Xml.XmlResolver resolver) => throw null; + public void Load(System.Xml.XPath.XPathNavigator stylesheet) => throw null; + public void Load(System.Xml.XPath.XPathNavigator stylesheet, System.Xml.XmlResolver resolver) => throw null; + public void Transform(string inputfile, string outputfile) => throw null; + public void Transform(string inputfile, string outputfile, System.Xml.XmlResolver resolver) => throw null; + public System.Xml.XmlReader Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output, System.Xml.XmlResolver resolver) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output, System.Xml.XmlResolver resolver) => throw null; + public System.Xml.XmlReader Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlResolver resolver) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output) => throw null; + public void Transform(System.Xml.XPath.IXPathNavigable input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output, System.Xml.XmlResolver resolver) => throw null; + public System.Xml.XmlReader Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.Stream output, System.Xml.XmlResolver resolver) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.IO.TextWriter output, System.Xml.XmlResolver resolver) => throw null; + public System.Xml.XmlReader Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlResolver resolver) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output) => throw null; + public void Transform(System.Xml.XPath.XPathNavigator input, System.Xml.Xsl.XsltArgumentList args, System.Xml.XmlWriter output, System.Xml.XmlResolver resolver) => throw null; + public System.Xml.XmlResolver XmlResolver { set { } } + } + public sealed class XsltSettings { - public static System.Xml.Xsl.XsltSettings Default { get => throw null; } - public bool EnableDocumentFunction { get => throw null; set => throw null; } - public bool EnableScript { get => throw null; set => throw null; } - public static System.Xml.Xsl.XsltSettings TrustedXslt { get => throw null; } public XsltSettings() => throw null; public XsltSettings(bool enableDocumentFunction, bool enableScript) => throw null; + public static System.Xml.Xsl.XsltSettings Default { get => throw null; } + public bool EnableDocumentFunction { get => throw null; set { } } + public bool EnableScript { get => throw null; set { } } + public static System.Xml.Xsl.XsltSettings TrustedXslt { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs new file mode 100644 index 000000000000..7cc254b3a883 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Xml.Serialization, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs index d060d6c424a8..00b7909e21de 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Xml.XDocument, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Xml { namespace Linq { - public static class Extensions + public static partial class Extensions { public static System.Collections.Generic.IEnumerable Ancestors(this System.Collections.Generic.IEnumerable source) where T : System.Xml.Linq.XNode => throw null; public static System.Collections.Generic.IEnumerable Ancestors(this System.Collections.Generic.IEnumerable source, System.Xml.Linq.XName name) where T : System.Xml.Linq.XNode => throw null; @@ -28,91 +27,84 @@ public static class Extensions public static void Remove(this System.Collections.Generic.IEnumerable source) => throw null; public static void Remove(this System.Collections.Generic.IEnumerable source) where T : System.Xml.Linq.XNode => throw null; } - [System.Flags] - public enum LoadOptions : int + public enum LoadOptions { None = 0, PreserveWhitespace = 1, SetBaseUri = 2, SetLineInfo = 4, } - [System.Flags] - public enum ReaderOptions : int + public enum ReaderOptions { None = 0, OmitDuplicateNamespaces = 1, } - [System.Flags] - public enum SaveOptions : int + public enum SaveOptions { - DisableFormatting = 1, None = 0, + DisableFormatting = 1, OmitDuplicateNamespaces = 2, } - public class XAttribute : System.Xml.Linq.XObject { + public XAttribute(System.Xml.Linq.XAttribute other) => throw null; + public XAttribute(System.Xml.Linq.XName name, object value) => throw null; public static System.Collections.Generic.IEnumerable EmptySequence { get => throw null; } public bool IsNamespaceDeclaration { get => throw null; } public System.Xml.Linq.XName Name { get => throw null; } public System.Xml.Linq.XAttribute NextAttribute { get => throw null; } public override System.Xml.XmlNodeType NodeType { get => throw null; } - public System.Xml.Linq.XAttribute PreviousAttribute { get => throw null; } - public void Remove() => throw null; - public void SetValue(object value) => throw null; - public override string ToString() => throw null; - public string Value { get => throw null; set => throw null; } - public XAttribute(System.Xml.Linq.XAttribute other) => throw null; - public XAttribute(System.Xml.Linq.XName name, object value) => throw null; + public static explicit operator bool(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator System.DateTime(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.DateTime?(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator System.DateTimeOffset(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.DateTimeOffset?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.Decimal(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.Decimal?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator decimal(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator double(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator System.Guid(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.Guid?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.Int64(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.Int64?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.TimeSpan(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.TimeSpan?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.UInt32(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.UInt32?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.UInt64(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator System.UInt64?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator bool(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator int(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator long(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator bool?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator double(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator System.DateTimeOffset?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator System.DateTime?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator decimal?(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator double?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator float(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator float?(System.Xml.Linq.XAttribute attribute) => throw null; - public static explicit operator int(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator System.Guid?(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator int?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator long?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator float?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator System.TimeSpan?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator uint?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator ulong?(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator float(System.Xml.Linq.XAttribute attribute) => throw null; public static explicit operator string(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator System.TimeSpan(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator uint(System.Xml.Linq.XAttribute attribute) => throw null; + public static explicit operator ulong(System.Xml.Linq.XAttribute attribute) => throw null; + public System.Xml.Linq.XAttribute PreviousAttribute { get => throw null; } + public void Remove() => throw null; + public void SetValue(object value) => throw null; + public override string ToString() => throw null; + public string Value { get => throw null; set { } } } - public class XCData : System.Xml.Linq.XText { + public XCData(string value) : base(default(string)) => throw null; + public XCData(System.Xml.Linq.XCData other) : base(default(string)) => throw null; public override System.Xml.XmlNodeType NodeType { get => throw null; } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XCData(System.Xml.Linq.XCData other) : base(default(System.Xml.Linq.XText)) => throw null; - public XCData(string value) : base(default(System.Xml.Linq.XText)) => throw null; } - public class XComment : System.Xml.Linq.XNode { + public XComment(string value) => throw null; + public XComment(System.Xml.Linq.XComment other) => throw null; public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XComment(System.Xml.Linq.XComment other) => throw null; - public XComment(string value) => throw null; } - public abstract class XContainer : System.Xml.Linq.XNode { public void Add(object content) => throw null; @@ -132,31 +124,32 @@ public abstract class XContainer : System.Xml.Linq.XNode public void RemoveNodes() => throw null; public void ReplaceNodes(object content) => throw null; public void ReplaceNodes(params object[] content) => throw null; - internal XContainer() => throw null; } - public class XDeclaration { - public string Encoding { get => throw null; set => throw null; } - public string Standalone { get => throw null; set => throw null; } - public override string ToString() => throw null; - public string Version { get => throw null; set => throw null; } - public XDeclaration(System.Xml.Linq.XDeclaration other) => throw null; public XDeclaration(string version, string encoding, string standalone) => throw null; + public XDeclaration(System.Xml.Linq.XDeclaration other) => throw null; + public string Encoding { get => throw null; set { } } + public string Standalone { get => throw null; set { } } + public override string ToString() => throw null; + public string Version { get => throw null; set { } } } - public class XDocument : System.Xml.Linq.XContainer { - public System.Xml.Linq.XDeclaration Declaration { get => throw null; set => throw null; } + public XDocument() => throw null; + public XDocument(params object[] content) => throw null; + public XDocument(System.Xml.Linq.XDeclaration declaration, params object[] content) => throw null; + public XDocument(System.Xml.Linq.XDocument other) => throw null; + public System.Xml.Linq.XDeclaration Declaration { get => throw null; set { } } public System.Xml.Linq.XDocumentType DocumentType { get => throw null; } public static System.Xml.Linq.XDocument Load(System.IO.Stream stream) => throw null; public static System.Xml.Linq.XDocument Load(System.IO.Stream stream, System.Xml.Linq.LoadOptions options) => throw null; public static System.Xml.Linq.XDocument Load(System.IO.TextReader textReader) => throw null; public static System.Xml.Linq.XDocument Load(System.IO.TextReader textReader, System.Xml.Linq.LoadOptions options) => throw null; - public static System.Xml.Linq.XDocument Load(System.Xml.XmlReader reader) => throw null; - public static System.Xml.Linq.XDocument Load(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options) => throw null; public static System.Xml.Linq.XDocument Load(string uri) => throw null; public static System.Xml.Linq.XDocument Load(string uri, System.Xml.Linq.LoadOptions options) => throw null; + public static System.Xml.Linq.XDocument Load(System.Xml.XmlReader reader) => throw null; + public static System.Xml.Linq.XDocument Load(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.IO.Stream stream, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.IO.TextReader textReader, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; @@ -168,33 +161,27 @@ public class XDocument : System.Xml.Linq.XContainer public void Save(System.IO.Stream stream, System.Xml.Linq.SaveOptions options) => throw null; public void Save(System.IO.TextWriter textWriter) => throw null; public void Save(System.IO.TextWriter textWriter, System.Xml.Linq.SaveOptions options) => throw null; - public void Save(System.Xml.XmlWriter writer) => throw null; public void Save(string fileName) => throw null; public void Save(string fileName, System.Xml.Linq.SaveOptions options) => throw null; + public void Save(System.Xml.XmlWriter writer) => throw null; public System.Threading.Tasks.Task SaveAsync(System.IO.Stream stream, System.Xml.Linq.SaveOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SaveAsync(System.IO.TextWriter textWriter, System.Xml.Linq.SaveOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SaveAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XDocument() => throw null; - public XDocument(System.Xml.Linq.XDeclaration declaration, params object[] content) => throw null; - public XDocument(System.Xml.Linq.XDocument other) => throw null; - public XDocument(params object[] content) => throw null; } - public class XDocumentType : System.Xml.Linq.XNode { - public string InternalSubset { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public XDocumentType(string name, string publicId, string systemId, string internalSubset) => throw null; + public XDocumentType(System.Xml.Linq.XDocumentType other) => throw null; + public string InternalSubset { get => throw null; set { } } + public string Name { get => throw null; set { } } public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string PublicId { get => throw null; set => throw null; } - public string SystemId { get => throw null; set => throw null; } + public string PublicId { get => throw null; set { } } + public string SystemId { get => throw null; set { } } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XDocumentType(System.Xml.Linq.XDocumentType other) => throw null; - public XDocumentType(string name, string publicId, string systemId, string internalSubset) => throw null; } - public class XElement : System.Xml.Linq.XContainer, System.Xml.Serialization.IXmlSerializable { public System.Collections.Generic.IEnumerable AncestorsAndSelf() => throw null; @@ -202,6 +189,11 @@ public class XElement : System.Xml.Linq.XContainer, System.Xml.Serialization.IXm public System.Xml.Linq.XAttribute Attribute(System.Xml.Linq.XName name) => throw null; public System.Collections.Generic.IEnumerable Attributes() => throw null; public System.Collections.Generic.IEnumerable Attributes(System.Xml.Linq.XName name) => throw null; + public XElement(System.Xml.Linq.XElement other) => throw null; + public XElement(System.Xml.Linq.XName name) => throw null; + public XElement(System.Xml.Linq.XName name, object content) => throw null; + public XElement(System.Xml.Linq.XName name, params object[] content) => throw null; + public XElement(System.Xml.Linq.XStreamingElement other) => throw null; public System.Collections.Generic.IEnumerable DescendantNodesAndSelf() => throw null; public System.Collections.Generic.IEnumerable DescendantsAndSelf() => throw null; public System.Collections.Generic.IEnumerable DescendantsAndSelf(System.Xml.Linq.XName name) => throw null; @@ -219,15 +211,40 @@ public class XElement : System.Xml.Linq.XContainer, System.Xml.Serialization.IXm public static System.Xml.Linq.XElement Load(System.IO.Stream stream, System.Xml.Linq.LoadOptions options) => throw null; public static System.Xml.Linq.XElement Load(System.IO.TextReader textReader) => throw null; public static System.Xml.Linq.XElement Load(System.IO.TextReader textReader, System.Xml.Linq.LoadOptions options) => throw null; - public static System.Xml.Linq.XElement Load(System.Xml.XmlReader reader) => throw null; - public static System.Xml.Linq.XElement Load(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options) => throw null; public static System.Xml.Linq.XElement Load(string uri) => throw null; public static System.Xml.Linq.XElement Load(string uri, System.Xml.Linq.LoadOptions options) => throw null; + public static System.Xml.Linq.XElement Load(System.Xml.XmlReader reader) => throw null; + public static System.Xml.Linq.XElement Load(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.IO.Stream stream, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.IO.TextReader textReader, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task LoadAsync(System.Xml.XmlReader reader, System.Xml.Linq.LoadOptions options, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Xml.Linq.XName Name { get => throw null; set => throw null; } + public System.Xml.Linq.XName Name { get => throw null; set { } } public override System.Xml.XmlNodeType NodeType { get => throw null; } + public static explicit operator bool(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.DateTime(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.DateTimeOffset(System.Xml.Linq.XElement element) => throw null; + public static explicit operator decimal(System.Xml.Linq.XElement element) => throw null; + public static explicit operator double(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.Guid(System.Xml.Linq.XElement element) => throw null; + public static explicit operator int(System.Xml.Linq.XElement element) => throw null; + public static explicit operator long(System.Xml.Linq.XElement element) => throw null; + public static explicit operator bool?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.DateTimeOffset?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.DateTime?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator decimal?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator double?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.Guid?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator int?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator long?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator float?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.TimeSpan?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator uint?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator ulong?(System.Xml.Linq.XElement element) => throw null; + public static explicit operator float(System.Xml.Linq.XElement element) => throw null; + public static explicit operator string(System.Xml.Linq.XElement element) => throw null; + public static explicit operator System.TimeSpan(System.Xml.Linq.XElement element) => throw null; + public static explicit operator uint(System.Xml.Linq.XElement element) => throw null; + public static explicit operator ulong(System.Xml.Linq.XElement element) => throw null; public static System.Xml.Linq.XElement Parse(string text) => throw null; public static System.Xml.Linq.XElement Parse(string text, System.Xml.Linq.LoadOptions options) => throw null; void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw null; @@ -241,57 +258,24 @@ public class XElement : System.Xml.Linq.XContainer, System.Xml.Serialization.IXm public void Save(System.IO.Stream stream, System.Xml.Linq.SaveOptions options) => throw null; public void Save(System.IO.TextWriter textWriter) => throw null; public void Save(System.IO.TextWriter textWriter, System.Xml.Linq.SaveOptions options) => throw null; - public void Save(System.Xml.XmlWriter writer) => throw null; public void Save(string fileName) => throw null; public void Save(string fileName, System.Xml.Linq.SaveOptions options) => throw null; + public void Save(System.Xml.XmlWriter writer) => throw null; public System.Threading.Tasks.Task SaveAsync(System.IO.Stream stream, System.Xml.Linq.SaveOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SaveAsync(System.IO.TextWriter textWriter, System.Xml.Linq.SaveOptions options, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task SaveAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; public void SetAttributeValue(System.Xml.Linq.XName name, object value) => throw null; public void SetElementValue(System.Xml.Linq.XName name, object value) => throw null; public void SetValue(object value) => throw null; - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; - public XElement(System.Xml.Linq.XElement other) => throw null; - public XElement(System.Xml.Linq.XName name) => throw null; - public XElement(System.Xml.Linq.XName name, object content) => throw null; - public XElement(System.Xml.Linq.XName name, params object[] content) => throw null; - public XElement(System.Xml.Linq.XStreamingElement other) => throw null; - public static explicit operator System.DateTime(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.DateTime?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.DateTimeOffset(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.DateTimeOffset?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Decimal(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Decimal?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Guid(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Guid?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Int64(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.Int64?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.TimeSpan(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.TimeSpan?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.UInt32(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.UInt32?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.UInt64(System.Xml.Linq.XElement element) => throw null; - public static explicit operator System.UInt64?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator bool(System.Xml.Linq.XElement element) => throw null; - public static explicit operator bool?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator double(System.Xml.Linq.XElement element) => throw null; - public static explicit operator double?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator float(System.Xml.Linq.XElement element) => throw null; - public static explicit operator float?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator int(System.Xml.Linq.XElement element) => throw null; - public static explicit operator int?(System.Xml.Linq.XElement element) => throw null; - public static explicit operator string(System.Xml.Linq.XElement element) => throw null; } - - public class XName : System.IEquatable, System.Runtime.Serialization.ISerializable + public sealed class XName : System.IEquatable, System.Runtime.Serialization.ISerializable { - public static bool operator !=(System.Xml.Linq.XName left, System.Xml.Linq.XName right) => throw null; - public static bool operator ==(System.Xml.Linq.XName left, System.Xml.Linq.XName right) => throw null; - bool System.IEquatable.Equals(System.Xml.Linq.XName other) => throw null; public override bool Equals(object obj) => throw null; + bool System.IEquatable.Equals(System.Xml.Linq.XName other) => throw null; public static System.Xml.Linq.XName Get(string expandedName) => throw null; public static System.Xml.Linq.XName Get(string localName, string namespaceName) => throw null; public override int GetHashCode() => throw null; @@ -299,27 +283,27 @@ public class XName : System.IEquatable, System.Runtime.Se public string LocalName { get => throw null; } public System.Xml.Linq.XNamespace Namespace { get => throw null; } public string NamespaceName { get => throw null; } - public override string ToString() => throw null; + public static bool operator ==(System.Xml.Linq.XName left, System.Xml.Linq.XName right) => throw null; public static implicit operator System.Xml.Linq.XName(string expandedName) => throw null; + public static bool operator !=(System.Xml.Linq.XName left, System.Xml.Linq.XName right) => throw null; + public override string ToString() => throw null; } - - public class XNamespace + public sealed class XNamespace { - public static bool operator !=(System.Xml.Linq.XNamespace left, System.Xml.Linq.XNamespace right) => throw null; - public static System.Xml.Linq.XName operator +(System.Xml.Linq.XNamespace ns, string localName) => throw null; - public static bool operator ==(System.Xml.Linq.XNamespace left, System.Xml.Linq.XNamespace right) => throw null; public override bool Equals(object obj) => throw null; public static System.Xml.Linq.XNamespace Get(string namespaceName) => throw null; public override int GetHashCode() => throw null; public System.Xml.Linq.XName GetName(string localName) => throw null; public string NamespaceName { get => throw null; } public static System.Xml.Linq.XNamespace None { get => throw null; } + public static System.Xml.Linq.XName operator +(System.Xml.Linq.XNamespace ns, string localName) => throw null; + public static bool operator ==(System.Xml.Linq.XNamespace left, System.Xml.Linq.XNamespace right) => throw null; + public static implicit operator System.Xml.Linq.XNamespace(string namespaceName) => throw null; + public static bool operator !=(System.Xml.Linq.XNamespace left, System.Xml.Linq.XNamespace right) => throw null; public override string ToString() => throw null; public static System.Xml.Linq.XNamespace Xml { get => throw null; } public static System.Xml.Linq.XNamespace Xmlns { get => throw null; } - public static implicit operator System.Xml.Linq.XNamespace(string namespaceName) => throw null; } - public abstract class XNode : System.Xml.Linq.XObject { public void AddAfterSelf(object content) => throw null; @@ -353,25 +337,21 @@ public abstract class XNode : System.Xml.Linq.XObject public string ToString(System.Xml.Linq.SaveOptions options) => throw null; public abstract void WriteTo(System.Xml.XmlWriter writer); public abstract System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken); - internal XNode() => throw null; } - - public class XNodeDocumentOrderComparer : System.Collections.Generic.IComparer, System.Collections.IComparer + public sealed class XNodeDocumentOrderComparer : System.Collections.Generic.IComparer, System.Collections.IComparer { public int Compare(System.Xml.Linq.XNode x, System.Xml.Linq.XNode y) => throw null; int System.Collections.IComparer.Compare(object x, object y) => throw null; public XNodeDocumentOrderComparer() => throw null; } - - public class XNodeEqualityComparer : System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer + public sealed class XNodeEqualityComparer : System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer { + public XNodeEqualityComparer() => throw null; public bool Equals(System.Xml.Linq.XNode x, System.Xml.Linq.XNode y) => throw null; bool System.Collections.IEqualityComparer.Equals(object x, object y) => throw null; public int GetHashCode(System.Xml.Linq.XNode obj) => throw null; int System.Collections.IEqualityComparer.GetHashCode(object obj) => throw null; - public XNodeEqualityComparer() => throw null; } - public abstract class XObject : System.Xml.IXmlLineInfo { public void AddAnnotation(object annotation) => throw null; @@ -380,8 +360,8 @@ public abstract class XObject : System.Xml.IXmlLineInfo public System.Collections.Generic.IEnumerable Annotations(System.Type type) => throw null; public System.Collections.Generic.IEnumerable Annotations() where T : class => throw null; public string BaseUri { get => throw null; } - public event System.EventHandler Changed; - public event System.EventHandler Changing; + public event System.EventHandler Changed { add { } remove { } } + public event System.EventHandler Changing { add { } remove { } } public System.Xml.Linq.XDocument Document { get => throw null; } bool System.Xml.IXmlLineInfo.HasLineInfo() => throw null; int System.Xml.IXmlLineInfo.LineNumber { get => throw null; } @@ -390,72 +370,65 @@ public abstract class XObject : System.Xml.IXmlLineInfo public System.Xml.Linq.XElement Parent { get => throw null; } public void RemoveAnnotations(System.Type type) => throw null; public void RemoveAnnotations() where T : class => throw null; - internal XObject() => throw null; } - - public enum XObjectChange : int + public enum XObjectChange { Add = 0, - Name = 2, Remove = 1, + Name = 2, Value = 3, } - public class XObjectChangeEventArgs : System.EventArgs { public static System.Xml.Linq.XObjectChangeEventArgs Add; + public XObjectChangeEventArgs(System.Xml.Linq.XObjectChange objectChange) => throw null; public static System.Xml.Linq.XObjectChangeEventArgs Name; public System.Xml.Linq.XObjectChange ObjectChange { get => throw null; } public static System.Xml.Linq.XObjectChangeEventArgs Remove; public static System.Xml.Linq.XObjectChangeEventArgs Value; - public XObjectChangeEventArgs(System.Xml.Linq.XObjectChange objectChange) => throw null; } - public class XProcessingInstruction : System.Xml.Linq.XNode { - public string Data { get => throw null; set => throw null; } + public XProcessingInstruction(string target, string data) => throw null; + public XProcessingInstruction(System.Xml.Linq.XProcessingInstruction other) => throw null; + public string Data { get => throw null; set { } } public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string Target { get => throw null; set => throw null; } + public string Target { get => throw null; set { } } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XProcessingInstruction(System.Xml.Linq.XProcessingInstruction other) => throw null; - public XProcessingInstruction(string target, string data) => throw null; } - public class XStreamingElement { public void Add(object content) => throw null; public void Add(params object[] content) => throw null; - public System.Xml.Linq.XName Name { get => throw null; set => throw null; } + public XStreamingElement(System.Xml.Linq.XName name) => throw null; + public XStreamingElement(System.Xml.Linq.XName name, object content) => throw null; + public XStreamingElement(System.Xml.Linq.XName name, params object[] content) => throw null; + public System.Xml.Linq.XName Name { get => throw null; set { } } public void Save(System.IO.Stream stream) => throw null; public void Save(System.IO.Stream stream, System.Xml.Linq.SaveOptions options) => throw null; public void Save(System.IO.TextWriter textWriter) => throw null; public void Save(System.IO.TextWriter textWriter, System.Xml.Linq.SaveOptions options) => throw null; - public void Save(System.Xml.XmlWriter writer) => throw null; public void Save(string fileName) => throw null; public void Save(string fileName, System.Xml.Linq.SaveOptions options) => throw null; + public void Save(System.Xml.XmlWriter writer) => throw null; public override string ToString() => throw null; public string ToString(System.Xml.Linq.SaveOptions options) => throw null; public void WriteTo(System.Xml.XmlWriter writer) => throw null; - public XStreamingElement(System.Xml.Linq.XName name) => throw null; - public XStreamingElement(System.Xml.Linq.XName name, object content) => throw null; - public XStreamingElement(System.Xml.Linq.XName name, params object[] content) => throw null; } - public class XText : System.Xml.Linq.XNode { + public XText(string value) => throw null; + public XText(System.Xml.Linq.XText other) => throw null; public override System.Xml.XmlNodeType NodeType { get => throw null; } - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } public override void WriteTo(System.Xml.XmlWriter writer) => throw null; public override System.Threading.Tasks.Task WriteToAsync(System.Xml.XmlWriter writer, System.Threading.CancellationToken cancellationToken) => throw null; - public XText(System.Xml.Linq.XText other) => throw null; - public XText(string value) => throw null; } - } namespace Schema { - public static class Extensions + public static partial class Extensions { public static System.Xml.Schema.IXmlSchemaInfo GetSchemaInfo(this System.Xml.Linq.XAttribute source) => throw null; public static System.Xml.Schema.IXmlSchemaInfo GetSchemaInfo(this System.Xml.Linq.XElement source) => throw null; @@ -466,7 +439,6 @@ public static class Extensions public static void Validate(this System.Xml.Linq.XElement source, System.Xml.Schema.XmlSchemaObject partialValidationType, System.Xml.Schema.XmlSchemaSet schemas, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public static void Validate(this System.Xml.Linq.XElement source, System.Xml.Schema.XmlSchemaObject partialValidationType, System.Xml.Schema.XmlSchemaSet schemas, System.Xml.Schema.ValidationEventHandler validationEventHandler, bool addSchemaInfo) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.XDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.XDocument.cs index 08eb0a49e181..b3cf2e848c0e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.XDocument.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.XDocument.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Xml.XPath.XDocument, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Xml { namespace XPath { - public static class Extensions + public static partial class Extensions { public static System.Xml.XPath.XPathNavigator CreateNavigator(this System.Xml.Linq.XNode node) => throw null; public static System.Xml.XPath.XPathNavigator CreateNavigator(this System.Xml.Linq.XNode node, System.Xml.XmlNameTable nameTable) => throw null; @@ -18,12 +17,10 @@ public static class Extensions public static System.Collections.Generic.IEnumerable XPathSelectElements(this System.Xml.Linq.XNode node, string expression) => throw null; public static System.Collections.Generic.IEnumerable XPathSelectElements(this System.Xml.Linq.XNode node, string expression, System.Xml.IXmlNamespaceResolver resolver) => throw null; } - - public static class XDocumentExtensions + public static partial class XDocumentExtensions { public static System.Xml.XPath.IXPathNavigable ToXPathNavigable(this System.Xml.Linq.XNode node) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.cs index ec7ea32f149c..9e708047b796 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XPath.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Xml.XPath, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Xml @@ -12,22 +11,20 @@ public class XPathDocument : System.Xml.XPath.IXPathNavigable public System.Xml.XPath.XPathNavigator CreateNavigator() => throw null; public XPathDocument(System.IO.Stream stream) => throw null; public XPathDocument(System.IO.TextReader textReader) => throw null; - public XPathDocument(System.Xml.XmlReader reader) => throw null; - public XPathDocument(System.Xml.XmlReader reader, System.Xml.XmlSpace space) => throw null; public XPathDocument(string uri) => throw null; public XPathDocument(string uri, System.Xml.XmlSpace space) => throw null; + public XPathDocument(System.Xml.XmlReader reader) => throw null; + public XPathDocument(System.Xml.XmlReader reader, System.Xml.XmlSpace space) => throw null; } - public class XPathException : System.SystemException { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } public XPathException() => throw null; protected XPathException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public XPathException(string message) => throw null; public XPathException(string message, System.Exception innerException) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs new file mode 100644 index 000000000000..e2ac5e7ec3b2 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Xml.XmlDocument, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs index b811f7d0a4de..2eac7fb14160 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Xml.XmlSerializer, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. - namespace System { namespace Xml @@ -8,16 +7,15 @@ namespace Xml namespace Serialization { [System.Flags] - public enum CodeGenerationOptions : int + public enum CodeGenerationOptions { - EnableDataBinding = 16, + None = 0, + GenerateProperties = 1, GenerateNewAsync = 2, GenerateOldAsync = 4, GenerateOrder = 8, - GenerateProperties = 1, - None = 0, + EnableDataBinding = 16, } - public class CodeIdentifier { public CodeIdentifier() => throw null; @@ -25,7 +23,6 @@ public class CodeIdentifier public static string MakePascal(string identifier) => throw null; public static string MakeValid(string identifier) => throw null; } - public class CodeIdentifiers { public void Add(string identifier, object value) => throw null; @@ -40,15 +37,8 @@ public class CodeIdentifiers public void Remove(string identifier) => throw null; public void RemoveReserved(string identifier) => throw null; public object ToArray(System.Type type) => throw null; - public bool UseCamelCasing { get => throw null; set => throw null; } - } - - public interface IXmlTextParser - { - bool Normalized { get; set; } - System.Xml.WhitespaceHandling WhitespaceHandling { get; set; } + public bool UseCamelCasing { get => throw null; set { } } } - public class ImportContext { public ImportContext(System.Xml.Serialization.CodeIdentifiers identifiers, bool shareTypes) => throw null; @@ -56,71 +46,70 @@ public class ImportContext public System.Xml.Serialization.CodeIdentifiers TypeIdentifiers { get => throw null; } public System.Collections.Specialized.StringCollection Warnings { get => throw null; } } - + public interface IXmlTextParser + { + bool Normalized { get; set; } + System.Xml.WhitespaceHandling WhitespaceHandling { get; set; } + } public abstract class SchemaImporter { - internal SchemaImporter() => throw null; } - public class SoapAttributeAttribute : System.Attribute { - public string AttributeName { get => throw null; set => throw null; } - public string DataType { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } + public string AttributeName { get => throw null; set { } } public SoapAttributeAttribute() => throw null; public SoapAttributeAttribute(string attributeName) => throw null; + public string DataType { get => throw null; set { } } + public string Namespace { get => throw null; set { } } } - public class SoapAttributeOverrides { - public void Add(System.Type type, System.Xml.Serialization.SoapAttributes attributes) => throw null; public void Add(System.Type type, string member, System.Xml.Serialization.SoapAttributes attributes) => throw null; - public System.Xml.Serialization.SoapAttributes this[System.Type type, string member] { get => throw null; } - public System.Xml.Serialization.SoapAttributes this[System.Type type] { get => throw null; } + public void Add(System.Type type, System.Xml.Serialization.SoapAttributes attributes) => throw null; public SoapAttributeOverrides() => throw null; + public System.Xml.Serialization.SoapAttributes this[System.Type type] { get => throw null; } + public System.Xml.Serialization.SoapAttributes this[System.Type type, string member] { get => throw null; } } - public class SoapAttributes { - public System.Xml.Serialization.SoapAttributeAttribute SoapAttribute { get => throw null; set => throw null; } public SoapAttributes() => throw null; public SoapAttributes(System.Reflection.ICustomAttributeProvider provider) => throw null; - public object SoapDefaultValue { get => throw null; set => throw null; } - public System.Xml.Serialization.SoapElementAttribute SoapElement { get => throw null; set => throw null; } - public System.Xml.Serialization.SoapEnumAttribute SoapEnum { get => throw null; set => throw null; } - public bool SoapIgnore { get => throw null; set => throw null; } - public System.Xml.Serialization.SoapTypeAttribute SoapType { get => throw null; set => throw null; } + public System.Xml.Serialization.SoapAttributeAttribute SoapAttribute { get => throw null; set { } } + public object SoapDefaultValue { get => throw null; set { } } + public System.Xml.Serialization.SoapElementAttribute SoapElement { get => throw null; set { } } + public System.Xml.Serialization.SoapEnumAttribute SoapEnum { get => throw null; set { } } + public bool SoapIgnore { get => throw null; set { } } + public System.Xml.Serialization.SoapTypeAttribute SoapType { get => throw null; set { } } } - public class SoapElementAttribute : System.Attribute { - public string DataType { get => throw null; set => throw null; } - public string ElementName { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; set => throw null; } public SoapElementAttribute() => throw null; public SoapElementAttribute(string elementName) => throw null; + public string DataType { get => throw null; set { } } + public string ElementName { get => throw null; set { } } + public bool IsNullable { get => throw null; set { } } } - public class SoapEnumAttribute : System.Attribute { - public string Name { get => throw null; set => throw null; } public SoapEnumAttribute() => throw null; public SoapEnumAttribute(string name) => throw null; + public string Name { get => throw null; set { } } } - public class SoapIgnoreAttribute : System.Attribute { public SoapIgnoreAttribute() => throw null; } - public class SoapIncludeAttribute : System.Attribute { public SoapIncludeAttribute(System.Type type) => throw null; - public System.Type Type { get => throw null; set => throw null; } + public System.Type Type { get => throw null; set { } } } - public class SoapReflectionImporter { + public SoapReflectionImporter() => throw null; + public SoapReflectionImporter(string defaultNamespace) => throw null; + public SoapReflectionImporter(System.Xml.Serialization.SoapAttributeOverrides attributeOverrides) => throw null; + public SoapReflectionImporter(System.Xml.Serialization.SoapAttributeOverrides attributeOverrides, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement, bool writeAccessors) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement, bool writeAccessors, bool validate) => throw null; @@ -129,88 +118,75 @@ public class SoapReflectionImporter public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type, string defaultNamespace) => throw null; public void IncludeType(System.Type type) => throw null; public void IncludeTypes(System.Reflection.ICustomAttributeProvider provider) => throw null; - public SoapReflectionImporter() => throw null; - public SoapReflectionImporter(System.Xml.Serialization.SoapAttributeOverrides attributeOverrides) => throw null; - public SoapReflectionImporter(System.Xml.Serialization.SoapAttributeOverrides attributeOverrides, string defaultNamespace) => throw null; - public SoapReflectionImporter(string defaultNamespace) => throw null; } - public class SoapSchemaMember { - public string MemberName { get => throw null; set => throw null; } - public System.Xml.XmlQualifiedName MemberType { get => throw null; set => throw null; } public SoapSchemaMember() => throw null; + public string MemberName { get => throw null; set { } } + public System.Xml.XmlQualifiedName MemberType { get => throw null; set { } } } - public class SoapTypeAttribute : System.Attribute { - public bool IncludeInSchema { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } public SoapTypeAttribute() => throw null; public SoapTypeAttribute(string typeName) => throw null; public SoapTypeAttribute(string typeName, string ns) => throw null; - public string TypeName { get => throw null; set => throw null; } + public bool IncludeInSchema { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public string TypeName { get => throw null; set { } } } - public class UnreferencedObjectEventArgs : System.EventArgs { + public UnreferencedObjectEventArgs(object o, string id) => throw null; public string UnreferencedId { get => throw null; } public object UnreferencedObject { get => throw null; } - public UnreferencedObjectEventArgs(object o, string id) => throw null; } - public delegate void UnreferencedObjectEventHandler(object sender, System.Xml.Serialization.UnreferencedObjectEventArgs e); - public class XmlAnyElementAttributes : System.Collections.CollectionBase { public int Add(System.Xml.Serialization.XmlAnyElementAttribute attribute) => throw null; public bool Contains(System.Xml.Serialization.XmlAnyElementAttribute attribute) => throw null; public void CopyTo(System.Xml.Serialization.XmlAnyElementAttribute[] array, int index) => throw null; + public XmlAnyElementAttributes() => throw null; public int IndexOf(System.Xml.Serialization.XmlAnyElementAttribute attribute) => throw null; public void Insert(int index, System.Xml.Serialization.XmlAnyElementAttribute attribute) => throw null; - public System.Xml.Serialization.XmlAnyElementAttribute this[int index] { get => throw null; set => throw null; } public void Remove(System.Xml.Serialization.XmlAnyElementAttribute attribute) => throw null; - public XmlAnyElementAttributes() => throw null; + public System.Xml.Serialization.XmlAnyElementAttribute this[int index] { get => throw null; set { } } } - public class XmlArrayAttribute : System.Attribute { - public string ElementName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } public XmlArrayAttribute() => throw null; public XmlArrayAttribute(string elementName) => throw null; + public string ElementName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public bool IsNullable { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public int Order { get => throw null; set { } } } - public class XmlArrayItemAttribute : System.Attribute { - public string DataType { get => throw null; set => throw null; } - public string ElementName { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public int NestingLevel { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } public XmlArrayItemAttribute() => throw null; - public XmlArrayItemAttribute(System.Type type) => throw null; public XmlArrayItemAttribute(string elementName) => throw null; public XmlArrayItemAttribute(string elementName, System.Type type) => throw null; + public XmlArrayItemAttribute(System.Type type) => throw null; + public string DataType { get => throw null; set { } } + public string ElementName { get => throw null; set { } } + public System.Xml.Schema.XmlSchemaForm Form { get => throw null; set { } } + public bool IsNullable { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public int NestingLevel { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } } - public class XmlArrayItemAttributes : System.Collections.CollectionBase { public int Add(System.Xml.Serialization.XmlArrayItemAttribute attribute) => throw null; public bool Contains(System.Xml.Serialization.XmlArrayItemAttribute attribute) => throw null; public void CopyTo(System.Xml.Serialization.XmlArrayItemAttribute[] array, int index) => throw null; + public XmlArrayItemAttributes() => throw null; public int IndexOf(System.Xml.Serialization.XmlArrayItemAttribute attribute) => throw null; public void Insert(int index, System.Xml.Serialization.XmlArrayItemAttribute attribute) => throw null; - public System.Xml.Serialization.XmlArrayItemAttribute this[int index] { get => throw null; set => throw null; } public void Remove(System.Xml.Serialization.XmlArrayItemAttribute attribute) => throw null; - public XmlArrayItemAttributes() => throw null; + public System.Xml.Serialization.XmlArrayItemAttribute this[int index] { get => throw null; set { } } } - public class XmlAttributeEventArgs : System.EventArgs { public System.Xml.XmlAttribute Attr { get => throw null; } @@ -219,66 +195,58 @@ public class XmlAttributeEventArgs : System.EventArgs public int LinePosition { get => throw null; } public object ObjectBeingDeserialized { get => throw null; } } - public delegate void XmlAttributeEventHandler(object sender, System.Xml.Serialization.XmlAttributeEventArgs e); - public class XmlAttributeOverrides { - public void Add(System.Type type, System.Xml.Serialization.XmlAttributes attributes) => throw null; public void Add(System.Type type, string member, System.Xml.Serialization.XmlAttributes attributes) => throw null; - public System.Xml.Serialization.XmlAttributes this[System.Type type, string member] { get => throw null; } - public System.Xml.Serialization.XmlAttributes this[System.Type type] { get => throw null; } + public void Add(System.Type type, System.Xml.Serialization.XmlAttributes attributes) => throw null; public XmlAttributeOverrides() => throw null; + public System.Xml.Serialization.XmlAttributes this[System.Type type] { get => throw null; } + public System.Xml.Serialization.XmlAttributes this[System.Type type, string member] { get => throw null; } } - public class XmlAttributes { - public System.Xml.Serialization.XmlAnyAttributeAttribute XmlAnyAttribute { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlAnyElementAttributes XmlAnyElements { get => throw null; } - public System.Xml.Serialization.XmlArrayAttribute XmlArray { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlArrayItemAttributes XmlArrayItems { get => throw null; } - public System.Xml.Serialization.XmlAttributeAttribute XmlAttribute { get => throw null; set => throw null; } public XmlAttributes() => throw null; public XmlAttributes(System.Reflection.ICustomAttributeProvider provider) => throw null; + public System.Xml.Serialization.XmlAnyAttributeAttribute XmlAnyAttribute { get => throw null; set { } } + public System.Xml.Serialization.XmlAnyElementAttributes XmlAnyElements { get => throw null; } + public System.Xml.Serialization.XmlArrayAttribute XmlArray { get => throw null; set { } } + public System.Xml.Serialization.XmlArrayItemAttributes XmlArrayItems { get => throw null; } + public System.Xml.Serialization.XmlAttributeAttribute XmlAttribute { get => throw null; set { } } public System.Xml.Serialization.XmlChoiceIdentifierAttribute XmlChoiceIdentifier { get => throw null; } - public object XmlDefaultValue { get => throw null; set => throw null; } + public object XmlDefaultValue { get => throw null; set { } } public System.Xml.Serialization.XmlElementAttributes XmlElements { get => throw null; } - public System.Xml.Serialization.XmlEnumAttribute XmlEnum { get => throw null; set => throw null; } - public bool XmlIgnore { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlRootAttribute XmlRoot { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlTextAttribute XmlText { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlTypeAttribute XmlType { get => throw null; set => throw null; } - public bool Xmlns { get => throw null; set => throw null; } - } - + public System.Xml.Serialization.XmlEnumAttribute XmlEnum { get => throw null; set { } } + public bool XmlIgnore { get => throw null; set { } } + public bool Xmlns { get => throw null; set { } } + public System.Xml.Serialization.XmlRootAttribute XmlRoot { get => throw null; set { } } + public System.Xml.Serialization.XmlTextAttribute XmlText { get => throw null; set { } } + public System.Xml.Serialization.XmlTypeAttribute XmlType { get => throw null; set { } } + } public class XmlChoiceIdentifierAttribute : System.Attribute { - public string MemberName { get => throw null; set => throw null; } public XmlChoiceIdentifierAttribute() => throw null; public XmlChoiceIdentifierAttribute(string name) => throw null; + public string MemberName { get => throw null; set { } } } - public struct XmlDeserializationEvents { - public System.Xml.Serialization.XmlAttributeEventHandler OnUnknownAttribute { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlElementEventHandler OnUnknownElement { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlNodeEventHandler OnUnknownNode { get => throw null; set => throw null; } - public System.Xml.Serialization.UnreferencedObjectEventHandler OnUnreferencedObject { get => throw null; set => throw null; } - // Stub generator skipped constructor + public System.Xml.Serialization.XmlAttributeEventHandler OnUnknownAttribute { get => throw null; set { } } + public System.Xml.Serialization.XmlElementEventHandler OnUnknownElement { get => throw null; set { } } + public System.Xml.Serialization.XmlNodeEventHandler OnUnknownNode { get => throw null; set { } } + public System.Xml.Serialization.UnreferencedObjectEventHandler OnUnreferencedObject { get => throw null; set { } } } - public class XmlElementAttributes : System.Collections.CollectionBase { public int Add(System.Xml.Serialization.XmlElementAttribute attribute) => throw null; public bool Contains(System.Xml.Serialization.XmlElementAttribute attribute) => throw null; public void CopyTo(System.Xml.Serialization.XmlElementAttribute[] array, int index) => throw null; + public XmlElementAttributes() => throw null; public int IndexOf(System.Xml.Serialization.XmlElementAttribute attribute) => throw null; public void Insert(int index, System.Xml.Serialization.XmlElementAttribute attribute) => throw null; - public System.Xml.Serialization.XmlElementAttribute this[int index] { get => throw null; set => throw null; } public void Remove(System.Xml.Serialization.XmlElementAttribute attribute) => throw null; - public XmlElementAttributes() => throw null; + public System.Xml.Serialization.XmlElementAttribute this[int index] { get => throw null; set { } } } - public class XmlElementEventArgs : System.EventArgs { public System.Xml.XmlElement Element { get => throw null; } @@ -287,32 +255,26 @@ public class XmlElementEventArgs : System.EventArgs public int LinePosition { get => throw null; } public object ObjectBeingDeserialized { get => throw null; } } - public delegate void XmlElementEventHandler(object sender, System.Xml.Serialization.XmlElementEventArgs e); - public class XmlIncludeAttribute : System.Attribute { - public System.Type Type { get => throw null; set => throw null; } public XmlIncludeAttribute(System.Type type) => throw null; + public System.Type Type { get => throw null; set { } } } - public abstract class XmlMapping { public string ElementName { get => throw null; } public string Namespace { get => throw null; } public void SetKey(string key) => throw null; - internal XmlMapping() => throw null; public string XsdElementName { get => throw null; } } - [System.Flags] - public enum XmlMappingAccess : int + public enum XmlMappingAccess { None = 0, Read = 1, Write = 2, } - public class XmlMemberMapping { public bool Any { get => throw null; } @@ -325,7 +287,6 @@ public class XmlMemberMapping public string TypeNamespace { get => throw null; } public string XsdElementName { get => throw null; } } - public class XmlMembersMapping : System.Xml.Serialization.XmlMapping { public int Count { get => throw null; } @@ -333,7 +294,6 @@ public class XmlMembersMapping : System.Xml.Serialization.XmlMapping public string TypeName { get => throw null; } public string TypeNamespace { get => throw null; } } - public class XmlNodeEventArgs : System.EventArgs { public int LineNumber { get => throw null; } @@ -345,76 +305,69 @@ public class XmlNodeEventArgs : System.EventArgs public object ObjectBeingDeserialized { get => throw null; } public string Text { get => throw null; } } - public delegate void XmlNodeEventHandler(object sender, System.Xml.Serialization.XmlNodeEventArgs e); - public class XmlReflectionImporter { + public XmlReflectionImporter() => throw null; + public XmlReflectionImporter(string defaultNamespace) => throw null; + public XmlReflectionImporter(System.Xml.Serialization.XmlAttributeOverrides attributeOverrides) => throw null; + public XmlReflectionImporter(System.Xml.Serialization.XmlAttributeOverrides attributeOverrides, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement, bool rpc) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement, bool rpc, bool openModel) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string elementName, string ns, System.Xml.Serialization.XmlReflectionMember[] members, bool hasWrapperElement, bool rpc, bool openModel, System.Xml.Serialization.XmlMappingAccess access) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type) => throw null; + public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type, System.Xml.Serialization.XmlRootAttribute root) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace) => throw null; - public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Type type, string defaultNamespace) => throw null; public void IncludeType(System.Type type) => throw null; public void IncludeTypes(System.Reflection.ICustomAttributeProvider provider) => throw null; - public XmlReflectionImporter() => throw null; - public XmlReflectionImporter(System.Xml.Serialization.XmlAttributeOverrides attributeOverrides) => throw null; - public XmlReflectionImporter(System.Xml.Serialization.XmlAttributeOverrides attributeOverrides, string defaultNamespace) => throw null; - public XmlReflectionImporter(string defaultNamespace) => throw null; } - public class XmlReflectionMember { - public bool IsReturnValue { get => throw null; set => throw null; } - public string MemberName { get => throw null; set => throw null; } - public System.Type MemberType { get => throw null; set => throw null; } - public bool OverrideIsNullable { get => throw null; set => throw null; } - public System.Xml.Serialization.SoapAttributes SoapAttributes { get => throw null; set => throw null; } - public System.Xml.Serialization.XmlAttributes XmlAttributes { get => throw null; set => throw null; } public XmlReflectionMember() => throw null; + public bool IsReturnValue { get => throw null; set { } } + public string MemberName { get => throw null; set { } } + public System.Type MemberType { get => throw null; set { } } + public bool OverrideIsNullable { get => throw null; set { } } + public System.Xml.Serialization.SoapAttributes SoapAttributes { get => throw null; set { } } + public System.Xml.Serialization.XmlAttributes XmlAttributes { get => throw null; set { } } } - public class XmlSchemaEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public XmlSchemaEnumerator(System.Xml.Serialization.XmlSchemas list) => throw null; public System.Xml.Schema.XmlSchema Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; - public XmlSchemaEnumerator(System.Xml.Serialization.XmlSchemas list) => throw null; } - public class XmlSchemaExporter { - public string ExportAnyType(System.Xml.Serialization.XmlMembersMapping members) => throw null; + public XmlSchemaExporter(System.Xml.Serialization.XmlSchemas schemas) => throw null; public string ExportAnyType(string ns) => throw null; + public string ExportAnyType(System.Xml.Serialization.XmlMembersMapping members) => throw null; public void ExportMembersMapping(System.Xml.Serialization.XmlMembersMapping xmlMembersMapping) => throw null; public void ExportMembersMapping(System.Xml.Serialization.XmlMembersMapping xmlMembersMapping, bool exportEnclosingType) => throw null; public System.Xml.XmlQualifiedName ExportTypeMapping(System.Xml.Serialization.XmlMembersMapping xmlMembersMapping) => throw null; public void ExportTypeMapping(System.Xml.Serialization.XmlTypeMapping xmlTypeMapping) => throw null; - public XmlSchemaExporter(System.Xml.Serialization.XmlSchemas schemas) => throw null; } - public class XmlSchemaImporter : System.Xml.Serialization.SchemaImporter { + public XmlSchemaImporter(System.Xml.Serialization.XmlSchemas schemas) => throw null; + public XmlSchemaImporter(System.Xml.Serialization.XmlSchemas schemas, System.Xml.Serialization.CodeIdentifiers typeIdentifiers) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportAnyType(System.Xml.XmlQualifiedName typeName, string elementName) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportDerivedTypeMapping(System.Xml.XmlQualifiedName name, System.Type baseType) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportDerivedTypeMapping(System.Xml.XmlQualifiedName name, System.Type baseType, bool baseTypeCanBeIndirect) => throw null; + public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string name, string ns, System.Xml.Serialization.SoapSchemaMember[] members) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(System.Xml.XmlQualifiedName name) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(System.Xml.XmlQualifiedName[] names) => throw null; public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(System.Xml.XmlQualifiedName[] names, System.Type baseType, bool baseTypeCanBeIndirect) => throw null; - public System.Xml.Serialization.XmlMembersMapping ImportMembersMapping(string name, string ns, System.Xml.Serialization.SoapSchemaMember[] members) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportSchemaType(System.Xml.XmlQualifiedName typeName) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportSchemaType(System.Xml.XmlQualifiedName typeName, System.Type baseType) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportSchemaType(System.Xml.XmlQualifiedName typeName, System.Type baseType, bool baseTypeCanBeIndirect) => throw null; public System.Xml.Serialization.XmlTypeMapping ImportTypeMapping(System.Xml.XmlQualifiedName name) => throw null; - public XmlSchemaImporter(System.Xml.Serialization.XmlSchemas schemas) => throw null; - public XmlSchemaImporter(System.Xml.Serialization.XmlSchemas schemas, System.Xml.Serialization.CodeIdentifiers typeIdentifiers) => throw null; } - public class XmlSchemas : System.Collections.CollectionBase, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public int Add(System.Xml.Schema.XmlSchema schema) => throw null; @@ -422,9 +375,10 @@ public class XmlSchemas : System.Collections.CollectionBase, System.Collections. public void Add(System.Xml.Serialization.XmlSchemas schemas) => throw null; public void AddReference(System.Xml.Schema.XmlSchema schema) => throw null; public void Compile(System.Xml.Schema.ValidationEventHandler handler, bool fullCompile) => throw null; - public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public bool Contains(string targetNamespace) => throw null; + public bool Contains(System.Xml.Schema.XmlSchema schema) => throw null; public void CopyTo(System.Xml.Schema.XmlSchema[] array, int index) => throw null; + public XmlSchemas() => throw null; public object Find(System.Xml.XmlQualifiedName name, System.Type type) => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; public System.Collections.IList GetSchemas(string ns) => throw null; @@ -432,54 +386,36 @@ public class XmlSchemas : System.Collections.CollectionBase, System.Collections. public void Insert(int index, System.Xml.Schema.XmlSchema schema) => throw null; public bool IsCompiled { get => throw null; } public static bool IsDataSet(System.Xml.Schema.XmlSchema schema) => throw null; - public System.Xml.Schema.XmlSchema this[int index] { get => throw null; set => throw null; } - public System.Xml.Schema.XmlSchema this[string ns] { get => throw null; } protected override void OnClear() => throw null; protected override void OnInsert(int index, object value) => throw null; protected override void OnRemove(int index, object value) => throw null; protected override void OnSet(int index, object oldValue, object newValue) => throw null; public void Remove(System.Xml.Schema.XmlSchema schema) => throw null; - public XmlSchemas() => throw null; + public System.Xml.Schema.XmlSchema this[int index] { get => throw null; set { } } + public System.Xml.Schema.XmlSchema this[string ns] { get => throw null; } } - public delegate void XmlSerializationCollectionFixupCallback(object collection, object collectionItems); - public delegate void XmlSerializationFixupCallback(object fixup); - public abstract class XmlSerializationGeneratedCode { protected XmlSerializationGeneratedCode() => throw null; } - public delegate object XmlSerializationReadCallback(); - public abstract class XmlSerializationReader : System.Xml.Serialization.XmlSerializationGeneratedCode { - protected class CollectionFixup - { - public System.Xml.Serialization.XmlSerializationCollectionFixupCallback Callback { get => throw null; } - public object Collection { get => throw null; } - public CollectionFixup(object collection, System.Xml.Serialization.XmlSerializationCollectionFixupCallback callback, object collectionItems) => throw null; - public object CollectionItems { get => throw null; } - } - - - protected class Fixup - { - public System.Xml.Serialization.XmlSerializationFixupCallback Callback { get => throw null; } - public Fixup(object o, System.Xml.Serialization.XmlSerializationFixupCallback callback, string[] ids) => throw null; - public Fixup(object o, System.Xml.Serialization.XmlSerializationFixupCallback callback, int count) => throw null; - public string[] Ids { get => throw null; } - public object Source { get => throw null; set => throw null; } - } - - protected void AddFixup(System.Xml.Serialization.XmlSerializationReader.CollectionFixup fixup) => throw null; protected void AddFixup(System.Xml.Serialization.XmlSerializationReader.Fixup fixup) => throw null; protected void AddReadCallback(string name, string ns, System.Type type, System.Xml.Serialization.XmlSerializationReadCallback read) => throw null; protected void AddTarget(string id, object o) => throw null; protected void CheckReaderCount(ref int whileIterations, ref int readerCount) => throw null; protected string CollapseWhitespace(string value) => throw null; + protected class CollectionFixup + { + public System.Xml.Serialization.XmlSerializationCollectionFixupCallback Callback { get => throw null; } + public object Collection { get => throw null; } + public object CollectionItems { get => throw null; } + public CollectionFixup(object collection, System.Xml.Serialization.XmlSerializationCollectionFixupCallback callback, object collectionItems) => throw null; + } protected System.Exception CreateAbstractTypeException(string name, string ns) => throw null; protected System.Exception CreateBadDerivationException(string xsdDerived, string nsDerived, string xsdBase, string nsBase, string clrDerived, string clrBase) => throw null; protected System.Exception CreateCtorHasSecurityException(string typeName) => throw null; @@ -491,9 +427,18 @@ protected class Fixup protected System.Exception CreateUnknownConstantException(string value, System.Type enumType) => throw null; protected System.Exception CreateUnknownNodeException() => throw null; protected System.Exception CreateUnknownTypeException(System.Xml.XmlQualifiedName type) => throw null; - protected bool DecodeName { get => throw null; set => throw null; } + protected XmlSerializationReader() => throw null; + protected bool DecodeName { get => throw null; set { } } protected System.Xml.XmlDocument Document { get => throw null; } protected System.Array EnsureArrayIndex(System.Array a, int index, System.Type elementType) => throw null; + protected class Fixup + { + public System.Xml.Serialization.XmlSerializationFixupCallback Callback { get => throw null; } + public Fixup(object o, System.Xml.Serialization.XmlSerializationFixupCallback callback, int count) => throw null; + public Fixup(object o, System.Xml.Serialization.XmlSerializationFixupCallback callback, string[] ids) => throw null; + public string[] Ids { get => throw null; } + public object Source { get => throw null; set { } } + } protected void FixupArrayRefs(object fixup) => throw null; protected int GetArrayLength(string name, string ns) => throw null; protected bool GetNullAttr() => throw null; @@ -501,11 +446,13 @@ protected class Fixup protected System.Xml.XmlQualifiedName GetXsiType() => throw null; protected abstract void InitCallbacks(); protected abstract void InitIDs(); - protected bool IsReturnValue { get => throw null; set => throw null; } + protected bool IsReturnValue { get => throw null; set { } } protected bool IsXmlnsAttribute(string name) => throw null; protected void ParseWsdlArrayType(System.Xml.XmlAttribute attr) => throw null; protected System.Xml.XmlQualifiedName ReadElementQualifiedName() => throw null; protected void ReadEndElement() => throw null; + protected System.Xml.XmlReader Reader { get => throw null; } + protected int ReaderCount { get => throw null; } protected bool ReadNull() => throw null; protected System.Xml.XmlQualifiedName ReadNullableQualifiedName() => throw null; protected string ReadNullableString() => throw null; @@ -513,9 +460,9 @@ protected class Fixup protected object ReadReferencedElement() => throw null; protected object ReadReferencedElement(string name, string ns) => throw null; protected void ReadReferencedElements() => throw null; - protected object ReadReferencingElement(out string fixupReference) => throw null; protected object ReadReferencingElement(string name, string ns, bool elementCanBeType, out string fixupReference) => throw null; protected object ReadReferencingElement(string name, string ns, out string fixupReference) => throw null; + protected object ReadReferencingElement(out string fixupReference) => throw null; protected System.Xml.Serialization.IXmlSerializable ReadSerializable(System.Xml.Serialization.IXmlSerializable serializable) => throw null; protected System.Xml.Serialization.IXmlSerializable ReadSerializable(System.Xml.Serialization.IXmlSerializable serializable, bool wrappedAny) => throw null; protected string ReadString(string value) => throw null; @@ -524,22 +471,20 @@ protected class Fixup protected object ReadTypedPrimitive(System.Xml.XmlQualifiedName type) => throw null; protected System.Xml.XmlDocument ReadXmlDocument(bool wrapped) => throw null; protected System.Xml.XmlNode ReadXmlNode(bool wrapped) => throw null; - protected System.Xml.XmlReader Reader { get => throw null; } - protected int ReaderCount { get => throw null; } protected void Referenced(object o) => throw null; protected static System.Reflection.Assembly ResolveDynamicAssembly(string assemblyFullName) => throw null; protected System.Array ShrinkArray(System.Array a, int length, System.Type elementType, bool isNullable) => throw null; - protected System.Byte[] ToByteArrayBase64(bool isNull) => throw null; - protected static System.Byte[] ToByteArrayBase64(string value) => throw null; - protected System.Byte[] ToByteArrayHex(bool isNull) => throw null; - protected static System.Byte[] ToByteArrayHex(string value) => throw null; - protected static System.Char ToChar(string value) => throw null; + protected byte[] ToByteArrayBase64(bool isNull) => throw null; + protected static byte[] ToByteArrayBase64(string value) => throw null; + protected byte[] ToByteArrayHex(bool isNull) => throw null; + protected static byte[] ToByteArrayHex(string value) => throw null; + protected static char ToChar(string value) => throw null; protected static System.DateTime ToDate(string value) => throw null; protected static System.DateTime ToDateTime(string value) => throw null; - protected static System.Int64 ToEnum(string value, System.Collections.Hashtable h, string typeName) => throw null; + protected static long ToEnum(string value, System.Collections.Hashtable h, string typeName) => throw null; protected static System.DateTime ToTime(string value) => throw null; - protected static string ToXmlNCName(string value) => throw null; protected static string ToXmlName(string value) => throw null; + protected static string ToXmlNCName(string value) => throw null; protected static string ToXmlNmToken(string value) => throw null; protected static string ToXmlNmTokens(string value) => throw null; protected System.Xml.XmlQualifiedName ToXmlQualifiedName(string value) => throw null; @@ -550,87 +495,86 @@ protected class Fixup protected void UnknownNode(object o) => throw null; protected void UnknownNode(object o, string qnames) => throw null; protected void UnreferencedObject(string id, object o) => throw null; - protected XmlSerializationReader() => throw null; } - public delegate void XmlSerializationWriteCallback(object o); - public abstract class XmlSerializationWriter : System.Xml.Serialization.XmlSerializationGeneratedCode { protected void AddWriteCallback(System.Type type, string typeName, string typeNs, System.Xml.Serialization.XmlSerializationWriteCallback callback) => throw null; protected System.Exception CreateChoiceIdentifierValueException(string value, string identifier, string name, string ns) => throw null; - protected System.Exception CreateInvalidAnyTypeException(System.Type type) => throw null; protected System.Exception CreateInvalidAnyTypeException(object o) => throw null; + protected System.Exception CreateInvalidAnyTypeException(System.Type type) => throw null; protected System.Exception CreateInvalidChoiceIdentifierValueException(string type, string identifier) => throw null; protected System.Exception CreateInvalidEnumValueException(object value, string typeName) => throw null; protected System.Exception CreateMismatchChoiceException(string value, string elementName, string enumValue) => throw null; protected System.Exception CreateUnknownAnyElementException(string name, string ns) => throw null; - protected System.Exception CreateUnknownTypeException(System.Type type) => throw null; protected System.Exception CreateUnknownTypeException(object o) => throw null; - protected bool EscapeName { get => throw null; set => throw null; } - protected static System.Byte[] FromByteArrayBase64(System.Byte[] value) => throw null; - protected static string FromByteArrayHex(System.Byte[] value) => throw null; - protected static string FromChar(System.Char value) => throw null; + protected System.Exception CreateUnknownTypeException(System.Type type) => throw null; + protected XmlSerializationWriter() => throw null; + protected bool EscapeName { get => throw null; set { } } + protected static byte[] FromByteArrayBase64(byte[] value) => throw null; + protected static string FromByteArrayHex(byte[] value) => throw null; + protected static string FromChar(char value) => throw null; protected static string FromDate(System.DateTime value) => throw null; protected static string FromDateTime(System.DateTime value) => throw null; - protected static string FromEnum(System.Int64 value, string[] values, System.Int64[] ids) => throw null; - protected static string FromEnum(System.Int64 value, string[] values, System.Int64[] ids, string typeName) => throw null; + protected static string FromEnum(long value, string[] values, long[] ids) => throw null; + protected static string FromEnum(long value, string[] values, long[] ids, string typeName) => throw null; protected static string FromTime(System.DateTime value) => throw null; - protected static string FromXmlNCName(string ncName) => throw null; protected static string FromXmlName(string name) => throw null; + protected static string FromXmlNCName(string ncName) => throw null; protected static string FromXmlNmToken(string nmToken) => throw null; protected static string FromXmlNmTokens(string nmTokens) => throw null; protected string FromXmlQualifiedName(System.Xml.XmlQualifiedName xmlQualifiedName) => throw null; protected string FromXmlQualifiedName(System.Xml.XmlQualifiedName xmlQualifiedName, bool ignoreEmpty) => throw null; protected abstract void InitCallbacks(); - protected System.Collections.ArrayList Namespaces { get => throw null; set => throw null; } + protected System.Collections.ArrayList Namespaces { get => throw null; set { } } protected static System.Reflection.Assembly ResolveDynamicAssembly(string assemblyFullName) => throw null; protected void TopLevelElement() => throw null; - protected void WriteAttribute(string localName, System.Byte[] value) => throw null; + protected void WriteAttribute(string localName, byte[] value) => throw null; protected void WriteAttribute(string localName, string value) => throw null; - protected void WriteAttribute(string localName, string ns, System.Byte[] value) => throw null; + protected void WriteAttribute(string localName, string ns, byte[] value) => throw null; protected void WriteAttribute(string localName, string ns, string value) => throw null; protected void WriteAttribute(string prefix, string localName, string ns, string value) => throw null; protected void WriteElementEncoded(System.Xml.XmlNode node, string name, string ns, bool isNullable, bool any) => throw null; protected void WriteElementLiteral(System.Xml.XmlNode node, string name, string ns, bool isNullable, bool any) => throw null; - protected void WriteElementQualifiedName(string localName, System.Xml.XmlQualifiedName value) => throw null; - protected void WriteElementQualifiedName(string localName, System.Xml.XmlQualifiedName value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteElementQualifiedName(string localName, string ns, System.Xml.XmlQualifiedName value) => throw null; protected void WriteElementQualifiedName(string localName, string ns, System.Xml.XmlQualifiedName value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteElementQualifiedName(string localName, System.Xml.XmlQualifiedName value) => throw null; + protected void WriteElementQualifiedName(string localName, System.Xml.XmlQualifiedName value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteElementString(string localName, string value) => throw null; - protected void WriteElementString(string localName, string value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteElementString(string localName, string ns, string value) => throw null; protected void WriteElementString(string localName, string ns, string value, System.Xml.XmlQualifiedName xsiType) => throw null; - protected void WriteElementStringRaw(string localName, System.Byte[] value) => throw null; - protected void WriteElementStringRaw(string localName, System.Byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteElementString(string localName, string value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteElementStringRaw(string localName, byte[] value) => throw null; + protected void WriteElementStringRaw(string localName, byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteElementStringRaw(string localName, string value) => throw null; - protected void WriteElementStringRaw(string localName, string ns, System.Byte[] value) => throw null; - protected void WriteElementStringRaw(string localName, string ns, System.Byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; - protected void WriteElementStringRaw(string localName, string value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteElementStringRaw(string localName, string ns, byte[] value) => throw null; + protected void WriteElementStringRaw(string localName, string ns, byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteElementStringRaw(string localName, string ns, string value) => throw null; protected void WriteElementStringRaw(string localName, string ns, string value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteElementStringRaw(string localName, string value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteEmptyTag(string name) => throw null; protected void WriteEmptyTag(string name, string ns) => throw null; protected void WriteEndElement() => throw null; protected void WriteEndElement(object o) => throw null; protected void WriteId(object o) => throw null; protected void WriteNamespaceDeclarations(System.Xml.Serialization.XmlSerializerNamespaces xmlns) => throw null; - protected void WriteNullTagEncoded(string name) => throw null; - protected void WriteNullTagEncoded(string name, string ns) => throw null; - protected void WriteNullTagLiteral(string name) => throw null; - protected void WriteNullTagLiteral(string name, string ns) => throw null; protected void WriteNullableQualifiedNameEncoded(string name, string ns, System.Xml.XmlQualifiedName value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteNullableQualifiedNameLiteral(string name, string ns, System.Xml.XmlQualifiedName value) => throw null; protected void WriteNullableStringEncoded(string name, string ns, string value, System.Xml.XmlQualifiedName xsiType) => throw null; - protected void WriteNullableStringEncodedRaw(string name, string ns, System.Byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; + protected void WriteNullableStringEncodedRaw(string name, string ns, byte[] value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteNullableStringEncodedRaw(string name, string ns, string value, System.Xml.XmlQualifiedName xsiType) => throw null; protected void WriteNullableStringLiteral(string name, string ns, string value) => throw null; - protected void WriteNullableStringLiteralRaw(string name, string ns, System.Byte[] value) => throw null; + protected void WriteNullableStringLiteralRaw(string name, string ns, byte[] value) => throw null; protected void WriteNullableStringLiteralRaw(string name, string ns, string value) => throw null; + protected void WriteNullTagEncoded(string name) => throw null; + protected void WriteNullTagEncoded(string name, string ns) => throw null; + protected void WriteNullTagLiteral(string name) => throw null; + protected void WriteNullTagLiteral(string name, string ns) => throw null; protected void WritePotentiallyReferencingElement(string n, string ns, object o) => throw null; protected void WritePotentiallyReferencingElement(string n, string ns, object o, System.Type ambientType) => throw null; protected void WritePotentiallyReferencingElement(string n, string ns, object o, System.Type ambientType, bool suppressReference) => throw null; protected void WritePotentiallyReferencingElement(string n, string ns, object o, System.Type ambientType, bool suppressReference, bool isNullable) => throw null; + protected System.Xml.XmlWriter Writer { get => throw null; set { } } protected void WriteReferencedElements() => throw null; protected void WriteReferencingElement(string n, string ns, object o) => throw null; protected void WriteReferencingElement(string n, string ns, object o, bool isNullable) => throw null; @@ -645,27 +589,33 @@ public abstract class XmlSerializationWriter : System.Xml.Serialization.XmlSeria protected void WriteStartElement(string name, string ns, object o, bool writePrefixed) => throw null; protected void WriteStartElement(string name, string ns, object o, bool writePrefixed, System.Xml.Serialization.XmlSerializerNamespaces xmlns) => throw null; protected void WriteTypedPrimitive(string name, string ns, object o, bool xsiType) => throw null; - protected void WriteValue(System.Byte[] value) => throw null; + protected void WriteValue(byte[] value) => throw null; protected void WriteValue(string value) => throw null; protected void WriteXmlAttribute(System.Xml.XmlNode node) => throw null; protected void WriteXmlAttribute(System.Xml.XmlNode node, object container) => throw null; protected void WriteXsiType(string name, string ns) => throw null; - protected System.Xml.XmlWriter Writer { get => throw null; set => throw null; } - protected XmlSerializationWriter() => throw null; } - public class XmlSerializer { public virtual bool CanDeserialize(System.Xml.XmlReader xmlReader) => throw null; protected virtual System.Xml.Serialization.XmlSerializationReader CreateReader() => throw null; protected virtual System.Xml.Serialization.XmlSerializationWriter CreateWriter() => throw null; + protected XmlSerializer() => throw null; + public XmlSerializer(System.Type type) => throw null; + public XmlSerializer(System.Type type, string defaultNamespace) => throw null; + public XmlSerializer(System.Type type, System.Type[] extraTypes) => throw null; + public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides) => throw null; + public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace) => throw null; + public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace, string location) => throw null; + public XmlSerializer(System.Type type, System.Xml.Serialization.XmlRootAttribute root) => throw null; + public XmlSerializer(System.Xml.Serialization.XmlTypeMapping xmlTypeMapping) => throw null; public object Deserialize(System.IO.Stream stream) => throw null; public object Deserialize(System.IO.TextReader textReader) => throw null; + protected virtual object Deserialize(System.Xml.Serialization.XmlSerializationReader reader) => throw null; public object Deserialize(System.Xml.XmlReader xmlReader) => throw null; - public object Deserialize(System.Xml.XmlReader xmlReader, System.Xml.Serialization.XmlDeserializationEvents events) => throw null; public object Deserialize(System.Xml.XmlReader xmlReader, string encodingStyle) => throw null; public object Deserialize(System.Xml.XmlReader xmlReader, string encodingStyle, System.Xml.Serialization.XmlDeserializationEvents events) => throw null; - protected virtual object Deserialize(System.Xml.Serialization.XmlSerializationReader reader) => throw null; + public object Deserialize(System.Xml.XmlReader xmlReader, System.Xml.Serialization.XmlDeserializationEvents events) => throw null; public static System.Xml.Serialization.XmlSerializer[] FromMappings(System.Xml.Serialization.XmlMapping[] mappings) => throw null; public static System.Xml.Serialization.XmlSerializer[] FromMappings(System.Xml.Serialization.XmlMapping[] mappings, System.Type type) => throw null; public static System.Xml.Serialization.XmlSerializer[] FromTypes(System.Type[] types) => throw null; @@ -675,80 +625,65 @@ public class XmlSerializer public void Serialize(System.IO.Stream stream, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; public void Serialize(System.IO.TextWriter textWriter, object o) => throw null; public void Serialize(System.IO.TextWriter textWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; + protected virtual void Serialize(object o, System.Xml.Serialization.XmlSerializationWriter writer) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces, string encodingStyle) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces, string encodingStyle, string id) => throw null; - protected virtual void Serialize(object o, System.Xml.Serialization.XmlSerializationWriter writer) => throw null; - public event System.Xml.Serialization.XmlAttributeEventHandler UnknownAttribute; - public event System.Xml.Serialization.XmlElementEventHandler UnknownElement; - public event System.Xml.Serialization.XmlNodeEventHandler UnknownNode; - public event System.Xml.Serialization.UnreferencedObjectEventHandler UnreferencedObject; - protected XmlSerializer() => throw null; - public XmlSerializer(System.Type type) => throw null; - public XmlSerializer(System.Type type, System.Type[] extraTypes) => throw null; - public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides) => throw null; - public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace) => throw null; - public XmlSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace, string location) => throw null; - public XmlSerializer(System.Type type, System.Xml.Serialization.XmlRootAttribute root) => throw null; - public XmlSerializer(System.Type type, string defaultNamespace) => throw null; - public XmlSerializer(System.Xml.Serialization.XmlTypeMapping xmlTypeMapping) => throw null; + public event System.Xml.Serialization.XmlAttributeEventHandler UnknownAttribute { add { } remove { } } + public event System.Xml.Serialization.XmlElementEventHandler UnknownElement { add { } remove { } } + public event System.Xml.Serialization.XmlNodeEventHandler UnknownNode { add { } remove { } } + public event System.Xml.Serialization.UnreferencedObjectEventHandler UnreferencedObject { add { } remove { } } } - - public class XmlSerializerAssemblyAttribute : System.Attribute + public sealed class XmlSerializerAssemblyAttribute : System.Attribute { - public string AssemblyName { get => throw null; set => throw null; } - public string CodeBase { get => throw null; set => throw null; } + public string AssemblyName { get => throw null; set { } } + public string CodeBase { get => throw null; set { } } public XmlSerializerAssemblyAttribute() => throw null; public XmlSerializerAssemblyAttribute(string assemblyName) => throw null; public XmlSerializerAssemblyAttribute(string assemblyName, string codeBase) => throw null; } - public class XmlSerializerFactory { public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type) => throw null; + public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, System.Type[] extraTypes) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, System.Xml.Serialization.XmlAttributeOverrides overrides, System.Type[] extraTypes, System.Xml.Serialization.XmlRootAttribute root, string defaultNamespace, string location) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, System.Xml.Serialization.XmlRootAttribute root) => throw null; - public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type, string defaultNamespace) => throw null; public System.Xml.Serialization.XmlSerializer CreateSerializer(System.Xml.Serialization.XmlTypeMapping xmlTypeMapping) => throw null; public XmlSerializerFactory() => throw null; } - public abstract class XmlSerializerImplementation { public virtual bool CanSerialize(System.Type type) => throw null; + protected XmlSerializerImplementation() => throw null; public virtual System.Xml.Serialization.XmlSerializer GetSerializer(System.Type type) => throw null; - public virtual System.Collections.Hashtable ReadMethods { get => throw null; } public virtual System.Xml.Serialization.XmlSerializationReader Reader { get => throw null; } + public virtual System.Collections.Hashtable ReadMethods { get => throw null; } public virtual System.Collections.Hashtable TypedSerializers { get => throw null; } public virtual System.Collections.Hashtable WriteMethods { get => throw null; } public virtual System.Xml.Serialization.XmlSerializationWriter Writer { get => throw null; } - protected XmlSerializerImplementation() => throw null; } - - public class XmlSerializerVersionAttribute : System.Attribute + public sealed class XmlSerializerVersionAttribute : System.Attribute { - public string Namespace { get => throw null; set => throw null; } - public string ParentAssemblyId { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - public string Version { get => throw null; set => throw null; } public XmlSerializerVersionAttribute() => throw null; public XmlSerializerVersionAttribute(System.Type type) => throw null; + public string Namespace { get => throw null; set { } } + public string ParentAssemblyId { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + public string Version { get => throw null; set { } } } - public class XmlTypeAttribute : System.Attribute { - public bool AnonymousType { get => throw null; set => throw null; } - public bool IncludeInSchema { get => throw null; set => throw null; } - public string Namespace { get => throw null; set => throw null; } - public string TypeName { get => throw null; set => throw null; } + public bool AnonymousType { get => throw null; set { } } public XmlTypeAttribute() => throw null; public XmlTypeAttribute(string typeName) => throw null; + public bool IncludeInSchema { get => throw null; set { } } + public string Namespace { get => throw null; set { } } + public string TypeName { get => throw null; set { } } } - public class XmlTypeMapping : System.Xml.Serialization.XmlMapping { public string TypeFullName { get => throw null; } @@ -756,7 +691,6 @@ public class XmlTypeMapping : System.Xml.Serialization.XmlMapping public string XsdTypeName { get => throw null; } public string XsdTypeNamespace { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs new file mode 100644 index 000000000000..aa4376c9e5fa --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System.Xml, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs new file mode 100644 index 000000000000..7419fd9e6e32 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs new file mode 100644 index 000000000000..dc2dda85c857 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `WindowsBase, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs new file mode 100644 index 000000000000..f1c1603ef01b --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs new file mode 100644 index 000000000000..32c04c7d98e0 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `netstandard, Version=2.1.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. From e944b90eef8b74bc12e4a2a51b90ce26f18b40c1 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Tue, 5 Sep 2023 13:07:01 +0200 Subject: [PATCH 07/12] C#: Regenerate `Microsoft.AspNetCore.App` stubs --- .../Microsoft.AspNetCore.Antiforgery.cs | 19 +- ....AspNetCore.Authentication.Abstractions.cs | 87 +- ...osoft.AspNetCore.Authentication.Cookies.cs | 99 +- ...icrosoft.AspNetCore.Authentication.Core.cs | 15 +- ...crosoft.AspNetCore.Authentication.OAuth.cs | 166 +- .../Microsoft.AspNetCore.Authentication.cs | 186 +- ...crosoft.AspNetCore.Authorization.Policy.cs | 22 +- .../Microsoft.AspNetCore.Authorization.cs | 104 +- ...oft.AspNetCore.Components.Authorization.cs | 37 +- .../Microsoft.AspNetCore.Components.Forms.cs | 65 +- .../Microsoft.AspNetCore.Components.Server.cs | 80 +- .../Microsoft.AspNetCore.Components.Web.cs | 540 ++- .../Microsoft.AspNetCore.Components.cs | 659 ++- ...oft.AspNetCore.Connections.Abstractions.cs | 285 +- .../Microsoft.AspNetCore.CookiePolicy.cs | 48 +- .../Microsoft.AspNetCore.Cors.cs | 68 +- ...rosoft.AspNetCore.Cryptography.Internal.cs | 2 + ...t.AspNetCore.Cryptography.KeyDerivation.cs | 7 +- ....AspNetCore.DataProtection.Abstractions.cs | 11 +- ...ft.AspNetCore.DataProtection.Extensions.cs | 20 +- .../Microsoft.AspNetCore.DataProtection.cs | 436 +- ...oft.AspNetCore.Diagnostics.Abstractions.cs | 24 +- ...oft.AspNetCore.Diagnostics.HealthChecks.cs | 19 +- .../Microsoft.AspNetCore.Diagnostics.cs | 82 +- .../Microsoft.AspNetCore.HostFiltering.cs | 15 +- ...crosoft.AspNetCore.Hosting.Abstractions.cs | 25 +- ....AspNetCore.Hosting.Server.Abstractions.cs | 41 +- .../Microsoft.AspNetCore.Hosting.cs | 122 +- .../Microsoft.AspNetCore.Html.Abstractions.cs | 24 +- .../Microsoft.AspNetCore.Http.Abstractions.cs | 658 ++- ...soft.AspNetCore.Http.Connections.Common.cs | 42 +- .../Microsoft.AspNetCore.Http.Connections.cs | 63 +- .../Microsoft.AspNetCore.Http.Extensions.cs | 280 +- .../Microsoft.AspNetCore.Http.Features.cs | 445 +- .../Microsoft.AspNetCore.Http.Results.cs | 541 ++- .../Microsoft.AspNetCore.Http.cs | 442 +- .../Microsoft.AspNetCore.HttpLogging.cs | 92 +- .../Microsoft.AspNetCore.HttpOverrides.cs | 50 +- .../Microsoft.AspNetCore.HttpsPolicy.cs | 31 +- .../Microsoft.AspNetCore.Identity.cs | 107 +- ...crosoft.AspNetCore.Localization.Routing.cs | 8 +- .../Microsoft.AspNetCore.Localization.cs | 66 +- .../Microsoft.AspNetCore.Metadata.cs | 3 - .../Microsoft.AspNetCore.Mvc.Abstractions.cs | 774 ++-- .../Microsoft.AspNetCore.Mvc.ApiExplorer.cs | 17 +- .../Microsoft.AspNetCore.Mvc.Core.cs | 3744 ++++++++--------- .../Microsoft.AspNetCore.Mvc.Cors.cs | 11 +- ...icrosoft.AspNetCore.Mvc.DataAnnotations.cs | 38 +- ...icrosoft.AspNetCore.Mvc.Formatters.Json.cs | 2 + ...Microsoft.AspNetCore.Mvc.Formatters.Xml.cs | 181 +- .../Microsoft.AspNetCore.Mvc.Localization.cs | 55 +- .../Microsoft.AspNetCore.Mvc.Razor.cs | 253 +- .../Microsoft.AspNetCore.Mvc.RazorPages.cs | 593 ++- .../Microsoft.AspNetCore.Mvc.TagHelpers.cs | 399 +- .../Microsoft.AspNetCore.Mvc.ViewFeatures.cs | 948 ++--- .../Microsoft.AspNetCore.Mvc.cs | 4 +- .../Microsoft.AspNetCore.OutputCaching.cs | 96 +- .../Microsoft.AspNetCore.RateLimiting.cs | 40 +- .../Microsoft.AspNetCore.Razor.Runtime.cs | 54 +- .../Microsoft.AspNetCore.Razor.cs | 127 +- ...crosoft.AspNetCore.RequestDecompression.cs | 14 +- ...AspNetCore.ResponseCaching.Abstractions.cs | 2 - .../Microsoft.AspNetCore.ResponseCaching.cs | 20 +- ...icrosoft.AspNetCore.ResponseCompression.cs | 42 +- .../Microsoft.AspNetCore.Rewrite.cs | 38 +- ...crosoft.AspNetCore.Routing.Abstractions.cs | 60 +- .../Microsoft.AspNetCore.Routing.cs | 1152 +++-- .../Microsoft.AspNetCore.Server.HttpSys.cs | 97 +- .../Microsoft.AspNetCore.Server.IIS.cs | 73 +- ...rosoft.AspNetCore.Server.IISIntegration.cs | 18 +- ...icrosoft.AspNetCore.Server.Kestrel.Core.cs | 426 +- ...spNetCore.Server.Kestrel.Transport.Quic.cs | 21 +- ...etCore.Server.Kestrel.Transport.Sockets.cs | 40 +- .../Microsoft.AspNetCore.Server.Kestrel.cs | 4 +- .../Microsoft.AspNetCore.Session.cs | 28 +- .../Microsoft.AspNetCore.SignalR.Common.cs | 77 +- .../Microsoft.AspNetCore.SignalR.Core.cs | 163 +- ...osoft.AspNetCore.SignalR.Protocols.Json.cs | 18 +- .../Microsoft.AspNetCore.SignalR.cs | 12 +- .../Microsoft.AspNetCore.StaticFiles.cs | 101 +- .../Microsoft.AspNetCore.WebSockets.cs | 22 +- .../Microsoft.AspNetCore.WebUtilities.cs | 235 +- .../Microsoft.AspNetCore.cs | 58 +- ...crosoft.Extensions.Caching.Abstractions.cs | 96 +- .../Microsoft.Extensions.Caching.Memory.cs | 33 +- ...t.Extensions.Configuration.Abstractions.cs | 21 +- ...crosoft.Extensions.Configuration.Binder.cs | 7 +- ...ft.Extensions.Configuration.CommandLine.cs | 20 +- ...ions.Configuration.EnvironmentVariables.cs | 18 +- ...Extensions.Configuration.FileExtensions.cs | 29 +- .../Microsoft.Extensions.Configuration.Ini.cs | 24 +- ...Microsoft.Extensions.Configuration.Json.cs | 24 +- ...oft.Extensions.Configuration.KeyPerFile.cs | 34 +- ...ft.Extensions.Configuration.UserSecrets.cs | 30 +- .../Microsoft.Extensions.Configuration.Xml.cs | 31 +- .../Microsoft.Extensions.Configuration.cs | 74 +- ...nsions.DependencyInjection.Abstractions.cs | 140 +- ...icrosoft.Extensions.DependencyInjection.cs | 13 +- ...s.Diagnostics.HealthChecks.Abstractions.cs | 45 +- ...oft.Extensions.Diagnostics.HealthChecks.cs | 46 +- .../Microsoft.Extensions.Features.cs | 20 +- ...t.Extensions.FileProviders.Abstractions.cs | 18 +- ...soft.Extensions.FileProviders.Composite.cs | 21 +- ...osoft.Extensions.FileProviders.Embedded.cs | 36 +- ...osoft.Extensions.FileProviders.Physical.cs | 63 +- ...Microsoft.Extensions.FileSystemGlobbing.cs | 167 +- ...crosoft.Extensions.Hosting.Abstractions.cs | 58 +- .../Microsoft.Extensions.Hosting.cs | 67 +- .../Microsoft.Extensions.Http.cs | 64 +- .../Microsoft.Extensions.Identity.Core.cs | 385 +- .../Microsoft.Extensions.Identity.Stores.cs | 123 +- ...ft.Extensions.Localization.Abstractions.cs | 19 +- .../Microsoft.Extensions.Localization.cs | 25 +- ...crosoft.Extensions.Logging.Abstractions.cs | 183 +- ...rosoft.Extensions.Logging.Configuration.cs | 17 +- .../Microsoft.Extensions.Logging.Console.cs | 90 +- .../Microsoft.Extensions.Logging.Debug.cs | 11 +- .../Microsoft.Extensions.Logging.EventLog.cs | 28 +- ...icrosoft.Extensions.Logging.EventSource.cs | 26 +- ...icrosoft.Extensions.Logging.TraceSource.cs | 19 +- .../Microsoft.Extensions.Logging.cs | 37 +- .../Microsoft.Extensions.ObjectPool.cs | 35 +- ...ensions.Options.ConfigurationExtensions.cs | 10 +- ...soft.Extensions.Options.DataAnnotations.cs | 5 +- .../Microsoft.Extensions.Options.cs | 285 +- .../Microsoft.Extensions.Primitives.cs | 141 +- .../Microsoft.Extensions.WebEncoders.cs | 50 +- .../Microsoft.JSInterop.cs | 225 +- .../Microsoft.Net.Http.Headers.cs | 164 +- .../System.Diagnostics.EventLog.cs | 471 +-- .../System.IO.Pipelines.cs | 62 +- .../System.Security.Cryptography.Xml.cs | 421 +- .../System.Threading.RateLimiting.cs | 149 +- 133 files changed, 8639 insertions(+), 11734 deletions(-) create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs create mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Antiforgery.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Antiforgery.cs index bce42e8da38a..3dc5f8e285ff 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Antiforgery.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Antiforgery.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Antiforgery, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,29 +8,26 @@ namespace Antiforgery { public class AntiforgeryOptions { + public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set { } } public AntiforgeryOptions() => throw null; - public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set => throw null; } public static string DefaultCookiePrefix; - public string FormFieldName { get => throw null; set => throw null; } - public string HeaderName { get => throw null; set => throw null; } - public bool SuppressXFrameOptionsHeader { get => throw null; set => throw null; } + public string FormFieldName { get => throw null; set { } } + public string HeaderName { get => throw null; set { } } + public bool SuppressXFrameOptionsHeader { get => throw null; set { } } } - public class AntiforgeryTokenSet { - public AntiforgeryTokenSet(string requestToken, string cookieToken, string formFieldName, string headerName) => throw null; public string CookieToken { get => throw null; } + public AntiforgeryTokenSet(string requestToken, string cookieToken, string formFieldName, string headerName) => throw null; public string FormFieldName { get => throw null; } public string HeaderName { get => throw null; } public string RequestToken { get => throw null; } } - public class AntiforgeryValidationException : System.Exception { public AntiforgeryValidationException(string message) => throw null; public AntiforgeryValidationException(string message, System.Exception innerException) => throw null; } - public interface IAntiforgery { Microsoft.AspNetCore.Antiforgery.AntiforgeryTokenSet GetAndStoreTokens(Microsoft.AspNetCore.Http.HttpContext httpContext); @@ -40,25 +36,22 @@ public interface IAntiforgery void SetCookieTokenAndHeader(Microsoft.AspNetCore.Http.HttpContext httpContext); System.Threading.Tasks.Task ValidateRequestAsync(Microsoft.AspNetCore.Http.HttpContext httpContext); } - public interface IAntiforgeryAdditionalDataProvider { string GetAdditionalData(Microsoft.AspNetCore.Http.HttpContext context); bool ValidateAdditionalData(Microsoft.AspNetCore.Http.HttpContext context, string additionalData); } - } } namespace Extensions { namespace DependencyInjection { - public static class AntiforgeryServiceCollectionExtensions + public static partial class AntiforgeryServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAntiforgery(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAntiforgery(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs index e36260275d5e..9a152885767d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authentication.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,85 +8,81 @@ namespace Authentication { public class AuthenticateResult { - protected AuthenticateResult() => throw null; public Microsoft.AspNetCore.Authentication.AuthenticateResult Clone() => throw null; + protected AuthenticateResult() => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticateResult Fail(System.Exception failure) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticateResult Fail(System.Exception failure, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticateResult Fail(string failureMessage) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticateResult Fail(string failureMessage, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public System.Exception Failure { get => throw null; set => throw null; } + public System.Exception Failure { get => throw null; set { } } + public bool None { get => throw null; set { } } public static Microsoft.AspNetCore.Authentication.AuthenticateResult NoResult() => throw null; - public bool None { get => throw null; set => throw null; } public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } public bool Succeeded { get => throw null; } public static Microsoft.AspNetCore.Authentication.AuthenticateResult Success(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationTicket Ticket { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationTicket Ticket { get => throw null; set { } } } - - public static class AuthenticationHttpContextExtensions + public static partial class AuthenticationHttpContextExtensions { public static System.Threading.Tasks.Task AuthenticateAsync(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static System.Threading.Tasks.Task AuthenticateAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; + public static System.Threading.Tasks.Task ChallengeAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; public static System.Threading.Tasks.Task ChallengeAsync(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static System.Threading.Tasks.Task ChallengeAsync(this Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public static System.Threading.Tasks.Task ChallengeAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; public static System.Threading.Tasks.Task ChallengeAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public static System.Threading.Tasks.Task ForbidAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; public static System.Threading.Tasks.Task ForbidAsync(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static System.Threading.Tasks.Task ForbidAsync(this Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public static System.Threading.Tasks.Task ForbidAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; public static System.Threading.Tasks.Task ForbidAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public static System.Threading.Tasks.Task GetTokenAsync(this Microsoft.AspNetCore.Http.HttpContext context, string tokenName) => throw null; public static System.Threading.Tasks.Task GetTokenAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, string tokenName) => throw null; + public static System.Threading.Tasks.Task GetTokenAsync(this Microsoft.AspNetCore.Http.HttpContext context, string tokenName) => throw null; + public static System.Threading.Tasks.Task SignInAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, System.Security.Claims.ClaimsPrincipal principal) => throw null; public static System.Threading.Tasks.Task SignInAsync(this Microsoft.AspNetCore.Http.HttpContext context, System.Security.Claims.ClaimsPrincipal principal) => throw null; public static System.Threading.Tasks.Task SignInAsync(this Microsoft.AspNetCore.Http.HttpContext context, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public static System.Threading.Tasks.Task SignInAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, System.Security.Claims.ClaimsPrincipal principal) => throw null; public static System.Threading.Tasks.Task SignInAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public static System.Threading.Tasks.Task SignOutAsync(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static System.Threading.Tasks.Task SignOutAsync(this Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public static System.Threading.Tasks.Task SignOutAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; public static System.Threading.Tasks.Task SignOutAsync(this Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; } - public class AuthenticationOptions { public void AddScheme(string name, System.Action configureBuilder) => throw null; public void AddScheme(string name, string displayName) where THandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler => throw null; public AuthenticationOptions() => throw null; - public string DefaultAuthenticateScheme { get => throw null; set => throw null; } - public string DefaultChallengeScheme { get => throw null; set => throw null; } - public string DefaultForbidScheme { get => throw null; set => throw null; } - public string DefaultScheme { get => throw null; set => throw null; } - public string DefaultSignInScheme { get => throw null; set => throw null; } - public string DefaultSignOutScheme { get => throw null; set => throw null; } - public bool RequireAuthenticatedSignIn { get => throw null; set => throw null; } + public string DefaultAuthenticateScheme { get => throw null; set { } } + public string DefaultChallengeScheme { get => throw null; set { } } + public string DefaultForbidScheme { get => throw null; set { } } + public string DefaultScheme { get => throw null; set { } } + public string DefaultSignInScheme { get => throw null; set { } } + public string DefaultSignOutScheme { get => throw null; set { } } + public bool RequireAuthenticatedSignIn { get => throw null; set { } } public System.Collections.Generic.IDictionary SchemeMap { get => throw null; } public System.Collections.Generic.IEnumerable Schemes { get => throw null; } } - public class AuthenticationProperties { - public bool? AllowRefresh { get => throw null; set => throw null; } + public bool? AllowRefresh { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Clone() => throw null; public AuthenticationProperties() => throw null; public AuthenticationProperties(System.Collections.Generic.IDictionary items) => throw null; public AuthenticationProperties(System.Collections.Generic.IDictionary items, System.Collections.Generic.IDictionary parameters) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Clone() => throw null; - public System.DateTimeOffset? ExpiresUtc { get => throw null; set => throw null; } + public System.DateTimeOffset? ExpiresUtc { get => throw null; set { } } protected bool? GetBool(string key) => throw null; protected System.DateTimeOffset? GetDateTimeOffset(string key) => throw null; public T GetParameter(string key) => throw null; public string GetString(string key) => throw null; - public bool IsPersistent { get => throw null; set => throw null; } - public System.DateTimeOffset? IssuedUtc { get => throw null; set => throw null; } + public bool IsPersistent { get => throw null; set { } } + public System.DateTimeOffset? IssuedUtc { get => throw null; set { } } public System.Collections.Generic.IDictionary Items { get => throw null; } public System.Collections.Generic.IDictionary Parameters { get => throw null; } - public string RedirectUri { get => throw null; set => throw null; } + public string RedirectUri { get => throw null; set { } } protected void SetBool(string key, bool? value) => throw null; protected void SetDateTimeOffset(string key, System.DateTimeOffset? value) => throw null; public void SetParameter(string key, T value) => throw null; public void SetString(string key, string value) => throw null; } - public class AuthenticationScheme { public AuthenticationScheme(string name, string displayName, System.Type handlerType) => throw null; @@ -95,59 +90,51 @@ public class AuthenticationScheme public System.Type HandlerType { get => throw null; } public string Name { get => throw null; } } - public class AuthenticationSchemeBuilder { - public AuthenticationSchemeBuilder(string name) => throw null; public Microsoft.AspNetCore.Authentication.AuthenticationScheme Build() => throw null; - public string DisplayName { get => throw null; set => throw null; } - public System.Type HandlerType { get => throw null; set => throw null; } + public AuthenticationSchemeBuilder(string name) => throw null; + public string DisplayName { get => throw null; set { } } + public System.Type HandlerType { get => throw null; set { } } public string Name { get => throw null; } } - public class AuthenticationTicket { public string AuthenticationScheme { get => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationTicket Clone() => throw null; public AuthenticationTicket(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; public AuthenticationTicket(System.Security.Claims.ClaimsPrincipal principal, string authenticationScheme) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationTicket Clone() => throw null; public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; } public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - public class AuthenticationToken { public AuthenticationToken() => throw null; - public string Name { get => throw null; set => throw null; } - public string Value { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public string Value { get => throw null; set { } } } - - public static class AuthenticationTokenExtensions + public static partial class AuthenticationTokenExtensions { public static System.Threading.Tasks.Task GetTokenAsync(this Microsoft.AspNetCore.Authentication.IAuthenticationService auth, Microsoft.AspNetCore.Http.HttpContext context, string tokenName) => throw null; public static System.Threading.Tasks.Task GetTokenAsync(this Microsoft.AspNetCore.Authentication.IAuthenticationService auth, Microsoft.AspNetCore.Http.HttpContext context, string scheme, string tokenName) => throw null; - public static string GetTokenValue(this Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string tokenName) => throw null; public static System.Collections.Generic.IEnumerable GetTokens(this Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public static string GetTokenValue(this Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string tokenName) => throw null; public static void StoreTokens(this Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, System.Collections.Generic.IEnumerable tokens) => throw null; public static bool UpdateTokenValue(this Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string tokenName, string tokenValue) => throw null; } - public interface IAuthenticateResultFeature { Microsoft.AspNetCore.Authentication.AuthenticateResult AuthenticateResult { get; set; } } - public interface IAuthenticationConfigurationProvider { Microsoft.Extensions.Configuration.IConfiguration AuthenticationConfiguration { get; } } - public interface IAuthenticationFeature { Microsoft.AspNetCore.Http.PathString OriginalPath { get; set; } Microsoft.AspNetCore.Http.PathString OriginalPathBase { get; set; } } - public interface IAuthenticationHandler { System.Threading.Tasks.Task AuthenticateAsync(); @@ -155,17 +142,14 @@ public interface IAuthenticationHandler System.Threading.Tasks.Task ForbidAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); System.Threading.Tasks.Task InitializeAsync(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Http.HttpContext context); } - public interface IAuthenticationHandlerProvider { System.Threading.Tasks.Task GetHandlerAsync(Microsoft.AspNetCore.Http.HttpContext context, string authenticationScheme); } - public interface IAuthenticationRequestHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler { System.Threading.Tasks.Task HandleRequestAsync(); } - public interface IAuthenticationSchemeProvider { void AddScheme(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme); @@ -178,9 +162,8 @@ public interface IAuthenticationSchemeProvider System.Threading.Tasks.Task> GetRequestHandlerSchemesAsync(); System.Threading.Tasks.Task GetSchemeAsync(string name); void RemoveScheme(string name); - bool TryAddScheme(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme) => throw null; + virtual bool TryAddScheme(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme) => throw null; } - public interface IAuthenticationService { System.Threading.Tasks.Task AuthenticateAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme); @@ -189,22 +172,18 @@ public interface IAuthenticationService System.Threading.Tasks.Task SignInAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); System.Threading.Tasks.Task SignOutAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); } - - public interface IAuthenticationSignInHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler + public interface IAuthenticationSignInHandler : Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler { System.Threading.Tasks.Task SignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); } - public interface IAuthenticationSignOutHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler { System.Threading.Tasks.Task SignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); } - public interface IClaimsTransformation { System.Threading.Tasks.Task TransformAsync(System.Security.Claims.ClaimsPrincipal principal); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs index d2df2b11c4f1..22de63d9f752 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authentication.Cookies, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,37 +11,35 @@ namespace Cookies public class ChunkingCookieManager : Microsoft.AspNetCore.Authentication.Cookies.ICookieManager { public void AppendResponseCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, string value, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; - public int? ChunkSize { get => throw null; set => throw null; } + public int? ChunkSize { get => throw null; set { } } public ChunkingCookieManager() => throw null; - public const int DefaultChunkSize = default; + public static int DefaultChunkSize; public void DeleteCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; public string GetRequestCookie(Microsoft.AspNetCore.Http.HttpContext context, string key) => throw null; - public bool ThrowForPartialCookies { get => throw null; set => throw null; } + public bool ThrowForPartialCookies { get => throw null; set { } } } - public static class CookieAuthenticationDefaults { public static Microsoft.AspNetCore.Http.PathString AccessDeniedPath; - public const string AuthenticationScheme = default; + public static string AuthenticationScheme; public static string CookiePrefix; public static Microsoft.AspNetCore.Http.PathString LoginPath; public static Microsoft.AspNetCore.Http.PathString LogoutPath; public static string ReturnUrlParameter; } - public class CookieAuthenticationEvents { public virtual System.Threading.Tasks.Task CheckSlidingExpiration(Microsoft.AspNetCore.Authentication.Cookies.CookieSlidingExpirationContext context) => throw null; public CookieAuthenticationEvents() => throw null; - public System.Func OnCheckSlidingExpiration { get => throw null; set => throw null; } - public System.Func, System.Threading.Tasks.Task> OnRedirectToAccessDenied { get => throw null; set => throw null; } - public System.Func, System.Threading.Tasks.Task> OnRedirectToLogin { get => throw null; set => throw null; } - public System.Func, System.Threading.Tasks.Task> OnRedirectToLogout { get => throw null; set => throw null; } - public System.Func, System.Threading.Tasks.Task> OnRedirectToReturnUrl { get => throw null; set => throw null; } - public System.Func OnSignedIn { get => throw null; set => throw null; } - public System.Func OnSigningIn { get => throw null; set => throw null; } - public System.Func OnSigningOut { get => throw null; set => throw null; } - public System.Func OnValidatePrincipal { get => throw null; set => throw null; } + public System.Func OnCheckSlidingExpiration { get => throw null; set { } } + public System.Func, System.Threading.Tasks.Task> OnRedirectToAccessDenied { get => throw null; set { } } + public System.Func, System.Threading.Tasks.Task> OnRedirectToLogin { get => throw null; set { } } + public System.Func, System.Threading.Tasks.Task> OnRedirectToLogout { get => throw null; set { } } + public System.Func, System.Threading.Tasks.Task> OnRedirectToReturnUrl { get => throw null; set { } } + public System.Func OnSignedIn { get => throw null; set { } } + public System.Func OnSigningIn { get => throw null; set { } } + public System.Func OnSigningOut { get => throw null; set { } } + public System.Func OnValidatePrincipal { get => throw null; set { } } public virtual System.Threading.Tasks.Task RedirectToAccessDenied(Microsoft.AspNetCore.Authentication.RedirectContext context) => throw null; public virtual System.Threading.Tasks.Task RedirectToLogin(Microsoft.AspNetCore.Authentication.RedirectContext context) => throw null; public virtual System.Threading.Tasks.Task RedirectToLogout(Microsoft.AspNetCore.Authentication.RedirectContext context) => throw null; @@ -52,12 +49,11 @@ public class CookieAuthenticationEvents public virtual System.Threading.Tasks.Task SigningOut(Microsoft.AspNetCore.Authentication.Cookies.CookieSigningOutContext context) => throw null; public virtual System.Threading.Tasks.Task ValidatePrincipal(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; } - public class CookieAuthenticationHandler : Microsoft.AspNetCore.Authentication.SignInAuthenticationHandler { - public CookieAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected override System.Threading.Tasks.Task CreateEventsAsync() => throw null; - protected Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationEvents Events { get => throw null; set => throw null; } + public CookieAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; + protected Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationEvents Events { get => throw null; set { } } protected virtual System.Threading.Tasks.Task FinishResponseAsync() => throw null; protected override System.Threading.Tasks.Task HandleAuthenticateAsync() => throw null; protected override System.Threading.Tasks.Task HandleChallengeAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; @@ -66,86 +62,76 @@ public class CookieAuthenticationHandler : Microsoft.AspNetCore.Authentication.S protected override System.Threading.Tasks.Task HandleSignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task InitializeHandlerAsync() => throw null; } - public class CookieAuthenticationOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { - public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set { } } + public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.Cookies.ICookieManager CookieManager { get => throw null; set { } } public CookieAuthenticationOptions() => throw null; - public Microsoft.AspNetCore.Authentication.Cookies.ICookieManager CookieManager { get => throw null; set => throw null; } - public Microsoft.AspNetCore.DataProtection.IDataProtectionProvider DataProtectionProvider { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationEvents Events { get => throw null; set => throw null; } - public System.TimeSpan ExpireTimeSpan { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString LoginPath { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString LogoutPath { get => throw null; set => throw null; } - public string ReturnUrlParameter { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.Cookies.ITicketStore SessionStore { get => throw null; set => throw null; } - public bool SlidingExpiration { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.ISecureDataFormat TicketDataFormat { get => throw null; set => throw null; } + public Microsoft.AspNetCore.DataProtection.IDataProtectionProvider DataProtectionProvider { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationEvents Events { get => throw null; set { } } + public System.TimeSpan ExpireTimeSpan { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString LoginPath { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString LogoutPath { get => throw null; set { } } + public string ReturnUrlParameter { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.Cookies.ITicketStore SessionStore { get => throw null; set { } } + public bool SlidingExpiration { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.ISecureDataFormat TicketDataFormat { get => throw null; set { } } } - public class CookieSignedInContext : Microsoft.AspNetCore.Authentication.PrincipalContext { public CookieSignedInContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; } - public class CookieSigningInContext : Microsoft.AspNetCore.Authentication.PrincipalContext { - public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; set { } } public CookieSigningInContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Http.CookieOptions cookieOptions) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; } - public class CookieSigningOutContext : Microsoft.AspNetCore.Authentication.PropertiesContext { - public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; set { } } public CookieSigningOutContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Http.CookieOptions cookieOptions) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; } - public class CookieSlidingExpirationContext : Microsoft.AspNetCore.Authentication.PrincipalContext { public CookieSlidingExpirationContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, System.TimeSpan elapsedTime, System.TimeSpan remainingTime) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; public System.TimeSpan ElapsedTime { get => throw null; } public System.TimeSpan RemainingTime { get => throw null; } - public bool ShouldRenew { get => throw null; set => throw null; } + public bool ShouldRenew { get => throw null; set { } } } - public class CookieValidatePrincipalContext : Microsoft.AspNetCore.Authentication.PrincipalContext { public CookieValidatePrincipalContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; public void RejectPrincipal() => throw null; public void ReplacePrincipal(System.Security.Claims.ClaimsPrincipal principal) => throw null; - public bool ShouldRenew { get => throw null; set => throw null; } + public bool ShouldRenew { get => throw null; set { } } } - public interface ICookieManager { void AppendResponseCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, string value, Microsoft.AspNetCore.Http.CookieOptions options); void DeleteCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, Microsoft.AspNetCore.Http.CookieOptions options); string GetRequestCookie(Microsoft.AspNetCore.Http.HttpContext context, string key); } - public interface ITicketStore { System.Threading.Tasks.Task RemoveAsync(string key); - System.Threading.Tasks.Task RemoveAsync(string key, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task RemoveAsync(string key, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RemoveAsync(string key, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RemoveAsync(string key, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; System.Threading.Tasks.Task RenewAsync(string key, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket); - System.Threading.Tasks.Task RenewAsync(string key, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task RenewAsync(string key, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RenewAsync(string key, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RenewAsync(string key, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; System.Threading.Tasks.Task RetrieveAsync(string key); - System.Threading.Tasks.Task RetrieveAsync(string key, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task RetrieveAsync(string key, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RetrieveAsync(string key, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task RetrieveAsync(string key, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; System.Threading.Tasks.Task StoreAsync(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket); - System.Threading.Tasks.Task StoreAsync(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task StoreAsync(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task StoreAsync(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, System.Threading.CancellationToken cancellationToken) => throw null; + virtual System.Threading.Tasks.Task StoreAsync(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket, Microsoft.AspNetCore.Http.HttpContext httpContext, System.Threading.CancellationToken cancellationToken) => throw null; } - public class PostConfigureCookieAuthenticationOptions : Microsoft.Extensions.Options.IPostConfigureOptions { - public void PostConfigure(string name, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options) => throw null; public PostConfigureCookieAuthenticationOptions(Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtection) => throw null; + public void PostConfigure(string name, Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationOptions options) => throw null; } - } } } @@ -153,15 +139,14 @@ namespace Extensions { namespace DependencyInjection { - public static class CookieExtensions + public static partial class CookieExtensions { public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder) => throw null; - public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme) => throw null; + public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, string displayName, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Core.cs index 23ddbd0373c7..e9b5b57f3202 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Core.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authentication.Core, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -10,17 +9,15 @@ namespace Authentication public class AuthenticationFeature : Microsoft.AspNetCore.Authentication.IAuthenticationFeature { public AuthenticationFeature() => throw null; - public Microsoft.AspNetCore.Http.PathString OriginalPath { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString OriginalPathBase { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.PathString OriginalPath { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString OriginalPathBase { get => throw null; set { } } } - public class AuthenticationHandlerProvider : Microsoft.AspNetCore.Authentication.IAuthenticationHandlerProvider { public AuthenticationHandlerProvider(Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes) => throw null; public System.Threading.Tasks.Task GetHandlerAsync(Microsoft.AspNetCore.Http.HttpContext context, string authenticationScheme) => throw null; public Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider Schemes { get => throw null; } } - public class AuthenticationSchemeProvider : Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider { public virtual void AddScheme(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme) => throw null; @@ -37,12 +34,11 @@ public class AuthenticationSchemeProvider : Microsoft.AspNetCore.Authentication. public virtual void RemoveScheme(string name) => throw null; public virtual bool TryAddScheme(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme) => throw null; } - public class AuthenticationService : Microsoft.AspNetCore.Authentication.IAuthenticationService { public virtual System.Threading.Tasks.Task AuthenticateAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme) => throw null; - public AuthenticationService(Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes, Microsoft.AspNetCore.Authentication.IAuthenticationHandlerProvider handlers, Microsoft.AspNetCore.Authentication.IClaimsTransformation transform, Microsoft.Extensions.Options.IOptions options) => throw null; public virtual System.Threading.Tasks.Task ChallengeAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public AuthenticationService(Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes, Microsoft.AspNetCore.Authentication.IAuthenticationHandlerProvider handlers, Microsoft.AspNetCore.Authentication.IClaimsTransformation transform, Microsoft.Extensions.Options.IOptions options) => throw null; public virtual System.Threading.Tasks.Task ForbidAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public Microsoft.AspNetCore.Authentication.IAuthenticationHandlerProvider Handlers { get => throw null; } public Microsoft.AspNetCore.Authentication.AuthenticationOptions Options { get => throw null; } @@ -51,25 +47,22 @@ public class AuthenticationService : Microsoft.AspNetCore.Authentication.IAuthen public virtual System.Threading.Tasks.Task SignOutAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public Microsoft.AspNetCore.Authentication.IClaimsTransformation Transform { get => throw null; } } - public class NoopClaimsTransformation : Microsoft.AspNetCore.Authentication.IClaimsTransformation { public NoopClaimsTransformation() => throw null; public virtual System.Threading.Tasks.Task TransformAsync(System.Security.Claims.ClaimsPrincipal principal) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class AuthenticationCoreServiceCollectionExtensions + public static partial class AuthenticationCoreServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthenticationCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthenticationCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.OAuth.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.OAuth.cs index 27bcca97c240..550dc9339f3b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.OAuth.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.OAuth.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authentication.OAuth, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Authentication { - public static class ClaimActionCollectionMapExtensions + public static partial class ClaimActionCollectionMapExtensions { public static void DeleteClaim(this Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimActionCollection collection, string claimType) => throw null; public static void DeleteClaims(this Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimActionCollection collection, params string[] claimTypes) => throw null; @@ -20,19 +19,64 @@ public static class ClaimActionCollectionMapExtensions public static void MapJsonSubKey(this Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimActionCollection collection, string claimType, string jsonKey, string subKey) => throw null; public static void MapJsonSubKey(this Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimActionCollection collection, string claimType, string jsonKey, string subKey, string valueType) => throw null; } - namespace OAuth { + namespace Claims + { + public abstract class ClaimAction + { + public string ClaimType { get => throw null; } + public ClaimAction(string claimType, string valueType) => throw null; + public abstract void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer); + public string ValueType { get => throw null; } + } + public class ClaimActionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public void Add(Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction action) => throw null; + public void Clear() => throw null; + public ClaimActionCollection() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public void Remove(string claimType) => throw null; + } + public class CustomJsonClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction + { + public CustomJsonClaimAction(string claimType, string valueType, System.Func resolver) : base(default(string), default(string)) => throw null; + public System.Func Resolver { get => throw null; } + public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; + } + public class DeleteClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction + { + public DeleteClaimAction(string claimType) : base(default(string), default(string)) => throw null; + public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; + } + public class JsonKeyClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction + { + public JsonKeyClaimAction(string claimType, string valueType, string jsonKey) : base(default(string), default(string)) => throw null; + public string JsonKey { get => throw null; } + public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; + } + public class JsonSubKeyClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.JsonKeyClaimAction + { + public JsonSubKeyClaimAction(string claimType, string valueType, string jsonKey, string subKey) : base(default(string), default(string), default(string)) => throw null; + public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; + public string SubKey { get => throw null; } + } + public class MapAllClaimsAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction + { + public MapAllClaimsAction() : base(default(string), default(string)) => throw null; + public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; + } + } public class OAuthChallengeProperties : Microsoft.AspNetCore.Authentication.AuthenticationProperties { public OAuthChallengeProperties() => throw null; public OAuthChallengeProperties(System.Collections.Generic.IDictionary items) => throw null; public OAuthChallengeProperties(System.Collections.Generic.IDictionary items, System.Collections.Generic.IDictionary parameters) => throw null; - public System.Collections.Generic.ICollection Scope { get => throw null; set => throw null; } + public System.Collections.Generic.ICollection Scope { get => throw null; set { } } public static string ScopeKey; public virtual void SetScope(params string[] scopes) => throw null; } - public class OAuthCodeExchangeContext { public string Code { get => throw null; } @@ -40,7 +84,6 @@ public class OAuthCodeExchangeContext public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } public string RedirectUri { get => throw null; } } - public static class OAuthConstants { public static string CodeChallengeKey; @@ -48,14 +91,13 @@ public static class OAuthConstants public static string CodeChallengeMethodS256; public static string CodeVerifierKey; } - public class OAuthCreatingTicketContext : Microsoft.AspNetCore.Authentication.ResultContext { public string AccessToken { get => throw null; } public System.Net.Http.HttpClient Backchannel { get => throw null; } + public OAuthCreatingTicketContext(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions options, System.Net.Http.HttpClient backchannel, Microsoft.AspNetCore.Authentication.OAuth.OAuthTokenResponse tokens, System.Text.Json.JsonElement user) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions)) => throw null; public System.TimeSpan? ExpiresIn { get => throw null; } public System.Security.Claims.ClaimsIdentity Identity { get => throw null; } - public OAuthCreatingTicketContext(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions options, System.Net.Http.HttpClient backchannel, Microsoft.AspNetCore.Authentication.OAuth.OAuthTokenResponse tokens, System.Text.Json.JsonElement user) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions)) => throw null; public string RefreshToken { get => throw null; } public void RunClaimActions() => throw null; public void RunClaimActions(System.Text.Json.JsonElement userData) => throw null; @@ -63,118 +105,58 @@ public class OAuthCreatingTicketContext : Microsoft.AspNetCore.Authentication.Re public string TokenType { get => throw null; } public System.Text.Json.JsonElement User { get => throw null; } } - public static class OAuthDefaults { public static string DisplayName; } - public class OAuthEvents : Microsoft.AspNetCore.Authentication.RemoteAuthenticationEvents { public virtual System.Threading.Tasks.Task CreatingTicket(Microsoft.AspNetCore.Authentication.OAuth.OAuthCreatingTicketContext context) => throw null; public OAuthEvents() => throw null; - public System.Func OnCreatingTicket { get => throw null; set => throw null; } - public System.Func, System.Threading.Tasks.Task> OnRedirectToAuthorizationEndpoint { get => throw null; set => throw null; } + public System.Func OnCreatingTicket { get => throw null; set { } } + public System.Func, System.Threading.Tasks.Task> OnRedirectToAuthorizationEndpoint { get => throw null; set { } } public virtual System.Threading.Tasks.Task RedirectToAuthorizationEndpoint(Microsoft.AspNetCore.Authentication.RedirectContext context) => throw null; } - public class OAuthHandler : Microsoft.AspNetCore.Authentication.RemoteAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() { protected System.Net.Http.HttpClient Backchannel { get => throw null; } protected virtual string BuildChallengeUrl(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string redirectUri) => throw null; protected override System.Threading.Tasks.Task CreateEventsAsync() => throw null; protected virtual System.Threading.Tasks.Task CreateTicketAsync(System.Security.Claims.ClaimsIdentity identity, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, Microsoft.AspNetCore.Authentication.OAuth.OAuthTokenResponse tokens) => throw null; - protected Microsoft.AspNetCore.Authentication.OAuth.OAuthEvents Events { get => throw null; set => throw null; } + public OAuthHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; + protected Microsoft.AspNetCore.Authentication.OAuth.OAuthEvents Events { get => throw null; set { } } protected virtual System.Threading.Tasks.Task ExchangeCodeAsync(Microsoft.AspNetCore.Authentication.OAuth.OAuthCodeExchangeContext context) => throw null; - protected virtual string FormatScope() => throw null; protected virtual string FormatScope(System.Collections.Generic.IEnumerable scopes) => throw null; + protected virtual string FormatScope() => throw null; protected override System.Threading.Tasks.Task HandleChallengeAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task HandleRemoteAuthenticateAsync() => throw null; - public OAuthHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; } - public class OAuthOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions { - public string AuthorizationEndpoint { get => throw null; set => throw null; } + public string AuthorizationEndpoint { get => throw null; set { } } public Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimActionCollection ClaimActions { get => throw null; } - public string ClientId { get => throw null; set => throw null; } - public string ClientSecret { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.OAuth.OAuthEvents Events { get => throw null; set => throw null; } + public string ClientId { get => throw null; set { } } + public string ClientSecret { get => throw null; set { } } public OAuthOptions() => throw null; + public Microsoft.AspNetCore.Authentication.OAuth.OAuthEvents Events { get => throw null; set { } } public System.Collections.Generic.ICollection Scope { get => throw null; } - public Microsoft.AspNetCore.Authentication.ISecureDataFormat StateDataFormat { get => throw null; set => throw null; } - public string TokenEndpoint { get => throw null; set => throw null; } - public bool UsePkce { get => throw null; set => throw null; } - public string UserInformationEndpoint { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.ISecureDataFormat StateDataFormat { get => throw null; set { } } + public string TokenEndpoint { get => throw null; set { } } + public bool UsePkce { get => throw null; set { } } + public string UserInformationEndpoint { get => throw null; set { } } public override void Validate() => throw null; } - public class OAuthTokenResponse : System.IDisposable { - public string AccessToken { get => throw null; set => throw null; } + public string AccessToken { get => throw null; set { } } public void Dispose() => throw null; - public System.Exception Error { get => throw null; set => throw null; } - public string ExpiresIn { get => throw null; set => throw null; } + public System.Exception Error { get => throw null; set { } } + public string ExpiresIn { get => throw null; set { } } public static Microsoft.AspNetCore.Authentication.OAuth.OAuthTokenResponse Failed(System.Exception error) => throw null; - public string RefreshToken { get => throw null; set => throw null; } - public System.Text.Json.JsonDocument Response { get => throw null; set => throw null; } + public string RefreshToken { get => throw null; set { } } + public System.Text.Json.JsonDocument Response { get => throw null; set { } } public static Microsoft.AspNetCore.Authentication.OAuth.OAuthTokenResponse Success(System.Text.Json.JsonDocument response) => throw null; - public string TokenType { get => throw null; set => throw null; } - } - - namespace Claims - { - public abstract class ClaimAction - { - public ClaimAction(string claimType, string valueType) => throw null; - public string ClaimType { get => throw null; } - public abstract void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer); - public string ValueType { get => throw null; } - } - - public class ClaimActionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public void Add(Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction action) => throw null; - public ClaimActionCollection() => throw null; - public void Clear() => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public void Remove(string claimType) => throw null; - } - - public class CustomJsonClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction - { - public CustomJsonClaimAction(string claimType, string valueType, System.Func resolver) : base(default(string), default(string)) => throw null; - public System.Func Resolver { get => throw null; } - public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; - } - - public class DeleteClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction - { - public DeleteClaimAction(string claimType) : base(default(string), default(string)) => throw null; - public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; - } - - public class JsonKeyClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction - { - public string JsonKey { get => throw null; } - public JsonKeyClaimAction(string claimType, string valueType, string jsonKey) : base(default(string), default(string)) => throw null; - public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; - } - - public class JsonSubKeyClaimAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.JsonKeyClaimAction - { - public JsonSubKeyClaimAction(string claimType, string valueType, string jsonKey, string subKey) : base(default(string), default(string), default(string)) => throw null; - public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; - public string SubKey { get => throw null; } - } - - public class MapAllClaimsAction : Microsoft.AspNetCore.Authentication.OAuth.Claims.ClaimAction - { - public MapAllClaimsAction() : base(default(string), default(string)) => throw null; - public override void Run(System.Text.Json.JsonElement userData, System.Security.Claims.ClaimsIdentity identity, string issuer) => throw null; - } - + public string TokenType { get => throw null; set { } } } } } @@ -183,20 +165,18 @@ namespace Extensions { namespace DependencyInjection { - public static class OAuthExtensions + public static partial class OAuthExtensions { public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, string displayName, System.Action configureOptions) => throw null; - public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, System.Action configureOptions) where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() => throw null; - public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, string displayName, System.Action configureOptions) where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() => throw null; + public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, System.Action configureOptions) where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler => throw null; + public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddOAuth(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder, string authenticationScheme, string displayName, System.Action configureOptions) where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler => throw null; } - - public class OAuthPostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() + public class OAuthPostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : Microsoft.AspNetCore.Authentication.OAuth.OAuthOptions, new() where THandler : Microsoft.AspNetCore.Authentication.OAuth.OAuthHandler { public OAuthPostConfigureOptions(Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtection) => throw null; public void PostConfigure(string name, TOptions options) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs index 33cdb01eee11..43d69028a161 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authentication, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,40 +8,37 @@ namespace Authentication { public class AccessDeniedContext : Microsoft.AspNetCore.Authentication.HandleRequestContext { + public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set { } } public AccessDeniedContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions options) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions)) => throw null; - public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - public string ReturnUrl { get => throw null; set => throw null; } - public string ReturnUrlParameter { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } + public string ReturnUrl { get => throw null; set { } } + public string ReturnUrlParameter { get => throw null; set { } } } - public class AuthenticationBuilder { public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddPolicyScheme(string authenticationScheme, string displayName, System.Action configureOptions) => throw null; - public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddRemoteScheme(string authenticationScheme, string displayName, System.Action configureOptions) where THandler : Microsoft.AspNetCore.Authentication.RemoteAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() => throw null; - public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddScheme(string authenticationScheme, System.Action configureOptions) where THandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() => throw null; - public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddScheme(string authenticationScheme, string displayName, System.Action configureOptions) where THandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() => throw null; + public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddRemoteScheme(string authenticationScheme, string displayName, System.Action configureOptions) where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() where THandler : Microsoft.AspNetCore.Authentication.RemoteAuthenticationHandler => throw null; + public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddScheme(string authenticationScheme, string displayName, System.Action configureOptions) where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() where THandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler => throw null; + public virtual Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddScheme(string authenticationScheme, System.Action configureOptions) where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() where THandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler => throw null; public AuthenticationBuilder(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public virtual Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } } - - public static class AuthenticationConfigurationProviderExtensions + public static partial class AuthenticationConfigurationProviderExtensions { public static Microsoft.Extensions.Configuration.IConfiguration GetSchemeConfiguration(this Microsoft.AspNetCore.Authentication.IAuthenticationConfigurationProvider provider, string authenticationScheme) => throw null; } - public abstract class AuthenticationHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() { public System.Threading.Tasks.Task AuthenticateAsync() => throw null; - protected AuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) => throw null; protected string BuildRedirectUri(string targetPath) => throw null; public System.Threading.Tasks.Task ChallengeAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected virtual string ClaimsIssuer { get => throw null; } protected Microsoft.AspNetCore.Authentication.ISystemClock Clock { get => throw null; } protected Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } protected virtual System.Threading.Tasks.Task CreateEventsAsync() => throw null; + protected AuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) => throw null; protected string CurrentUri { get => throw null; } - protected virtual object Events { get => throw null; set => throw null; } + protected virtual object Events { get => throw null; set { } } public System.Threading.Tasks.Task ForbidAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected abstract System.Threading.Tasks.Task HandleAuthenticateAsync(); protected System.Threading.Tasks.Task HandleAuthenticateOnceAsync() => throw null; @@ -63,37 +59,33 @@ public static class AuthenticationConfigurationProviderExtensions public Microsoft.AspNetCore.Authentication.AuthenticationScheme Scheme { get => throw null; } protected System.Text.Encodings.Web.UrlEncoder UrlEncoder { get => throw null; } } - public class AuthenticationMiddleware { public AuthenticationMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider Schemes { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider Schemes { get => throw null; set { } } } - public class AuthenticationSchemeOptions { + public string ClaimsIssuer { get => throw null; set { } } public AuthenticationSchemeOptions() => throw null; - public string ClaimsIssuer { get => throw null; set => throw null; } - public object Events { get => throw null; set => throw null; } - public System.Type EventsType { get => throw null; set => throw null; } - public string ForwardAuthenticate { get => throw null; set => throw null; } - public string ForwardChallenge { get => throw null; set => throw null; } - public string ForwardDefault { get => throw null; set => throw null; } - public System.Func ForwardDefaultSelector { get => throw null; set => throw null; } - public string ForwardForbid { get => throw null; set => throw null; } - public string ForwardSignIn { get => throw null; set => throw null; } - public string ForwardSignOut { get => throw null; set => throw null; } + public object Events { get => throw null; set { } } + public System.Type EventsType { get => throw null; set { } } + public string ForwardAuthenticate { get => throw null; set { } } + public string ForwardChallenge { get => throw null; set { } } + public string ForwardDefault { get => throw null; set { } } + public System.Func ForwardDefaultSelector { get => throw null; set { } } + public string ForwardForbid { get => throw null; set { } } + public string ForwardSignIn { get => throw null; set { } } + public string ForwardSignOut { get => throw null; set { } } public virtual void Validate() => throw null; public virtual void Validate(string scheme) => throw null; } - public static class Base64UrlTextEncoder { - public static System.Byte[] Decode(string text) => throw null; - public static string Encode(System.Byte[] data) => throw null; + public static byte[] Decode(string text) => throw null; + public static string Encode(byte[] data) => throw null; } - public abstract class BaseContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { protected BaseContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options) => throw null; @@ -103,36 +95,32 @@ public abstract class BaseContext where TOptions : Microsoft.AspNetCor public Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } public Microsoft.AspNetCore.Authentication.AuthenticationScheme Scheme { get => throw null; } } - public class HandleRequestContext : Microsoft.AspNetCore.Authentication.BaseContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { protected HandleRequestContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; public void HandleResponse() => throw null; - public Microsoft.AspNetCore.Authentication.HandleRequestResult Result { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.HandleRequestResult Result { get => throw null; set { } } public void SkipHandler() => throw null; } - public class HandleRequestResult : Microsoft.AspNetCore.Authentication.AuthenticateResult { + public HandleRequestResult() => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult Fail(System.Exception failure) => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult Fail(System.Exception failure, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult Fail(string failureMessage) => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult Fail(string failureMessage, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult Handle() => throw null; - public HandleRequestResult() => throw null; public bool Handled { get => throw null; } public static Microsoft.AspNetCore.Authentication.HandleRequestResult NoResult() => throw null; public static Microsoft.AspNetCore.Authentication.HandleRequestResult SkipHandler() => throw null; public bool Skipped { get => throw null; } public static Microsoft.AspNetCore.Authentication.HandleRequestResult Success(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) => throw null; } - public interface IDataSerializer { - TModel Deserialize(System.Byte[] data); - System.Byte[] Serialize(TModel model); + TModel Deserialize(byte[] data); + byte[] Serialize(TModel model); } - public interface ISecureDataFormat { string Protect(TData data); @@ -140,222 +128,196 @@ public interface ISecureDataFormat TData Unprotect(string protectedText); TData Unprotect(string protectedText, string purpose); } - public interface ISystemClock { System.DateTimeOffset UtcNow { get; } } - - public static class JsonDocumentAuthExtensions + public static partial class JsonDocumentAuthExtensions { public static string GetString(this System.Text.Json.JsonElement element, string key) => throw null; } - public class PolicySchemeHandler : Microsoft.AspNetCore.Authentication.SignInAuthenticationHandler { + public PolicySchemeHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected override System.Threading.Tasks.Task HandleAuthenticateAsync() => throw null; protected override System.Threading.Tasks.Task HandleChallengeAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task HandleForbiddenAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task HandleSignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task HandleSignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public PolicySchemeHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; } - public class PolicySchemeOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { public PolicySchemeOptions() => throw null; } - public abstract class PrincipalContext : Microsoft.AspNetCore.Authentication.PropertiesContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { - public virtual System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } protected PrincipalContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; + public virtual System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set { } } } - public abstract class PropertiesContext : Microsoft.AspNetCore.Authentication.BaseContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { - public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } protected PropertiesContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; + public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } } - public class PropertiesDataFormat : Microsoft.AspNetCore.Authentication.SecureDataFormat { public PropertiesDataFormat(Microsoft.AspNetCore.DataProtection.IDataProtector protector) : base(default(Microsoft.AspNetCore.Authentication.IDataSerializer), default(Microsoft.AspNetCore.DataProtection.IDataProtector)) => throw null; } - public class PropertiesSerializer : Microsoft.AspNetCore.Authentication.IDataSerializer { - public static Microsoft.AspNetCore.Authentication.PropertiesSerializer Default { get => throw null; } - public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Deserialize(System.Byte[] data) => throw null; public PropertiesSerializer() => throw null; + public static Microsoft.AspNetCore.Authentication.PropertiesSerializer Default { get => throw null; } + public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Deserialize(byte[] data) => throw null; public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Read(System.IO.BinaryReader reader) => throw null; - public virtual System.Byte[] Serialize(Microsoft.AspNetCore.Authentication.AuthenticationProperties model) => throw null; + public virtual byte[] Serialize(Microsoft.AspNetCore.Authentication.AuthenticationProperties model) => throw null; public virtual void Write(System.IO.BinaryWriter writer, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; } - public class RedirectContext : Microsoft.AspNetCore.Authentication.PropertiesContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { public RedirectContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string redirectUri) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; - public string RedirectUri { get => throw null; set => throw null; } + public string RedirectUri { get => throw null; set { } } } - public abstract class RemoteAuthenticationContext : Microsoft.AspNetCore.Authentication.HandleRequestContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { + protected RemoteAuthenticationContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; public void Fail(System.Exception failure) => throw null; public void Fail(string failureMessage) => throw null; - public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - protected RemoteAuthenticationContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; + public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } public void Success() => throw null; } - public class RemoteAuthenticationEvents { public virtual System.Threading.Tasks.Task AccessDenied(Microsoft.AspNetCore.Authentication.AccessDeniedContext context) => throw null; - public System.Func OnAccessDenied { get => throw null; set => throw null; } - public System.Func OnRemoteFailure { get => throw null; set => throw null; } - public System.Func OnTicketReceived { get => throw null; set => throw null; } public RemoteAuthenticationEvents() => throw null; + public System.Func OnAccessDenied { get => throw null; set { } } + public System.Func OnRemoteFailure { get => throw null; set { } } + public System.Func OnTicketReceived { get => throw null; set { } } public virtual System.Threading.Tasks.Task RemoteFailure(Microsoft.AspNetCore.Authentication.RemoteFailureContext context) => throw null; public virtual System.Threading.Tasks.Task TicketReceived(Microsoft.AspNetCore.Authentication.TicketReceivedContext context) => throw null; } - - public abstract class RemoteAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationRequestHandler where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() + public abstract class RemoteAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationRequestHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() { protected override System.Threading.Tasks.Task CreateEventsAsync() => throw null; - protected Microsoft.AspNetCore.Authentication.RemoteAuthenticationEvents Events { get => throw null; set => throw null; } + protected RemoteAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; + protected Microsoft.AspNetCore.Authentication.RemoteAuthenticationEvents Events { get => throw null; set { } } protected virtual void GenerateCorrelationId(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected virtual System.Threading.Tasks.Task HandleAccessDeniedErrorAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected override System.Threading.Tasks.Task HandleAuthenticateAsync() => throw null; protected override System.Threading.Tasks.Task HandleForbiddenAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; protected abstract System.Threading.Tasks.Task HandleRemoteAuthenticateAsync(); public virtual System.Threading.Tasks.Task HandleRequestAsync() => throw null; - protected RemoteAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; public virtual System.Threading.Tasks.Task ShouldHandleRequestAsync() => throw null; protected string SignInScheme { get => throw null; } protected virtual bool ValidateCorrelationId(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; } - public class RemoteAuthenticationOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { - public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set => throw null; } - public System.Net.Http.HttpClient Backchannel { get => throw null; set => throw null; } - public System.Net.Http.HttpMessageHandler BackchannelHttpHandler { get => throw null; set => throw null; } - public System.TimeSpan BackchannelTimeout { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString CallbackPath { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.CookieBuilder CorrelationCookie { get => throw null; set => throw null; } - public Microsoft.AspNetCore.DataProtection.IDataProtectionProvider DataProtectionProvider { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.RemoteAuthenticationEvents Events { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.PathString AccessDeniedPath { get => throw null; set { } } + public System.Net.Http.HttpClient Backchannel { get => throw null; set { } } + public System.Net.Http.HttpMessageHandler BackchannelHttpHandler { get => throw null; set { } } + public System.TimeSpan BackchannelTimeout { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString CallbackPath { get => throw null; set { } } + public Microsoft.AspNetCore.Http.CookieBuilder CorrelationCookie { get => throw null; set { } } public RemoteAuthenticationOptions() => throw null; - public System.TimeSpan RemoteAuthenticationTimeout { get => throw null; set => throw null; } - public string ReturnUrlParameter { get => throw null; set => throw null; } - public bool SaveTokens { get => throw null; set => throw null; } - public string SignInScheme { get => throw null; set => throw null; } - public override void Validate() => throw null; + public Microsoft.AspNetCore.DataProtection.IDataProtectionProvider DataProtectionProvider { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.RemoteAuthenticationEvents Events { get => throw null; set { } } + public System.TimeSpan RemoteAuthenticationTimeout { get => throw null; set { } } + public string ReturnUrlParameter { get => throw null; set { } } + public bool SaveTokens { get => throw null; set { } } + public string SignInScheme { get => throw null; set { } } public override void Validate(string scheme) => throw null; + public override void Validate() => throw null; } - public class RemoteFailureContext : Microsoft.AspNetCore.Authentication.HandleRequestContext { - public System.Exception Failure { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } public RemoteFailureContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions options, System.Exception failure) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions)) => throw null; + public System.Exception Failure { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } } - public class RequestPathBaseCookieBuilder : Microsoft.AspNetCore.Http.CookieBuilder { protected virtual string AdditionalPath { get => throw null; } public override Microsoft.AspNetCore.Http.CookieOptions Build(Microsoft.AspNetCore.Http.HttpContext context, System.DateTimeOffset expiresFrom) => throw null; public RequestPathBaseCookieBuilder() => throw null; } - public abstract class ResultContext : Microsoft.AspNetCore.Authentication.BaseContext where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions { + protected ResultContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; public void Fail(System.Exception failure) => throw null; public void Fail(string failureMessage) => throw null; public void NoResult() => throw null; - public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } public Microsoft.AspNetCore.Authentication.AuthenticateResult Result { get => throw null; } - protected ResultContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, TOptions options) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(TOptions)) => throw null; public void Success() => throw null; } - public class SecureDataFormat : Microsoft.AspNetCore.Authentication.ISecureDataFormat { + public SecureDataFormat(Microsoft.AspNetCore.Authentication.IDataSerializer serializer, Microsoft.AspNetCore.DataProtection.IDataProtector protector) => throw null; public string Protect(TData data) => throw null; public string Protect(TData data, string purpose) => throw null; - public SecureDataFormat(Microsoft.AspNetCore.Authentication.IDataSerializer serializer, Microsoft.AspNetCore.DataProtection.IDataProtector protector) => throw null; public TData Unprotect(string protectedText) => throw null; public TData Unprotect(string protectedText, string purpose) => throw null; } - - public abstract class SignInAuthenticationHandler : Microsoft.AspNetCore.Authentication.SignOutAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignInHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() + public abstract class SignInAuthenticationHandler : Microsoft.AspNetCore.Authentication.SignOutAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignInHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() { + public SignInAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected abstract System.Threading.Tasks.Task HandleSignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); public virtual System.Threading.Tasks.Task SignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public SignInAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; } - - public abstract class SignOutAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() + public abstract class SignOutAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() { + public SignOutAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected abstract System.Threading.Tasks.Task HandleSignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); public virtual System.Threading.Tasks.Task SignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public SignOutAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; } - public class SystemClock : Microsoft.AspNetCore.Authentication.ISystemClock { public SystemClock() => throw null; public System.DateTimeOffset UtcNow { get => throw null; } } - public class TicketDataFormat : Microsoft.AspNetCore.Authentication.SecureDataFormat { public TicketDataFormat(Microsoft.AspNetCore.DataProtection.IDataProtector protector) : base(default(Microsoft.AspNetCore.Authentication.IDataSerializer), default(Microsoft.AspNetCore.DataProtection.IDataProtector)) => throw null; } - public class TicketReceivedContext : Microsoft.AspNetCore.Authentication.RemoteAuthenticationContext { - public string ReturnUri { get => throw null; set => throw null; } public TicketReceivedContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions options, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) : base(default(Microsoft.AspNetCore.Http.HttpContext), default(Microsoft.AspNetCore.Authentication.AuthenticationScheme), default(Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions), default(Microsoft.AspNetCore.Authentication.AuthenticationProperties)) => throw null; + public string ReturnUri { get => throw null; set { } } } - public class TicketSerializer : Microsoft.AspNetCore.Authentication.IDataSerializer { + public TicketSerializer() => throw null; public static Microsoft.AspNetCore.Authentication.TicketSerializer Default { get => throw null; } - public virtual Microsoft.AspNetCore.Authentication.AuthenticationTicket Deserialize(System.Byte[] data) => throw null; + public virtual Microsoft.AspNetCore.Authentication.AuthenticationTicket Deserialize(byte[] data) => throw null; public virtual Microsoft.AspNetCore.Authentication.AuthenticationTicket Read(System.IO.BinaryReader reader) => throw null; protected virtual System.Security.Claims.Claim ReadClaim(System.IO.BinaryReader reader, System.Security.Claims.ClaimsIdentity identity) => throw null; protected virtual System.Security.Claims.ClaimsIdentity ReadIdentity(System.IO.BinaryReader reader) => throw null; - public virtual System.Byte[] Serialize(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) => throw null; - public TicketSerializer() => throw null; + public virtual byte[] Serialize(Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) => throw null; public virtual void Write(System.IO.BinaryWriter writer, Microsoft.AspNetCore.Authentication.AuthenticationTicket ticket) => throw null; protected virtual void WriteClaim(System.IO.BinaryWriter writer, System.Security.Claims.Claim claim) => throw null; protected virtual void WriteIdentity(System.IO.BinaryWriter writer, System.Security.Claims.ClaimsIdentity identity) => throw null; } - } namespace Builder { - public static class AuthAppBuilderExtensions + public static partial class AuthAppBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseAuthentication(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class AuthenticationServiceCollectionExtensions + public static partial class AuthenticationServiceCollectionExtensions { public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddAuthentication(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; - public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddAuthentication(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddAuthentication(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string defaultScheme) => throw null; + public static Microsoft.AspNetCore.Authentication.AuthenticationBuilder AddAuthentication(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.Policy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.Policy.cs index b222c2499b9a..9a57d7130c2f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.Policy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.Policy.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authorization.Policy, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -13,12 +12,10 @@ public class AuthorizationMiddleware public AuthorizationMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider policyProvider, System.IServiceProvider services) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public interface IAuthorizationMiddlewareResultHandler { System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Authorization.Policy.PolicyAuthorizationResult authorizeResult); } - namespace Policy { public class AuthorizationMiddlewareResultHandler : Microsoft.AspNetCore.Authorization.IAuthorizationMiddlewareResultHandler @@ -26,13 +23,11 @@ public class AuthorizationMiddlewareResultHandler : Microsoft.AspNetCore.Authori public AuthorizationMiddlewareResultHandler() => throw null; public System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Authorization.Policy.PolicyAuthorizationResult authorizeResult) => throw null; } - public interface IPolicyEvaluator { System.Threading.Tasks.Task AuthenticateAsync(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Http.HttpContext context); System.Threading.Tasks.Task AuthorizeAsync(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Authentication.AuthenticateResult authenticationResult, Microsoft.AspNetCore.Http.HttpContext context, object resource); } - public class PolicyAuthorizationResult { public Microsoft.AspNetCore.Authorization.AuthorizationFailure AuthorizationFailure { get => throw null; } @@ -44,47 +39,42 @@ public class PolicyAuthorizationResult public bool Succeeded { get => throw null; } public static Microsoft.AspNetCore.Authorization.Policy.PolicyAuthorizationResult Success() => throw null; } - public class PolicyEvaluator : Microsoft.AspNetCore.Authorization.Policy.IPolicyEvaluator { public virtual System.Threading.Tasks.Task AuthenticateAsync(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Http.HttpContext context) => throw null; public virtual System.Threading.Tasks.Task AuthorizeAsync(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy, Microsoft.AspNetCore.Authentication.AuthenticateResult authenticationResult, Microsoft.AspNetCore.Http.HttpContext context, object resource) => throw null; public PolicyEvaluator(Microsoft.AspNetCore.Authorization.IAuthorizationService authorization) => throw null; } - } } namespace Builder { - public static class AuthorizationAppBuilderExtensions + public static partial class AuthorizationAppBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseAuthorization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class AuthorizationEndpointConventionBuilderExtensions + public static partial class AuthorizationEndpointConventionBuilderExtensions { public static TBuilder AllowAnonymous(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder RequireAuthorization(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder RequireAuthorization(this TBuilder builder, System.Action configurePolicy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder RequireAuthorization(this TBuilder builder, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder RequireAuthorization(this TBuilder builder, params Microsoft.AspNetCore.Authorization.IAuthorizeData[] authorizeData) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder RequireAuthorization(this TBuilder builder, params string[] policyNames) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder RequireAuthorization(this TBuilder builder, params Microsoft.AspNetCore.Authorization.IAuthorizeData[] authorizeData) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder RequireAuthorization(this TBuilder builder, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder RequireAuthorization(this TBuilder builder, System.Action configurePolicy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class PolicyServiceCollectionExtensions + public static partial class PolicyServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthorization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthorization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; public static Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddAuthorizationBuilder(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthorizationPolicyEvaluator(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.cs index 283e5ba164f7..616385358b97 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authorization.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Authorization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,22 +10,20 @@ public class AllowAnonymousAttribute : System.Attribute, Microsoft.AspNetCore.Au { public AllowAnonymousAttribute() => throw null; } - public class AuthorizationBuilder { - public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddDefaultPolicy(string name, System.Action configurePolicy) => throw null; public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddDefaultPolicy(string name, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; - public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddFallbackPolicy(string name, System.Action configurePolicy) => throw null; + public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddDefaultPolicy(string name, System.Action configurePolicy) => throw null; public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddFallbackPolicy(string name, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; - public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddPolicy(string name, System.Action configurePolicy) => throw null; + public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddFallbackPolicy(string name, System.Action configurePolicy) => throw null; public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddPolicy(string name, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; + public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder AddPolicy(string name, System.Action configurePolicy) => throw null; public AuthorizationBuilder(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public virtual Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder SetDefaultPolicy(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder SetFallbackPolicy(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public virtual Microsoft.AspNetCore.Authorization.AuthorizationBuilder SetInvokeHandlersAfterFailure(bool invoke) => throw null; } - public class AuthorizationFailure { public static Microsoft.AspNetCore.Authorization.AuthorizationFailure ExplicitFail() => throw null; @@ -36,28 +33,24 @@ public class AuthorizationFailure public System.Collections.Generic.IEnumerable FailedRequirements { get => throw null; } public System.Collections.Generic.IEnumerable FailureReasons { get => throw null; } } - public class AuthorizationFailureReason { public AuthorizationFailureReason(Microsoft.AspNetCore.Authorization.IAuthorizationHandler handler, string message) => throw null; public Microsoft.AspNetCore.Authorization.IAuthorizationHandler Handler { get => throw null; } public string Message { get => throw null; } } - - public abstract class AuthorizationHandler : Microsoft.AspNetCore.Authorization.IAuthorizationHandler where TRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationRequirement + public abstract class AuthorizationHandler : Microsoft.AspNetCore.Authorization.IAuthorizationHandler where TRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { protected AuthorizationHandler() => throw null; public virtual System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; - protected abstract System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, TRequirement requirement, TResource resource); + protected abstract System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, TRequirement requirement); } - - public abstract class AuthorizationHandler : Microsoft.AspNetCore.Authorization.IAuthorizationHandler where TRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationRequirement + public abstract class AuthorizationHandler : Microsoft.AspNetCore.Authorization.IAuthorizationHandler where TRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { protected AuthorizationHandler() => throw null; public virtual System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; - protected abstract System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, TRequirement requirement); + protected abstract System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, TRequirement requirement, TResource resource); } - public class AuthorizationHandlerContext { public AuthorizationHandlerContext(System.Collections.Generic.IEnumerable requirements, System.Security.Claims.ClaimsPrincipal user, object resource) => throw null; @@ -72,94 +65,84 @@ public class AuthorizationHandlerContext public virtual void Succeed(Microsoft.AspNetCore.Authorization.IAuthorizationRequirement requirement) => throw null; public virtual System.Security.Claims.ClaimsPrincipal User { get => throw null; } } - public class AuthorizationOptions { - public void AddPolicy(string name, System.Action configurePolicy) => throw null; public void AddPolicy(string name, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; + public void AddPolicy(string name, System.Action configurePolicy) => throw null; public AuthorizationOptions() => throw null; - public Microsoft.AspNetCore.Authorization.AuthorizationPolicy DefaultPolicy { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authorization.AuthorizationPolicy FallbackPolicy { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authorization.AuthorizationPolicy DefaultPolicy { get => throw null; set { } } + public Microsoft.AspNetCore.Authorization.AuthorizationPolicy FallbackPolicy { get => throw null; set { } } public Microsoft.AspNetCore.Authorization.AuthorizationPolicy GetPolicy(string name) => throw null; - public bool InvokeHandlersAfterFailure { get => throw null; set => throw null; } + public bool InvokeHandlersAfterFailure { get => throw null; set { } } } - public class AuthorizationPolicy { public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; } - public AuthorizationPolicy(System.Collections.Generic.IEnumerable requirements, System.Collections.Generic.IEnumerable authenticationSchemes) => throw null; - public static Microsoft.AspNetCore.Authorization.AuthorizationPolicy Combine(System.Collections.Generic.IEnumerable policies) => throw null; public static Microsoft.AspNetCore.Authorization.AuthorizationPolicy Combine(params Microsoft.AspNetCore.Authorization.AuthorizationPolicy[] policies) => throw null; + public static Microsoft.AspNetCore.Authorization.AuthorizationPolicy Combine(System.Collections.Generic.IEnumerable policies) => throw null; public static System.Threading.Tasks.Task CombineAsync(Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider policyProvider, System.Collections.Generic.IEnumerable authorizeData) => throw null; public static System.Threading.Tasks.Task CombineAsync(Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider policyProvider, System.Collections.Generic.IEnumerable authorizeData, System.Collections.Generic.IEnumerable policies) => throw null; + public AuthorizationPolicy(System.Collections.Generic.IEnumerable requirements, System.Collections.Generic.IEnumerable authenticationSchemes) => throw null; public System.Collections.Generic.IReadOnlyList Requirements { get => throw null; } } - public class AuthorizationPolicyBuilder { public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder AddAuthenticationSchemes(params string[] schemes) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder AddRequirements(params Microsoft.AspNetCore.Authorization.IAuthorizationRequirement[] requirements) => throw null; - public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set => throw null; } - public AuthorizationPolicyBuilder(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; - public AuthorizationPolicyBuilder(params string[] authenticationSchemes) => throw null; + public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set { } } public Microsoft.AspNetCore.Authorization.AuthorizationPolicy Build() => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder Combine(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; - public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireAssertion(System.Func> handler) => throw null; + public AuthorizationPolicyBuilder(params string[] authenticationSchemes) => throw null; + public AuthorizationPolicyBuilder(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireAssertion(System.Func handler) => throw null; + public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireAssertion(System.Func> handler) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireAuthenticatedUser() => throw null; - public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireClaim(string claimType) => throw null; - public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireClaim(string claimType, System.Collections.Generic.IEnumerable allowedValues) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireClaim(string claimType, params string[] allowedValues) => throw null; - public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireRole(System.Collections.Generic.IEnumerable roles) => throw null; + public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireClaim(string claimType, System.Collections.Generic.IEnumerable allowedValues) => throw null; + public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireClaim(string claimType) => throw null; + public System.Collections.Generic.IList Requirements { get => throw null; set { } } public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireRole(params string[] roles) => throw null; + public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireRole(System.Collections.Generic.IEnumerable roles) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicyBuilder RequireUserName(string userName) => throw null; - public System.Collections.Generic.IList Requirements { get => throw null; set => throw null; } } - public class AuthorizationResult { - public static Microsoft.AspNetCore.Authorization.AuthorizationResult Failed() => throw null; public static Microsoft.AspNetCore.Authorization.AuthorizationResult Failed(Microsoft.AspNetCore.Authorization.AuthorizationFailure failure) => throw null; + public static Microsoft.AspNetCore.Authorization.AuthorizationResult Failed() => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationFailure Failure { get => throw null; } public bool Succeeded { get => throw null; } public static Microsoft.AspNetCore.Authorization.AuthorizationResult Success() => throw null; } - - public static class AuthorizationServiceExtensions + public static partial class AuthorizationServiceExtensions { - public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; - public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, object resource, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, object resource, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement requirement) => throw null; + public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, object resource, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; + public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public static System.Threading.Tasks.Task AuthorizeAsync(this Microsoft.AspNetCore.Authorization.IAuthorizationService service, System.Security.Claims.ClaimsPrincipal user, string policyName) => throw null; } - public class AuthorizeAttribute : System.Attribute, Microsoft.AspNetCore.Authorization.IAuthorizeData { - public string AuthenticationSchemes { get => throw null; set => throw null; } + public string AuthenticationSchemes { get => throw null; set { } } public AuthorizeAttribute() => throw null; public AuthorizeAttribute(string policy) => throw null; - public string Policy { get => throw null; set => throw null; } - public string Roles { get => throw null; set => throw null; } + public string Policy { get => throw null; set { } } + public string Roles { get => throw null; set { } } } - public class DefaultAuthorizationEvaluator : Microsoft.AspNetCore.Authorization.IAuthorizationEvaluator { public DefaultAuthorizationEvaluator() => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationResult Evaluate(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; } - public class DefaultAuthorizationHandlerContextFactory : Microsoft.AspNetCore.Authorization.IAuthorizationHandlerContextFactory { public virtual Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext CreateContext(System.Collections.Generic.IEnumerable requirements, System.Security.Claims.ClaimsPrincipal user, object resource) => throw null; public DefaultAuthorizationHandlerContextFactory() => throw null; } - public class DefaultAuthorizationHandlerProvider : Microsoft.AspNetCore.Authorization.IAuthorizationHandlerProvider { public DefaultAuthorizationHandlerProvider(System.Collections.Generic.IEnumerable handlers) => throw null; public System.Threading.Tasks.Task> GetHandlersAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; } - public class DefaultAuthorizationPolicyProvider : Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider { public virtual bool AllowsCachingPolicies { get => throw null; } @@ -168,63 +151,53 @@ public class DefaultAuthorizationPolicyProvider : Microsoft.AspNetCore.Authoriza public System.Threading.Tasks.Task GetFallbackPolicyAsync() => throw null; public virtual System.Threading.Tasks.Task GetPolicyAsync(string policyName) => throw null; } - public class DefaultAuthorizationService : Microsoft.AspNetCore.Authorization.IAuthorizationService { public virtual System.Threading.Tasks.Task AuthorizeAsync(System.Security.Claims.ClaimsPrincipal user, object resource, System.Collections.Generic.IEnumerable requirements) => throw null; public virtual System.Threading.Tasks.Task AuthorizeAsync(System.Security.Claims.ClaimsPrincipal user, object resource, string policyName) => throw null; public DefaultAuthorizationService(Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider policyProvider, Microsoft.AspNetCore.Authorization.IAuthorizationHandlerProvider handlers, Microsoft.Extensions.Logging.ILogger logger, Microsoft.AspNetCore.Authorization.IAuthorizationHandlerContextFactory contextFactory, Microsoft.AspNetCore.Authorization.IAuthorizationEvaluator evaluator, Microsoft.Extensions.Options.IOptions options) => throw null; } - public interface IAuthorizationEvaluator { Microsoft.AspNetCore.Authorization.AuthorizationResult Evaluate(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context); } - public interface IAuthorizationHandler { System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context); } - public interface IAuthorizationHandlerContextFactory { Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext CreateContext(System.Collections.Generic.IEnumerable requirements, System.Security.Claims.ClaimsPrincipal user, object resource); } - public interface IAuthorizationHandlerProvider { System.Threading.Tasks.Task> GetHandlersAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context); } - public interface IAuthorizationPolicyProvider { - bool AllowsCachingPolicies { get => throw null; } + virtual bool AllowsCachingPolicies { get => throw null; } System.Threading.Tasks.Task GetDefaultPolicyAsync(); System.Threading.Tasks.Task GetFallbackPolicyAsync(); System.Threading.Tasks.Task GetPolicyAsync(string policyName); } - public interface IAuthorizationRequirement { } - public interface IAuthorizationService { System.Threading.Tasks.Task AuthorizeAsync(System.Security.Claims.ClaimsPrincipal user, object resource, System.Collections.Generic.IEnumerable requirements); System.Threading.Tasks.Task AuthorizeAsync(System.Security.Claims.ClaimsPrincipal user, object resource, string policyName); } - namespace Infrastructure { public class AssertionRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationHandler, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { - public AssertionRequirement(System.Func> handler) => throw null; public AssertionRequirement(System.Func handler) => throw null; + public AssertionRequirement(System.Func> handler) => throw null; public System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; public System.Func> Handler { get => throw null; } public override string ToString() => throw null; } - public class ClaimsAuthorizationRequirement : Microsoft.AspNetCore.Authorization.AuthorizationHandler, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { public System.Collections.Generic.IEnumerable AllowedValues { get => throw null; } @@ -233,44 +206,38 @@ public class ClaimsAuthorizationRequirement : Microsoft.AspNetCore.Authorization protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.ClaimsAuthorizationRequirement requirement) => throw null; public override string ToString() => throw null; } - public class DenyAnonymousAuthorizationRequirement : Microsoft.AspNetCore.Authorization.AuthorizationHandler, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { public DenyAnonymousAuthorizationRequirement() => throw null; protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.DenyAnonymousAuthorizationRequirement requirement) => throw null; public override string ToString() => throw null; } - public class NameAuthorizationRequirement : Microsoft.AspNetCore.Authorization.AuthorizationHandler, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { - protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.NameAuthorizationRequirement requirement) => throw null; public NameAuthorizationRequirement(string requiredName) => throw null; + protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.NameAuthorizationRequirement requirement) => throw null; public string RequiredName { get => throw null; } public override string ToString() => throw null; } - public class OperationAuthorizationRequirement : Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { - public string Name { get => throw null; set => throw null; } public OperationAuthorizationRequirement() => throw null; + public string Name { get => throw null; set { } } public override string ToString() => throw null; } - public class PassThroughAuthorizationHandler : Microsoft.AspNetCore.Authorization.IAuthorizationHandler { - public System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; public PassThroughAuthorizationHandler() => throw null; public PassThroughAuthorizationHandler(Microsoft.Extensions.Options.IOptions options) => throw null; + public System.Threading.Tasks.Task HandleAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context) => throw null; } - public class RolesAuthorizationRequirement : Microsoft.AspNetCore.Authorization.AuthorizationHandler, Microsoft.AspNetCore.Authorization.IAuthorizationRequirement { public System.Collections.Generic.IEnumerable AllowedRoles { get => throw null; } - protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.RolesAuthorizationRequirement requirement) => throw null; public RolesAuthorizationRequirement(System.Collections.Generic.IEnumerable allowedRoles) => throw null; + protected override System.Threading.Tasks.Task HandleRequirementAsync(Microsoft.AspNetCore.Authorization.AuthorizationHandlerContext context, Microsoft.AspNetCore.Authorization.Infrastructure.RolesAuthorizationRequirement requirement) => throw null; public override string ToString() => throw null; } - } } } @@ -278,12 +245,11 @@ namespace Extensions { namespace DependencyInjection { - public static class AuthorizationServiceCollectionExtensions + public static partial class AuthorizationServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthorizationCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddAuthorizationCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs index ab4f39e2d8bd..d270d27e7abd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Components.Authorization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -14,61 +13,53 @@ public class AuthenticationState public AuthenticationState(System.Security.Claims.ClaimsPrincipal user) => throw null; public System.Security.Claims.ClaimsPrincipal User { get => throw null; } } - public delegate void AuthenticationStateChangedHandler(System.Threading.Tasks.Task task); - public abstract class AuthenticationStateProvider { - public event Microsoft.AspNetCore.Components.Authorization.AuthenticationStateChangedHandler AuthenticationStateChanged; + public event Microsoft.AspNetCore.Components.Authorization.AuthenticationStateChangedHandler AuthenticationStateChanged { add { } remove { } } protected AuthenticationStateProvider() => throw null; public abstract System.Threading.Tasks.Task GetAuthenticationStateAsync(); protected void NotifyAuthenticationStateChanged(System.Threading.Tasks.Task task) => throw null; } - - public class AuthorizeRouteView : Microsoft.AspNetCore.Components.RouteView + public sealed class AuthorizeRouteView : Microsoft.AspNetCore.Components.RouteView { + public Microsoft.AspNetCore.Components.RenderFragment Authorizing { get => throw null; set { } } public AuthorizeRouteView() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment Authorizing { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.RenderFragment NotAuthorized { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment NotAuthorized { get => throw null; set { } } protected override void Render(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public object Resource { get => throw null; set => throw null; } + public object Resource { get => throw null; set { } } } - public class AuthorizeView : Microsoft.AspNetCore.Components.Authorization.AuthorizeViewCore { public AuthorizeView() => throw null; protected override Microsoft.AspNetCore.Authorization.IAuthorizeData[] GetAuthorizeData() => throw null; - public string Policy { get => throw null; set => throw null; } - public string Roles { get => throw null; set => throw null; } + public string Policy { get => throw null; set { } } + public string Roles { get => throw null; set { } } } - public abstract class AuthorizeViewCore : Microsoft.AspNetCore.Components.ComponentBase { - protected AuthorizeViewCore() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment Authorized { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.RenderFragment Authorizing { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment Authorized { get => throw null; set { } } + public Microsoft.AspNetCore.Components.RenderFragment Authorizing { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } + protected AuthorizeViewCore() => throw null; protected abstract Microsoft.AspNetCore.Authorization.IAuthorizeData[] GetAuthorizeData(); - public Microsoft.AspNetCore.Components.RenderFragment NotAuthorized { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment NotAuthorized { get => throw null; set { } } protected override System.Threading.Tasks.Task OnParametersSetAsync() => throw null; - public object Resource { get => throw null; set => throw null; } + public object Resource { get => throw null; set { } } } - public class CascadingAuthenticationState : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder __builder) => throw null; + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public CascadingAuthenticationState() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } void System.IDisposable.Dispose() => throw null; protected override void OnInitialized() => throw null; } - public interface IHostEnvironmentAuthenticationStateProvider { void SetAuthenticationState(System.Threading.Tasks.Task authenticationStateTask); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs index 41a3ef373fcb..f5a415a0da7f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Components.Forms, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,93 +11,83 @@ namespace Forms public class DataAnnotationsValidator : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { public DataAnnotationsValidator() => throw null; - void System.IDisposable.Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; + void System.IDisposable.Dispose() => throw null; protected override void OnInitialized() => throw null; protected override void OnParametersSet() => throw null; } - - public class EditContext + public sealed class EditContext { public EditContext(object model) => throw null; public Microsoft.AspNetCore.Components.Forms.FieldIdentifier Field(string fieldName) => throw null; public System.Collections.Generic.IEnumerable GetValidationMessages() => throw null; - public System.Collections.Generic.IEnumerable GetValidationMessages(System.Linq.Expressions.Expression> accessor) => throw null; public System.Collections.Generic.IEnumerable GetValidationMessages(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; + public System.Collections.Generic.IEnumerable GetValidationMessages(System.Linq.Expressions.Expression> accessor) => throw null; public bool IsModified() => throw null; + public bool IsModified(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public bool IsModified(System.Linq.Expressions.Expression> accessor) => throw null; - public bool IsModified(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; + public void MarkAsUnmodified(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public void MarkAsUnmodified() => throw null; - public void MarkAsUnmodified(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public object Model { get => throw null; } - public void NotifyFieldChanged(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; + public void NotifyFieldChanged(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public void NotifyValidationStateChanged() => throw null; - public event System.EventHandler OnFieldChanged; - public event System.EventHandler OnValidationRequested; - public event System.EventHandler OnValidationStateChanged; + public event System.EventHandler OnFieldChanged { add { } remove { } } + public event System.EventHandler OnValidationRequested { add { } remove { } } + public event System.EventHandler OnValidationStateChanged { add { } remove { } } public Microsoft.AspNetCore.Components.Forms.EditContextProperties Properties { get => throw null; } public bool Validate() => throw null; } - - public static class EditContextDataAnnotationsExtensions + public static partial class EditContextDataAnnotationsExtensions { public static Microsoft.AspNetCore.Components.Forms.EditContext AddDataAnnotationsValidation(this Microsoft.AspNetCore.Components.Forms.EditContext editContext) => throw null; public static System.IDisposable EnableDataAnnotationsValidation(this Microsoft.AspNetCore.Components.Forms.EditContext editContext) => throw null; public static System.IDisposable EnableDataAnnotationsValidation(this Microsoft.AspNetCore.Components.Forms.EditContext editContext, System.IServiceProvider serviceProvider) => throw null; } - - public class EditContextProperties + public sealed class EditContextProperties { public EditContextProperties() => throw null; - public object this[object key] { get => throw null; set => throw null; } public bool Remove(object key) => throw null; + public object this[object key] { get => throw null; set { } } public bool TryGetValue(object key, out object value) => throw null; } - - public class FieldChangedEventArgs : System.EventArgs + public sealed class FieldChangedEventArgs : System.EventArgs { - public FieldChangedEventArgs(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; + public FieldChangedEventArgs(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public Microsoft.AspNetCore.Components.Forms.FieldIdentifier FieldIdentifier { get => throw null; } } - public struct FieldIdentifier : System.IEquatable { public static Microsoft.AspNetCore.Components.Forms.FieldIdentifier Create(System.Linq.Expressions.Expression> accessor) => throw null; - public bool Equals(Microsoft.AspNetCore.Components.Forms.FieldIdentifier otherIdentifier) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor public FieldIdentifier(object model, string fieldName) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(Microsoft.AspNetCore.Components.Forms.FieldIdentifier otherIdentifier) => throw null; public string FieldName { get => throw null; } public override int GetHashCode() => throw null; public object Model { get => throw null; } } - - public class ValidationMessageStore + public sealed class ValidationMessageStore { - public void Add(System.Linq.Expressions.Expression> accessor, System.Collections.Generic.IEnumerable messages) => throw null; + public void Add(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier, string message) => throw null; public void Add(System.Linq.Expressions.Expression> accessor, string message) => throw null; - public void Add(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier, System.Collections.Generic.IEnumerable messages) => throw null; - public void Add(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier, string message) => throw null; + public void Add(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier, System.Collections.Generic.IEnumerable messages) => throw null; + public void Add(System.Linq.Expressions.Expression> accessor, System.Collections.Generic.IEnumerable messages) => throw null; public void Clear() => throw null; public void Clear(System.Linq.Expressions.Expression> accessor) => throw null; - public void Clear(Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; - public System.Collections.Generic.IEnumerable this[System.Linq.Expressions.Expression> accessor] { get => throw null; } - public System.Collections.Generic.IEnumerable this[Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier] { get => throw null; } + public void Clear(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public ValidationMessageStore(Microsoft.AspNetCore.Components.Forms.EditContext editContext) => throw null; + public System.Collections.Generic.IEnumerable this[Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier] { get => throw null; } + public System.Collections.Generic.IEnumerable this[System.Linq.Expressions.Expression> accessor] { get => throw null; } } - - public class ValidationRequestedEventArgs : System.EventArgs + public sealed class ValidationRequestedEventArgs : System.EventArgs { - public static Microsoft.AspNetCore.Components.Forms.ValidationRequestedEventArgs Empty; public ValidationRequestedEventArgs() => throw null; + public static Microsoft.AspNetCore.Components.Forms.ValidationRequestedEventArgs Empty; } - - public class ValidationStateChangedEventArgs : System.EventArgs + public sealed class ValidationStateChangedEventArgs : System.EventArgs { - public static Microsoft.AspNetCore.Components.Forms.ValidationStateChangedEventArgs Empty; public ValidationStateChangedEventArgs() => throw null; + public static Microsoft.AspNetCore.Components.Forms.ValidationStateChangedEventArgs Empty; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs index 7a6d1d8d5775..ba78a292a862 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs @@ -1,72 +1,50 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Components.Server, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public class ComponentEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder + public sealed class ComponentEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; } - - public static class ComponentEndpointRouteBuilderExtensions + public static partial class ComponentEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.ComponentEndpointConventionBuilder MapBlazorHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints) => throw null; - public static Microsoft.AspNetCore.Builder.ComponentEndpointConventionBuilder MapBlazorHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Builder.ComponentEndpointConventionBuilder MapBlazorHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string path) => throw null; + public static Microsoft.AspNetCore.Builder.ComponentEndpointConventionBuilder MapBlazorHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Builder.ComponentEndpointConventionBuilder MapBlazorHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string path, System.Action configureOptions) => throw null; } - } namespace Components { namespace Server { - public class CircuitOptions + public sealed class CircuitOptions { public CircuitOptions() => throw null; - public bool DetailedErrors { get => throw null; set => throw null; } - public int DisconnectedCircuitMaxRetained { get => throw null; set => throw null; } - public System.TimeSpan DisconnectedCircuitRetentionPeriod { get => throw null; set => throw null; } - public System.TimeSpan JSInteropDefaultCallTimeout { get => throw null; set => throw null; } - public int MaxBufferedUnacknowledgedRenderBatches { get => throw null; set => throw null; } + public bool DetailedErrors { get => throw null; set { } } + public int DisconnectedCircuitMaxRetained { get => throw null; set { } } + public System.TimeSpan DisconnectedCircuitRetentionPeriod { get => throw null; set { } } + public System.TimeSpan JSInteropDefaultCallTimeout { get => throw null; set { } } + public int MaxBufferedUnacknowledgedRenderBatches { get => throw null; set { } } public Microsoft.AspNetCore.Components.Server.CircuitRootComponentOptions RootComponents { get => throw null; } } - public class CircuitRootComponentOptions : Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration { public CircuitRootComponentOptions() => throw null; public Microsoft.AspNetCore.Components.Web.JSComponentConfigurationStore JSComponents { get => throw null; } - public int MaxJSRootComponents { get => throw null; set => throw null; } - } - - public abstract class RevalidatingServerAuthenticationStateProvider : Microsoft.AspNetCore.Components.Server.ServerAuthenticationStateProvider, System.IDisposable - { - void System.IDisposable.Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public RevalidatingServerAuthenticationStateProvider(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - protected abstract System.TimeSpan RevalidationInterval { get; } - protected abstract System.Threading.Tasks.Task ValidateAuthenticationStateAsync(Microsoft.AspNetCore.Components.Authorization.AuthenticationState authenticationState, System.Threading.CancellationToken cancellationToken); - } - - public class ServerAuthenticationStateProvider : Microsoft.AspNetCore.Components.Authorization.AuthenticationStateProvider, Microsoft.AspNetCore.Components.Authorization.IHostEnvironmentAuthenticationStateProvider - { - public override System.Threading.Tasks.Task GetAuthenticationStateAsync() => throw null; - public ServerAuthenticationStateProvider() => throw null; - public void SetAuthenticationState(System.Threading.Tasks.Task authenticationStateTask) => throw null; + public int MaxJSRootComponents { get => throw null; set { } } } - namespace Circuits { - public class Circuit + public sealed class Circuit { public string Id { get => throw null; } } - public abstract class CircuitHandler { protected CircuitHandler() => throw null; @@ -76,7 +54,6 @@ public abstract class CircuitHandler public virtual System.Threading.Tasks.Task OnConnectionUpAsync(Microsoft.AspNetCore.Components.Server.Circuits.Circuit circuit, System.Threading.CancellationToken cancellationToken) => throw null; public virtual int Order { get => throw null; } } - } namespace ProtectedBrowserStorage { @@ -85,28 +62,36 @@ public abstract class ProtectedBrowserStorage public System.Threading.Tasks.ValueTask DeleteAsync(string key) => throw null; public System.Threading.Tasks.ValueTask> GetAsync(string key) => throw null; public System.Threading.Tasks.ValueTask> GetAsync(string purpose, string key) => throw null; - protected private ProtectedBrowserStorage(string storeName, Microsoft.JSInterop.IJSRuntime jsRuntime, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider) => throw null; public System.Threading.Tasks.ValueTask SetAsync(string key, object value) => throw null; public System.Threading.Tasks.ValueTask SetAsync(string purpose, string key, object value) => throw null; } - public struct ProtectedBrowserStorageResult { - // Stub generator skipped constructor public bool Success { get => throw null; } public TValue Value { get => throw null; } } - - public class ProtectedLocalStorage : Microsoft.AspNetCore.Components.Server.ProtectedBrowserStorage.ProtectedBrowserStorage + public sealed class ProtectedLocalStorage : Microsoft.AspNetCore.Components.Server.ProtectedBrowserStorage.ProtectedBrowserStorage { - public ProtectedLocalStorage(Microsoft.JSInterop.IJSRuntime jsRuntime, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider) : base(default(string), default(Microsoft.JSInterop.IJSRuntime), default(Microsoft.AspNetCore.DataProtection.IDataProtectionProvider)) => throw null; + public ProtectedLocalStorage(Microsoft.JSInterop.IJSRuntime jsRuntime, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider) => throw null; } - - public class ProtectedSessionStorage : Microsoft.AspNetCore.Components.Server.ProtectedBrowserStorage.ProtectedBrowserStorage + public sealed class ProtectedSessionStorage : Microsoft.AspNetCore.Components.Server.ProtectedBrowserStorage.ProtectedBrowserStorage { - public ProtectedSessionStorage(Microsoft.JSInterop.IJSRuntime jsRuntime, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider) : base(default(string), default(Microsoft.JSInterop.IJSRuntime), default(Microsoft.AspNetCore.DataProtection.IDataProtectionProvider)) => throw null; + public ProtectedSessionStorage(Microsoft.JSInterop.IJSRuntime jsRuntime, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider) => throw null; } - + } + public abstract class RevalidatingServerAuthenticationStateProvider : Microsoft.AspNetCore.Components.Server.ServerAuthenticationStateProvider, System.IDisposable + { + public RevalidatingServerAuthenticationStateProvider(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + void System.IDisposable.Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + protected abstract System.TimeSpan RevalidationInterval { get; } + protected abstract System.Threading.Tasks.Task ValidateAuthenticationStateAsync(Microsoft.AspNetCore.Components.Authorization.AuthenticationState authenticationState, System.Threading.CancellationToken cancellationToken); + } + public class ServerAuthenticationStateProvider : Microsoft.AspNetCore.Components.Authorization.AuthenticationStateProvider, Microsoft.AspNetCore.Components.Authorization.IHostEnvironmentAuthenticationStateProvider + { + public ServerAuthenticationStateProvider() => throw null; + public override System.Threading.Tasks.Task GetAuthenticationStateAsync() => throw null; + public void SetAuthenticationState(System.Threading.Tasks.Task authenticationStateTask) => throw null; } } } @@ -115,22 +100,19 @@ namespace Extensions { namespace DependencyInjection { - public static class ComponentServiceCollectionExtensions + public static partial class ComponentServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServerSideBlazorBuilder AddServerSideBlazor(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure = default(System.Action)) => throw null; } - public interface IServerSideBlazorBuilder { Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - - public static class ServerSideBlazorBuilderExtensions + public static partial class ServerSideBlazorBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IServerSideBlazorBuilder AddCircuitOptions(this Microsoft.Extensions.DependencyInjection.IServerSideBlazorBuilder builder, System.Action configure) => throw null; public static Microsoft.Extensions.DependencyInjection.IServerSideBlazorBuilder AddHubOptions(this Microsoft.Extensions.DependencyInjection.IServerSideBlazorBuilder builder, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs index 49c2bd9fadd2..53a5a16fbb37 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs @@ -1,256 +1,222 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Components.Web, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Components { - public class BindInputElementAttribute : System.Attribute + public sealed class BindInputElementAttribute : System.Attribute { - public BindInputElementAttribute(string type, string suffix, string valueAttribute, string changeAttribute, bool isInvariantCulture, string format) => throw null; public string ChangeAttribute { get => throw null; } + public BindInputElementAttribute(string type, string suffix, string valueAttribute, string changeAttribute, bool isInvariantCulture, string format) => throw null; public string Format { get => throw null; } public bool IsInvariantCulture { get => throw null; } public string Suffix { get => throw null; } public string Type { get => throw null; } public string ValueAttribute { get => throw null; } } - - public static class ElementReferenceExtensions + public static partial class ElementReferenceExtensions { public static System.Threading.Tasks.ValueTask FocusAsync(this Microsoft.AspNetCore.Components.ElementReference elementReference) => throw null; public static System.Threading.Tasks.ValueTask FocusAsync(this Microsoft.AspNetCore.Components.ElementReference elementReference, bool preventScroll) => throw null; } - - public class WebElementReferenceContext : Microsoft.AspNetCore.Components.ElementReferenceContext - { - public WebElementReferenceContext(Microsoft.JSInterop.IJSRuntime jsRuntime) => throw null; - } - namespace Forms { - public static class BrowserFileExtensions + public static partial class BrowserFileExtensions { public static System.Threading.Tasks.ValueTask RequestImageFileAsync(this Microsoft.AspNetCore.Components.Forms.IBrowserFile browserFile, string format, int maxWidth, int maxHeight) => throw null; } - - public static class EditContextFieldClassExtensions + public static partial class EditContextFieldClassExtensions { - public static string FieldCssClass(this Microsoft.AspNetCore.Components.Forms.EditContext editContext, Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public static string FieldCssClass(this Microsoft.AspNetCore.Components.Forms.EditContext editContext, System.Linq.Expressions.Expression> accessor) => throw null; + public static string FieldCssClass(this Microsoft.AspNetCore.Components.Forms.EditContext editContext, in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public static void SetFieldCssClassProvider(this Microsoft.AspNetCore.Components.Forms.EditContext editContext, Microsoft.AspNetCore.Components.Forms.FieldCssClassProvider fieldCssClassProvider) => throw null; } - public class EditForm : Microsoft.AspNetCore.Components.ComponentBase { - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.Forms.EditContext EditContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public EditForm() => throw null; - public object Model { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.EventCallback OnInvalidSubmit { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.Forms.EditContext EditContext { get => throw null; set { } } + public object Model { get => throw null; set { } } + public Microsoft.AspNetCore.Components.EventCallback OnInvalidSubmit { get => throw null; set { } } protected override void OnParametersSet() => throw null; - public Microsoft.AspNetCore.Components.EventCallback OnSubmit { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.EventCallback OnValidSubmit { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.EventCallback OnSubmit { get => throw null; set { } } + public Microsoft.AspNetCore.Components.EventCallback OnValidSubmit { get => throw null; set { } } } - public class FieldCssClassProvider { public FieldCssClassProvider() => throw null; - public virtual string GetFieldCssClass(Microsoft.AspNetCore.Components.Forms.EditContext editContext, Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; + public virtual string GetFieldCssClass(Microsoft.AspNetCore.Components.Forms.EditContext editContext, in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; } - public interface IBrowserFile { string ContentType { get; } System.DateTimeOffset LastModified { get; } string Name { get; } - System.IO.Stream OpenReadStream(System.Int64 maxAllowedSize = default(System.Int64), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Int64 Size { get; } - } - - internal interface IInputFileJsCallbacks - { + System.IO.Stream OpenReadStream(long maxAllowedSize = default(long), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + long Size { get; } } - public abstract class InputBase : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected string CssClass { get => throw null; } - protected TValue CurrentValue { get => throw null; set => throw null; } - protected string CurrentValueAsString { get => throw null; set => throw null; } - public string DisplayName { get => throw null; set => throw null; } - void System.IDisposable.Dispose() => throw null; + protected InputBase() => throw null; + protected TValue CurrentValue { get => throw null; set { } } + protected string CurrentValueAsString { get => throw null; set { } } + public string DisplayName { get => throw null; set { } } protected virtual void Dispose(bool disposing) => throw null; - protected Microsoft.AspNetCore.Components.Forms.EditContext EditContext { get => throw null; set => throw null; } - protected internal Microsoft.AspNetCore.Components.Forms.FieldIdentifier FieldIdentifier { get => throw null; set => throw null; } + void System.IDisposable.Dispose() => throw null; + protected Microsoft.AspNetCore.Components.Forms.EditContext EditContext { get => throw null; set { } } + protected Microsoft.AspNetCore.Components.Forms.FieldIdentifier FieldIdentifier { get => throw null; set { } } protected virtual string FormatValueAsString(TValue value) => throw null; - protected InputBase() => throw null; public override System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; protected abstract bool TryParseValueFromString(string value, out TValue result, out string validationErrorMessage); - public TValue Value { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.EventCallback ValueChanged { get => throw null; set => throw null; } - public System.Linq.Expressions.Expression> ValueExpression { get => throw null; set => throw null; } + public TValue Value { get => throw null; set { } } + public Microsoft.AspNetCore.Components.EventCallback ValueChanged { get => throw null; set { } } + public System.Linq.Expressions.Expression> ValueExpression { get => throw null; set { } } } - public class InputCheckbox : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } public InputCheckbox() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } protected override bool TryParseValueFromString(string value, out bool result, out string validationErrorMessage) => throw null; } - public class InputDate : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } - protected override string FormatValueAsString(TValue value) => throw null; public InputDate() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } + protected override string FormatValueAsString(TValue value) => throw null; protected override void OnParametersSet() => throw null; - public string ParsingErrorMessage { get => throw null; set => throw null; } + public string ParsingErrorMessage { get => throw null; set { } } protected override bool TryParseValueFromString(string value, out TValue result, out string validationErrorMessage) => throw null; - public Microsoft.AspNetCore.Components.Forms.InputDateType Type { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.Forms.InputDateType Type { get => throw null; set { } } } - - public enum InputDateType : int + public enum InputDateType { Date = 0, DateTimeLocal = 1, Month = 2, Time = 3, } - public class InputFile : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { - public System.Collections.Generic.IDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - void System.IDisposable.Dispose() => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } public InputFile() => throw null; + void System.IDisposable.Dispose() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } protected override System.Threading.Tasks.Task OnAfterRenderAsync(bool firstRender) => throw null; - public Microsoft.AspNetCore.Components.EventCallback OnChange { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.EventCallback OnChange { get => throw null; set { } } protected override void OnInitialized() => throw null; } - - public class InputFileChangeEventArgs : System.EventArgs + public sealed class InputFileChangeEventArgs : System.EventArgs { + public InputFileChangeEventArgs(System.Collections.Generic.IReadOnlyList files) => throw null; public Microsoft.AspNetCore.Components.Forms.IBrowserFile File { get => throw null; } public int FileCount { get => throw null; } public System.Collections.Generic.IReadOnlyList GetMultipleFiles(int maximumFileCount = default(int)) => throw null; - public InputFileChangeEventArgs(System.Collections.Generic.IReadOnlyList files) => throw null; } - public class InputNumber : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } - protected override string FormatValueAsString(TValue value) => throw null; public InputNumber() => throw null; - public string ParsingErrorMessage { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } + protected override string FormatValueAsString(TValue value) => throw null; + public string ParsingErrorMessage { get => throw null; set { } } protected override bool TryParseValueFromString(string value, out TValue result, out string validationErrorMessage) => throw null; } - public class InputRadio : Microsoft.AspNetCore.Components.ComponentBase { - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } public InputRadio() => throw null; - public string Name { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } + public string Name { get => throw null; set { } } protected override void OnParametersSet() => throw null; - public TValue Value { get => throw null; set => throw null; } + public TValue Value { get => throw null; set { } } } - public class InputRadioGroup : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public InputRadioGroup() => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } protected override void OnParametersSet() => throw null; protected override bool TryParseValueFromString(string value, out TValue result, out string validationErrorMessage) => throw null; } - public class InputSelect : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } - protected override string FormatValueAsString(TValue value) => throw null; + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public InputSelect() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } + protected override string FormatValueAsString(TValue value) => throw null; protected override bool TryParseValueFromString(string value, out TValue result, out string validationErrorMessage) => throw null; } - public class InputText : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } public InputText() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } protected override bool TryParseValueFromString(string value, out string result, out string validationErrorMessage) => throw null; } - public class InputTextArea : Microsoft.AspNetCore.Components.Forms.InputBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set => throw null; } public InputTextArea() => throw null; + public Microsoft.AspNetCore.Components.ElementReference? Element { get => throw null; set { } } protected override bool TryParseValueFromString(string value, out string result, out string validationErrorMessage) => throw null; } - public class RemoteBrowserFileStreamOptions { - public int MaxBufferSize { get => throw null; set => throw null; } - public int MaxSegmentSize { get => throw null; set => throw null; } public RemoteBrowserFileStreamOptions() => throw null; - public System.TimeSpan SegmentFetchTimeout { get => throw null; set => throw null; } + public int MaxBufferSize { get => throw null; set { } } + public int MaxSegmentSize { get => throw null; set { } } + public System.TimeSpan SegmentFetchTimeout { get => throw null; set { } } } - public class ValidationMessage : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - void System.IDisposable.Dispose() => throw null; + public ValidationMessage() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public System.Linq.Expressions.Expression> For { get => throw null; set => throw null; } + void System.IDisposable.Dispose() => throw null; + public System.Linq.Expressions.Expression> For { get => throw null; set { } } protected override void OnParametersSet() => throw null; - public ValidationMessage() => throw null; } - public class ValidationSummary : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - void System.IDisposable.Dispose() => throw null; + public ValidationSummary() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public object Model { get => throw null; set => throw null; } + void System.IDisposable.Dispose() => throw null; + public object Model { get => throw null; set { } } protected override void OnParametersSet() => throw null; - public ValidationSummary() => throw null; } - } namespace RenderTree { - public class WebEventDescriptor + public sealed class WebEventDescriptor { - public Microsoft.AspNetCore.Components.RenderTree.EventFieldInfo EventFieldInfo { get => throw null; set => throw null; } - public System.UInt64 EventHandlerId { get => throw null; set => throw null; } - public string EventName { get => throw null; set => throw null; } public WebEventDescriptor() => throw null; + public Microsoft.AspNetCore.Components.RenderTree.EventFieldInfo EventFieldInfo { get => throw null; set { } } + public ulong EventHandlerId { get => throw null; set { } } + public string EventName { get => throw null; set { } } } - public abstract class WebRenderer : Microsoft.AspNetCore.Components.RenderTree.Renderer { - protected internal int AddRootComponent(System.Type componentType, string domElementSelector) => throw null; + protected int AddRootComponent(System.Type componentType, string domElementSelector) => throw null; protected abstract void AttachRootComponentToBrowser(int componentId, string domElementSelector); - protected override void Dispose(bool disposing) => throw null; - protected int RendererId { get => throw null; set => throw null; } public WebRenderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, System.Text.Json.JsonSerializerOptions jsonOptions, Microsoft.AspNetCore.Components.Web.Infrastructure.JSComponentInterop jsComponentInterop) : base(default(System.IServiceProvider), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; + protected override void Dispose(bool disposing) => throw null; + protected int RendererId { get => throw null; set { } } } - } namespace Routing { @@ -259,335 +225,297 @@ public class FocusOnNavigate : Microsoft.AspNetCore.Components.ComponentBase public FocusOnNavigate() => throw null; protected override System.Threading.Tasks.Task OnAfterRenderAsync(bool firstRender) => throw null; protected override void OnParametersSet() => throw null; - public Microsoft.AspNetCore.Components.RouteData RouteData { get => throw null; set => throw null; } - public string Selector { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RouteData RouteData { get => throw null; set { } } + public string Selector { get => throw null; set { } } + } + public sealed class NavigationLock : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, System.IAsyncDisposable + { + void Microsoft.AspNetCore.Components.IComponent.Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; + public bool ConfirmExternalNavigation { get => throw null; set { } } + public NavigationLock() => throw null; + System.Threading.Tasks.ValueTask System.IAsyncDisposable.DisposeAsync() => throw null; + System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IHandleAfterRender.OnAfterRenderAsync() => throw null; + public Microsoft.AspNetCore.Components.EventCallback OnBeforeInternalNavigation { get => throw null; set { } } + System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IComponent.SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; } - public class NavLink : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { - public string ActiveClass { get => throw null; set => throw null; } - public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set => throw null; } + public string ActiveClass { get => throw null; set { } } + public System.Collections.Generic.IReadOnlyDictionary AdditionalAttributes { get => throw null; set { } } protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - protected string CssClass { get => throw null; set => throw null; } - public void Dispose() => throw null; - public Microsoft.AspNetCore.Components.Routing.NavLinkMatch Match { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } + protected string CssClass { get => throw null; set { } } public NavLink() => throw null; + public void Dispose() => throw null; + public Microsoft.AspNetCore.Components.Routing.NavLinkMatch Match { get => throw null; set { } } protected override void OnInitialized() => throw null; protected override void OnParametersSet() => throw null; } - - public enum NavLinkMatch : int + public enum NavLinkMatch { - All = 1, Prefix = 0, + All = 1, } - - public class NavigationLock : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, System.IAsyncDisposable - { - void Microsoft.AspNetCore.Components.IComponent.Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; - public bool ConfirmExternalNavigation { get => throw null; set => throw null; } - System.Threading.Tasks.ValueTask System.IAsyncDisposable.DisposeAsync() => throw null; - public NavigationLock() => throw null; - System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IHandleAfterRender.OnAfterRenderAsync() => throw null; - public Microsoft.AspNetCore.Components.EventCallback OnBeforeInternalNavigation { get => throw null; set => throw null; } - System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IComponent.SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; - } - } namespace Web { public static class BindAttributes { } - public class ClipboardEventArgs : System.EventArgs { public ClipboardEventArgs() => throw null; - public string Type { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } } - public class DataTransfer { public DataTransfer() => throw null; - public string DropEffect { get => throw null; set => throw null; } - public string EffectAllowed { get => throw null; set => throw null; } - public string[] Files { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.Web.DataTransferItem[] Items { get => throw null; set => throw null; } - public string[] Types { get => throw null; set => throw null; } + public string DropEffect { get => throw null; set { } } + public string EffectAllowed { get => throw null; set { } } + public string[] Files { get => throw null; set { } } + public Microsoft.AspNetCore.Components.Web.DataTransferItem[] Items { get => throw null; set { } } + public string[] Types { get => throw null; set { } } } - public class DataTransferItem { public DataTransferItem() => throw null; - public string Kind { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public string Kind { get => throw null; set { } } + public string Type { get => throw null; set { } } } - public class DragEventArgs : Microsoft.AspNetCore.Components.Web.MouseEventArgs { - public Microsoft.AspNetCore.Components.Web.DataTransfer DataTransfer { get => throw null; set => throw null; } public DragEventArgs() => throw null; + public Microsoft.AspNetCore.Components.Web.DataTransfer DataTransfer { get => throw null; set { } } } - public class ErrorBoundary : Microsoft.AspNetCore.Components.ErrorBoundaryBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; public ErrorBoundary() => throw null; protected override System.Threading.Tasks.Task OnErrorAsync(System.Exception exception) => throw null; } - public class ErrorEventArgs : System.EventArgs { - public int Colno { get => throw null; set => throw null; } + public int Colno { get => throw null; set { } } public ErrorEventArgs() => throw null; - public string Filename { get => throw null; set => throw null; } - public int Lineno { get => throw null; set => throw null; } - public string Message { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public string Filename { get => throw null; set { } } + public int Lineno { get => throw null; set { } } + public string Message { get => throw null; set { } } + public string Type { get => throw null; set { } } } - public static class EventHandlers { } - public class FocusEventArgs : System.EventArgs { public FocusEventArgs() => throw null; - public string Type { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } } - - public class HeadContent : Microsoft.AspNetCore.Components.ComponentBase + public sealed class HeadContent : Microsoft.AspNetCore.Components.ComponentBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public HeadContent() => throw null; } - - public class HeadOutlet : Microsoft.AspNetCore.Components.ComponentBase + public sealed class HeadOutlet : Microsoft.AspNetCore.Components.ComponentBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; public HeadOutlet() => throw null; protected override System.Threading.Tasks.Task OnAfterRenderAsync(bool firstRender) => throw null; } - public interface IErrorBoundaryLogger { System.Threading.Tasks.ValueTask LogErrorAsync(System.Exception exception); } - public interface IJSComponentConfiguration { Microsoft.AspNetCore.Components.Web.JSComponentConfigurationStore JSComponents { get; } } - - public static class JSComponentConfigurationExtensions + namespace Infrastructure + { + public class JSComponentInterop + { + protected virtual int AddRootComponent(string identifier, string domElementSelector) => throw null; + public JSComponentInterop(Microsoft.AspNetCore.Components.Web.JSComponentConfigurationStore configuration) => throw null; + protected virtual void RemoveRootComponent(int componentId) => throw null; + protected void SetRootComponentParameters(int componentId, int parameterCount, System.Text.Json.JsonElement parametersJson, System.Text.Json.JsonSerializerOptions jsonOptions) => throw null; + } + } + public static partial class JSComponentConfigurationExtensions { - public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, System.Type componentType, string identifier) => throw null; - public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, System.Type componentType, string identifier, string javaScriptInitializer) => throw null; public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, string identifier) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, string identifier, string javaScriptInitializer) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; + public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, System.Type componentType, string identifier) => throw null; + public static void RegisterForJavaScript(this Microsoft.AspNetCore.Components.Web.IJSComponentConfiguration configuration, System.Type componentType, string identifier, string javaScriptInitializer) => throw null; } - - public class JSComponentConfigurationStore + public sealed class JSComponentConfigurationStore { public JSComponentConfigurationStore() => throw null; } - public class KeyboardEventArgs : System.EventArgs { - public bool AltKey { get => throw null; set => throw null; } - public string Code { get => throw null; set => throw null; } - public bool CtrlKey { get => throw null; set => throw null; } - public string Key { get => throw null; set => throw null; } + public bool AltKey { get => throw null; set { } } + public string Code { get => throw null; set { } } public KeyboardEventArgs() => throw null; - public float Location { get => throw null; set => throw null; } - public bool MetaKey { get => throw null; set => throw null; } - public bool Repeat { get => throw null; set => throw null; } - public bool ShiftKey { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public bool CtrlKey { get => throw null; set { } } + public string Key { get => throw null; set { } } + public float Location { get => throw null; set { } } + public bool MetaKey { get => throw null; set { } } + public bool Repeat { get => throw null; set { } } + public bool ShiftKey { get => throw null; set { } } + public string Type { get => throw null; set { } } } - public class MouseEventArgs : System.EventArgs { - public bool AltKey { get => throw null; set => throw null; } - public System.Int64 Button { get => throw null; set => throw null; } - public System.Int64 Buttons { get => throw null; set => throw null; } - public double ClientX { get => throw null; set => throw null; } - public double ClientY { get => throw null; set => throw null; } - public bool CtrlKey { get => throw null; set => throw null; } - public System.Int64 Detail { get => throw null; set => throw null; } - public bool MetaKey { get => throw null; set => throw null; } + public bool AltKey { get => throw null; set { } } + public long Button { get => throw null; set { } } + public long Buttons { get => throw null; set { } } + public double ClientX { get => throw null; set { } } + public double ClientY { get => throw null; set { } } public MouseEventArgs() => throw null; - public double MovementX { get => throw null; set => throw null; } - public double MovementY { get => throw null; set => throw null; } - public double OffsetX { get => throw null; set => throw null; } - public double OffsetY { get => throw null; set => throw null; } - public double PageX { get => throw null; set => throw null; } - public double PageY { get => throw null; set => throw null; } - public double ScreenX { get => throw null; set => throw null; } - public double ScreenY { get => throw null; set => throw null; } - public bool ShiftKey { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } - } - - public class PageTitle : Microsoft.AspNetCore.Components.ComponentBase + public bool CtrlKey { get => throw null; set { } } + public long Detail { get => throw null; set { } } + public bool MetaKey { get => throw null; set { } } + public double MovementX { get => throw null; set { } } + public double MovementY { get => throw null; set { } } + public double OffsetX { get => throw null; set { } } + public double OffsetY { get => throw null; set { } } + public double PageX { get => throw null; set { } } + public double PageY { get => throw null; set { } } + public double ScreenX { get => throw null; set { } } + public double ScreenY { get => throw null; set { } } + public bool ShiftKey { get => throw null; set { } } + public string Type { get => throw null; set { } } + } + public sealed class PageTitle : Microsoft.AspNetCore.Components.ComponentBase { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public PageTitle() => throw null; } - public class PointerEventArgs : Microsoft.AspNetCore.Components.Web.MouseEventArgs { - public float Height { get => throw null; set => throw null; } - public bool IsPrimary { get => throw null; set => throw null; } public PointerEventArgs() => throw null; - public System.Int64 PointerId { get => throw null; set => throw null; } - public string PointerType { get => throw null; set => throw null; } - public float Pressure { get => throw null; set => throw null; } - public float TiltX { get => throw null; set => throw null; } - public float TiltY { get => throw null; set => throw null; } - public float Width { get => throw null; set => throw null; } - } - + public float Height { get => throw null; set { } } + public bool IsPrimary { get => throw null; set { } } + public long PointerId { get => throw null; set { } } + public string PointerType { get => throw null; set { } } + public float Pressure { get => throw null; set { } } + public float TiltX { get => throw null; set { } } + public float TiltY { get => throw null; set { } } + public float Width { get => throw null; set { } } + } public class ProgressEventArgs : System.EventArgs { - public bool LengthComputable { get => throw null; set => throw null; } - public System.Int64 Loaded { get => throw null; set => throw null; } public ProgressEventArgs() => throw null; - public System.Int64 Total { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public bool LengthComputable { get => throw null; set { } } + public long Loaded { get => throw null; set { } } + public long Total { get => throw null; set { } } + public string Type { get => throw null; set { } } } - public class TouchEventArgs : System.EventArgs { - public bool AltKey { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.Web.TouchPoint[] ChangedTouches { get => throw null; set => throw null; } - public bool CtrlKey { get => throw null; set => throw null; } - public System.Int64 Detail { get => throw null; set => throw null; } - public bool MetaKey { get => throw null; set => throw null; } - public bool ShiftKey { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.Web.TouchPoint[] TargetTouches { get => throw null; set => throw null; } + public bool AltKey { get => throw null; set { } } + public Microsoft.AspNetCore.Components.Web.TouchPoint[] ChangedTouches { get => throw null; set { } } public TouchEventArgs() => throw null; - public Microsoft.AspNetCore.Components.Web.TouchPoint[] Touches { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public bool CtrlKey { get => throw null; set { } } + public long Detail { get => throw null; set { } } + public bool MetaKey { get => throw null; set { } } + public bool ShiftKey { get => throw null; set { } } + public Microsoft.AspNetCore.Components.Web.TouchPoint[] TargetTouches { get => throw null; set { } } + public Microsoft.AspNetCore.Components.Web.TouchPoint[] Touches { get => throw null; set { } } + public string Type { get => throw null; set { } } } - public class TouchPoint { - public double ClientX { get => throw null; set => throw null; } - public double ClientY { get => throw null; set => throw null; } - public System.Int64 Identifier { get => throw null; set => throw null; } - public double PageX { get => throw null; set => throw null; } - public double PageY { get => throw null; set => throw null; } - public double ScreenX { get => throw null; set => throw null; } - public double ScreenY { get => throw null; set => throw null; } + public double ClientX { get => throw null; set { } } + public double ClientY { get => throw null; set { } } public TouchPoint() => throw null; - } - - public static class WebEventCallbackFactoryEventArgsExtensions - { - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; - } - - public static class WebRenderTreeBuilderExtensions - { - public static void AddEventPreventDefaultAttribute(this Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder, int sequence, string eventName, bool value) => throw null; - public static void AddEventStopPropagationAttribute(this Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder, int sequence, string eventName, bool value) => throw null; - } - - public class WheelEventArgs : Microsoft.AspNetCore.Components.Web.MouseEventArgs - { - public System.Int64 DeltaMode { get => throw null; set => throw null; } - public double DeltaX { get => throw null; set => throw null; } - public double DeltaY { get => throw null; set => throw null; } - public double DeltaZ { get => throw null; set => throw null; } - public WheelEventArgs() => throw null; - } - - namespace Infrastructure - { - public class JSComponentInterop - { - protected internal virtual int AddRootComponent(string identifier, string domElementSelector) => throw null; - public JSComponentInterop(Microsoft.AspNetCore.Components.Web.JSComponentConfigurationStore configuration) => throw null; - protected internal virtual void RemoveRootComponent(int componentId) => throw null; - protected internal void SetRootComponentParameters(int componentId, int parameterCount, System.Text.Json.JsonElement parametersJson, System.Text.Json.JsonSerializerOptions jsonOptions) => throw null; - } - + public long Identifier { get => throw null; set { } } + public double PageX { get => throw null; set { } } + public double PageY { get => throw null; set { } } + public double ScreenX { get => throw null; set { } } + public double ScreenY { get => throw null; set { } } } namespace Virtualization { - internal interface IVirtualizeJsCallbacks - { - } - public delegate System.Threading.Tasks.ValueTask> ItemsProviderDelegate(Microsoft.AspNetCore.Components.Web.Virtualization.ItemsProviderRequest request); - public struct ItemsProviderRequest { public System.Threading.CancellationToken CancellationToken { get => throw null; } public int Count { get => throw null; } - // Stub generator skipped constructor public ItemsProviderRequest(int startIndex, int count, System.Threading.CancellationToken cancellationToken) => throw null; public int StartIndex { get => throw null; } } - public struct ItemsProviderResult { - public System.Collections.Generic.IEnumerable Items { get => throw null; } - // Stub generator skipped constructor public ItemsProviderResult(System.Collections.Generic.IEnumerable items, int totalItemCount) => throw null; + public System.Collections.Generic.IEnumerable Items { get => throw null; } public int TotalItemCount { get => throw null; } } - public struct PlaceholderContext { - public int Index { get => throw null; } - // Stub generator skipped constructor public PlaceholderContext(int index, float size = default(float)) => throw null; + public int Index { get => throw null; } public float Size { get => throw null; } } - - public class Virtualize : Microsoft.AspNetCore.Components.ComponentBase, System.IAsyncDisposable + public sealed class Virtualize : Microsoft.AspNetCore.Components.ComponentBase, System.IAsyncDisposable { protected override void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } + public Virtualize() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ItemContent { get => throw null; set => throw null; } - public float ItemSize { get => throw null; set => throw null; } - public System.Collections.Generic.ICollection Items { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.Web.Virtualization.ItemsProviderDelegate ItemsProvider { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ItemContent { get => throw null; set { } } + public System.Collections.Generic.ICollection Items { get => throw null; set { } } + public float ItemSize { get => throw null; set { } } + public Microsoft.AspNetCore.Components.Web.Virtualization.ItemsProviderDelegate ItemsProvider { get => throw null; set { } } protected override System.Threading.Tasks.Task OnAfterRenderAsync(bool firstRender) => throw null; protected override void OnParametersSet() => throw null; - public int OverscanCount { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.RenderFragment Placeholder { get => throw null; set => throw null; } + public int OverscanCount { get => throw null; set { } } + public Microsoft.AspNetCore.Components.RenderFragment Placeholder { get => throw null; set { } } public System.Threading.Tasks.Task RefreshDataAsync() => throw null; - public string SpacerElement { get => throw null; set => throw null; } - public Virtualize() => throw null; + public string SpacerElement { get => throw null; set { } } } - } + public static partial class WebEventCallbackFactoryEventArgsExtensions + { + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + } + public static partial class WebRenderTreeBuilderExtensions + { + public static void AddEventPreventDefaultAttribute(this Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder, int sequence, string eventName, bool value) => throw null; + public static void AddEventStopPropagationAttribute(this Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder, int sequence, string eventName, bool value) => throw null; + } + public class WheelEventArgs : Microsoft.AspNetCore.Components.Web.MouseEventArgs + { + public WheelEventArgs() => throw null; + public long DeltaMode { get => throw null; set { } } + public double DeltaX { get => throw null; set { } } + public double DeltaY { get => throw null; set { } } + public double DeltaZ { get => throw null; set { } } + } + } + public class WebElementReferenceContext : Microsoft.AspNetCore.Components.ElementReferenceContext + { + public WebElementReferenceContext(Microsoft.JSInterop.IJSRuntime jsRuntime) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs index d9424fa5b1e0..a929d37089b6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Components, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,10 +8,21 @@ namespace Components { public static class BindConverter { - public static string FormatValue(System.DateOnly value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.DateOnly value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.DateOnly? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.DateOnly? value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(string value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static bool FormatValue(bool value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static bool? FormatValue(bool? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(int value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(int? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(long value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(long? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(short value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(short? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(float value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(float? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(double value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(double? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(decimal value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(decimal? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.DateTime value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.DateTime value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.DateTime? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; @@ -21,25 +31,14 @@ public static class BindConverter public static string FormatValue(System.DateTimeOffset value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.DateTimeOffset? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.DateTimeOffset? value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(System.DateOnly value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(System.DateOnly value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(System.DateOnly? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static string FormatValue(System.DateOnly? value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.TimeOnly value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.TimeOnly value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.TimeOnly? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static string FormatValue(System.TimeOnly? value, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static bool FormatValue(bool value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static bool? FormatValue(bool? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Decimal value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Decimal? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(double value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(double? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(float value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(float? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(int value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(int? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Int64 value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Int64? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Int16 value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(System.Int16? value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static string FormatValue(string value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static object FormatValue(T value, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static bool TryConvertTo(object obj, System.Globalization.CultureInfo culture, out T value) => throw null; public static bool TryConvertToBool(object obj, System.Globalization.CultureInfo culture, out bool value) => throw null; @@ -49,11 +48,11 @@ public static class BindConverter public static bool TryConvertToDateTime(object obj, System.Globalization.CultureInfo culture, string format, out System.DateTime value) => throw null; public static bool TryConvertToDateTimeOffset(object obj, System.Globalization.CultureInfo culture, out System.DateTimeOffset value) => throw null; public static bool TryConvertToDateTimeOffset(object obj, System.Globalization.CultureInfo culture, string format, out System.DateTimeOffset value) => throw null; - public static bool TryConvertToDecimal(object obj, System.Globalization.CultureInfo culture, out System.Decimal value) => throw null; + public static bool TryConvertToDecimal(object obj, System.Globalization.CultureInfo culture, out decimal value) => throw null; public static bool TryConvertToDouble(object obj, System.Globalization.CultureInfo culture, out double value) => throw null; public static bool TryConvertToFloat(object obj, System.Globalization.CultureInfo culture, out float value) => throw null; public static bool TryConvertToInt(object obj, System.Globalization.CultureInfo culture, out int value) => throw null; - public static bool TryConvertToLong(object obj, System.Globalization.CultureInfo culture, out System.Int64 value) => throw null; + public static bool TryConvertToLong(object obj, System.Globalization.CultureInfo culture, out long value) => throw null; public static bool TryConvertToNullableBool(object obj, System.Globalization.CultureInfo culture, out bool? value) => throw null; public static bool TryConvertToNullableDateOnly(object obj, System.Globalization.CultureInfo culture, out System.DateOnly? value) => throw null; public static bool TryConvertToNullableDateOnly(object obj, System.Globalization.CultureInfo culture, string format, out System.DateOnly? value) => throw null; @@ -61,59 +60,68 @@ public static class BindConverter public static bool TryConvertToNullableDateTime(object obj, System.Globalization.CultureInfo culture, string format, out System.DateTime? value) => throw null; public static bool TryConvertToNullableDateTimeOffset(object obj, System.Globalization.CultureInfo culture, out System.DateTimeOffset? value) => throw null; public static bool TryConvertToNullableDateTimeOffset(object obj, System.Globalization.CultureInfo culture, string format, out System.DateTimeOffset? value) => throw null; - public static bool TryConvertToNullableDecimal(object obj, System.Globalization.CultureInfo culture, out System.Decimal? value) => throw null; + public static bool TryConvertToNullableDecimal(object obj, System.Globalization.CultureInfo culture, out decimal? value) => throw null; public static bool TryConvertToNullableDouble(object obj, System.Globalization.CultureInfo culture, out double? value) => throw null; public static bool TryConvertToNullableFloat(object obj, System.Globalization.CultureInfo culture, out float? value) => throw null; public static bool TryConvertToNullableInt(object obj, System.Globalization.CultureInfo culture, out int? value) => throw null; - public static bool TryConvertToNullableLong(object obj, System.Globalization.CultureInfo culture, out System.Int64? value) => throw null; - public static bool TryConvertToNullableShort(object obj, System.Globalization.CultureInfo culture, out System.Int16? value) => throw null; + public static bool TryConvertToNullableLong(object obj, System.Globalization.CultureInfo culture, out long? value) => throw null; + public static bool TryConvertToNullableShort(object obj, System.Globalization.CultureInfo culture, out short? value) => throw null; public static bool TryConvertToNullableTimeOnly(object obj, System.Globalization.CultureInfo culture, out System.TimeOnly? value) => throw null; public static bool TryConvertToNullableTimeOnly(object obj, System.Globalization.CultureInfo culture, string format, out System.TimeOnly? value) => throw null; - public static bool TryConvertToShort(object obj, System.Globalization.CultureInfo culture, out System.Int16 value) => throw null; + public static bool TryConvertToShort(object obj, System.Globalization.CultureInfo culture, out short value) => throw null; public static bool TryConvertToString(object obj, System.Globalization.CultureInfo culture, out string value) => throw null; public static bool TryConvertToTimeOnly(object obj, System.Globalization.CultureInfo culture, out System.TimeOnly value) => throw null; public static bool TryConvertToTimeOnly(object obj, System.Globalization.CultureInfo culture, string format, out System.TimeOnly value) => throw null; } - - public class BindElementAttribute : System.Attribute + public sealed class BindElementAttribute : System.Attribute { - public BindElementAttribute(string element, string suffix, string valueAttribute, string changeAttribute) => throw null; public string ChangeAttribute { get => throw null; } + public BindElementAttribute(string element, string suffix, string valueAttribute, string changeAttribute) => throw null; public string Element { get => throw null; } public string Suffix { get => throw null; } public string ValueAttribute { get => throw null; } } - - public class CascadingParameterAttribute : System.Attribute + public sealed class CascadingParameterAttribute : System.Attribute { public CascadingParameterAttribute() => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } } - - public class CascadingTypeParameterAttribute : System.Attribute + public sealed class CascadingTypeParameterAttribute : System.Attribute { public CascadingTypeParameterAttribute(string name) => throw null; public string Name { get => throw null; } } - public class CascadingValue : Microsoft.AspNetCore.Components.IComponent { public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public CascadingValue() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - public bool IsFixed { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public bool IsFixed { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; - public TValue Value { get => throw null; set => throw null; } + public TValue Value { get => throw null; set { } } } - public class ChangeEventArgs : System.EventArgs { public ChangeEventArgs() => throw null; - public object Value { get => throw null; set => throw null; } + public object Value { get => throw null; set { } } } - - public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, Microsoft.AspNetCore.Components.IHandleEvent + namespace CompilerServices + { + public static class RuntimeHelpers + { + public static System.Func CreateInferredBindSetter(System.Func callback, T value) => throw null; + public static System.Func CreateInferredBindSetter(System.Action callback, T value) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, System.Action callback, T value) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, System.Func callback, T value) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, Microsoft.AspNetCore.Components.EventCallback callback, T value) => throw null; + public static System.Threading.Tasks.Task InvokeAsynchronousDelegate(System.Action callback) => throw null; + public static System.Threading.Tasks.Task InvokeAsynchronousDelegate(System.Func callback) => throw null; + public static void InvokeSynchronousDelegate(System.Action callback) => throw null; + public static T TypeCheck(T value) => throw null; + } + } + public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleEvent, Microsoft.AspNetCore.Components.IHandleAfterRender { void Microsoft.AspNetCore.Components.IComponent.Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; protected virtual void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; @@ -122,8 +130,8 @@ public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent protected System.Threading.Tasks.Task InvokeAsync(System.Action workItem) => throw null; protected System.Threading.Tasks.Task InvokeAsync(System.Func workItem) => throw null; protected virtual void OnAfterRender(bool firstRender) => throw null; - System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IHandleAfterRender.OnAfterRenderAsync() => throw null; protected virtual System.Threading.Tasks.Task OnAfterRenderAsync(bool firstRender) => throw null; + System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IHandleAfterRender.OnAfterRenderAsync() => throw null; protected virtual void OnInitialized() => throw null; protected virtual System.Threading.Tasks.Task OnInitializedAsync() => throw null; protected virtual void OnParametersSet() => throw null; @@ -132,7 +140,6 @@ public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent protected virtual bool ShouldRender() => throw null; protected void StateHasChanged() => throw null; } - public abstract class Dispatcher { public void AssertAccess() => throw null; @@ -145,529 +152,466 @@ public abstract class Dispatcher public abstract System.Threading.Tasks.Task InvokeAsync(System.Func> workItem); protected void OnUnhandledException(System.UnhandledExceptionEventArgs e) => throw null; } - public class DynamicComponent : Microsoft.AspNetCore.Components.IComponent { public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; public DynamicComponent() => throw null; public object Instance { get => throw null; } - public System.Collections.Generic.IDictionary Parameters { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary Parameters { get => throw null; set { } } public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; - public System.Type Type { get => throw null; set => throw null; } + public System.Type Type { get => throw null; set { } } } - - public class EditorRequiredAttribute : System.Attribute + public sealed class EditorRequiredAttribute : System.Attribute { public EditorRequiredAttribute() => throw null; } - public struct ElementReference { public Microsoft.AspNetCore.Components.ElementReferenceContext Context { get => throw null; } - // Stub generator skipped constructor - public ElementReference(string id) => throw null; public ElementReference(string id, Microsoft.AspNetCore.Components.ElementReferenceContext context) => throw null; + public ElementReference(string id) => throw null; public string Id { get => throw null; } } - public abstract class ElementReferenceContext { protected ElementReferenceContext() => throw null; } - public abstract class ErrorBoundaryBase : Microsoft.AspNetCore.Components.ComponentBase { - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - protected System.Exception CurrentException { get => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } protected ErrorBoundaryBase() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ErrorContent { get => throw null; set => throw null; } - public int MaximumErrorCount { get => throw null; set => throw null; } + protected System.Exception CurrentException { get => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ErrorContent { get => throw null; set { } } + public int MaximumErrorCount { get => throw null; set { } } protected abstract System.Threading.Tasks.Task OnErrorAsync(System.Exception exception); public void Recover() => throw null; } - public struct EventCallback { - public static Microsoft.AspNetCore.Components.EventCallback Empty; - // Stub generator skipped constructor public EventCallback(Microsoft.AspNetCore.Components.IHandleEvent receiver, System.MulticastDelegate @delegate) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Empty; public static Microsoft.AspNetCore.Components.EventCallbackFactory Factory; public bool HasDelegate { get => throw null; } - public System.Threading.Tasks.Task InvokeAsync() => throw null; public System.Threading.Tasks.Task InvokeAsync(object arg) => throw null; + public System.Threading.Tasks.Task InvokeAsync() => throw null; } - public struct EventCallback { - public static Microsoft.AspNetCore.Components.EventCallback Empty; - // Stub generator skipped constructor public EventCallback(Microsoft.AspNetCore.Components.IHandleEvent receiver, System.MulticastDelegate @delegate) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Empty; public bool HasDelegate { get => throw null; } - public System.Threading.Tasks.Task InvokeAsync() => throw null; public System.Threading.Tasks.Task InvokeAsync(TValue arg) => throw null; + public System.Threading.Tasks.Task InvokeAsync() => throw null; } - - public class EventCallbackFactory + public sealed class EventCallbackFactory { + public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, Microsoft.AspNetCore.Components.EventCallback callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; - public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, Microsoft.AspNetCore.Components.EventCallback callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Func callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Func callback) => throw null; - public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; - public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, Microsoft.AspNetCore.Components.EventCallback callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, Microsoft.AspNetCore.Components.EventCallback callback) => throw null; - public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Func callback) => throw null; + public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; + public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Action callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Func callback) => throw null; + public Microsoft.AspNetCore.Components.EventCallback Create(object receiver, System.Func callback) => throw null; public Microsoft.AspNetCore.Components.EventCallback CreateInferred(object receiver, System.Action callback, TValue value) => throw null; public Microsoft.AspNetCore.Components.EventCallback CreateInferred(object receiver, System.Func callback, TValue value) => throw null; public EventCallbackFactory() => throw null; } - - public static class EventCallbackFactoryBinderExtensions + public static partial class EventCallbackFactoryBinderExtensions { - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, string existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, string existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, bool existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, bool existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, bool? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Decimal existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Decimal? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, double existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, double? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, float existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, float? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, bool? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, int existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, int existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, int? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Int64 existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Int64? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Int16 existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.Int16? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, string existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, int? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, long existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, long existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, short existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, short existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, long? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, long? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, short? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, short? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, float existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, float existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, float? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, float? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, double existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, double existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, double? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, double? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, decimal existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, decimal existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, decimal? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, decimal? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTime existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTime existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTime? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTime? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTime? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTimeOffset existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTimeOffset existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTimeOffset? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateTimeOffset? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateTimeOffset? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.DateOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.DateOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.TimeOnly existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.TimeOnly existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.TimeOnly? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, System.TimeOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.TimeOnly? existingValue, string format, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, bool existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, bool? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Decimal existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Decimal? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, double existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, double? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, float existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, float? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, int existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, int? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Int64 existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Int64? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Int16 existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, System.Int16? existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, string existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action setter, T existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; public static Microsoft.AspNetCore.Components.EventCallback CreateBinder(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func setter, T existingValue, System.Globalization.CultureInfo culture = default(System.Globalization.CultureInfo)) => throw null; } - - public static class EventCallbackFactoryEventArgsExtensions + public static partial class EventCallbackFactoryEventArgsExtensions { - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Action callback) => throw null; + public static Microsoft.AspNetCore.Components.EventCallback Create(this Microsoft.AspNetCore.Components.EventCallbackFactory factory, object receiver, System.Func callback) => throw null; } - public struct EventCallbackWorkItem { - public static Microsoft.AspNetCore.Components.EventCallbackWorkItem Empty; - // Stub generator skipped constructor public EventCallbackWorkItem(System.MulticastDelegate @delegate) => throw null; + public static Microsoft.AspNetCore.Components.EventCallbackWorkItem Empty; public System.Threading.Tasks.Task InvokeAsync(object arg) => throw null; } - - public class EventHandlerAttribute : System.Attribute + public sealed class EventHandlerAttribute : System.Attribute { public string AttributeName { get => throw null; } + public EventHandlerAttribute(string attributeName, System.Type eventArgsType) => throw null; + public EventHandlerAttribute(string attributeName, System.Type eventArgsType, bool enableStopPropagation, bool enablePreventDefault) => throw null; public bool EnablePreventDefault { get => throw null; } public bool EnableStopPropagation { get => throw null; } public System.Type EventArgsType { get => throw null; } - public EventHandlerAttribute(string attributeName, System.Type eventArgsType) => throw null; - public EventHandlerAttribute(string attributeName, System.Type eventArgsType, bool enableStopPropagation, bool enablePreventDefault) => throw null; - } - - internal interface ICascadingValueComponent - { } - public interface IComponent { void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle); System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters); } - public interface IComponentActivator { Microsoft.AspNetCore.Components.IComponent CreateInstance(System.Type componentType); } - - internal interface IErrorBoundary - { - } - - internal interface IEventCallback - { - bool HasDelegate { get; } - } - public interface IHandleAfterRender { System.Threading.Tasks.Task OnAfterRenderAsync(); } - public interface IHandleEvent { System.Threading.Tasks.Task HandleEventAsync(Microsoft.AspNetCore.Components.EventCallbackWorkItem item, object arg); } - - public interface IPersistentComponentStateStore + namespace Infrastructure { - System.Threading.Tasks.Task> GetPersistedStateAsync(); - System.Threading.Tasks.Task PersistStateAsync(System.Collections.Generic.IReadOnlyDictionary state); + public class ComponentStatePersistenceManager + { + public ComponentStatePersistenceManager(Microsoft.Extensions.Logging.ILogger logger) => throw null; + public System.Threading.Tasks.Task PersistStateAsync(Microsoft.AspNetCore.Components.IPersistentComponentStateStore store, Microsoft.AspNetCore.Components.RenderTree.Renderer renderer) => throw null; + public System.Threading.Tasks.Task RestoreStateAsync(Microsoft.AspNetCore.Components.IPersistentComponentStateStore store) => throw null; + public Microsoft.AspNetCore.Components.PersistentComponentState State { get => throw null; } + } } - - public class InjectAttribute : System.Attribute + public sealed class InjectAttribute : System.Attribute { public InjectAttribute() => throw null; } - - public class LayoutAttribute : System.Attribute + public interface IPersistentComponentStateStore + { + System.Threading.Tasks.Task> GetPersistedStateAsync(); + System.Threading.Tasks.Task PersistStateAsync(System.Collections.Generic.IReadOnlyDictionary state); + } + public sealed class LayoutAttribute : System.Attribute { public LayoutAttribute(System.Type layoutType) => throw null; public System.Type LayoutType { get => throw null; } } - public abstract class LayoutComponentBase : Microsoft.AspNetCore.Components.ComponentBase { - public Microsoft.AspNetCore.Components.RenderFragment Body { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment Body { get => throw null; set { } } protected LayoutComponentBase() => throw null; public override System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; } - public class LayoutView : Microsoft.AspNetCore.Components.IComponent { public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; - public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set => throw null; } - public System.Type Layout { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment ChildContent { get => throw null; set { } } public LayoutView() => throw null; + public System.Type Layout { get => throw null; set { } } public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; } - - public class LocationChangeException : System.Exception + public sealed class LocationChangeException : System.Exception { public LocationChangeException(string message, System.Exception innerException) => throw null; } - public struct MarkupString { - // Stub generator skipped constructor public MarkupString(string value) => throw null; + public static explicit operator Microsoft.AspNetCore.Components.MarkupString(string value) => throw null; public override string ToString() => throw null; public string Value { get => throw null; } - public static explicit operator Microsoft.AspNetCore.Components.MarkupString(string value) => throw null; } - public class NavigationException : System.Exception { - public string Location { get => throw null; } public NavigationException(string uri) => throw null; + public string Location { get => throw null; } } - public abstract class NavigationManager { - public string BaseUri { get => throw null; set => throw null; } + public string BaseUri { get => throw null; set { } } + protected NavigationManager() => throw null; protected virtual void EnsureInitialized() => throw null; protected virtual void HandleLocationChangingHandlerException(System.Exception ex, Microsoft.AspNetCore.Components.Routing.LocationChangingContext context) => throw null; - public string HistoryEntryState { get => throw null; set => throw null; } + public string HistoryEntryState { get => throw null; set { } } protected void Initialize(string baseUri, string uri) => throw null; - public event System.EventHandler LocationChanged; - public void NavigateTo(string uri, Microsoft.AspNetCore.Components.NavigationOptions options) => throw null; + public event System.EventHandler LocationChanged { add { } remove { } } public void NavigateTo(string uri, bool forceLoad) => throw null; public void NavigateTo(string uri, bool forceLoad = default(bool), bool replace = default(bool)) => throw null; - protected virtual void NavigateToCore(string uri, Microsoft.AspNetCore.Components.NavigationOptions options) => throw null; + public void NavigateTo(string uri, Microsoft.AspNetCore.Components.NavigationOptions options) => throw null; protected virtual void NavigateToCore(string uri, bool forceLoad) => throw null; - protected NavigationManager() => throw null; + protected virtual void NavigateToCore(string uri, Microsoft.AspNetCore.Components.NavigationOptions options) => throw null; protected void NotifyLocationChanged(bool isInterceptedLink) => throw null; protected System.Threading.Tasks.ValueTask NotifyLocationChangingAsync(string uri, string state, bool isNavigationIntercepted) => throw null; public System.IDisposable RegisterLocationChangingHandler(System.Func locationChangingHandler) => throw null; protected virtual void SetNavigationLockState(bool value) => throw null; public System.Uri ToAbsoluteUri(string relativeUri) => throw null; public string ToBaseRelativePath(string uri) => throw null; - public string Uri { get => throw null; set => throw null; } + public string Uri { get => throw null; set { } } } - - public static class NavigationManagerExtensions + public static partial class NavigationManagerExtensions { - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateOnly value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateOnly? value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, bool value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, bool? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateTime value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateTime? value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Guid value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Guid? value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateOnly value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.DateOnly? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.TimeOnly value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.TimeOnly? value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, bool value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, bool? value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Decimal value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Decimal? value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, decimal value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, decimal? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, double value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, double? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, float value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, float? value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Guid value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Guid? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, int value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, int? value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Int64 value) => throw null; - public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, System.Int64? value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, long value) => throw null; + public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, long? value) => throw null; public static string GetUriWithQueryParameter(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string name, string value) => throw null; public static string GetUriWithQueryParameters(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, System.Collections.Generic.IReadOnlyDictionary parameters) => throw null; public static string GetUriWithQueryParameters(this Microsoft.AspNetCore.Components.NavigationManager navigationManager, string uri, System.Collections.Generic.IReadOnlyDictionary parameters) => throw null; } - public struct NavigationOptions { - public bool ForceLoad { get => throw null; set => throw null; } - public string HistoryEntryState { get => throw null; set => throw null; } - // Stub generator skipped constructor - public bool ReplaceHistoryEntry { get => throw null; set => throw null; } + public bool ForceLoad { get => throw null; set { } } + public string HistoryEntryState { get => throw null; set { } } + public bool ReplaceHistoryEntry { get => throw null; set { } } } - public abstract class OwningComponentBase : Microsoft.AspNetCore.Components.ComponentBase, System.IDisposable { + protected OwningComponentBase() => throw null; void System.IDisposable.Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; protected bool IsDisposed { get => throw null; } - protected OwningComponentBase() => throw null; protected System.IServiceProvider ScopedServices { get => throw null; } } - public abstract class OwningComponentBase : Microsoft.AspNetCore.Components.OwningComponentBase, System.IDisposable { protected OwningComponentBase() => throw null; protected TService Service { get => throw null; } } - - public class ParameterAttribute : System.Attribute + public sealed class ParameterAttribute : System.Attribute { - public bool CaptureUnmatchedValues { get => throw null; set => throw null; } + public bool CaptureUnmatchedValues { get => throw null; set { } } public ParameterAttribute() => throw null; } - public struct ParameterValue { public bool Cascading { get => throw null; } public string Name { get => throw null; } - // Stub generator skipped constructor public object Value { get => throw null; } } - public struct ParameterView { + public static Microsoft.AspNetCore.Components.ParameterView Empty { get => throw null; } public struct Enumerator { public Microsoft.AspNetCore.Components.ParameterValue Current { get => throw null; } - // Stub generator skipped constructor public bool MoveNext() => throw null; } - - - public static Microsoft.AspNetCore.Components.ParameterView Empty { get => throw null; } public static Microsoft.AspNetCore.Components.ParameterView FromDictionary(System.Collections.Generic.IDictionary parameters) => throw null; public Microsoft.AspNetCore.Components.ParameterView.Enumerator GetEnumerator() => throw null; public TValue GetValueOrDefault(string parameterName) => throw null; public TValue GetValueOrDefault(string parameterName, TValue defaultValue) => throw null; - // Stub generator skipped constructor public void SetParameterProperties(object target) => throw null; public System.Collections.Generic.IReadOnlyDictionary ToDictionary() => throw null; public bool TryGetValue(string parameterName, out TValue result) => throw null; } - public class PersistentComponentState { public void PersistAsJson(string key, TValue instance) => throw null; public Microsoft.AspNetCore.Components.PersistingComponentStateSubscription RegisterOnPersisting(System.Func callback) => throw null; public bool TryTakeFromJson(string key, out TValue instance) => throw null; } - public struct PersistingComponentStateSubscription : System.IDisposable { public void Dispose() => throw null; - // Stub generator skipped constructor } - public delegate void RenderFragment(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder); - public delegate Microsoft.AspNetCore.Components.RenderFragment RenderFragment(TValue value); - public struct RenderHandle { public Microsoft.AspNetCore.Components.Dispatcher Dispatcher { get => throw null; } public bool IsInitialized { get => throw null; } public bool IsRenderingOnMetadataUpdate { get => throw null; } public void Render(Microsoft.AspNetCore.Components.RenderFragment renderFragment) => throw null; - // Stub generator skipped constructor - } - - public class RouteAttribute : System.Attribute - { - public RouteAttribute(string template) => throw null; - public string Template { get => throw null; } - } - - public class RouteData - { - public System.Type PageType { get => throw null; } - public RouteData(System.Type pageType, System.Collections.Generic.IReadOnlyDictionary routeValues) => throw null; - public System.Collections.Generic.IReadOnlyDictionary RouteValues { get => throw null; } - } - - public class RouteView : Microsoft.AspNetCore.Components.IComponent - { - public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; - public System.Type DefaultLayout { get => throw null; set => throw null; } - protected virtual void Render(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; - public Microsoft.AspNetCore.Components.RouteData RouteData { get => throw null; set => throw null; } - public RouteView() => throw null; - public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; - } - - public class SupplyParameterFromQueryAttribute : System.Attribute - { - public string Name { get => throw null; set => throw null; } - public SupplyParameterFromQueryAttribute() => throw null; } - - namespace CompilerServices - { - public static class RuntimeHelpers - { - public static System.Func CreateInferredBindSetter(System.Action callback, T value) => throw null; - public static System.Func CreateInferredBindSetter(System.Func callback, T value) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, System.Action callback, T value) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, Microsoft.AspNetCore.Components.EventCallback callback, T value) => throw null; - public static Microsoft.AspNetCore.Components.EventCallback CreateInferredEventCallback(object receiver, System.Func callback, T value) => throw null; - public static System.Threading.Tasks.Task InvokeAsynchronousDelegate(System.Action callback) => throw null; - public static System.Threading.Tasks.Task InvokeAsynchronousDelegate(System.Func callback) => throw null; - public static void InvokeSynchronousDelegate(System.Action callback) => throw null; - public static T TypeCheck(T value) => throw null; - } - - } - namespace Infrastructure + namespace Rendering { - public class ComponentStatePersistenceManager + public sealed class RenderTreeBuilder : System.IDisposable { - public ComponentStatePersistenceManager(Microsoft.Extensions.Logging.ILogger logger) => throw null; - public System.Threading.Tasks.Task PersistStateAsync(Microsoft.AspNetCore.Components.IPersistentComponentStateStore store, Microsoft.AspNetCore.Components.RenderTree.Renderer renderer) => throw null; - public System.Threading.Tasks.Task RestoreStateAsync(Microsoft.AspNetCore.Components.IPersistentComponentStateStore store) => throw null; - public Microsoft.AspNetCore.Components.PersistentComponentState State { get => throw null; } + public void AddAttribute(int sequence, string name) => throw null; + public void AddAttribute(int sequence, string name, bool value) => throw null; + public void AddAttribute(int sequence, string name, string value) => throw null; + public void AddAttribute(int sequence, string name, System.MulticastDelegate value) => throw null; + public void AddAttribute(int sequence, string name, Microsoft.AspNetCore.Components.EventCallback value) => throw null; + public void AddAttribute(int sequence, string name, Microsoft.AspNetCore.Components.EventCallback value) => throw null; + public void AddAttribute(int sequence, string name, object value) => throw null; + public void AddAttribute(int sequence, Microsoft.AspNetCore.Components.RenderTree.RenderTreeFrame frame) => throw null; + public void AddComponentReferenceCapture(int sequence, System.Action componentReferenceCaptureAction) => throw null; + public void AddContent(int sequence, string textContent) => throw null; + public void AddContent(int sequence, Microsoft.AspNetCore.Components.RenderFragment fragment) => throw null; + public void AddContent(int sequence, Microsoft.AspNetCore.Components.RenderFragment fragment, TValue value) => throw null; + public void AddContent(int sequence, Microsoft.AspNetCore.Components.MarkupString? markupContent) => throw null; + public void AddContent(int sequence, Microsoft.AspNetCore.Components.MarkupString markupContent) => throw null; + public void AddContent(int sequence, object textContent) => throw null; + public void AddElementReferenceCapture(int sequence, System.Action elementReferenceCaptureAction) => throw null; + public void AddMarkupContent(int sequence, string markupContent) => throw null; + public void AddMultipleAttributes(int sequence, System.Collections.Generic.IEnumerable> attributes) => throw null; + public void Clear() => throw null; + public void CloseComponent() => throw null; + public void CloseElement() => throw null; + public void CloseRegion() => throw null; + public RenderTreeBuilder() => throw null; + public void Dispose() => throw null; + public Microsoft.AspNetCore.Components.RenderTree.ArrayRange GetFrames() => throw null; + public void OpenComponent(int sequence) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; + public void OpenComponent(int sequence, System.Type componentType) => throw null; + public void OpenElement(int sequence, string elementName) => throw null; + public void OpenRegion(int sequence) => throw null; + public void SetKey(object value) => throw null; + public void SetUpdatesAttributeName(string updatesAttributeName) => throw null; } - } namespace RenderTree { public struct ArrayBuilderSegment : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public T[] Array { get => throw null; } - // Stub generator skipped constructor public int Count { get => throw null; } System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public T this[int index] { get => throw null; } public int Offset { get => throw null; } + public T this[int index] { get => throw null; } } - public struct ArrayRange { public T[] Array; - // Stub generator skipped constructor - public ArrayRange(T[] array, int count) => throw null; public Microsoft.AspNetCore.Components.RenderTree.ArrayRange Clone() => throw null; public int Count; + public ArrayRange(T[] array, int count) => throw null; } - public class EventFieldInfo { - public int ComponentId { get => throw null; set => throw null; } + public int ComponentId { get => throw null; set { } } public EventFieldInfo() => throw null; - public object FieldValue { get => throw null; set => throw null; } + public object FieldValue { get => throw null; set { } } } - public struct RenderBatch { public Microsoft.AspNetCore.Components.RenderTree.ArrayRange DisposedComponentIDs { get => throw null; } - public Microsoft.AspNetCore.Components.RenderTree.ArrayRange DisposedEventHandlerIDs { get => throw null; } + public Microsoft.AspNetCore.Components.RenderTree.ArrayRange DisposedEventHandlerIDs { get => throw null; } public Microsoft.AspNetCore.Components.RenderTree.ArrayRange ReferenceFrames { get => throw null; } - // Stub generator skipped constructor public Microsoft.AspNetCore.Components.RenderTree.ArrayRange UpdatedComponents { get => throw null; } } - + public abstract class Renderer : System.IDisposable, System.IAsyncDisposable + { + protected int AssignRootComponentId(Microsoft.AspNetCore.Components.IComponent component) => throw null; + public Renderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public Renderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Components.IComponentActivator componentActivator) => throw null; + public abstract Microsoft.AspNetCore.Components.Dispatcher Dispatcher { get; } + public virtual System.Threading.Tasks.Task DispatchEventAsync(ulong eventHandlerId, Microsoft.AspNetCore.Components.RenderTree.EventFieldInfo fieldInfo, System.EventArgs eventArgs) => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public void Dispose() => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + protected Microsoft.AspNetCore.Components.ElementReferenceContext ElementReferenceContext { get => throw null; set { } } + protected Microsoft.AspNetCore.Components.RenderTree.ArrayRange GetCurrentRenderTreeFrames(int componentId) => throw null; + public System.Type GetEventArgsType(ulong eventHandlerId) => throw null; + protected abstract void HandleException(System.Exception exception); + protected Microsoft.AspNetCore.Components.IComponent InstantiateComponent(System.Type componentType) => throw null; + protected virtual void ProcessPendingRender() => throw null; + protected void RemoveRootComponent(int componentId) => throw null; + protected System.Threading.Tasks.Task RenderRootComponentAsync(int componentId) => throw null; + protected System.Threading.Tasks.Task RenderRootComponentAsync(int componentId, Microsoft.AspNetCore.Components.ParameterView initialParameters) => throw null; + public event System.UnhandledExceptionEventHandler UnhandledSynchronizationException { add { } remove { } } + protected abstract System.Threading.Tasks.Task UpdateDisplayAsync(in Microsoft.AspNetCore.Components.RenderTree.RenderBatch renderBatch); + } public struct RenderTreeDiff { public int ComponentId; public Microsoft.AspNetCore.Components.RenderTree.ArrayBuilderSegment Edits; - // Stub generator skipped constructor } - public struct RenderTreeEdit { public int MoveToSiblingIndex; public int ReferenceFrameIndex; public string RemovedAttributeName; - // Stub generator skipped constructor public int SiblingIndex; public Microsoft.AspNetCore.Components.RenderTree.RenderTreeEditType Type; } - - public enum RenderTreeEditType : int + public enum RenderTreeEditType { - PermutationListEnd = 10, - PermutationListEntry = 9, PrependFrame = 1, - RemoveAttribute = 4, RemoveFrame = 2, SetAttribute = 3, + RemoveAttribute = 4, + UpdateText = 5, StepIn = 6, StepOut = 7, UpdateMarkup = 8, - UpdateText = 5, + PermutationListEntry = 9, + PermutationListEnd = 10, } - public struct RenderTreeFrame { - public System.UInt64 AttributeEventHandlerId { get => throw null; } + public ulong AttributeEventHandlerId { get => throw null; } public string AttributeEventUpdatesAttributeName { get => throw null; } public string AttributeName { get => throw null; } public object AttributeValue { get => throw null; } @@ -686,86 +630,42 @@ public struct RenderTreeFrame public Microsoft.AspNetCore.Components.RenderTree.RenderTreeFrameType FrameType { get => throw null; } public string MarkupContent { get => throw null; } public int RegionSubtreeLength { get => throw null; } - // Stub generator skipped constructor public int Sequence { get => throw null; } public string TextContent { get => throw null; } public override string ToString() => throw null; } - public enum RenderTreeFrameType : short { + None = 0, + Element = 1, + Text = 2, Attribute = 3, Component = 4, - ComponentReferenceCapture = 7, - Element = 1, + Region = 5, ElementReferenceCapture = 6, + ComponentReferenceCapture = 7, Markup = 8, - None = 0, - Region = 5, - Text = 2, } - - public abstract class Renderer : System.IAsyncDisposable, System.IDisposable - { - protected internal int AssignRootComponentId(Microsoft.AspNetCore.Components.IComponent component) => throw null; - public virtual System.Threading.Tasks.Task DispatchEventAsync(System.UInt64 eventHandlerId, Microsoft.AspNetCore.Components.RenderTree.EventFieldInfo fieldInfo, System.EventArgs eventArgs) => throw null; - public abstract Microsoft.AspNetCore.Components.Dispatcher Dispatcher { get; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - protected internal Microsoft.AspNetCore.Components.ElementReferenceContext ElementReferenceContext { get => throw null; set => throw null; } - protected Microsoft.AspNetCore.Components.RenderTree.ArrayRange GetCurrentRenderTreeFrames(int componentId) => throw null; - public System.Type GetEventArgsType(System.UInt64 eventHandlerId) => throw null; - protected abstract void HandleException(System.Exception exception); - protected Microsoft.AspNetCore.Components.IComponent InstantiateComponent(System.Type componentType) => throw null; - protected virtual void ProcessPendingRender() => throw null; - protected internal void RemoveRootComponent(int componentId) => throw null; - protected System.Threading.Tasks.Task RenderRootComponentAsync(int componentId) => throw null; - protected internal System.Threading.Tasks.Task RenderRootComponentAsync(int componentId, Microsoft.AspNetCore.Components.ParameterView initialParameters) => throw null; - public Renderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public Renderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Components.IComponentActivator componentActivator) => throw null; - public event System.UnhandledExceptionEventHandler UnhandledSynchronizationException; - protected abstract System.Threading.Tasks.Task UpdateDisplayAsync(Microsoft.AspNetCore.Components.RenderTree.RenderBatch renderBatch); - } - } - namespace Rendering + public sealed class RouteAttribute : System.Attribute { - public class RenderTreeBuilder : System.IDisposable - { - public void AddAttribute(int sequence, Microsoft.AspNetCore.Components.RenderTree.RenderTreeFrame frame) => throw null; - public void AddAttribute(int sequence, string name) => throw null; - public void AddAttribute(int sequence, string name, Microsoft.AspNetCore.Components.EventCallback value) => throw null; - public void AddAttribute(int sequence, string name, System.MulticastDelegate value) => throw null; - public void AddAttribute(int sequence, string name, bool value) => throw null; - public void AddAttribute(int sequence, string name, object value) => throw null; - public void AddAttribute(int sequence, string name, string value) => throw null; - public void AddAttribute(int sequence, string name, Microsoft.AspNetCore.Components.EventCallback value) => throw null; - public void AddComponentReferenceCapture(int sequence, System.Action componentReferenceCaptureAction) => throw null; - public void AddContent(int sequence, Microsoft.AspNetCore.Components.MarkupString markupContent) => throw null; - public void AddContent(int sequence, Microsoft.AspNetCore.Components.MarkupString? markupContent) => throw null; - public void AddContent(int sequence, Microsoft.AspNetCore.Components.RenderFragment fragment) => throw null; - public void AddContent(int sequence, object textContent) => throw null; - public void AddContent(int sequence, string textContent) => throw null; - public void AddContent(int sequence, Microsoft.AspNetCore.Components.RenderFragment fragment, TValue value) => throw null; - public void AddElementReferenceCapture(int sequence, System.Action elementReferenceCaptureAction) => throw null; - public void AddMarkupContent(int sequence, string markupContent) => throw null; - public void AddMultipleAttributes(int sequence, System.Collections.Generic.IEnumerable> attributes) => throw null; - public void Clear() => throw null; - public void CloseComponent() => throw null; - public void CloseElement() => throw null; - public void CloseRegion() => throw null; - public void Dispose() => throw null; - public Microsoft.AspNetCore.Components.RenderTree.ArrayRange GetFrames() => throw null; - public void OpenComponent(int sequence, System.Type componentType) => throw null; - public void OpenComponent(int sequence) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; - public void OpenElement(int sequence, string elementName) => throw null; - public void OpenRegion(int sequence) => throw null; - public RenderTreeBuilder() => throw null; - public void SetKey(object value) => throw null; - public void SetUpdatesAttributeName(string updatesAttributeName) => throw null; - } - + public RouteAttribute(string template) => throw null; + public string Template { get => throw null; } + } + public sealed class RouteData + { + public RouteData(System.Type pageType, System.Collections.Generic.IReadOnlyDictionary routeValues) => throw null; + public System.Type PageType { get => throw null; } + public System.Collections.Generic.IReadOnlyDictionary RouteValues { get => throw null; } + } + public class RouteView : Microsoft.AspNetCore.Components.IComponent + { + public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; + public RouteView() => throw null; + public System.Type DefaultLayout { get => throw null; set { } } + protected virtual void Render(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; + public Microsoft.AspNetCore.Components.RouteData RouteData { get => throw null; set { } } + public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; } namespace Routing { @@ -773,52 +673,51 @@ public interface IHostEnvironmentNavigationManager { void Initialize(string baseUri, string uri); } - public interface INavigationInterception { System.Threading.Tasks.Task EnableNavigationInterceptionAsync(); } - public class LocationChangedEventArgs : System.EventArgs { - public string HistoryEntryState { get => throw null; set => throw null; } + public LocationChangedEventArgs(string location, bool isNavigationIntercepted) => throw null; + public string HistoryEntryState { get => throw null; } public bool IsNavigationIntercepted { get => throw null; } public string Location { get => throw null; } - public LocationChangedEventArgs(string location, bool isNavigationIntercepted) => throw null; } - - public class LocationChangingContext + public sealed class LocationChangingContext { - public System.Threading.CancellationToken CancellationToken { get => throw null; set => throw null; } - public string HistoryEntryState { get => throw null; set => throw null; } - public bool IsNavigationIntercepted { get => throw null; set => throw null; } + public System.Threading.CancellationToken CancellationToken { get => throw null; set { } } public LocationChangingContext() => throw null; + public string HistoryEntryState { get => throw null; set { } } + public bool IsNavigationIntercepted { get => throw null; set { } } public void PreventNavigation() => throw null; - public string TargetLocation { get => throw null; set => throw null; } + public string TargetLocation { get => throw null; set { } } } - - public class NavigationContext + public sealed class NavigationContext { public System.Threading.CancellationToken CancellationToken { get => throw null; } public string Path { get => throw null; } } - public class Router : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, System.IDisposable { - public System.Collections.Generic.IEnumerable AdditionalAssemblies { get => throw null; set => throw null; } - public System.Reflection.Assembly AppAssembly { get => throw null; set => throw null; } + public System.Collections.Generic.IEnumerable AdditionalAssemblies { get => throw null; set { } } + public System.Reflection.Assembly AppAssembly { get => throw null; set { } } public void Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; + public Router() => throw null; public void Dispose() => throw null; - public Microsoft.AspNetCore.Components.RenderFragment Found { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.RenderFragment Navigating { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Components.RenderFragment NotFound { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Components.RenderFragment Found { get => throw null; set { } } + public Microsoft.AspNetCore.Components.RenderFragment Navigating { get => throw null; set { } } + public Microsoft.AspNetCore.Components.RenderFragment NotFound { get => throw null; set { } } System.Threading.Tasks.Task Microsoft.AspNetCore.Components.IHandleAfterRender.OnAfterRenderAsync() => throw null; - public Microsoft.AspNetCore.Components.EventCallback OnNavigateAsync { get => throw null; set => throw null; } - public bool PreferExactMatches { get => throw null; set => throw null; } - public Router() => throw null; + public Microsoft.AspNetCore.Components.EventCallback OnNavigateAsync { get => throw null; set { } } + public bool PreferExactMatches { get => throw null; set { } } public System.Threading.Tasks.Task SetParametersAsync(Microsoft.AspNetCore.Components.ParameterView parameters) => throw null; } - + } + public sealed class SupplyParameterFromQueryAttribute : System.Attribute + { + public SupplyParameterFromQueryAttribute() => throw null; + public string Name { get => throw null; set { } } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs index 341849206700..525c941546bd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Connections.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,28 +11,25 @@ public class AddressInUseException : System.InvalidOperationException public AddressInUseException(string message) => throw null; public AddressInUseException(string message, System.Exception inner) => throw null; } - public abstract class BaseConnectionContext : System.IAsyncDisposable { public abstract void Abort(); public abstract void Abort(Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason); - protected BaseConnectionContext() => throw null; - public virtual System.Threading.CancellationToken ConnectionClosed { get => throw null; set => throw null; } + public virtual System.Threading.CancellationToken ConnectionClosed { get => throw null; set { } } public abstract string ConnectionId { get; set; } + protected BaseConnectionContext() => throw null; public virtual System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public abstract Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } public abstract System.Collections.Generic.IDictionary Items { get; set; } - public virtual System.Net.EndPoint LocalEndPoint { get => throw null; set => throw null; } - public virtual System.Net.EndPoint RemoteEndPoint { get => throw null; set => throw null; } + public virtual System.Net.EndPoint LocalEndPoint { get => throw null; set { } } + public virtual System.Net.EndPoint RemoteEndPoint { get => throw null; set { } } } - public class ConnectionAbortedException : System.OperationCanceledException { public ConnectionAbortedException() => throw null; public ConnectionAbortedException(string message) => throw null; public ConnectionAbortedException(string message, System.Exception inner) => throw null; } - public class ConnectionBuilder : Microsoft.AspNetCore.Connections.IConnectionBuilder { public System.IServiceProvider ApplicationServices { get => throw null; } @@ -41,283 +37,148 @@ public class ConnectionBuilder : Microsoft.AspNetCore.Connections.IConnectionBui public ConnectionBuilder(System.IServiceProvider applicationServices) => throw null; public Microsoft.AspNetCore.Connections.IConnectionBuilder Use(System.Func middleware) => throw null; } - - public static class ConnectionBuilderExtensions + public static partial class ConnectionBuilderExtensions { public static Microsoft.AspNetCore.Connections.IConnectionBuilder Run(this Microsoft.AspNetCore.Connections.IConnectionBuilder connectionBuilder, System.Func middleware) => throw null; public static Microsoft.AspNetCore.Connections.IConnectionBuilder Use(this Microsoft.AspNetCore.Connections.IConnectionBuilder connectionBuilder, System.Func, System.Threading.Tasks.Task> middleware) => throw null; public static Microsoft.AspNetCore.Connections.IConnectionBuilder UseConnectionHandler(this Microsoft.AspNetCore.Connections.IConnectionBuilder connectionBuilder) where TConnectionHandler : Microsoft.AspNetCore.Connections.ConnectionHandler => throw null; } - public abstract class ConnectionContext : Microsoft.AspNetCore.Connections.BaseConnectionContext, System.IAsyncDisposable { - public override void Abort() => throw null; public override void Abort(Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason) => throw null; + public override void Abort() => throw null; protected ConnectionContext() => throw null; public abstract System.IO.Pipelines.IDuplexPipe Transport { get; set; } } - public delegate System.Threading.Tasks.Task ConnectionDelegate(Microsoft.AspNetCore.Connections.ConnectionContext connection); - public abstract class ConnectionHandler { protected ConnectionHandler() => throw null; public abstract System.Threading.Tasks.Task OnConnectedAsync(Microsoft.AspNetCore.Connections.ConnectionContext connection); } - - public class ConnectionItems : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ConnectionItems : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; void System.Collections.Generic.IDictionary.Add(object key, object value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; void System.Collections.Generic.ICollection>.Clear() => throw null; - public ConnectionItems() => throw null; - public ConnectionItems(System.Collections.Generic.IDictionary items) => throw null; bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.ContainsKey(object key) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; int System.Collections.Generic.ICollection>.Count { get => throw null; } + public ConnectionItems() => throw null; + public ConnectionItems(System.Collections.Generic.IDictionary items) => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - object System.Collections.Generic.IDictionary.this[object key] { get => throw null; set => throw null; } + object System.Collections.Generic.IDictionary.this[object key] { get => throw null; set { } } public System.Collections.Generic.IDictionary Items { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.Remove(object key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.TryGetValue(object key, out object value) => throw null; System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } } - public class ConnectionResetException : System.IO.IOException { public ConnectionResetException(string message) => throw null; public ConnectionResetException(string message, System.Exception inner) => throw null; } - - public class DefaultConnectionContext : Microsoft.AspNetCore.Connections.ConnectionContext, Microsoft.AspNetCore.Connections.Features.IConnectionEndPointFeature, Microsoft.AspNetCore.Connections.Features.IConnectionIdFeature, Microsoft.AspNetCore.Connections.Features.IConnectionItemsFeature, Microsoft.AspNetCore.Connections.Features.IConnectionLifetimeFeature, Microsoft.AspNetCore.Connections.Features.IConnectionTransportFeature, Microsoft.AspNetCore.Connections.Features.IConnectionUserFeature + public class DefaultConnectionContext : Microsoft.AspNetCore.Connections.ConnectionContext, Microsoft.AspNetCore.Connections.Features.IConnectionIdFeature, Microsoft.AspNetCore.Connections.Features.IConnectionItemsFeature, Microsoft.AspNetCore.Connections.Features.IConnectionTransportFeature, Microsoft.AspNetCore.Connections.Features.IConnectionUserFeature, Microsoft.AspNetCore.Connections.Features.IConnectionLifetimeFeature, Microsoft.AspNetCore.Connections.Features.IConnectionEndPointFeature { public override void Abort(Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason) => throw null; - public System.IO.Pipelines.IDuplexPipe Application { get => throw null; set => throw null; } - public override System.Threading.CancellationToken ConnectionClosed { get => throw null; set => throw null; } - public override string ConnectionId { get => throw null; set => throw null; } + public System.IO.Pipelines.IDuplexPipe Application { get => throw null; set { } } + public override System.Threading.CancellationToken ConnectionClosed { get => throw null; set { } } + public override string ConnectionId { get => throw null; set { } } public DefaultConnectionContext() => throw null; public DefaultConnectionContext(string id) => throw null; public DefaultConnectionContext(string id, System.IO.Pipelines.IDuplexPipe transport, System.IO.Pipelines.IDuplexPipe application) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } - public override System.Collections.Generic.IDictionary Items { get => throw null; set => throw null; } - public override System.Net.EndPoint LocalEndPoint { get => throw null; set => throw null; } - public override System.Net.EndPoint RemoteEndPoint { get => throw null; set => throw null; } - public override System.IO.Pipelines.IDuplexPipe Transport { get => throw null; set => throw null; } - public System.Security.Claims.ClaimsPrincipal User { get => throw null; set => throw null; } - } - - public class FileHandleEndPoint : System.Net.EndPoint - { - public System.UInt64 FileHandle { get => throw null; } - public FileHandleEndPoint(System.UInt64 fileHandle, Microsoft.AspNetCore.Connections.FileHandleType fileHandleType) => throw null; - public Microsoft.AspNetCore.Connections.FileHandleType FileHandleType { get => throw null; } - } - - public enum FileHandleType : int - { - Auto = 0, - Pipe = 2, - Tcp = 1, - } - - public interface IConnectionBuilder - { - System.IServiceProvider ApplicationServices { get; } - Microsoft.AspNetCore.Connections.ConnectionDelegate Build(); - Microsoft.AspNetCore.Connections.IConnectionBuilder Use(System.Func middleware); - } - - public interface IConnectionFactory - { - System.Threading.Tasks.ValueTask ConnectAsync(System.Net.EndPoint endpoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IConnectionListener : System.IAsyncDisposable - { - System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Net.EndPoint EndPoint { get; } - System.Threading.Tasks.ValueTask UnbindAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IConnectionListenerFactory - { - System.Threading.Tasks.ValueTask BindAsync(System.Net.EndPoint endpoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IMultiplexedConnectionBuilder - { - System.IServiceProvider ApplicationServices { get; } - Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Build(); - Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Use(System.Func middleware); - } - - public interface IMultiplexedConnectionFactory - { - System.Threading.Tasks.ValueTask ConnectAsync(System.Net.EndPoint endpoint, Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IMultiplexedConnectionListener : System.IAsyncDisposable - { - System.Threading.Tasks.ValueTask AcceptAsync(Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Net.EndPoint EndPoint { get; } - System.Threading.Tasks.ValueTask UnbindAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public interface IMultiplexedConnectionListenerFactory - { - System.Threading.Tasks.ValueTask BindAsync(System.Net.EndPoint endpoint, Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - public class MultiplexedConnectionBuilder : Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder - { - public System.IServiceProvider ApplicationServices { get => throw null; } - public Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Build() => throw null; - public MultiplexedConnectionBuilder(System.IServiceProvider applicationServices) => throw null; - public Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Use(System.Func middleware) => throw null; - } - - public abstract class MultiplexedConnectionContext : Microsoft.AspNetCore.Connections.BaseConnectionContext, System.IAsyncDisposable - { - public abstract System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.ValueTask ConnectAsync(Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - protected MultiplexedConnectionContext() => throw null; - } - - public delegate System.Threading.Tasks.Task MultiplexedConnectionDelegate(Microsoft.AspNetCore.Connections.MultiplexedConnectionContext connection); - - public class TlsConnectionCallbackContext - { - public System.Net.Security.SslClientHelloInfo ClientHelloInfo { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Connections.BaseConnectionContext Connection { get => throw null; set => throw null; } - public object State { get => throw null; set => throw null; } - public TlsConnectionCallbackContext() => throw null; - } - - public class TlsConnectionCallbackOptions - { - public System.Collections.Generic.List ApplicationProtocols { get => throw null; set => throw null; } - public System.Func> OnConnection { get => throw null; set => throw null; } - public object OnConnectionState { get => throw null; set => throw null; } - public TlsConnectionCallbackOptions() => throw null; - } - - [System.Flags] - public enum TransferFormat : int - { - Binary = 1, - Text = 2, + public override System.Collections.Generic.IDictionary Items { get => throw null; set { } } + public override System.Net.EndPoint LocalEndPoint { get => throw null; set { } } + public override System.Net.EndPoint RemoteEndPoint { get => throw null; set { } } + public override System.IO.Pipelines.IDuplexPipe Transport { get => throw null; set { } } + public System.Security.Claims.ClaimsPrincipal User { get => throw null; set { } } } - - public class UriEndPoint : System.Net.EndPoint - { - public override string ToString() => throw null; - public System.Uri Uri { get => throw null; } - public UriEndPoint(System.Uri uri) => throw null; - } - namespace Features { public interface IConnectionCompleteFeature { void OnCompleted(System.Func callback, object state); } - public interface IConnectionEndPointFeature { System.Net.EndPoint LocalEndPoint { get; set; } System.Net.EndPoint RemoteEndPoint { get; set; } } - public interface IConnectionHeartbeatFeature { void OnHeartbeat(System.Action action, object state); } - public interface IConnectionIdFeature { string ConnectionId { get; set; } } - public interface IConnectionInherentKeepAliveFeature { bool HasInherentKeepAlive { get; } } - public interface IConnectionItemsFeature { System.Collections.Generic.IDictionary Items { get; set; } } - public interface IConnectionLifetimeFeature { void Abort(); System.Threading.CancellationToken ConnectionClosed { get; set; } } - public interface IConnectionLifetimeNotificationFeature { System.Threading.CancellationToken ConnectionClosedRequested { get; set; } void RequestClose(); } - public interface IConnectionSocketFeature { System.Net.Sockets.Socket Socket { get; } } - public interface IConnectionTransportFeature { System.IO.Pipelines.IDuplexPipe Transport { get; set; } } - public interface IConnectionUserFeature { System.Security.Claims.ClaimsPrincipal User { get; set; } } - public interface IMemoryPoolFeature { - System.Buffers.MemoryPool MemoryPool { get; } + System.Buffers.MemoryPool MemoryPool { get; } } - public interface IPersistentStateFeature { System.Collections.Generic.IDictionary State { get; } } - public interface IProtocolErrorCodeFeature { - System.Int64 Error { get; set; } + long Error { get; set; } } - public interface IStreamAbortFeature { - void AbortRead(System.Int64 errorCode, Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason); - void AbortWrite(System.Int64 errorCode, Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason); + void AbortRead(long errorCode, Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason); + void AbortWrite(long errorCode, Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason); } - public interface IStreamClosedFeature { void OnClosed(System.Action callback, object state); } - public interface IStreamDirectionFeature { bool CanRead { get; } bool CanWrite { get; } } - public interface IStreamIdFeature { - System.Int64 StreamId { get; } + long StreamId { get; } } - public interface ITlsHandshakeFeature { System.Security.Authentication.CipherAlgorithmType CipherAlgorithm { get; } @@ -328,13 +189,103 @@ public interface ITlsHandshakeFeature int KeyExchangeStrength { get; } System.Security.Authentication.SslProtocols Protocol { get; } } - public interface ITransferFormatFeature { Microsoft.AspNetCore.Connections.TransferFormat ActiveFormat { get; set; } Microsoft.AspNetCore.Connections.TransferFormat SupportedFormats { get; } } - + } + public class FileHandleEndPoint : System.Net.EndPoint + { + public FileHandleEndPoint(ulong fileHandle, Microsoft.AspNetCore.Connections.FileHandleType fileHandleType) => throw null; + public ulong FileHandle { get => throw null; } + public Microsoft.AspNetCore.Connections.FileHandleType FileHandleType { get => throw null; } + } + public enum FileHandleType + { + Auto = 0, + Tcp = 1, + Pipe = 2, + } + public interface IConnectionBuilder + { + System.IServiceProvider ApplicationServices { get; } + Microsoft.AspNetCore.Connections.ConnectionDelegate Build(); + Microsoft.AspNetCore.Connections.IConnectionBuilder Use(System.Func middleware); + } + public interface IConnectionFactory + { + System.Threading.Tasks.ValueTask ConnectAsync(System.Net.EndPoint endpoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IConnectionListener : System.IAsyncDisposable + { + System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Net.EndPoint EndPoint { get; } + System.Threading.Tasks.ValueTask UnbindAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IConnectionListenerFactory + { + System.Threading.Tasks.ValueTask BindAsync(System.Net.EndPoint endpoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IMultiplexedConnectionBuilder + { + System.IServiceProvider ApplicationServices { get; } + Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Build(); + Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Use(System.Func middleware); + } + public interface IMultiplexedConnectionFactory + { + System.Threading.Tasks.ValueTask ConnectAsync(System.Net.EndPoint endpoint, Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IMultiplexedConnectionListener : System.IAsyncDisposable + { + System.Threading.Tasks.ValueTask AcceptAsync(Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Net.EndPoint EndPoint { get; } + System.Threading.Tasks.ValueTask UnbindAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IMultiplexedConnectionListenerFactory + { + System.Threading.Tasks.ValueTask BindAsync(System.Net.EndPoint endpoint, Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public class MultiplexedConnectionBuilder : Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder + { + public System.IServiceProvider ApplicationServices { get => throw null; } + public Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Build() => throw null; + public MultiplexedConnectionBuilder(System.IServiceProvider applicationServices) => throw null; + public Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Use(System.Func middleware) => throw null; + } + public abstract class MultiplexedConnectionContext : Microsoft.AspNetCore.Connections.BaseConnectionContext, System.IAsyncDisposable + { + public abstract System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.ValueTask ConnectAsync(Microsoft.AspNetCore.Http.Features.IFeatureCollection features = default(Microsoft.AspNetCore.Http.Features.IFeatureCollection), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + protected MultiplexedConnectionContext() => throw null; + } + public delegate System.Threading.Tasks.Task MultiplexedConnectionDelegate(Microsoft.AspNetCore.Connections.MultiplexedConnectionContext connection); + public class TlsConnectionCallbackContext + { + public System.Net.Security.SslClientHelloInfo ClientHelloInfo { get => throw null; set { } } + public Microsoft.AspNetCore.Connections.BaseConnectionContext Connection { get => throw null; set { } } + public TlsConnectionCallbackContext() => throw null; + public object State { get => throw null; set { } } + } + public class TlsConnectionCallbackOptions + { + public System.Collections.Generic.List ApplicationProtocols { get => throw null; set { } } + public TlsConnectionCallbackOptions() => throw null; + public System.Func> OnConnection { get => throw null; set { } } + public object OnConnectionState { get => throw null; set { } } + } + [System.Flags] + public enum TransferFormat + { + Binary = 1, + Text = 2, + } + public class UriEndPoint : System.Net.EndPoint + { + public UriEndPoint(System.Uri uri) => throw null; + public override string ToString() => throw null; + public System.Uri Uri { get => throw null; } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.CookiePolicy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.CookiePolicy.cs index 79c0c7f33e90..c435f6bd4401 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.CookiePolicy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.CookiePolicy.cs @@ -1,83 +1,75 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.CookiePolicy, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class CookiePolicyAppBuilderExtensions + public static partial class CookiePolicyAppBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCookiePolicy(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCookiePolicy(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.CookiePolicyOptions options) => throw null; } - public class CookiePolicyOptions { - public System.Func CheckConsentNeeded { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.CookieBuilder ConsentCookie { get => throw null; set => throw null; } - public string ConsentCookieValue { get => throw null; set => throw null; } + public System.Func CheckConsentNeeded { get => throw null; set { } } + public Microsoft.AspNetCore.Http.CookieBuilder ConsentCookie { get => throw null; set { } } + public string ConsentCookieValue { get => throw null; set { } } public CookiePolicyOptions() => throw null; - public Microsoft.AspNetCore.CookiePolicy.HttpOnlyPolicy HttpOnly { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.SameSiteMode MinimumSameSitePolicy { get => throw null; set => throw null; } - public System.Action OnAppendCookie { get => throw null; set => throw null; } - public System.Action OnDeleteCookie { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.CookieSecurePolicy Secure { get => throw null; set => throw null; } + public Microsoft.AspNetCore.CookiePolicy.HttpOnlyPolicy HttpOnly { get => throw null; set { } } + public Microsoft.AspNetCore.Http.SameSiteMode MinimumSameSitePolicy { get => throw null; set { } } + public System.Action OnAppendCookie { get => throw null; set { } } + public System.Action OnDeleteCookie { get => throw null; set { } } + public Microsoft.AspNetCore.Http.CookieSecurePolicy Secure { get => throw null; set { } } } - } namespace CookiePolicy { public class AppendCookieContext { - public AppendCookieContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.CookieOptions options, string name, string value) => throw null; public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } - public string CookieName { get => throw null; set => throw null; } + public string CookieName { get => throw null; set { } } public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; } - public string CookieValue { get => throw null; set => throw null; } + public string CookieValue { get => throw null; set { } } + public AppendCookieContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.CookieOptions options, string name, string value) => throw null; public bool HasConsent { get => throw null; } public bool IsConsentNeeded { get => throw null; } - public bool IssueCookie { get => throw null; set => throw null; } + public bool IssueCookie { get => throw null; set { } } } - public class CookiePolicyMiddleware { - public CookiePolicyMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; public CookiePolicyMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; + public CookiePolicyMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public Microsoft.AspNetCore.Builder.CookiePolicyOptions Options { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Builder.CookiePolicyOptions Options { get => throw null; set { } } } - public class DeleteCookieContext { public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } - public string CookieName { get => throw null; set => throw null; } + public string CookieName { get => throw null; set { } } public Microsoft.AspNetCore.Http.CookieOptions CookieOptions { get => throw null; } public DeleteCookieContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.CookieOptions options, string name) => throw null; public bool HasConsent { get => throw null; } public bool IsConsentNeeded { get => throw null; } - public bool IssueCookie { get => throw null; set => throw null; } + public bool IssueCookie { get => throw null; set { } } } - - public enum HttpOnlyPolicy : int + public enum HttpOnlyPolicy { - Always = 1, None = 0, + Always = 1, } - } } namespace Extensions { namespace DependencyInjection { - public static class CookiePolicyServiceCollectionExtensions + public static partial class CookiePolicyServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddCookiePolicy(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddCookiePolicy(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TService : class => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs index ff5767e49b8b..4fc77ffddf01 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs @@ -1,46 +1,40 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Cors, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class CorsEndpointConventionBuilderExtensions + public static partial class CorsEndpointConventionBuilderExtensions { - public static TBuilder RequireCors(this TBuilder builder, System.Action configurePolicy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder RequireCors(this TBuilder builder, string policyName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder RequireCors(this TBuilder builder, System.Action configurePolicy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - - public static class CorsMiddlewareExtensions + public static partial class CorsMiddlewareExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCors(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCors(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configurePolicy) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCors(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string policyName) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCors(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configurePolicy) => throw null; } - } namespace Cors { - public class CorsPolicyMetadata : Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyMetadata + public class CorsPolicyMetadata : Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyMetadata, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { public CorsPolicyMetadata(Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy Policy { get => throw null; } } - - public class DisableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.IDisableCorsAttribute + public class DisableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.IDisableCorsAttribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { public DisableCorsAttribute() => throw null; } - - public class EnableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.IEnableCorsAttribute + public class EnableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.IEnableCorsAttribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { public EnableCorsAttribute() => throw null; public EnableCorsAttribute(string policyName) => throw null; - public string PolicyName { get => throw null; set => throw null; } + public string PolicyName { get => throw null; set { } } } - namespace Infrastructure { public static class CorsConstants @@ -57,26 +51,23 @@ public static class CorsConstants public static string Origin; public static string PreflightHttpMethod; } - public class CorsMiddleware { - public CorsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Cors.Infrastructure.ICorsService corsService, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public CorsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Cors.Infrastructure.ICorsService corsService, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public CorsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Cors.Infrastructure.ICorsService corsService, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, string policyName) => throw null; + public CorsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Cors.Infrastructure.ICorsService corsService, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyProvider corsPolicyProvider) => throw null; } - public class CorsOptions { - public void AddDefaultPolicy(System.Action configurePolicy) => throw null; public void AddDefaultPolicy(Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; - public void AddPolicy(string name, System.Action configurePolicy) => throw null; + public void AddDefaultPolicy(System.Action configurePolicy) => throw null; public void AddPolicy(string name, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; + public void AddPolicy(string name, System.Action configurePolicy) => throw null; public CorsOptions() => throw null; - public string DefaultPolicyName { get => throw null; set => throw null; } + public string DefaultPolicyName { get => throw null; set { } } public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy GetPolicy(string name) => throw null; } - public class CorsPolicy { public bool AllowAnyHeader { get => throw null; } @@ -85,14 +76,13 @@ public class CorsPolicy public CorsPolicy() => throw null; public System.Collections.Generic.IList ExposedHeaders { get => throw null; } public System.Collections.Generic.IList Headers { get => throw null; } - public System.Func IsOriginAllowed { get => throw null; set => throw null; } + public System.Func IsOriginAllowed { get => throw null; set { } } public System.Collections.Generic.IList Methods { get => throw null; } public System.Collections.Generic.IList Origins { get => throw null; } - public System.TimeSpan? PreflightMaxAge { get => throw null; set => throw null; } - public bool SupportsCredentials { get => throw null; set => throw null; } + public System.TimeSpan? PreflightMaxAge { get => throw null; set { } } + public bool SupportsCredentials { get => throw null; set { } } public override string ToString() => throw null; } - public class CorsPolicyBuilder { public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder AllowAnyHeader() => throw null; @@ -100,8 +90,8 @@ public class CorsPolicyBuilder public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder AllowAnyOrigin() => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder AllowCredentials() => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy Build() => throw null; - public CorsPolicyBuilder(Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public CorsPolicyBuilder(params string[] origins) => throw null; + public CorsPolicyBuilder(Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder DisallowCredentials() => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder SetIsOriginAllowed(System.Func isOriginAllowed) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder SetIsOriginAllowedToAllowWildcardSubdomains() => throw null; @@ -111,63 +101,54 @@ public class CorsPolicyBuilder public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder WithMethods(params string[] methods) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder WithOrigins(params string[] origins) => throw null; } - public class CorsResult { public System.Collections.Generic.IList AllowedExposedHeaders { get => throw null; } public System.Collections.Generic.IList AllowedHeaders { get => throw null; } public System.Collections.Generic.IList AllowedMethods { get => throw null; } - public string AllowedOrigin { get => throw null; set => throw null; } + public string AllowedOrigin { get => throw null; set { } } public CorsResult() => throw null; - public bool IsOriginAllowed { get => throw null; set => throw null; } - public bool IsPreflightRequest { get => throw null; set => throw null; } - public System.TimeSpan? PreflightMaxAge { get => throw null; set => throw null; } - public bool SupportsCredentials { get => throw null; set => throw null; } + public bool IsOriginAllowed { get => throw null; set { } } + public bool IsPreflightRequest { get => throw null; set { } } + public System.TimeSpan? PreflightMaxAge { get => throw null; set { } } + public bool SupportsCredentials { get => throw null; set { } } public override string ToString() => throw null; - public bool VaryByOrigin { get => throw null; set => throw null; } + public bool VaryByOrigin { get => throw null; set { } } } - public class CorsService : Microsoft.AspNetCore.Cors.Infrastructure.ICorsService { public virtual void ApplyResult(Microsoft.AspNetCore.Cors.Infrastructure.CorsResult result, Microsoft.AspNetCore.Http.HttpResponse response) => throw null; public CorsService(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public Microsoft.AspNetCore.Cors.Infrastructure.CorsResult EvaluatePolicy(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsResult EvaluatePolicy(Microsoft.AspNetCore.Http.HttpContext context, string policyName) => throw null; + public Microsoft.AspNetCore.Cors.Infrastructure.CorsResult EvaluatePolicy(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public virtual void EvaluatePreflightRequest(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy, Microsoft.AspNetCore.Cors.Infrastructure.CorsResult result) => throw null; public virtual void EvaluateRequest(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy, Microsoft.AspNetCore.Cors.Infrastructure.CorsResult result) => throw null; } - public class DefaultCorsPolicyProvider : Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyProvider { public DefaultCorsPolicyProvider(Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task GetPolicyAsync(Microsoft.AspNetCore.Http.HttpContext context, string policyName) => throw null; } - public interface ICorsPolicyMetadata : Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy Policy { get; } } - public interface ICorsPolicyProvider { System.Threading.Tasks.Task GetPolicyAsync(Microsoft.AspNetCore.Http.HttpContext context, string policyName); } - public interface ICorsService { void ApplyResult(Microsoft.AspNetCore.Cors.Infrastructure.CorsResult result, Microsoft.AspNetCore.Http.HttpResponse response); Microsoft.AspNetCore.Cors.Infrastructure.CorsResult EvaluatePolicy(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy); } - public interface IDisableCorsAttribute : Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { } - public interface IEnableCorsAttribute : Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata { string PolicyName { get; set; } } - } } } @@ -175,12 +156,11 @@ namespace Extensions { namespace DependencyInjection { - public static class CorsServiceCollectionExtensions + public static partial class CorsServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddCors(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddCors(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs new file mode 100644 index 000000000000..90ae7542fd6b --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `Microsoft.AspNetCore.Cryptography.Internal, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.KeyDerivation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.KeyDerivation.cs index ec08c3600495..94af8fe1d90a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.KeyDerivation.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.KeyDerivation.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Cryptography.KeyDerivation, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,16 +10,14 @@ namespace KeyDerivation { public static class KeyDerivation { - public static System.Byte[] Pbkdf2(string password, System.Byte[] salt, Microsoft.AspNetCore.Cryptography.KeyDerivation.KeyDerivationPrf prf, int iterationCount, int numBytesRequested) => throw null; + public static byte[] Pbkdf2(string password, byte[] salt, Microsoft.AspNetCore.Cryptography.KeyDerivation.KeyDerivationPrf prf, int iterationCount, int numBytesRequested) => throw null; } - - public enum KeyDerivationPrf : int + public enum KeyDerivationPrf { HMACSHA1 = 0, HMACSHA256 = 1, HMACSHA512 = 2, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Abstractions.cs index 4b0d1c2e0aad..d4c54f046a4a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Abstractions.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.DataProtection.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace DataProtection { - public static class DataProtectionCommonExtensions + public static partial class DataProtectionCommonExtensions { public static Microsoft.AspNetCore.DataProtection.IDataProtector CreateProtector(this Microsoft.AspNetCore.DataProtection.IDataProtectionProvider provider, System.Collections.Generic.IEnumerable purposes) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtector CreateProtector(this Microsoft.AspNetCore.DataProtection.IDataProtectionProvider provider, string purpose, params string[] subPurposes) => throw null; @@ -17,25 +16,21 @@ public static class DataProtectionCommonExtensions public static string Protect(this Microsoft.AspNetCore.DataProtection.IDataProtector protector, string plaintext) => throw null; public static string Unprotect(this Microsoft.AspNetCore.DataProtection.IDataProtector protector, string protectedData) => throw null; } - public interface IDataProtectionProvider { Microsoft.AspNetCore.DataProtection.IDataProtector CreateProtector(string purpose); } - public interface IDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider { - System.Byte[] Protect(System.Byte[] plaintext); - System.Byte[] Unprotect(System.Byte[] protectedData); + byte[] Protect(byte[] plaintext); + byte[] Unprotect(byte[] protectedData); } - namespace Infrastructure { public interface IApplicationDiscriminator { string Discriminator { get; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs index 8af2af938a4a..e7eec5b5d83c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs @@ -1,38 +1,34 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.DataProtection.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace DataProtection { - public static class DataProtectionAdvancedExtensions + public static partial class DataProtectionAdvancedExtensions { - public static System.Byte[] Protect(this Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector protector, System.Byte[] plaintext, System.TimeSpan lifetime) => throw null; + public static byte[] Protect(this Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector protector, byte[] plaintext, System.TimeSpan lifetime) => throw null; public static string Protect(this Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector protector, string plaintext, System.DateTimeOffset expiration) => throw null; public static string Protect(this Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector protector, string plaintext, System.TimeSpan lifetime) => throw null; public static Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector ToTimeLimitedDataProtector(this Microsoft.AspNetCore.DataProtection.IDataProtector protector) => throw null; public static string Unprotect(this Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector protector, string protectedData, out System.DateTimeOffset expiration) => throw null; } - public static class DataProtectionProvider { + public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(string applicationName) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Action setupAction) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Action setupAction, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(string applicationName) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(string applicationName, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Action setupAction, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; } - - public interface ITimeLimitedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider, Microsoft.AspNetCore.DataProtection.IDataProtector + public interface ITimeLimitedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtector, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider { Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector CreateProtector(string purpose); - System.Byte[] Protect(System.Byte[] plaintext, System.DateTimeOffset expiration); - System.Byte[] Unprotect(System.Byte[] protectedData, out System.DateTimeOffset expiration); + byte[] Protect(byte[] plaintext, System.DateTimeOffset expiration); + byte[] Unprotect(byte[] protectedData, out System.DateTimeOffset expiration); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs index 7f59a4788709..7b48e9f2f885 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs @@ -1,257 +1,198 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.DataProtection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace DataProtection { - public static class DataProtectionBuilderExtensions - { - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Func factory) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyEscrowSink sink) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) where TImplementation : class, Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyEscrowSink => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyManagementOptions(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Action setupAction) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder DisableAutomaticKeyGeneration(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder PersistKeysToFileSystem(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.IO.DirectoryInfo directory) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder PersistKeysToRegistry(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.Win32.RegistryKey registryKey) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string thumbprint) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapi(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapi(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, bool protectToLocalMachine) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapiNG(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapiNG(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string protectionDescriptorRule, Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiNGProtectionDescriptorFlags flags) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder SetApplicationName(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string applicationName) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder SetDefaultKeyLifetime(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.TimeSpan lifetime) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UnprotectKeysWithAnyCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, params System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AuthenticatedEncryptorConfiguration configuration) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngCbcAuthenticatedEncryptorConfiguration configuration) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngGcmAuthenticatedEncryptorConfiguration configuration) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.ManagedAuthenticatedEncryptorConfiguration configuration) => throw null; - public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseEphemeralDataProtectionProvider(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; - } - - public class DataProtectionOptions - { - public string ApplicationDiscriminator { get => throw null; set => throw null; } - public DataProtectionOptions() => throw null; - } - - public static class DataProtectionUtilityExtensions - { - public static string GetApplicationUniqueIdentifier(this System.IServiceProvider services) => throw null; - } - - public class EphemeralDataProtectionProvider : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider - { - public Microsoft.AspNetCore.DataProtection.IDataProtector CreateProtector(string purpose) => throw null; - public EphemeralDataProtectionProvider() => throw null; - public EphemeralDataProtectionProvider(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - - public interface IDataProtectionBuilder - { - Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } - } - - public interface IPersistedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider, Microsoft.AspNetCore.DataProtection.IDataProtector - { - System.Byte[] DangerousUnprotect(System.Byte[] protectedData, bool ignoreRevocationErrors, out bool requiresMigration, out bool wasRevoked); - } - - public interface ISecret : System.IDisposable - { - int Length { get; } - void WriteSecretIntoBuffer(System.ArraySegment buffer); - } - - public class Secret : Microsoft.AspNetCore.DataProtection.ISecret, System.IDisposable - { - public void Dispose() => throw null; - public int Length { get => throw null; } - public static Microsoft.AspNetCore.DataProtection.Secret Random(int numBytes) => throw null; - public Secret(System.ArraySegment value) => throw null; - public Secret(System.Byte[] value) => throw null; - public Secret(Microsoft.AspNetCore.DataProtection.ISecret secret) => throw null; - unsafe public Secret(System.Byte* secret, int secretLength) => throw null; - public void WriteSecretIntoBuffer(System.ArraySegment buffer) => throw null; - unsafe public void WriteSecretIntoBuffer(System.Byte* buffer, int bufferLength) => throw null; - } - namespace AuthenticatedEncryption { - public class AuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory + public sealed class AuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory { - public AuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key) => throw null; - } - - public class CngCbcAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory - { - public CngCbcAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key) => throw null; + public AuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - - public class CngGcmAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory + public sealed class CngCbcAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory { - public CngGcmAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key) => throw null; + public CngCbcAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - - public enum EncryptionAlgorithm : int - { - AES_128_CBC = 0, - AES_128_GCM = 3, - AES_192_CBC = 1, - AES_192_GCM = 4, - AES_256_CBC = 2, - AES_256_GCM = 5, - } - - public interface IAuthenticatedEncryptor - { - System.Byte[] Decrypt(System.ArraySegment ciphertext, System.ArraySegment additionalAuthenticatedData); - System.Byte[] Encrypt(System.ArraySegment plaintext, System.ArraySegment additionalAuthenticatedData); - } - - public interface IAuthenticatedEncryptorFactory - { - Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key); - } - - public class ManagedAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory + public sealed class CngGcmAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory { public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key) => throw null; - public ManagedAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - - public enum ValidationAlgorithm : int - { - HMACSHA256 = 0, - HMACSHA512 = 1, + public CngGcmAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - namespace ConfigurationModel { public abstract class AlgorithmConfiguration { - protected AlgorithmConfiguration() => throw null; public abstract Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor CreateNewDescriptor(); + protected AlgorithmConfiguration() => throw null; } - - public class AuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration + public sealed class AuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration { - public AuthenticatedEncryptorConfiguration() => throw null; public override Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor CreateNewDescriptor() => throw null; - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.EncryptionAlgorithm EncryptionAlgorithm { get => throw null; set => throw null; } - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ValidationAlgorithm ValidationAlgorithm { get => throw null; set => throw null; } + public AuthenticatedEncryptorConfiguration() => throw null; + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.EncryptionAlgorithm EncryptionAlgorithm { get => throw null; set { } } + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ValidationAlgorithm ValidationAlgorithm { get => throw null; set { } } } - - public class AuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor + public sealed class AuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor { public AuthenticatedEncryptorDescriptor(Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AuthenticatedEncryptorConfiguration configuration, Microsoft.AspNetCore.DataProtection.ISecret masterKey) => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml() => throw null; } - - public class AuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer + public sealed class AuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer { public AuthenticatedEncryptorDescriptorDeserializer() => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element) => throw null; } - - public class CngCbcAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration + public sealed class CngCbcAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration { - public CngCbcAuthenticatedEncryptorConfiguration() => throw null; public override Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor CreateNewDescriptor() => throw null; - public string EncryptionAlgorithm { get => throw null; set => throw null; } - public int EncryptionAlgorithmKeySize { get => throw null; set => throw null; } - public string EncryptionAlgorithmProvider { get => throw null; set => throw null; } - public string HashAlgorithm { get => throw null; set => throw null; } - public string HashAlgorithmProvider { get => throw null; set => throw null; } + public CngCbcAuthenticatedEncryptorConfiguration() => throw null; + public string EncryptionAlgorithm { get => throw null; set { } } + public int EncryptionAlgorithmKeySize { get => throw null; set { } } + public string EncryptionAlgorithmProvider { get => throw null; set { } } + public string HashAlgorithm { get => throw null; set { } } + public string HashAlgorithmProvider { get => throw null; set { } } } - - public class CngCbcAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor + public sealed class CngCbcAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor { public CngCbcAuthenticatedEncryptorDescriptor(Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngCbcAuthenticatedEncryptorConfiguration configuration, Microsoft.AspNetCore.DataProtection.ISecret masterKey) => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml() => throw null; } - - public class CngCbcAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer + public sealed class CngCbcAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer { public CngCbcAuthenticatedEncryptorDescriptorDeserializer() => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element) => throw null; } - - public class CngGcmAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration + public sealed class CngGcmAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration { - public CngGcmAuthenticatedEncryptorConfiguration() => throw null; public override Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor CreateNewDescriptor() => throw null; - public string EncryptionAlgorithm { get => throw null; set => throw null; } - public int EncryptionAlgorithmKeySize { get => throw null; set => throw null; } - public string EncryptionAlgorithmProvider { get => throw null; set => throw null; } + public CngGcmAuthenticatedEncryptorConfiguration() => throw null; + public string EncryptionAlgorithm { get => throw null; set { } } + public int EncryptionAlgorithmKeySize { get => throw null; set { } } + public string EncryptionAlgorithmProvider { get => throw null; set { } } } - - public class CngGcmAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor + public sealed class CngGcmAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor { public CngGcmAuthenticatedEncryptorDescriptor(Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngGcmAuthenticatedEncryptorConfiguration configuration, Microsoft.AspNetCore.DataProtection.ISecret masterKey) => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml() => throw null; } - - public class CngGcmAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer + public sealed class CngGcmAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer { public CngGcmAuthenticatedEncryptorDescriptorDeserializer() => throw null; public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element) => throw null; } - public interface IAuthenticatedEncryptorDescriptor { Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml(); } - public interface IAuthenticatedEncryptorDescriptorDeserializer { Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element); } - - internal interface IInternalAlgorithmConfiguration - { - } - - public class ManagedAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration + public sealed class ManagedAuthenticatedEncryptorConfiguration : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration { public override Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor CreateNewDescriptor() => throw null; - public int EncryptionAlgorithmKeySize { get => throw null; set => throw null; } - public System.Type EncryptionAlgorithmType { get => throw null; set => throw null; } public ManagedAuthenticatedEncryptorConfiguration() => throw null; - public System.Type ValidationAlgorithmType { get => throw null; set => throw null; } + public int EncryptionAlgorithmKeySize { get => throw null; set { } } + public System.Type EncryptionAlgorithmType { get => throw null; set { } } + public System.Type ValidationAlgorithmType { get => throw null; set { } } } - - public class ManagedAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor + public sealed class ManagedAuthenticatedEncryptorDescriptor : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor { - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml() => throw null; public ManagedAuthenticatedEncryptorDescriptor(Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.ManagedAuthenticatedEncryptorConfiguration configuration, Microsoft.AspNetCore.DataProtection.ISecret masterKey) => throw null; + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.XmlSerializedDescriptorInfo ExportToXml() => throw null; } - - public class ManagedAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer + public sealed class ManagedAuthenticatedEncryptorDescriptorDeserializer : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptorDeserializer { - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element) => throw null; public ManagedAuthenticatedEncryptorDescriptorDeserializer() => throw null; + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor ImportFromXml(System.Xml.Linq.XElement element) => throw null; } - - public static class XmlExtensions + public static partial class XmlExtensions { public static void MarkAsRequiresEncryption(this System.Xml.Linq.XElement element) => throw null; } - - public class XmlSerializedDescriptorInfo + public sealed class XmlSerializedDescriptorInfo { + public XmlSerializedDescriptorInfo(System.Xml.Linq.XElement serializedDescriptorElement, System.Type deserializerType) => throw null; public System.Type DeserializerType { get => throw null; } public System.Xml.Linq.XElement SerializedDescriptorElement { get => throw null; } - public XmlSerializedDescriptorInfo(System.Xml.Linq.XElement serializedDescriptorElement, System.Type deserializerType) => throw null; } - } + public enum EncryptionAlgorithm + { + AES_128_CBC = 0, + AES_192_CBC = 1, + AES_256_CBC = 2, + AES_128_GCM = 3, + AES_192_GCM = 4, + AES_256_GCM = 5, + } + public interface IAuthenticatedEncryptor + { + byte[] Decrypt(System.ArraySegment ciphertext, System.ArraySegment additionalAuthenticatedData); + byte[] Encrypt(System.ArraySegment plaintext, System.ArraySegment additionalAuthenticatedData); + } + public interface IAuthenticatedEncryptorFactory + { + Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key); + } + public sealed class ManagedAuthenticatedEncryptorFactory : Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptorFactory + { + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor CreateEncryptorInstance(Microsoft.AspNetCore.DataProtection.KeyManagement.IKey key) => throw null; + public ManagedAuthenticatedEncryptorFactory(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + } + public enum ValidationAlgorithm + { + HMACSHA256 = 0, + HMACSHA512 = 1, + } + } + public static partial class DataProtectionBuilderExtensions + { + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyEscrowSink sink) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) where TImplementation : class, Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyEscrowSink => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyEscrowSink(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Func factory) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddKeyManagementOptions(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Action setupAction) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder DisableAutomaticKeyGeneration(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder PersistKeysToFileSystem(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.IO.DirectoryInfo directory) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder PersistKeysToRegistry(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.Win32.RegistryKey registryKey) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string thumbprint) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapi(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapi(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, bool protectToLocalMachine) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapiNG(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder ProtectKeysWithDpapiNG(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string protectionDescriptorRule, Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiNGProtectionDescriptorFlags flags) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder SetApplicationName(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, string applicationName) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder SetDefaultKeyLifetime(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, System.TimeSpan lifetime) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UnprotectKeysWithAnyCertificate(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, params System.Security.Cryptography.X509Certificates.X509Certificate2[] certificates) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AuthenticatedEncryptorConfiguration configuration) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngCbcAuthenticatedEncryptorConfiguration configuration) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.CngGcmAuthenticatedEncryptorConfiguration configuration) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseCustomCryptographicAlgorithms(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder, Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.ManagedAuthenticatedEncryptorConfiguration configuration) => throw null; + public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder UseEphemeralDataProtectionProvider(this Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder builder) => throw null; + } + public class DataProtectionOptions + { + public string ApplicationDiscriminator { get => throw null; set { } } + public DataProtectionOptions() => throw null; + } + public static partial class DataProtectionUtilityExtensions + { + public static string GetApplicationUniqueIdentifier(this System.IServiceProvider services) => throw null; + } + public sealed class EphemeralDataProtectionProvider : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider + { + public Microsoft.AspNetCore.DataProtection.IDataProtector CreateProtector(string purpose) => throw null; + public EphemeralDataProtectionProvider() => throw null; + public EphemeralDataProtectionProvider(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + } + public interface IDataProtectionBuilder + { + Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } namespace Internal { @@ -259,7 +200,15 @@ public interface IActivator { object CreateInstance(System.Type expectedBaseType, string implementationTypeName); } - + } + public interface IPersistedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtector, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider + { + byte[] DangerousUnprotect(byte[] protectedData, bool ignoreRevocationErrors, out bool requiresMigration, out bool wasRevoked); + } + public interface ISecret : System.IDisposable + { + int Length { get; } + void WriteSecretIntoBuffer(System.ArraySegment buffer); } namespace KeyManagement { @@ -273,12 +222,10 @@ public interface IKey bool IsRevoked { get; } System.Guid KeyId { get; } } - public interface IKeyEscrowSink { void Store(System.Guid keyId, System.Xml.Linq.XElement element); } - public interface IKeyManager { Microsoft.AspNetCore.DataProtection.KeyManagement.IKey CreateNewKey(System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate); @@ -287,104 +234,102 @@ public interface IKeyManager void RevokeAllKeys(System.DateTimeOffset revocationDate, string reason = default(string)); void RevokeKey(System.Guid keyId, string reason = default(string)); } - - public class KeyManagementOptions - { - public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration AuthenticatedEncryptorConfiguration { get => throw null; set => throw null; } - public System.Collections.Generic.IList AuthenticatedEncryptorFactories { get => throw null; } - public bool AutoGenerateKeys { get => throw null; set => throw null; } - public System.Collections.Generic.IList KeyEscrowSinks { get => throw null; } - public KeyManagementOptions() => throw null; - public System.TimeSpan NewKeyLifetime { get => throw null; set => throw null; } - public Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor XmlEncryptor { get => throw null; set => throw null; } - public Microsoft.AspNetCore.DataProtection.Repositories.IXmlRepository XmlRepository { get => throw null; set => throw null; } - } - - public class XmlKeyManager : Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyManager, Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager - { - public Microsoft.AspNetCore.DataProtection.KeyManagement.IKey CreateNewKey(System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; - Microsoft.AspNetCore.DataProtection.KeyManagement.IKey Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.CreateNewKey(System.Guid keyId, System.DateTimeOffset creationDate, System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; - Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.DeserializeDescriptorFromKeyElement(System.Xml.Linq.XElement keyElement) => throw null; - public System.Collections.Generic.IReadOnlyCollection GetAllKeys() => throw null; - public System.Threading.CancellationToken GetCacheExpirationToken() => throw null; - public void RevokeAllKeys(System.DateTimeOffset revocationDate, string reason = default(string)) => throw null; - public void RevokeKey(System.Guid keyId, string reason = default(string)) => throw null; - void Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.RevokeSingleKey(System.Guid keyId, System.DateTimeOffset revocationDate, string reason) => throw null; - public XmlKeyManager(Microsoft.Extensions.Options.IOptions keyManagementOptions, Microsoft.AspNetCore.DataProtection.Internal.IActivator activator) => throw null; - public XmlKeyManager(Microsoft.Extensions.Options.IOptions keyManagementOptions, Microsoft.AspNetCore.DataProtection.Internal.IActivator activator, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - namespace Internal { - public class CacheableKeyRing + public sealed class CacheableKeyRing { } - public struct DefaultKeyResolution { public Microsoft.AspNetCore.DataProtection.KeyManagement.IKey DefaultKey; - // Stub generator skipped constructor public Microsoft.AspNetCore.DataProtection.KeyManagement.IKey FallbackKey; public bool ShouldGenerateNewKey; } - public interface ICacheableKeyRingProvider { Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.CacheableKeyRing GetCacheableKeyRing(System.DateTimeOffset now); } - public interface IDefaultKeyResolver { Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.DefaultKeyResolution ResolveDefaultKeyPolicy(System.DateTimeOffset now, System.Collections.Generic.IEnumerable allKeys); } - public interface IInternalXmlKeyManager { Microsoft.AspNetCore.DataProtection.KeyManagement.IKey CreateNewKey(System.Guid keyId, System.DateTimeOffset creationDate, System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate); Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor DeserializeDescriptorFromKeyElement(System.Xml.Linq.XElement keyElement); void RevokeSingleKey(System.Guid keyId, System.DateTimeOffset revocationDate, string reason); } - public interface IKeyRing { Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor DefaultAuthenticatedEncryptor { get; } System.Guid DefaultKeyId { get; } Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.IAuthenticatedEncryptor GetAuthenticatedEncryptorByKeyId(System.Guid keyId, out bool isRevoked); } - public interface IKeyRingProvider { Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IKeyRing GetCurrentKeyRing(); } - + } + public class KeyManagementOptions + { + public Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AlgorithmConfiguration AuthenticatedEncryptorConfiguration { get => throw null; set { } } + public System.Collections.Generic.IList AuthenticatedEncryptorFactories { get => throw null; } + public bool AutoGenerateKeys { get => throw null; set { } } + public KeyManagementOptions() => throw null; + public System.Collections.Generic.IList KeyEscrowSinks { get => throw null; } + public System.TimeSpan NewKeyLifetime { get => throw null; set { } } + public Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor XmlEncryptor { get => throw null; set { } } + public Microsoft.AspNetCore.DataProtection.Repositories.IXmlRepository XmlRepository { get => throw null; set { } } + } + public sealed class XmlKeyManager : Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyManager, Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager + { + public Microsoft.AspNetCore.DataProtection.KeyManagement.IKey CreateNewKey(System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; + Microsoft.AspNetCore.DataProtection.KeyManagement.IKey Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.CreateNewKey(System.Guid keyId, System.DateTimeOffset creationDate, System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; + public XmlKeyManager(Microsoft.Extensions.Options.IOptions keyManagementOptions, Microsoft.AspNetCore.DataProtection.Internal.IActivator activator) => throw null; + public XmlKeyManager(Microsoft.Extensions.Options.IOptions keyManagementOptions, Microsoft.AspNetCore.DataProtection.Internal.IActivator activator, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.IAuthenticatedEncryptorDescriptor Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.DeserializeDescriptorFromKeyElement(System.Xml.Linq.XElement keyElement) => throw null; + public System.Collections.Generic.IReadOnlyCollection GetAllKeys() => throw null; + public System.Threading.CancellationToken GetCacheExpirationToken() => throw null; + public void RevokeAllKeys(System.DateTimeOffset revocationDate, string reason = default(string)) => throw null; + public void RevokeKey(System.Guid keyId, string reason = default(string)) => throw null; + void Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.RevokeSingleKey(System.Guid keyId, System.DateTimeOffset revocationDate, string reason) => throw null; } } namespace Repositories { public class FileSystemXmlRepository : Microsoft.AspNetCore.DataProtection.Repositories.IXmlRepository { + public FileSystemXmlRepository(System.IO.DirectoryInfo directory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public static System.IO.DirectoryInfo DefaultKeyStorageDirectory { get => throw null; } public System.IO.DirectoryInfo Directory { get => throw null; } - public FileSystemXmlRepository(System.IO.DirectoryInfo directory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public virtual System.Collections.Generic.IReadOnlyCollection GetAllElements() => throw null; public virtual void StoreElement(System.Xml.Linq.XElement element, string friendlyName) => throw null; } - public interface IXmlRepository { System.Collections.Generic.IReadOnlyCollection GetAllElements(); void StoreElement(System.Xml.Linq.XElement element, string friendlyName); } - public class RegistryXmlRepository : Microsoft.AspNetCore.DataProtection.Repositories.IXmlRepository { + public RegistryXmlRepository(Microsoft.Win32.RegistryKey registryKey, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public static Microsoft.Win32.RegistryKey DefaultRegistryKey { get => throw null; } public virtual System.Collections.Generic.IReadOnlyCollection GetAllElements() => throw null; public Microsoft.Win32.RegistryKey RegistryKey { get => throw null; } - public RegistryXmlRepository(Microsoft.Win32.RegistryKey registryKey, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public virtual void StoreElement(System.Xml.Linq.XElement element, string friendlyName) => throw null; } - + } + public sealed class Secret : System.IDisposable, Microsoft.AspNetCore.DataProtection.ISecret + { + public Secret(System.ArraySegment value) => throw null; + public Secret(byte[] value) => throw null; + public unsafe Secret(byte* secret, int secretLength) => throw null; + public Secret(Microsoft.AspNetCore.DataProtection.ISecret secret) => throw null; + public void Dispose() => throw null; + public int Length { get => throw null; } + public static Microsoft.AspNetCore.DataProtection.Secret Random(int numBytes) => throw null; + public void WriteSecretIntoBuffer(System.ArraySegment buffer) => throw null; + public unsafe void WriteSecretIntoBuffer(byte* buffer, int bufferLength) => throw null; } namespace XmlEncryption { @@ -393,98 +338,76 @@ public class CertificateResolver : Microsoft.AspNetCore.DataProtection.XmlEncryp public CertificateResolver() => throw null; public virtual System.Security.Cryptography.X509Certificates.X509Certificate2 ResolveCertificate(string thumbprint) => throw null; } - - public class CertificateXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor + public sealed class CertificateXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor { - public CertificateXmlEncryptor(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public CertificateXmlEncryptor(string thumbprint, Microsoft.AspNetCore.DataProtection.XmlEncryption.ICertificateResolver certificateResolver, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public CertificateXmlEncryptor(System.Security.Cryptography.X509Certificates.X509Certificate2 certificate, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement) => throw null; } - [System.Flags] - public enum DpapiNGProtectionDescriptorFlags : int + public enum DpapiNGProtectionDescriptorFlags { - MachineKey = 32, - NamedDescriptor = 1, None = 0, + NamedDescriptor = 1, + MachineKey = 32, } - - public class DpapiNGXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor + public sealed class DpapiNGXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor { - public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; public DpapiNGXmlDecryptor() => throw null; public DpapiNGXmlDecryptor(System.IServiceProvider services) => throw null; + public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; } - - public class DpapiNGXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor + public sealed class DpapiNGXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor { public DpapiNGXmlEncryptor(string protectionDescriptorRule, Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiNGProtectionDescriptorFlags flags, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement) => throw null; } - - public class DpapiXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor + public sealed class DpapiXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor { - public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; public DpapiXmlDecryptor() => throw null; public DpapiXmlDecryptor(System.IServiceProvider services) => throw null; + public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; } - - public class DpapiXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor + public sealed class DpapiXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor { public DpapiXmlEncryptor(bool protectToLocalMachine, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement) => throw null; } - - public class EncryptedXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor + public sealed class EncryptedXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor { - public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; public EncryptedXmlDecryptor() => throw null; public EncryptedXmlDecryptor(System.IServiceProvider services) => throw null; + public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; } - - public class EncryptedXmlInfo + public sealed class EncryptedXmlInfo { + public EncryptedXmlInfo(System.Xml.Linq.XElement encryptedElement, System.Type decryptorType) => throw null; public System.Type DecryptorType { get => throw null; } public System.Xml.Linq.XElement EncryptedElement { get => throw null; } - public EncryptedXmlInfo(System.Xml.Linq.XElement encryptedElement, System.Type decryptorType) => throw null; } - public interface ICertificateResolver { System.Security.Cryptography.X509Certificates.X509Certificate2 ResolveCertificate(string thumbprint); } - - internal interface IInternalCertificateXmlEncryptor - { - } - - internal interface IInternalEncryptedXmlDecryptor - { - } - public interface IXmlDecryptor { System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement); } - public interface IXmlEncryptor { Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement); } - - public class NullXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor + public sealed class NullXmlDecryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlDecryptor { - public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; public NullXmlDecryptor() => throw null; + public System.Xml.Linq.XElement Decrypt(System.Xml.Linq.XElement encryptedElement) => throw null; } - - public class NullXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor + public sealed class NullXmlEncryptor : Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor { - public Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement) => throw null; public NullXmlEncryptor() => throw null; public NullXmlEncryptor(System.IServiceProvider services) => throw null; + public Microsoft.AspNetCore.DataProtection.XmlEncryption.EncryptedXmlInfo Encrypt(System.Xml.Linq.XElement plaintextElement) => throw null; } - } } } @@ -492,12 +415,11 @@ namespace Extensions { namespace DependencyInjection { - public static class DataProtectionServiceCollectionExtensions + public static partial class DataProtectionServiceCollectionExtensions { public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddDataProtection(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtectionBuilder AddDataProtection(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.Abstractions.cs index a9a42cc87acf..d7fa10d7b78a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Diagnostics.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,15 +8,14 @@ namespace Diagnostics { public class CompilationFailure { + public string CompiledContent { get => throw null; } public CompilationFailure(string sourceFilePath, string sourceFileContent, string compiledContent, System.Collections.Generic.IEnumerable messages) => throw null; public CompilationFailure(string sourceFilePath, string sourceFileContent, string compiledContent, System.Collections.Generic.IEnumerable messages, string failureSummary) => throw null; - public string CompiledContent { get => throw null; } public string FailureSummary { get => throw null; } public System.Collections.Generic.IEnumerable Messages { get => throw null; } public string SourceFileContent { get => throw null; } public string SourceFilePath { get => throw null; } } - public class DiagnosticMessage { public DiagnosticMessage(string message, string formattedMessage, string filePath, int startLine, int startColumn, int endLine, int endColumn) => throw null; @@ -29,51 +27,43 @@ public class DiagnosticMessage public int StartColumn { get => throw null; } public int StartLine { get => throw null; } } - public class ErrorContext { public ErrorContext(Microsoft.AspNetCore.Http.HttpContext httpContext, System.Exception exception) => throw null; public System.Exception Exception { get => throw null; } public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } } - public interface ICompilationException { System.Collections.Generic.IEnumerable CompilationFailures { get; } } - public interface IDeveloperPageExceptionFilter { System.Threading.Tasks.Task HandleExceptionAsync(Microsoft.AspNetCore.Diagnostics.ErrorContext errorContext, System.Func next); } - public interface IExceptionHandlerFeature { - Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; } + virtual Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; } System.Exception Error { get; } - string Path { get => throw null; } - Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } + virtual string Path { get => throw null; } + virtual Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } } - public interface IExceptionHandlerPathFeature : Microsoft.AspNetCore.Diagnostics.IExceptionHandlerFeature { - string Path { get => throw null; } + virtual string Path { get => throw null; } } - public interface IStatusCodePagesFeature { bool Enabled { get; set; } } - public interface IStatusCodeReExecuteFeature { - Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; } + virtual Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; } string OriginalPath { get; set; } string OriginalPathBase { get; set; } string OriginalQueryString { get; set; } - Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } + virtual Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.HealthChecks.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.HealthChecks.cs index 72e2ff634ce4..7ff77eb9a752 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.HealthChecks.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.HealthChecks.cs @@ -1,28 +1,25 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Diagnostics.HealthChecks, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class HealthCheckApplicationBuilderExtensions + public static partial class HealthCheckApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, Microsoft.AspNetCore.Diagnostics.HealthChecks.HealthCheckOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, int port) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, int port, Microsoft.AspNetCore.Diagnostics.HealthChecks.HealthCheckOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, string port) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, int port, Microsoft.AspNetCore.Diagnostics.HealthChecks.HealthCheckOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHealthChecks(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path, string port, Microsoft.AspNetCore.Diagnostics.HealthChecks.HealthCheckOptions options) => throw null; } - - public static class HealthCheckEndpointRouteBuilderExtensions + public static partial class HealthCheckEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapHealthChecks(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapHealthChecks(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Diagnostics.HealthChecks.HealthCheckOptions options) => throw null; } - } namespace Diagnostics { @@ -33,16 +30,14 @@ public class HealthCheckMiddleware public HealthCheckMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions healthCheckOptions, Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckService healthCheckService) => throw null; public System.Threading.Tasks.Task InvokeAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - public class HealthCheckOptions { - public bool AllowCachingResponses { get => throw null; set => throw null; } + public bool AllowCachingResponses { get => throw null; set { } } public HealthCheckOptions() => throw null; - public System.Func Predicate { get => throw null; set => throw null; } - public System.Func ResponseWriter { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary ResultStatusCodes { get => throw null; set => throw null; } + public System.Func Predicate { get => throw null; set { } } + public System.Func ResponseWriter { get => throw null; set { } } + public System.Collections.Generic.IDictionary ResultStatusCodes { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs index 25407c6d5307..4e2c6079c2f6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs @@ -1,72 +1,63 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Diagnostics, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class DeveloperExceptionPageExtensions + public static partial class DeveloperExceptionPageExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDeveloperExceptionPage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDeveloperExceptionPage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.DeveloperExceptionPageOptions options) => throw null; } - public class DeveloperExceptionPageOptions { public DeveloperExceptionPageOptions() => throw null; - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public int SourceCodeLineCount { get => throw null; set => throw null; } + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } + public int SourceCodeLineCount { get => throw null; set { } } } - - public static class ExceptionHandlerExtensions + public static partial class ExceptionHandlerExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseExceptionHandler(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseExceptionHandler(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string errorHandlingPath) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseExceptionHandler(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configure) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseExceptionHandler(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.ExceptionHandlerOptions options) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseExceptionHandler(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string errorHandlingPath) => throw null; } - public class ExceptionHandlerOptions { - public bool AllowStatusCode404Response { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.RequestDelegate ExceptionHandler { get => throw null; set => throw null; } + public bool AllowStatusCode404Response { get => throw null; set { } } public ExceptionHandlerOptions() => throw null; - public Microsoft.AspNetCore.Http.PathString ExceptionHandlingPath { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.RequestDelegate ExceptionHandler { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString ExceptionHandlingPath { get => throw null; set { } } } - - public static class StatusCodePagesExtensions + public static partial class StatusCodePagesExtensions { + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.StatusCodePagesOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configuration) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.StatusCodePagesOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string contentType, string bodyFormat) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePagesWithReExecute(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string pathFormat, string queryFormat = default(string)) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePages(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configuration) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePagesWithRedirects(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string locationFormat) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStatusCodePagesWithReExecute(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string pathFormat, string queryFormat = default(string)) => throw null; } - public class StatusCodePagesOptions { - public System.Func HandleAsync { get => throw null; set => throw null; } public StatusCodePagesOptions() => throw null; + public System.Func HandleAsync { get => throw null; set { } } } - - public static class WelcomePageExtensions + public static partial class WelcomePageExtensions { - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.WelcomePageOptions options) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString path) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string path) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWelcomePage(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - public class WelcomePageOptions { - public Microsoft.AspNetCore.Http.PathString Path { get => throw null; set => throw null; } public WelcomePageOptions() => throw null; + public Microsoft.AspNetCore.Http.PathString Path { get => throw null; set { } } } - } namespace Diagnostics { @@ -75,70 +66,61 @@ public class DeveloperExceptionPageMiddleware public DeveloperExceptionPageMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, System.Diagnostics.DiagnosticSource diagnosticSource, System.Collections.Generic.IEnumerable filters) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - - public class ExceptionHandlerFeature : Microsoft.AspNetCore.Diagnostics.IExceptionHandlerFeature, Microsoft.AspNetCore.Diagnostics.IExceptionHandlerPathFeature + public class ExceptionHandlerFeature : Microsoft.AspNetCore.Diagnostics.IExceptionHandlerPathFeature, Microsoft.AspNetCore.Diagnostics.IExceptionHandlerFeature { - public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set => throw null; } - public System.Exception Error { get => throw null; set => throw null; } public ExceptionHandlerFeature() => throw null; - public string Path { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set { } } + public System.Exception Error { get => throw null; set { } } + public string Path { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } } - public class ExceptionHandlerMiddleware { public ExceptionHandlerMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class StatusCodeContext { + public StatusCodeContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Builder.StatusCodePagesOptions options, Microsoft.AspNetCore.Http.RequestDelegate next) => throw null; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Http.RequestDelegate Next { get => throw null; } public Microsoft.AspNetCore.Builder.StatusCodePagesOptions Options { get => throw null; } - public StatusCodeContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Builder.StatusCodePagesOptions options, Microsoft.AspNetCore.Http.RequestDelegate next) => throw null; } - public class StatusCodePagesFeature : Microsoft.AspNetCore.Diagnostics.IStatusCodePagesFeature { - public bool Enabled { get => throw null; set => throw null; } public StatusCodePagesFeature() => throw null; + public bool Enabled { get => throw null; set { } } } - public class StatusCodePagesMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public StatusCodePagesMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class StatusCodeReExecuteFeature : Microsoft.AspNetCore.Diagnostics.IStatusCodeReExecuteFeature { - public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set => throw null; } - public string OriginalPath { get => throw null; set => throw null; } - public string OriginalPathBase { get => throw null; set => throw null; } - public string OriginalQueryString { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } public StatusCodeReExecuteFeature() => throw null; + public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set { } } + public string OriginalPath { get => throw null; set { } } + public string OriginalPathBase { get => throw null; set { } } + public string OriginalQueryString { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } } - public class WelcomePageMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public WelcomePageMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class ExceptionHandlerServiceCollectionExtensions + public static partial class ExceptionHandlerServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddExceptionHandler(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddExceptionHandler(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TService : class => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HostFiltering.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HostFiltering.cs index 88f68a978574..5b05ca1fce7f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HostFiltering.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HostFiltering.cs @@ -1,22 +1,19 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.HostFiltering, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class HostFilteringBuilderExtensions + public static partial class HostFilteringBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHostFiltering(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class HostFilteringServicesExtensions + public static partial class HostFilteringServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHostFiltering(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } namespace HostFiltering { @@ -25,15 +22,13 @@ public class HostFilteringMiddleware public HostFilteringMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILogger logger, Microsoft.Extensions.Options.IOptionsMonitor optionsMonitor) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class HostFilteringOptions { - public bool AllowEmptyHosts { get => throw null; set => throw null; } - public System.Collections.Generic.IList AllowedHosts { get => throw null; set => throw null; } + public System.Collections.Generic.IList AllowedHosts { get => throw null; set { } } + public bool AllowEmptyHosts { get => throw null; set { } } public HostFilteringOptions() => throw null; - public bool IncludeFailureMessage { get => throw null; set => throw null; } + public bool IncludeFailureMessage { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Abstractions.cs index 104755283a91..62a895eb0fe2 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Hosting.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -13,8 +12,7 @@ public static class EnvironmentName public static string Production; public static string Staging; } - - public static class HostingAbstractionsWebHostBuilderExtensions + public static partial class HostingAbstractionsWebHostBuilderExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CaptureStartupErrors(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, bool captureStartupErrors) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder PreferHostingUrls(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, bool preferHostingUrls) => throw null; @@ -29,7 +27,6 @@ public static class HostingAbstractionsWebHostBuilderExtensions public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseUrls(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, params string[] urls) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseWebRoot(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, string webRoot) => throw null; } - public static partial class HostingEnvironmentExtensions { public static bool IsDevelopment(this Microsoft.AspNetCore.Hosting.IHostingEnvironment hostingEnvironment) => throw null; @@ -37,13 +34,11 @@ public static partial class HostingEnvironmentExtensions public static bool IsProduction(this Microsoft.AspNetCore.Hosting.IHostingEnvironment hostingEnvironment) => throw null; public static bool IsStaging(this Microsoft.AspNetCore.Hosting.IHostingEnvironment hostingEnvironment) => throw null; } - - public class HostingStartupAttribute : System.Attribute + public sealed class HostingStartupAttribute : System.Attribute { public HostingStartupAttribute(System.Type hostingStartupType) => throw null; public System.Type HostingStartupType { get => throw null; } } - public interface IApplicationLifetime { System.Threading.CancellationToken ApplicationStarted { get; } @@ -51,7 +46,6 @@ public interface IApplicationLifetime System.Threading.CancellationToken ApplicationStopping { get; } void StopApplication(); } - public interface IHostingEnvironment { string ApplicationName { get; set; } @@ -61,33 +55,27 @@ public interface IHostingEnvironment Microsoft.Extensions.FileProviders.IFileProvider WebRootFileProvider { get; set; } string WebRootPath { get; set; } } - public interface IHostingStartup { void Configure(Microsoft.AspNetCore.Hosting.IWebHostBuilder builder); } - public interface IStartup { void Configure(Microsoft.AspNetCore.Builder.IApplicationBuilder app); System.IServiceProvider ConfigureServices(Microsoft.Extensions.DependencyInjection.IServiceCollection services); } - public interface IStartupConfigureContainerFilter { System.Action ConfigureContainer(System.Action container); } - public interface IStartupConfigureServicesFilter { System.Action ConfigureServices(System.Action next); } - public interface IStartupFilter { System.Action Configure(System.Action next); } - public interface IWebHost : System.IDisposable { Microsoft.AspNetCore.Http.Features.IFeatureCollection ServerFeatures { get; } @@ -96,7 +84,6 @@ public interface IWebHost : System.IDisposable System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IWebHostBuilder { Microsoft.AspNetCore.Hosting.IWebHost Build(); @@ -106,20 +93,17 @@ public interface IWebHostBuilder string GetSetting(string key); Microsoft.AspNetCore.Hosting.IWebHostBuilder UseSetting(string key, string value); } - public interface IWebHostEnvironment : Microsoft.Extensions.Hosting.IHostEnvironment { Microsoft.Extensions.FileProviders.IFileProvider WebRootFileProvider { get; set; } string WebRootPath { get; set; } } - public class WebHostBuilderContext { - public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; set => throw null; } + public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set { } } public WebHostBuilderContext() => throw null; + public Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; set { } } } - public static class WebHostDefaults { public static string ApplicationKey; @@ -138,7 +122,6 @@ public static class WebHostDefaults public static string SuppressStatusMessagesKey; public static string WebRootKey; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Server.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Server.Abstractions.cs index 7360c39d5708..eed5ceddba70 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Server.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.Server.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Hosting.Server.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,49 +8,43 @@ namespace Hosting { namespace Server { + namespace Abstractions + { + public interface IHostContextContainer + { + TContext HostContext { get; set; } + } + } + namespace Features + { + public interface IServerAddressesFeature + { + System.Collections.Generic.ICollection Addresses { get; } + bool PreferHostingUrls { get; set; } + } + } public interface IHttpApplication { TContext CreateContext(Microsoft.AspNetCore.Http.Features.IFeatureCollection contextFeatures); void DisposeContext(TContext context, System.Exception exception); System.Threading.Tasks.Task ProcessRequestAsync(TContext context); } - public interface IServer : System.IDisposable { Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } System.Threading.Tasks.Task StartAsync(Microsoft.AspNetCore.Hosting.Server.IHttpApplication application, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken); } - public interface IServerIntegratedAuth { string AuthenticationScheme { get; } bool IsEnabled { get; } } - public class ServerIntegratedAuth : Microsoft.AspNetCore.Hosting.Server.IServerIntegratedAuth { - public string AuthenticationScheme { get => throw null; set => throw null; } - public bool IsEnabled { get => throw null; set => throw null; } + public string AuthenticationScheme { get => throw null; set { } } public ServerIntegratedAuth() => throw null; - } - - namespace Abstractions - { - public interface IHostContextContainer - { - TContext HostContext { get; set; } - } - - } - namespace Features - { - public interface IServerAddressesFeature - { - System.Collections.Generic.ICollection Addresses { get; } - bool PreferHostingUrls { get; set; } - } - + public bool IsEnabled { get => throw null; set { } } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.cs index 628fe2725a4e..16c895b5187b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Hosting.cs @@ -1,50 +1,87 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Hosting, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { + namespace Builder + { + public class ApplicationBuilderFactory : Microsoft.AspNetCore.Hosting.Builder.IApplicationBuilderFactory + { + public Microsoft.AspNetCore.Builder.IApplicationBuilder CreateBuilder(Microsoft.AspNetCore.Http.Features.IFeatureCollection serverFeatures) => throw null; + public ApplicationBuilderFactory(System.IServiceProvider serviceProvider) => throw null; + } + public interface IApplicationBuilderFactory + { + Microsoft.AspNetCore.Builder.IApplicationBuilder CreateBuilder(Microsoft.AspNetCore.Http.Features.IFeatureCollection serverFeatures); + } + } public class DelegateStartup : Microsoft.AspNetCore.Hosting.StartupBase { public override void Configure(Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public DelegateStartup(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory, System.Action configureApp) : base(default(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory)) => throw null; } - - public static partial class HostingEnvironmentExtensions + namespace Infrastructure { + public interface ISupportsConfigureWebHost + { + Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHost(System.Action configure, System.Action configureOptions); + } + public interface ISupportsStartup + { + Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(System.Action configure); + Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(System.Action configure); + Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(System.Type startupType); + Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(System.Func startupFactory); + } + } + namespace Server + { + namespace Features + { + public class ServerAddressesFeature : Microsoft.AspNetCore.Hosting.Server.Features.IServerAddressesFeature + { + public System.Collections.Generic.ICollection Addresses { get => throw null; } + public ServerAddressesFeature() => throw null; + public bool PreferHostingUrls { get => throw null; set { } } + } + } } - public abstract class StartupBase : Microsoft.AspNetCore.Hosting.IStartup { public abstract void Configure(Microsoft.AspNetCore.Builder.IApplicationBuilder app); - public virtual void ConfigureServices(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; System.IServiceProvider Microsoft.AspNetCore.Hosting.IStartup.ConfigureServices(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; + public virtual void ConfigureServices(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public virtual System.IServiceProvider CreateServiceProvider(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; protected StartupBase() => throw null; } - public abstract class StartupBase : Microsoft.AspNetCore.Hosting.StartupBase { public virtual void ConfigureContainer(TBuilder builder) => throw null; public override System.IServiceProvider CreateServiceProvider(Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public StartupBase(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory) => throw null; } - + namespace StaticWebAssets + { + public class StaticWebAssetsLoader + { + public StaticWebAssetsLoader() => throw null; + public static void UseStaticWebAssets(Microsoft.AspNetCore.Hosting.IWebHostEnvironment environment, Microsoft.Extensions.Configuration.IConfiguration configuration) => throw null; + } + } public class WebHostBuilder : Microsoft.AspNetCore.Hosting.IWebHostBuilder { public Microsoft.AspNetCore.Hosting.IWebHost Build() => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureAppConfiguration(System.Action configureDelegate) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureServices(System.Action configureServices) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureServices(System.Action configureServices) => throw null; + public WebHostBuilder() => throw null; public string GetSetting(string key) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder UseSetting(string key, string value) => throw null; - public WebHostBuilder() => throw null; } - - public static class WebHostBuilderExtensions + public static partial class WebHostBuilderExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureApp) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureApp) => throw null; @@ -53,13 +90,12 @@ public static class WebHostBuilderExtensions public static Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureLogging(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureLogging) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseDefaultServiceProvider(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configure) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseDefaultServiceProvider(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configure) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Func startupFactory) where TStartup : class => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Type startupType) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) where TStartup : class => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Func startupFactory) where TStartup : class => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStaticWebAssets(this Microsoft.AspNetCore.Hosting.IWebHostBuilder builder) => throw null; } - - public static class WebHostExtensions + public static partial class WebHostExtensions { public static void Run(this Microsoft.AspNetCore.Hosting.IWebHost host) => throw null; public static System.Threading.Tasks.Task RunAsync(this Microsoft.AspNetCore.Hosting.IWebHost host, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; @@ -67,59 +103,6 @@ public static class WebHostExtensions public static void WaitForShutdown(this Microsoft.AspNetCore.Hosting.IWebHost host) => throw null; public static System.Threading.Tasks.Task WaitForShutdownAsync(this Microsoft.AspNetCore.Hosting.IWebHost host, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; } - - namespace Builder - { - public class ApplicationBuilderFactory : Microsoft.AspNetCore.Hosting.Builder.IApplicationBuilderFactory - { - public ApplicationBuilderFactory(System.IServiceProvider serviceProvider) => throw null; - public Microsoft.AspNetCore.Builder.IApplicationBuilder CreateBuilder(Microsoft.AspNetCore.Http.Features.IFeatureCollection serverFeatures) => throw null; - } - - public interface IApplicationBuilderFactory - { - Microsoft.AspNetCore.Builder.IApplicationBuilder CreateBuilder(Microsoft.AspNetCore.Http.Features.IFeatureCollection serverFeatures); - } - - } - namespace Infrastructure - { - public interface ISupportsConfigureWebHost - { - Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHost(System.Action configure, System.Action configureOptions); - } - - public interface ISupportsStartup - { - Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(System.Action configure); - Microsoft.AspNetCore.Hosting.IWebHostBuilder Configure(System.Action configure); - Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(System.Type startupType); - Microsoft.AspNetCore.Hosting.IWebHostBuilder UseStartup(System.Func startupFactory); - } - - } - namespace Server - { - namespace Features - { - public class ServerAddressesFeature : Microsoft.AspNetCore.Hosting.Server.Features.IServerAddressesFeature - { - public System.Collections.Generic.ICollection Addresses { get => throw null; } - public bool PreferHostingUrls { get => throw null; set => throw null; } - public ServerAddressesFeature() => throw null; - } - - } - } - namespace StaticWebAssets - { - public class StaticWebAssetsLoader - { - public StaticWebAssetsLoader() => throw null; - public static void UseStaticWebAssets(Microsoft.AspNetCore.Hosting.IWebHostEnvironment environment, Microsoft.Extensions.Configuration.IConfiguration configuration) => throw null; - } - - } } namespace Http { @@ -129,25 +112,22 @@ public class DefaultHttpContextFactory : Microsoft.AspNetCore.Http.IHttpContextF public DefaultHttpContextFactory(System.IServiceProvider serviceProvider) => throw null; public void Dispose(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - } } namespace Extensions { namespace Hosting { - public static class GenericHostWebHostBuilderExtensions + public static partial class GenericHostWebHostBuilderExtensions { public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHost(this Microsoft.Extensions.Hosting.IHostBuilder builder, System.Action configure) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHost(this Microsoft.Extensions.Hosting.IHostBuilder builder, System.Action configure, System.Action configureWebHostBuilder) => throw null; } - public class WebHostBuilderOptions { - public bool SuppressEnvironmentConfiguration { get => throw null; set => throw null; } public WebHostBuilderOptions() => throw null; + public bool SuppressEnvironmentConfiguration { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs index f645b2a4f44e..16cf406455d3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Html.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Html { - public class HtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer + public class HtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent { public Microsoft.AspNetCore.Html.IHtmlContentBuilder Append(string unencoded) => throw null; public Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent htmlContent) => throw null; @@ -16,61 +15,54 @@ public class HtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContent, Micros public void CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; public int Count { get => throw null; } public HtmlContentBuilder() => throw null; - public HtmlContentBuilder(System.Collections.Generic.IList entries) => throw null; public HtmlContentBuilder(int capacity) => throw null; + public HtmlContentBuilder(System.Collections.Generic.IList entries) => throw null; public void MoveTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public static class HtmlContentBuilderExtensions + public static partial class HtmlContentBuilderExtensions { - public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendFormat(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, System.IFormatProvider formatProvider, string format, params object[] args) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendFormat(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, string format, params object[] args) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendFormat(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, System.IFormatProvider formatProvider, string format, params object[] args) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtmlLine(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, string encoded) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendLine(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendLine(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendLine(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, string unencoded) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendLine(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder SetContent(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, string unencoded) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder SetHtmlContent(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContentBuilder SetHtmlContent(this Microsoft.AspNetCore.Html.IHtmlContentBuilder builder, string encoded) => throw null; } - public class HtmlFormattableString : Microsoft.AspNetCore.Html.IHtmlContent { - public HtmlFormattableString(System.IFormatProvider formatProvider, string format, params object[] args) => throw null; public HtmlFormattableString(string format, params object[] args) => throw null; + public HtmlFormattableString(System.IFormatProvider formatProvider, string format, params object[] args) => throw null; public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - public class HtmlString : Microsoft.AspNetCore.Html.IHtmlContent { - public static Microsoft.AspNetCore.Html.HtmlString Empty; public HtmlString(string value) => throw null; + public static Microsoft.AspNetCore.Html.HtmlString Empty; public static Microsoft.AspNetCore.Html.HtmlString NewLine; public override string ToString() => throw null; public string Value { get => throw null; } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - public interface IHtmlContent { void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder); } - - public interface IHtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer + public interface IHtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent { Microsoft.AspNetCore.Html.IHtmlContentBuilder Append(string unencoded); Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent content); Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtml(string encoded); Microsoft.AspNetCore.Html.IHtmlContentBuilder Clear(); } - public interface IHtmlContentContainer : Microsoft.AspNetCore.Html.IHtmlContent { void CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder builder); void MoveTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder builder); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs index ecfba7c73fb2..84c1761ce5c5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,15 +8,45 @@ namespace Builder { public abstract class EndpointBuilder { - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } + public System.IServiceProvider ApplicationServices { get => throw null; set { } } public abstract Microsoft.AspNetCore.Http.Endpoint Build(); - public string DisplayName { get => throw null; set => throw null; } protected EndpointBuilder() => throw null; + public string DisplayName { get => throw null; set { } } public System.Collections.Generic.IList> FilterFactories { get => throw null; } public System.Collections.Generic.IList Metadata { get => throw null; } - public Microsoft.AspNetCore.Http.RequestDelegate RequestDelegate { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.RequestDelegate RequestDelegate { get => throw null; set { } } + } + namespace Extensions + { + public class MapMiddleware + { + public MapMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Builder.Extensions.MapOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; + } + public class MapOptions + { + public Microsoft.AspNetCore.Http.RequestDelegate Branch { get => throw null; set { } } + public MapOptions() => throw null; + public Microsoft.AspNetCore.Http.PathString PathMatch { get => throw null; set { } } + public bool PreserveMatchedPathSegment { get => throw null; set { } } + } + public class MapWhenMiddleware + { + public MapWhenMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Builder.Extensions.MapWhenOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; + } + public class MapWhenOptions + { + public Microsoft.AspNetCore.Http.RequestDelegate Branch { get => throw null; set { } } + public MapWhenOptions() => throw null; + public System.Func Predicate { get => throw null; set { } } + } + public class UsePathBaseMiddleware + { + public UsePathBaseMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Http.PathString pathBase) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; + } } - public interface IApplicationBuilder { System.IServiceProvider ApplicationServices { get; set; } @@ -27,88 +56,43 @@ public interface IApplicationBuilder Microsoft.AspNetCore.Http.Features.IFeatureCollection ServerFeatures { get; } Microsoft.AspNetCore.Builder.IApplicationBuilder Use(System.Func middleware); } - public interface IEndpointConventionBuilder { void Add(System.Action convention); - void Finally(System.Action finallyConvention) => throw null; + virtual void Finally(System.Action finallyConvention) => throw null; } - - public static class MapExtensions + public static partial class MapExtensions { + public static Microsoft.AspNetCore.Builder.IApplicationBuilder Map(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string pathMatch, System.Action configuration) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder Map(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString pathMatch, System.Action configuration) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder Map(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString pathMatch, bool preserveMatchedPathSegment, System.Action configuration) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder Map(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string pathMatch, System.Action configuration) => throw null; } - - public static class MapWhenExtensions + public static partial class MapWhenExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder MapWhen(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Func predicate, System.Action configuration) => throw null; } - - public static class RunExtensions + public static partial class RunExtensions { public static void Run(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; } - - public static class UseExtensions + public static partial class UseExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder Use(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Func, System.Threading.Tasks.Task> middleware) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder Use(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Func middleware) => throw null; } - - public static class UseMiddlewareExtensions + public static partial class UseMiddlewareExtensions { - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMiddleware(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Type middleware, params object[] args) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMiddleware(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, params object[] args) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMiddleware(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Type middleware, params object[] args) => throw null; } - - public static class UsePathBaseExtensions + public static partial class UsePathBaseExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UsePathBase(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Http.PathString pathBase) => throw null; } - - public static class UseWhenExtensions + public static partial class UseWhenExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWhen(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Func predicate, System.Action configuration) => throw null; } - - namespace Extensions - { - public class MapMiddleware - { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public MapMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Builder.Extensions.MapOptions options) => throw null; - } - - public class MapOptions - { - public Microsoft.AspNetCore.Http.RequestDelegate Branch { get => throw null; set => throw null; } - public MapOptions() => throw null; - public Microsoft.AspNetCore.Http.PathString PathMatch { get => throw null; set => throw null; } - public bool PreserveMatchedPathSegment { get => throw null; set => throw null; } - } - - public class MapWhenMiddleware - { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public MapWhenMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Builder.Extensions.MapWhenOptions options) => throw null; - } - - public class MapWhenOptions - { - public Microsoft.AspNetCore.Http.RequestDelegate Branch { get => throw null; set => throw null; } - public MapWhenOptions() => throw null; - public System.Func Predicate { get => throw null; set => throw null; } - } - - public class UsePathBaseMiddleware - { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public UsePathBaseMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Http.PathString pathBase) => throw null; - } - - } } namespace Cors { @@ -117,25 +101,22 @@ namespace Infrastructure public interface ICorsMetadata { } - } } namespace Http { - public class AsParametersAttribute : System.Attribute + public sealed class AsParametersAttribute : System.Attribute { public AsParametersAttribute() => throw null; } - public class BadHttpRequestException : System.IO.IOException { - public BadHttpRequestException(string message) => throw null; - public BadHttpRequestException(string message, System.Exception innerException) => throw null; public BadHttpRequestException(string message, int statusCode) => throw null; + public BadHttpRequestException(string message) => throw null; public BadHttpRequestException(string message, int statusCode, System.Exception innerException) => throw null; + public BadHttpRequestException(string message, System.Exception innerException) => throw null; public int StatusCode { get => throw null; } } - public abstract class ConnectionInfo { public abstract System.Security.Cryptography.X509Certificates.X509Certificate2 ClientCertificate { get; set; } @@ -148,57 +129,50 @@ public abstract class ConnectionInfo public abstract int RemotePort { get; set; } public virtual void RequestClose() => throw null; } - public class CookieBuilder { public Microsoft.AspNetCore.Http.CookieOptions Build(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public virtual Microsoft.AspNetCore.Http.CookieOptions Build(Microsoft.AspNetCore.Http.HttpContext context, System.DateTimeOffset expiresFrom) => throw null; public CookieBuilder() => throw null; - public virtual string Domain { get => throw null; set => throw null; } - public virtual System.TimeSpan? Expiration { get => throw null; set => throw null; } + public virtual string Domain { get => throw null; set { } } + public virtual System.TimeSpan? Expiration { get => throw null; set { } } public System.Collections.Generic.IList Extensions { get => throw null; } - public virtual bool HttpOnly { get => throw null; set => throw null; } - public virtual bool IsEssential { get => throw null; set => throw null; } - public virtual System.TimeSpan? MaxAge { get => throw null; set => throw null; } - public virtual string Name { get => throw null; set => throw null; } - public virtual string Path { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Http.SameSiteMode SameSite { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Http.CookieSecurePolicy SecurePolicy { get => throw null; set => throw null; } + public virtual bool HttpOnly { get => throw null; set { } } + public virtual bool IsEssential { get => throw null; set { } } + public virtual System.TimeSpan? MaxAge { get => throw null; set { } } + public virtual string Name { get => throw null; set { } } + public virtual string Path { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Http.SameSiteMode SameSite { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Http.CookieSecurePolicy SecurePolicy { get => throw null; set { } } } - - public enum CookieSecurePolicy : int + public enum CookieSecurePolicy { + SameAsRequest = 0, Always = 1, None = 2, - SameAsRequest = 0, } - - public class DefaultEndpointFilterInvocationContext : Microsoft.AspNetCore.Http.EndpointFilterInvocationContext + public sealed class DefaultEndpointFilterInvocationContext : Microsoft.AspNetCore.Http.EndpointFilterInvocationContext { public override System.Collections.Generic.IList Arguments { get => throw null; } public DefaultEndpointFilterInvocationContext(Microsoft.AspNetCore.Http.HttpContext httpContext, params object[] arguments) => throw null; public override T GetArgument(int index) => throw null; public override Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } } - public class Endpoint { - public string DisplayName { get => throw null; } public Endpoint(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, Microsoft.AspNetCore.Http.EndpointMetadataCollection metadata, string displayName) => throw null; + public string DisplayName { get => throw null; } public Microsoft.AspNetCore.Http.EndpointMetadataCollection Metadata { get => throw null; } public Microsoft.AspNetCore.Http.RequestDelegate RequestDelegate { get => throw null; } public override string ToString() => throw null; } - public delegate System.Threading.Tasks.ValueTask EndpointFilterDelegate(Microsoft.AspNetCore.Http.EndpointFilterInvocationContext context); - - public class EndpointFilterFactoryContext + public sealed class EndpointFilterFactoryContext { - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } + public System.IServiceProvider ApplicationServices { get => throw null; set { } } public EndpointFilterFactoryContext() => throw null; - public System.Reflection.MethodInfo MethodInfo { get => throw null; set => throw null; } + public System.Reflection.MethodInfo MethodInfo { get => throw null; set { } } } - public abstract class EndpointFilterInvocationContext { public abstract System.Collections.Generic.IList Arguments { get; } @@ -206,29 +180,24 @@ public abstract class EndpointFilterInvocationContext public abstract T GetArgument(int index); public abstract Microsoft.AspNetCore.Http.HttpContext HttpContext { get; } } - - public static class EndpointHttpContextExtensions + public static partial class EndpointHttpContextExtensions { public static Microsoft.AspNetCore.Http.Endpoint GetEndpoint(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static void SetEndpoint(this Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.Endpoint endpoint) => throw null; } - - public class EndpointMetadataCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable + public sealed class EndpointMetadataCollection : System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { + public int Count { get => throw null; } + public EndpointMetadataCollection(System.Collections.Generic.IEnumerable items) => throw null; + public EndpointMetadataCollection(params object[] items) => throw null; + public static Microsoft.AspNetCore.Http.EndpointMetadataCollection Empty; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public object Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; public void Reset() => throw null; } - - - public int Count { get => throw null; } - public static Microsoft.AspNetCore.Http.EndpointMetadataCollection Empty; - public EndpointMetadataCollection(System.Collections.Generic.IEnumerable items) => throw null; - public EndpointMetadataCollection(params object[] items) => throw null; public Microsoft.AspNetCore.Http.EndpointMetadataCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -237,60 +206,65 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, Syste public T GetRequiredMetadata() where T : class => throw null; public object this[int index] { get => throw null; } } - + namespace Features + { + public interface IEndpointFeature + { + Microsoft.AspNetCore.Http.Endpoint Endpoint { get; set; } + } + public interface IRouteValuesFeature + { + Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get; set; } + } + } public struct FragmentString : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Http.FragmentString left, Microsoft.AspNetCore.Http.FragmentString right) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Http.FragmentString left, Microsoft.AspNetCore.Http.FragmentString right) => throw null; + public FragmentString(string value) => throw null; public static Microsoft.AspNetCore.Http.FragmentString Empty; public bool Equals(Microsoft.AspNetCore.Http.FragmentString other) => throw null; public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public FragmentString(string value) => throw null; - public static Microsoft.AspNetCore.Http.FragmentString FromUriComponent(System.Uri uri) => throw null; public static Microsoft.AspNetCore.Http.FragmentString FromUriComponent(string uriComponent) => throw null; + public static Microsoft.AspNetCore.Http.FragmentString FromUriComponent(System.Uri uri) => throw null; public override int GetHashCode() => throw null; public bool HasValue { get => throw null; } + public static bool operator ==(Microsoft.AspNetCore.Http.FragmentString left, Microsoft.AspNetCore.Http.FragmentString right) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Http.FragmentString left, Microsoft.AspNetCore.Http.FragmentString right) => throw null; public override string ToString() => throw null; public string ToUriComponent() => throw null; public string Value { get => throw null; } } - - public static class HeaderDictionaryExtensions + public static partial class HeaderDictionaryExtensions { public static void Append(this Microsoft.AspNetCore.Http.IHeaderDictionary headers, string key, Microsoft.Extensions.Primitives.StringValues value) => throw null; public static void AppendCommaSeparatedValues(this Microsoft.AspNetCore.Http.IHeaderDictionary headers, string key, params string[] values) => throw null; public static string[] GetCommaSeparatedValues(this Microsoft.AspNetCore.Http.IHeaderDictionary headers, string key) => throw null; public static void SetCommaSeparatedValues(this Microsoft.AspNetCore.Http.IHeaderDictionary headers, string key, params string[] values) => throw null; } - public struct HostString : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Http.HostString left, Microsoft.AspNetCore.Http.HostString right) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Http.HostString left, Microsoft.AspNetCore.Http.HostString right) => throw null; + public HostString(string value) => throw null; + public HostString(string host, int port) => throw null; public bool Equals(Microsoft.AspNetCore.Http.HostString other) => throw null; public override bool Equals(object obj) => throw null; - public static Microsoft.AspNetCore.Http.HostString FromUriComponent(System.Uri uri) => throw null; public static Microsoft.AspNetCore.Http.HostString FromUriComponent(string uriComponent) => throw null; + public static Microsoft.AspNetCore.Http.HostString FromUriComponent(System.Uri uri) => throw null; public override int GetHashCode() => throw null; public bool HasValue { get => throw null; } public string Host { get => throw null; } - // Stub generator skipped constructor - public HostString(string value) => throw null; - public HostString(string host, int port) => throw null; public static bool MatchesAny(Microsoft.Extensions.Primitives.StringSegment value, System.Collections.Generic.IList patterns) => throw null; + public static bool operator ==(Microsoft.AspNetCore.Http.HostString left, Microsoft.AspNetCore.Http.HostString right) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Http.HostString left, Microsoft.AspNetCore.Http.HostString right) => throw null; public int? Port { get => throw null; } public override string ToString() => throw null; public string ToUriComponent() => throw null; public string Value { get => throw null; } } - public abstract class HttpContext { public abstract void Abort(); public abstract Microsoft.AspNetCore.Http.ConnectionInfo Connection { get; } - public abstract Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } protected HttpContext() => throw null; + public abstract Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } public abstract System.Collections.Generic.IDictionary Items { get; set; } public abstract Microsoft.AspNetCore.Http.HttpRequest Request { get; } public abstract System.Threading.CancellationToken RequestAborted { get; set; } @@ -301,7 +275,6 @@ public abstract class HttpContext public abstract System.Security.Claims.ClaimsPrincipal User { get; set; } public abstract Microsoft.AspNetCore.Http.WebSocketManager WebSockets { get; } } - public static class HttpMethods { public static string Connect; @@ -325,7 +298,6 @@ public static class HttpMethods public static string Put; public static string Trace; } - public static class HttpProtocol { public static string GetHttpProtocol(System.Version version) => throw null; @@ -340,20 +312,19 @@ public static class HttpProtocol public static bool IsHttp2(string protocol) => throw null; public static bool IsHttp3(string protocol) => throw null; } - public abstract class HttpRequest { public abstract System.IO.Stream Body { get; set; } public virtual System.IO.Pipelines.PipeReader BodyReader { get => throw null; } - public abstract System.Int64? ContentLength { get; set; } + public abstract long? ContentLength { get; set; } public abstract string ContentType { get; set; } public abstract Microsoft.AspNetCore.Http.IRequestCookieCollection Cookies { get; set; } + protected HttpRequest() => throw null; public abstract Microsoft.AspNetCore.Http.IFormCollection Form { get; set; } public abstract bool HasFormContentType { get; } public abstract Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get; } public abstract Microsoft.AspNetCore.Http.HostString Host { get; set; } public abstract Microsoft.AspNetCore.Http.HttpContext HttpContext { get; } - protected HttpRequest() => throw null; public abstract bool IsHttps { get; set; } public abstract string Method { get; set; } public abstract Microsoft.AspNetCore.Http.PathString Path { get; set; } @@ -362,26 +333,25 @@ public abstract class HttpRequest public abstract Microsoft.AspNetCore.Http.IQueryCollection Query { get; set; } public abstract Microsoft.AspNetCore.Http.QueryString QueryString { get; set; } public abstract System.Threading.Tasks.Task ReadFormAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } public abstract string Scheme { get; set; } } - public abstract class HttpResponse { public abstract System.IO.Stream Body { get; set; } public virtual System.IO.Pipelines.PipeWriter BodyWriter { get => throw null; } public virtual System.Threading.Tasks.Task CompleteAsync() => throw null; - public abstract System.Int64? ContentLength { get; set; } + public abstract long? ContentLength { get; set; } public abstract string ContentType { get; set; } public abstract Microsoft.AspNetCore.Http.IResponseCookies Cookies { get; } + protected HttpResponse() => throw null; public abstract bool HasStarted { get; } public abstract Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get; } public abstract Microsoft.AspNetCore.Http.HttpContext HttpContext { get; } - protected HttpResponse() => throw null; - public virtual void OnCompleted(System.Func callback) => throw null; public abstract void OnCompleted(System.Func callback, object state); - public virtual void OnStarting(System.Func callback) => throw null; + public virtual void OnCompleted(System.Func callback) => throw null; public abstract void OnStarting(System.Func callback, object state); + public virtual void OnStarting(System.Func callback) => throw null; public virtual void Redirect(string location) => throw null; public abstract void Redirect(string location, bool permanent); public virtual void RegisterForDispose(System.IDisposable disposable) => throw null; @@ -389,391 +359,321 @@ public abstract class HttpResponse public virtual System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public abstract int StatusCode { get; set; } } - - public static class HttpResponseWritingExtensions + public static partial class HttpResponseWritingExtensions { public static System.Threading.Tasks.Task WriteAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string text, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task WriteAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string text, System.Text.Encoding encoding, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class HttpValidationProblemDetails : Microsoft.AspNetCore.Mvc.ProblemDetails { - public System.Collections.Generic.IDictionary Errors { get => throw null; } public HttpValidationProblemDetails() => throw null; public HttpValidationProblemDetails(System.Collections.Generic.IDictionary errors) => throw null; + public System.Collections.Generic.IDictionary Errors { get => throw null; } } - public interface IBindableFromHttpContext where TSelf : class, Microsoft.AspNetCore.Http.IBindableFromHttpContext { - static abstract System.Threading.Tasks.ValueTask BindAsync(Microsoft.AspNetCore.Http.HttpContext context, System.Reflection.ParameterInfo parameter); + abstract static System.Threading.Tasks.ValueTask BindAsync(Microsoft.AspNetCore.Http.HttpContext context, System.Reflection.ParameterInfo parameter); } - public interface IContentTypeHttpResult { string ContentType { get; } } - public interface IEndpointFilter { System.Threading.Tasks.ValueTask InvokeAsync(Microsoft.AspNetCore.Http.EndpointFilterInvocationContext context, Microsoft.AspNetCore.Http.EndpointFilterDelegate next); } - public interface IFileHttpResult { string ContentType { get; } string FileDownloadName { get; } } - public interface IHttpContextAccessor { Microsoft.AspNetCore.Http.HttpContext HttpContext { get; set; } } - public interface IHttpContextFactory { Microsoft.AspNetCore.Http.HttpContext Create(Microsoft.AspNetCore.Http.Features.IFeatureCollection featureCollection); void Dispose(Microsoft.AspNetCore.Http.HttpContext httpContext); } - public interface IMiddleware { System.Threading.Tasks.Task InvokeAsync(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.RequestDelegate next); } - public interface IMiddlewareFactory { Microsoft.AspNetCore.Http.IMiddleware Create(System.Type middlewareType); void Release(Microsoft.AspNetCore.Http.IMiddleware middleware); } - public interface INestedHttpResult { Microsoft.AspNetCore.Http.IResult Result { get; } } - public interface IProblemDetailsService { System.Threading.Tasks.ValueTask WriteAsync(Microsoft.AspNetCore.Http.ProblemDetailsContext context); } - public interface IProblemDetailsWriter { bool CanWrite(Microsoft.AspNetCore.Http.ProblemDetailsContext context); System.Threading.Tasks.ValueTask WriteAsync(Microsoft.AspNetCore.Http.ProblemDetailsContext context); } - public interface IResult { System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext); } - public interface IStatusCodeHttpResult { int? StatusCode { get; } } - public interface IValueHttpResult { object Value { get; } } - public interface IValueHttpResult { TValue Value { get; } } - + namespace Metadata + { + public interface IAcceptsMetadata + { + System.Collections.Generic.IReadOnlyList ContentTypes { get; } + bool IsOptional { get; } + System.Type RequestType { get; } + } + public interface IEndpointDescriptionMetadata + { + string Description { get; } + } + public interface IEndpointMetadataProvider + { + abstract static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder); + } + public interface IEndpointParameterMetadataProvider + { + abstract static void PopulateMetadata(System.Reflection.ParameterInfo parameter, Microsoft.AspNetCore.Builder.EndpointBuilder builder); + } + public interface IEndpointSummaryMetadata + { + string Summary { get; } + } + public interface IFromBodyMetadata + { + virtual bool AllowEmpty { get => throw null; } + } + public interface IFromFormMetadata + { + string Name { get; } + } + public interface IFromHeaderMetadata + { + string Name { get; } + } + public interface IFromQueryMetadata + { + string Name { get; } + } + public interface IFromRouteMetadata + { + string Name { get; } + } + public interface IFromServiceMetadata + { + } + public interface IProducesResponseTypeMetadata + { + System.Collections.Generic.IEnumerable ContentTypes { get; } + int StatusCode { get; } + System.Type Type { get; } + } + public interface IRequestSizeLimitMetadata + { + long? MaxRequestBodySize { get; } + } + public interface ISkipStatusCodePagesMetadata + { + } + public interface ITagsMetadata + { + System.Collections.Generic.IReadOnlyList Tags { get; } + } + } public struct PathString : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; - public static Microsoft.AspNetCore.Http.PathString operator +(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; - public static string operator +(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; - public static string operator +(Microsoft.AspNetCore.Http.PathString left, string right) => throw null; - public static string operator +(string left, Microsoft.AspNetCore.Http.PathString right) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; public Microsoft.AspNetCore.Http.PathString Add(Microsoft.AspNetCore.Http.PathString other) => throw null; public string Add(Microsoft.AspNetCore.Http.QueryString other) => throw null; + public PathString(string value) => throw null; public static Microsoft.AspNetCore.Http.PathString Empty; public bool Equals(Microsoft.AspNetCore.Http.PathString other) => throw null; public bool Equals(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType) => throw null; public override bool Equals(object obj) => throw null; - public static Microsoft.AspNetCore.Http.PathString FromUriComponent(System.Uri uri) => throw null; public static Microsoft.AspNetCore.Http.PathString FromUriComponent(string uriComponent) => throw null; + public static Microsoft.AspNetCore.Http.PathString FromUriComponent(System.Uri uri) => throw null; public override int GetHashCode() => throw null; public bool HasValue { get => throw null; } - // Stub generator skipped constructor - public PathString(string value) => throw null; + public static string operator +(string left, Microsoft.AspNetCore.Http.PathString right) => throw null; + public static string operator +(Microsoft.AspNetCore.Http.PathString left, string right) => throw null; + public static Microsoft.AspNetCore.Http.PathString operator +(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; + public static string operator +(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; + public static bool operator ==(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.PathString(string s) => throw null; + public static implicit operator string(Microsoft.AspNetCore.Http.PathString path) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Http.PathString left, Microsoft.AspNetCore.Http.PathString right) => throw null; public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other) => throw null; public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType) => throw null; - public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; - public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType, out Microsoft.AspNetCore.Http.PathString matched, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; + public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, out Microsoft.AspNetCore.Http.PathString matched, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; + public bool StartsWithSegments(Microsoft.AspNetCore.Http.PathString other, System.StringComparison comparisonType, out Microsoft.AspNetCore.Http.PathString matched, out Microsoft.AspNetCore.Http.PathString remaining) => throw null; public override string ToString() => throw null; public string ToUriComponent() => throw null; public string Value { get => throw null; } - public static implicit operator string(Microsoft.AspNetCore.Http.PathString path) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.PathString(string s) => throw null; } - - public class ProblemDetailsContext + public sealed class ProblemDetailsContext { - public Microsoft.AspNetCore.Http.EndpointMetadataCollection AdditionalMetadata { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ProblemDetails ProblemDetails { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.EndpointMetadataCollection AdditionalMetadata { get => throw null; set { } } public ProblemDetailsContext() => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ProblemDetails ProblemDetails { get => throw null; set { } } } - public struct QueryString : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; - public static Microsoft.AspNetCore.Http.QueryString operator +(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; public Microsoft.AspNetCore.Http.QueryString Add(Microsoft.AspNetCore.Http.QueryString other) => throw null; public Microsoft.AspNetCore.Http.QueryString Add(string name, string value) => throw null; - public static Microsoft.AspNetCore.Http.QueryString Create(System.Collections.Generic.IEnumerable> parameters) => throw null; - public static Microsoft.AspNetCore.Http.QueryString Create(System.Collections.Generic.IEnumerable> parameters) => throw null; public static Microsoft.AspNetCore.Http.QueryString Create(string name, string value) => throw null; + public static Microsoft.AspNetCore.Http.QueryString Create(System.Collections.Generic.IEnumerable> parameters) => throw null; + public static Microsoft.AspNetCore.Http.QueryString Create(System.Collections.Generic.IEnumerable> parameters) => throw null; + public QueryString(string value) => throw null; public static Microsoft.AspNetCore.Http.QueryString Empty; public bool Equals(Microsoft.AspNetCore.Http.QueryString other) => throw null; public override bool Equals(object obj) => throw null; - public static Microsoft.AspNetCore.Http.QueryString FromUriComponent(System.Uri uri) => throw null; public static Microsoft.AspNetCore.Http.QueryString FromUriComponent(string uriComponent) => throw null; + public static Microsoft.AspNetCore.Http.QueryString FromUriComponent(System.Uri uri) => throw null; public override int GetHashCode() => throw null; public bool HasValue { get => throw null; } - // Stub generator skipped constructor - public QueryString(string value) => throw null; + public static Microsoft.AspNetCore.Http.QueryString operator +(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; + public static bool operator ==(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Http.QueryString left, Microsoft.AspNetCore.Http.QueryString right) => throw null; public override string ToString() => throw null; public string ToUriComponent() => throw null; public string Value { get => throw null; } } - public delegate System.Threading.Tasks.Task RequestDelegate(Microsoft.AspNetCore.Http.HttpContext context); - - public class RequestDelegateResult + public sealed class RequestDelegateResult { + public RequestDelegateResult(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, System.Collections.Generic.IReadOnlyList metadata) => throw null; public System.Collections.Generic.IReadOnlyList EndpointMetadata { get => throw null; } public Microsoft.AspNetCore.Http.RequestDelegate RequestDelegate { get => throw null; } - public RequestDelegateResult(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, System.Collections.Generic.IReadOnlyList metadata) => throw null; } - - public static class RequestTrailerExtensions + public static partial class RequestTrailerExtensions { public static bool CheckTrailersAvailable(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; public static Microsoft.Extensions.Primitives.StringValues GetDeclaredTrailers(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; public static Microsoft.Extensions.Primitives.StringValues GetTrailer(this Microsoft.AspNetCore.Http.HttpRequest request, string trailerName) => throw null; public static bool SupportsTrailers(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; } - - public static class ResponseTrailerExtensions + public static partial class ResponseTrailerExtensions { public static void AppendTrailer(this Microsoft.AspNetCore.Http.HttpResponse response, string trailerName, Microsoft.Extensions.Primitives.StringValues trailerValues) => throw null; public static void DeclareTrailer(this Microsoft.AspNetCore.Http.HttpResponse response, string trailerName) => throw null; public static bool SupportsTrailers(this Microsoft.AspNetCore.Http.HttpResponse response) => throw null; } - public static class StatusCodes { - public const int Status100Continue = default; - public const int Status101SwitchingProtocols = default; - public const int Status102Processing = default; - public const int Status200OK = default; - public const int Status201Created = default; - public const int Status202Accepted = default; - public const int Status203NonAuthoritative = default; - public const int Status204NoContent = default; - public const int Status205ResetContent = default; - public const int Status206PartialContent = default; - public const int Status207MultiStatus = default; - public const int Status208AlreadyReported = default; - public const int Status226IMUsed = default; - public const int Status300MultipleChoices = default; - public const int Status301MovedPermanently = default; - public const int Status302Found = default; - public const int Status303SeeOther = default; - public const int Status304NotModified = default; - public const int Status305UseProxy = default; - public const int Status306SwitchProxy = default; - public const int Status307TemporaryRedirect = default; - public const int Status308PermanentRedirect = default; - public const int Status400BadRequest = default; - public const int Status401Unauthorized = default; - public const int Status402PaymentRequired = default; - public const int Status403Forbidden = default; - public const int Status404NotFound = default; - public const int Status405MethodNotAllowed = default; - public const int Status406NotAcceptable = default; - public const int Status407ProxyAuthenticationRequired = default; - public const int Status408RequestTimeout = default; - public const int Status409Conflict = default; - public const int Status410Gone = default; - public const int Status411LengthRequired = default; - public const int Status412PreconditionFailed = default; - public const int Status413PayloadTooLarge = default; - public const int Status413RequestEntityTooLarge = default; - public const int Status414RequestUriTooLong = default; - public const int Status414UriTooLong = default; - public const int Status415UnsupportedMediaType = default; - public const int Status416RangeNotSatisfiable = default; - public const int Status416RequestedRangeNotSatisfiable = default; - public const int Status417ExpectationFailed = default; - public const int Status418ImATeapot = default; - public const int Status419AuthenticationTimeout = default; - public const int Status421MisdirectedRequest = default; - public const int Status422UnprocessableEntity = default; - public const int Status423Locked = default; - public const int Status424FailedDependency = default; - public const int Status426UpgradeRequired = default; - public const int Status428PreconditionRequired = default; - public const int Status429TooManyRequests = default; - public const int Status431RequestHeaderFieldsTooLarge = default; - public const int Status451UnavailableForLegalReasons = default; - public const int Status500InternalServerError = default; - public const int Status501NotImplemented = default; - public const int Status502BadGateway = default; - public const int Status503ServiceUnavailable = default; - public const int Status504GatewayTimeout = default; - public const int Status505HttpVersionNotsupported = default; - public const int Status506VariantAlsoNegotiates = default; - public const int Status507InsufficientStorage = default; - public const int Status508LoopDetected = default; - public const int Status510NotExtended = default; - public const int Status511NetworkAuthenticationRequired = default; - } - + public static int Status100Continue; + public static int Status101SwitchingProtocols; + public static int Status102Processing; + public static int Status200OK; + public static int Status201Created; + public static int Status202Accepted; + public static int Status203NonAuthoritative; + public static int Status204NoContent; + public static int Status205ResetContent; + public static int Status206PartialContent; + public static int Status207MultiStatus; + public static int Status208AlreadyReported; + public static int Status226IMUsed; + public static int Status300MultipleChoices; + public static int Status301MovedPermanently; + public static int Status302Found; + public static int Status303SeeOther; + public static int Status304NotModified; + public static int Status305UseProxy; + public static int Status306SwitchProxy; + public static int Status307TemporaryRedirect; + public static int Status308PermanentRedirect; + public static int Status400BadRequest; + public static int Status401Unauthorized; + public static int Status402PaymentRequired; + public static int Status403Forbidden; + public static int Status404NotFound; + public static int Status405MethodNotAllowed; + public static int Status406NotAcceptable; + public static int Status407ProxyAuthenticationRequired; + public static int Status408RequestTimeout; + public static int Status409Conflict; + public static int Status410Gone; + public static int Status411LengthRequired; + public static int Status412PreconditionFailed; + public static int Status413PayloadTooLarge; + public static int Status413RequestEntityTooLarge; + public static int Status414RequestUriTooLong; + public static int Status414UriTooLong; + public static int Status415UnsupportedMediaType; + public static int Status416RangeNotSatisfiable; + public static int Status416RequestedRangeNotSatisfiable; + public static int Status417ExpectationFailed; + public static int Status418ImATeapot; + public static int Status419AuthenticationTimeout; + public static int Status421MisdirectedRequest; + public static int Status422UnprocessableEntity; + public static int Status423Locked; + public static int Status424FailedDependency; + public static int Status426UpgradeRequired; + public static int Status428PreconditionRequired; + public static int Status429TooManyRequests; + public static int Status431RequestHeaderFieldsTooLarge; + public static int Status451UnavailableForLegalReasons; + public static int Status500InternalServerError; + public static int Status501NotImplemented; + public static int Status502BadGateway; + public static int Status503ServiceUnavailable; + public static int Status504GatewayTimeout; + public static int Status505HttpVersionNotsupported; + public static int Status506VariantAlsoNegotiates; + public static int Status507InsufficientStorage; + public static int Status508LoopDetected; + public static int Status510NotExtended; + public static int Status511NetworkAuthenticationRequired; + } public abstract class WebSocketManager { public virtual System.Threading.Tasks.Task AcceptWebSocketAsync() => throw null; - public virtual System.Threading.Tasks.Task AcceptWebSocketAsync(Microsoft.AspNetCore.Http.WebSocketAcceptContext acceptContext) => throw null; public abstract System.Threading.Tasks.Task AcceptWebSocketAsync(string subProtocol); - public abstract bool IsWebSocketRequest { get; } + public virtual System.Threading.Tasks.Task AcceptWebSocketAsync(Microsoft.AspNetCore.Http.WebSocketAcceptContext acceptContext) => throw null; protected WebSocketManager() => throw null; + public abstract bool IsWebSocketRequest { get; } public abstract System.Collections.Generic.IList WebSocketRequestedProtocols { get; } } - - namespace Features - { - public interface IEndpointFeature - { - Microsoft.AspNetCore.Http.Endpoint Endpoint { get; set; } - } - - public interface IRouteValuesFeature - { - Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get; set; } - } - - } - namespace Metadata - { - public interface IAcceptsMetadata - { - System.Collections.Generic.IReadOnlyList ContentTypes { get; } - bool IsOptional { get; } - System.Type RequestType { get; } - } - - public interface IEndpointDescriptionMetadata - { - string Description { get; } - } - - public interface IEndpointMetadataProvider - { - static abstract void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder); - } - - public interface IEndpointParameterMetadataProvider - { - static abstract void PopulateMetadata(System.Reflection.ParameterInfo parameter, Microsoft.AspNetCore.Builder.EndpointBuilder builder); - } - - public interface IEndpointSummaryMetadata - { - string Summary { get; } - } - - public interface IFromBodyMetadata - { - bool AllowEmpty { get => throw null; } - } - - public interface IFromFormMetadata - { - string Name { get; } - } - - public interface IFromHeaderMetadata - { - string Name { get; } - } - - public interface IFromQueryMetadata - { - string Name { get; } - } - - public interface IFromRouteMetadata - { - string Name { get; } - } - - public interface IFromServiceMetadata - { - } - - public interface IProducesResponseTypeMetadata - { - System.Collections.Generic.IEnumerable ContentTypes { get; } - int StatusCode { get; } - System.Type Type { get; } - } - - public interface IRequestSizeLimitMetadata - { - System.Int64? MaxRequestBodySize { get; } - } - - public interface ISkipStatusCodePagesMetadata - { - } - - public interface ITagsMetadata - { - System.Collections.Generic.IReadOnlyList Tags { get; } - } - - } } namespace Mvc { public class ProblemDetails { - public string Detail { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Extensions { get => throw null; } - public string Instance { get => throw null; set => throw null; } public ProblemDetails() => throw null; - public int? Status { get => throw null; set => throw null; } - public string Title { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } + public string Detail { get => throw null; set { } } + public System.Collections.Generic.IDictionary Extensions { get => throw null; } + public string Instance { get => throw null; set { } } + public int? Status { get => throw null; set { } } + public string Title { get => throw null; set { } } + public string Type { get => throw null; set { } } } - } namespace Routing { - public class RouteValueDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public class RouteValueDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> { - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable - { - public System.Collections.Generic.KeyValuePair Current { get => throw null; } - object System.Collections.IEnumerator.Current { get => throw null; } - public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; - public bool MoveNext() => throw null; - public void Reset() => throw null; - } - - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string key, object value) => throw null; public void Clear() => throw null; @@ -782,28 +682,36 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } + public RouteValueDictionary() => throw null; + public RouteValueDictionary(object values) => throw null; + public RouteValueDictionary(System.Collections.Generic.IEnumerable> values) => throw null; + public RouteValueDictionary(System.Collections.Generic.IEnumerable> values) => throw null; + public RouteValueDictionary(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; + public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + { + public Enumerator(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; + public System.Collections.Generic.KeyValuePair Current { get => throw null; } + object System.Collections.IEnumerator.Current { get => throw null; } + public void Dispose() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } public static Microsoft.AspNetCore.Routing.RouteValueDictionary FromArray(System.Collections.Generic.KeyValuePair[] items) => throw null; public Microsoft.AspNetCore.Routing.RouteValueDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - public object this[string key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string key) => throw null; public bool Remove(string key, out object value) => throw null; - public RouteValueDictionary() => throw null; - public RouteValueDictionary(System.Collections.Generic.IEnumerable> values) => throw null; - public RouteValueDictionary(System.Collections.Generic.IEnumerable> values) => throw null; - public RouteValueDictionary(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; - public RouteValueDictionary(object values) => throw null; + public object this[string key] { get => throw null; set { } } public bool TryAdd(string key, object value) => throw null; public bool TryGetValue(string key, out object value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.Common.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.Common.cs index 2c97c6fff359..746265202386 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.Common.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.Common.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Connections.Common, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,42 +11,37 @@ namespace Connections public class AvailableTransport { public AvailableTransport() => throw null; - public System.Collections.Generic.IList TransferFormats { get => throw null; set => throw null; } - public string Transport { get => throw null; set => throw null; } + public System.Collections.Generic.IList TransferFormats { get => throw null; set { } } + public string Transport { get => throw null; set { } } + } + public static class HttpTransports + { + public static Microsoft.AspNetCore.Http.Connections.HttpTransportType All; } - [System.Flags] - public enum HttpTransportType : int + public enum HttpTransportType { - LongPolling = 4, None = 0, - ServerSentEvents = 2, WebSockets = 1, + ServerSentEvents = 2, + LongPolling = 4, } - - public static class HttpTransports - { - public static Microsoft.AspNetCore.Http.Connections.HttpTransportType All; - } - public static class NegotiateProtocol { - public static Microsoft.AspNetCore.Http.Connections.NegotiationResponse ParseResponse(System.ReadOnlySpan content) => throw null; - public static void WriteResponse(Microsoft.AspNetCore.Http.Connections.NegotiationResponse response, System.Buffers.IBufferWriter output) => throw null; + public static Microsoft.AspNetCore.Http.Connections.NegotiationResponse ParseResponse(System.ReadOnlySpan content) => throw null; + public static void WriteResponse(Microsoft.AspNetCore.Http.Connections.NegotiationResponse response, System.Buffers.IBufferWriter output) => throw null; } - public class NegotiationResponse { - public string AccessToken { get => throw null; set => throw null; } - public System.Collections.Generic.IList AvailableTransports { get => throw null; set => throw null; } - public string ConnectionId { get => throw null; set => throw null; } - public string ConnectionToken { get => throw null; set => throw null; } - public string Error { get => throw null; set => throw null; } + public string AccessToken { get => throw null; set { } } + public System.Collections.Generic.IList AvailableTransports { get => throw null; set { } } + public string ConnectionId { get => throw null; set { } } + public string ConnectionToken { get => throw null; set { } } public NegotiationResponse() => throw null; - public string Url { get => throw null; set => throw null; } - public int Version { get => throw null; set => throw null; } + public string Error { get => throw null; set { } } + public string Url { get => throw null; set { } } + public int Version { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.cs index e2a1f777e5fb..57bed338219b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Connections.cs @@ -1,26 +1,23 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Connections, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public class ConnectionEndpointRouteBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class ConnectionEndpointRouteBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; } - - public static class ConnectionEndpointRouteBuilderExtensions + public static partial class ConnectionEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.ConnectionEndpointRouteBuilder MapConnectionHandler(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern) where TConnectionHandler : Microsoft.AspNetCore.Connections.ConnectionHandler => throw null; public static Microsoft.AspNetCore.Builder.ConnectionEndpointRouteBuilder MapConnectionHandler(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Action configureOptions) where TConnectionHandler : Microsoft.AspNetCore.Connections.ConnectionHandler => throw null; public static Microsoft.AspNetCore.Builder.ConnectionEndpointRouteBuilder MapConnections(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Action configure) => throw null; public static Microsoft.AspNetCore.Builder.ConnectionEndpointRouteBuilder MapConnections(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.Connections.HttpConnectionDispatcherOptions options, System.Action configure) => throw null; } - } namespace Http { @@ -29,65 +26,56 @@ namespace Connections public class ConnectionOptions { public ConnectionOptions() => throw null; - public System.TimeSpan? DisconnectTimeout { get => throw null; set => throw null; } + public System.TimeSpan? DisconnectTimeout { get => throw null; set { } } } - public class ConnectionOptionsSetup : Microsoft.Extensions.Options.IConfigureOptions { public void Configure(Microsoft.AspNetCore.Http.Connections.ConnectionOptions options) => throw null; public ConnectionOptionsSetup() => throw null; public static System.TimeSpan DefaultDisconectTimeout; } - - public static class HttpConnectionContextExtensions + namespace Features + { + public interface IHttpContextFeature + { + Microsoft.AspNetCore.Http.HttpContext HttpContext { get; set; } + } + public interface IHttpTransportFeature + { + Microsoft.AspNetCore.Http.Connections.HttpTransportType TransportType { get; } + } + } + public static partial class HttpConnectionContextExtensions { public static Microsoft.AspNetCore.Http.HttpContext GetHttpContext(this Microsoft.AspNetCore.Connections.ConnectionContext connection) => throw null; } - public class HttpConnectionDispatcherOptions { - public System.Int64 ApplicationMaxBufferSize { get => throw null; set => throw null; } + public long ApplicationMaxBufferSize { get => throw null; set { } } public System.Collections.Generic.IList AuthorizationData { get => throw null; } - public bool CloseOnAuthenticationExpiration { get => throw null; set => throw null; } + public bool CloseOnAuthenticationExpiration { get => throw null; set { } } public HttpConnectionDispatcherOptions() => throw null; public Microsoft.AspNetCore.Http.Connections.LongPollingOptions LongPolling { get => throw null; } - public int MinimumProtocolVersion { get => throw null; set => throw null; } - public System.Int64 TransportMaxBufferSize { get => throw null; set => throw null; } - public System.TimeSpan TransportSendTimeout { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.Connections.HttpTransportType Transports { get => throw null; set => throw null; } + public int MinimumProtocolVersion { get => throw null; set { } } + public long TransportMaxBufferSize { get => throw null; set { } } + public Microsoft.AspNetCore.Http.Connections.HttpTransportType Transports { get => throw null; set { } } + public System.TimeSpan TransportSendTimeout { get => throw null; set { } } public Microsoft.AspNetCore.Http.Connections.WebSocketOptions WebSockets { get => throw null; } } - public class LongPollingOptions { public LongPollingOptions() => throw null; - public System.TimeSpan PollTimeout { get => throw null; set => throw null; } + public System.TimeSpan PollTimeout { get => throw null; set { } } } - public class NegotiateMetadata { public NegotiateMetadata() => throw null; } - public class WebSocketOptions { - public System.TimeSpan CloseTimeout { get => throw null; set => throw null; } - public System.Func, string> SubProtocolSelector { get => throw null; set => throw null; } + public System.TimeSpan CloseTimeout { get => throw null; set { } } public WebSocketOptions() => throw null; - } - - namespace Features - { - public interface IHttpContextFeature - { - Microsoft.AspNetCore.Http.HttpContext HttpContext { get; set; } - } - - public interface IHttpTransportFeature - { - Microsoft.AspNetCore.Http.Connections.HttpTransportType TransportType { get; } - } - + public System.Func, string> SubProtocolSelector { get => throw null; set { } } } } } @@ -96,12 +84,11 @@ namespace Extensions { namespace DependencyInjection { - public static class ConnectionsDependencyInjectionExtensions + public static partial class ConnectionsDependencyInjectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddConnections(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddConnections(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action options) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Extensions.cs index 2e98c6e5cd57..b6f38080c296 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Extensions.cs @@ -1,147 +1,46 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Http { - public class EndpointDescriptionAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IEndpointDescriptionMetadata + public sealed class EndpointDescriptionAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IEndpointDescriptionMetadata { - public string Description { get => throw null; } public EndpointDescriptionAttribute(string description) => throw null; + public string Description { get => throw null; } } - - public class EndpointSummaryAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IEndpointSummaryMetadata + public sealed class EndpointSummaryAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IEndpointSummaryMetadata { public EndpointSummaryAttribute(string summary) => throw null; public string Summary { get => throw null; } } - - public static class HeaderDictionaryTypeExtensions - { - public static void AppendList(this Microsoft.AspNetCore.Http.IHeaderDictionary Headers, string name, System.Collections.Generic.IList values) => throw null; - public static Microsoft.AspNetCore.Http.Headers.RequestHeaders GetTypedHeaders(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; - public static Microsoft.AspNetCore.Http.Headers.ResponseHeaders GetTypedHeaders(this Microsoft.AspNetCore.Http.HttpResponse response) => throw null; - } - - public static class HttpContextServerVariableExtensions - { - public static string GetServerVariable(this Microsoft.AspNetCore.Http.HttpContext context, string variableName) => throw null; - } - - public static class HttpRequestJsonExtensions - { - public static bool HasJsonContentType(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - public static class HttpResponseJsonExtensions - { - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, string contentType = default(string), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.JsonSerializerOptions options, string contentType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.JsonSerializerOptions options, string contentType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, string contentType = default(string), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - public class ProblemDetailsOptions - { - public System.Action CustomizeProblemDetails { get => throw null; set => throw null; } - public ProblemDetailsOptions() => throw null; - } - - public static class RequestDelegateFactory - { - public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Delegate handler, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options) => throw null; - public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Delegate handler, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions), Microsoft.AspNetCore.Http.RequestDelegateMetadataResult metadataResult = default(Microsoft.AspNetCore.Http.RequestDelegateMetadataResult)) => throw null; - public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Reflection.MethodInfo methodInfo, System.Func targetFactory, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options) => throw null; - public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Reflection.MethodInfo methodInfo, System.Func targetFactory = default(System.Func), Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions), Microsoft.AspNetCore.Http.RequestDelegateMetadataResult metadataResult = default(Microsoft.AspNetCore.Http.RequestDelegateMetadataResult)) => throw null; - public static Microsoft.AspNetCore.Http.RequestDelegateMetadataResult InferMetadata(System.Reflection.MethodInfo methodInfo, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions)) => throw null; - } - - public class RequestDelegateFactoryOptions - { - public bool DisableInferBodyFromParameters { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Builder.EndpointBuilder EndpointBuilder { get => throw null; set => throw null; } - public RequestDelegateFactoryOptions() => throw null; - public System.Collections.Generic.IEnumerable RouteParameterNames { get => throw null; set => throw null; } - public System.IServiceProvider ServiceProvider { get => throw null; set => throw null; } - public bool ThrowOnBadRequest { get => throw null; set => throw null; } - } - - public class RequestDelegateMetadataResult - { - public System.Collections.Generic.IReadOnlyList EndpointMetadata { get => throw null; set => throw null; } - public RequestDelegateMetadataResult() => throw null; - } - - public static class ResponseExtensions - { - public static void Clear(this Microsoft.AspNetCore.Http.HttpResponse response) => throw null; - public static void Redirect(this Microsoft.AspNetCore.Http.HttpResponse response, string location, bool permanent, bool preserveMethod) => throw null; - } - - public static class SendFileResponseExtensions - { - public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, Microsoft.Extensions.FileProviders.IFileInfo file, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, Microsoft.Extensions.FileProviders.IFileInfo file, System.Int64 offset, System.Int64? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string fileName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string fileName, System.Int64 offset, System.Int64? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - public static class SessionExtensions - { - public static System.Byte[] Get(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; - public static int? GetInt32(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; - public static string GetString(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; - public static void SetInt32(this Microsoft.AspNetCore.Http.ISession session, string key, int value) => throw null; - public static void SetString(this Microsoft.AspNetCore.Http.ISession session, string key, string value) => throw null; - } - - public class TagsAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.ITagsMetadata - { - public System.Collections.Generic.IReadOnlyList Tags { get => throw null; } - public TagsAttribute(params string[] tags) => throw null; - } - namespace Extensions { - public static class HttpRequestMultipartExtensions + public static partial class HttpRequestMultipartExtensions { public static string GetMultipartBoundary(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; } - public class QueryBuilder : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(string key, System.Collections.Generic.IEnumerable values) => throw null; public void Add(string key, string value) => throw null; + public QueryBuilder() => throw null; + public QueryBuilder(System.Collections.Generic.IEnumerable> parameters) => throw null; + public QueryBuilder(System.Collections.Generic.IEnumerable> parameters) => throw null; public override bool Equals(object obj) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public override int GetHashCode() => throw null; - public QueryBuilder() => throw null; - public QueryBuilder(System.Collections.Generic.IEnumerable> parameters) => throw null; - public QueryBuilder(System.Collections.Generic.IEnumerable> parameters) => throw null; public Microsoft.AspNetCore.Http.QueryString ToQueryString() => throw null; public override string ToString() => throw null; } - public static class StreamCopyOperation { - public static System.Threading.Tasks.Task CopyToAsync(System.IO.Stream source, System.IO.Stream destination, System.Int64? count, System.Threading.CancellationToken cancel) => throw null; - public static System.Threading.Tasks.Task CopyToAsync(System.IO.Stream source, System.IO.Stream destination, System.Int64? count, int bufferSize, System.Threading.CancellationToken cancel) => throw null; + public static System.Threading.Tasks.Task CopyToAsync(System.IO.Stream source, System.IO.Stream destination, long? count, System.Threading.CancellationToken cancel) => throw null; + public static System.Threading.Tasks.Task CopyToAsync(System.IO.Stream source, System.IO.Stream destination, long? count, int bufferSize, System.Threading.CancellationToken cancel) => throw null; } - public static class UriHelper { public static string BuildAbsolute(string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.PathString path = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.QueryString query = default(Microsoft.AspNetCore.Http.QueryString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString)) => throw null; @@ -152,66 +51,94 @@ public static class UriHelper public static string GetEncodedPathAndQuery(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; public static string GetEncodedUrl(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; } - + } + public static partial class HeaderDictionaryTypeExtensions + { + public static void AppendList(this Microsoft.AspNetCore.Http.IHeaderDictionary Headers, string name, System.Collections.Generic.IList values) => throw null; + public static Microsoft.AspNetCore.Http.Headers.RequestHeaders GetTypedHeaders(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; + public static Microsoft.AspNetCore.Http.Headers.ResponseHeaders GetTypedHeaders(this Microsoft.AspNetCore.Http.HttpResponse response) => throw null; } namespace Headers { public class RequestHeaders { - public System.Collections.Generic.IList Accept { get => throw null; set => throw null; } - public System.Collections.Generic.IList AcceptCharset { get => throw null; set => throw null; } - public System.Collections.Generic.IList AcceptEncoding { get => throw null; set => throw null; } - public System.Collections.Generic.IList AcceptLanguage { get => throw null; set => throw null; } + public System.Collections.Generic.IList Accept { get => throw null; set { } } + public System.Collections.Generic.IList AcceptCharset { get => throw null; set { } } + public System.Collections.Generic.IList AcceptEncoding { get => throw null; set { } } + public System.Collections.Generic.IList AcceptLanguage { get => throw null; set { } } public void Append(string name, object value) => throw null; public void AppendList(string name, System.Collections.Generic.IList values) => throw null; - public Microsoft.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set => throw null; } - public System.Int64? ContentLength { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set => throw null; } - public System.Collections.Generic.IList Cookie { get => throw null; set => throw null; } - public System.DateTimeOffset? Date { get => throw null; set => throw null; } - public System.DateTimeOffset? Expires { get => throw null; set => throw null; } + public Microsoft.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set { } } + public Microsoft.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set { } } + public long? ContentLength { get => throw null; set { } } + public Microsoft.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set { } } + public Microsoft.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set { } } + public System.Collections.Generic.IList Cookie { get => throw null; set { } } + public RequestHeaders(Microsoft.AspNetCore.Http.IHeaderDictionary headers) => throw null; + public System.DateTimeOffset? Date { get => throw null; set { } } + public System.DateTimeOffset? Expires { get => throw null; set { } } public T Get(string name) => throw null; public System.Collections.Generic.IList GetList(string name) => throw null; public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; } - public Microsoft.AspNetCore.Http.HostString Host { get => throw null; set => throw null; } - public System.Collections.Generic.IList IfMatch { get => throw null; set => throw null; } - public System.DateTimeOffset? IfModifiedSince { get => throw null; set => throw null; } - public System.Collections.Generic.IList IfNoneMatch { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.RangeConditionHeaderValue IfRange { get => throw null; set => throw null; } - public System.DateTimeOffset? IfUnmodifiedSince { get => throw null; set => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.RangeHeaderValue Range { get => throw null; set => throw null; } - public System.Uri Referer { get => throw null; set => throw null; } - public RequestHeaders(Microsoft.AspNetCore.Http.IHeaderDictionary headers) => throw null; + public Microsoft.AspNetCore.Http.HostString Host { get => throw null; set { } } + public System.Collections.Generic.IList IfMatch { get => throw null; set { } } + public System.DateTimeOffset? IfModifiedSince { get => throw null; set { } } + public System.Collections.Generic.IList IfNoneMatch { get => throw null; set { } } + public Microsoft.Net.Http.Headers.RangeConditionHeaderValue IfRange { get => throw null; set { } } + public System.DateTimeOffset? IfUnmodifiedSince { get => throw null; set { } } + public System.DateTimeOffset? LastModified { get => throw null; set { } } + public Microsoft.Net.Http.Headers.RangeHeaderValue Range { get => throw null; set { } } + public System.Uri Referer { get => throw null; set { } } public void Set(string name, object value) => throw null; public void SetList(string name, System.Collections.Generic.IList values) => throw null; } - public class ResponseHeaders { public void Append(string name, object value) => throw null; public void AppendList(string name, System.Collections.Generic.IList values) => throw null; - public Microsoft.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set => throw null; } - public System.Int64? ContentLength { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set => throw null; } - public System.DateTimeOffset? Date { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue ETag { get => throw null; set => throw null; } - public System.DateTimeOffset? Expires { get => throw null; set => throw null; } + public Microsoft.Net.Http.Headers.CacheControlHeaderValue CacheControl { get => throw null; set { } } + public Microsoft.Net.Http.Headers.ContentDispositionHeaderValue ContentDisposition { get => throw null; set { } } + public long? ContentLength { get => throw null; set { } } + public Microsoft.Net.Http.Headers.ContentRangeHeaderValue ContentRange { get => throw null; set { } } + public Microsoft.Net.Http.Headers.MediaTypeHeaderValue ContentType { get => throw null; set { } } + public ResponseHeaders(Microsoft.AspNetCore.Http.IHeaderDictionary headers) => throw null; + public System.DateTimeOffset? Date { get => throw null; set { } } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue ETag { get => throw null; set { } } + public System.DateTimeOffset? Expires { get => throw null; set { } } public T Get(string name) => throw null; public System.Collections.Generic.IList GetList(string name) => throw null; public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } - public System.Uri Location { get => throw null; set => throw null; } - public ResponseHeaders(Microsoft.AspNetCore.Http.IHeaderDictionary headers) => throw null; + public System.DateTimeOffset? LastModified { get => throw null; set { } } + public System.Uri Location { get => throw null; set { } } public void Set(string name, object value) => throw null; - public System.Collections.Generic.IList SetCookie { get => throw null; set => throw null; } + public System.Collections.Generic.IList SetCookie { get => throw null; set { } } public void SetList(string name, System.Collections.Generic.IList values) => throw null; } - + } + public static partial class HttpContextServerVariableExtensions + { + public static string GetServerVariable(this Microsoft.AspNetCore.Http.HttpContext context, string variableName) => throw null; + } + public static partial class HttpRequestJsonExtensions + { + public static bool HasJsonContentType(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.ValueTask ReadFromJsonAsync(this Microsoft.AspNetCore.Http.HttpRequest request, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public static partial class HttpResponseJsonExtensions + { + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.JsonSerializerOptions options, string contentType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, TValue value, System.Text.Json.Serialization.Metadata.JsonTypeInfo jsonTypeInfo, string contentType = default(string), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.JsonSerializerOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.JsonSerializerOptions options, string contentType, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task WriteAsJsonAsync(this Microsoft.AspNetCore.Http.HttpResponse response, object value, System.Type type, System.Text.Json.Serialization.JsonSerializerContext context, string contentType = default(string), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } namespace Json { @@ -220,7 +147,58 @@ public class JsonOptions public JsonOptions() => throw null; public System.Text.Json.JsonSerializerOptions SerializerOptions { get => throw null; } } - + } + public class ProblemDetailsOptions + { + public ProblemDetailsOptions() => throw null; + public System.Action CustomizeProblemDetails { get => throw null; set { } } + } + public static class RequestDelegateFactory + { + public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Delegate handler, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options) => throw null; + public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Delegate handler, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions), Microsoft.AspNetCore.Http.RequestDelegateMetadataResult metadataResult = default(Microsoft.AspNetCore.Http.RequestDelegateMetadataResult)) => throw null; + public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Reflection.MethodInfo methodInfo, System.Func targetFactory, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options) => throw null; + public static Microsoft.AspNetCore.Http.RequestDelegateResult Create(System.Reflection.MethodInfo methodInfo, System.Func targetFactory = default(System.Func), Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions), Microsoft.AspNetCore.Http.RequestDelegateMetadataResult metadataResult = default(Microsoft.AspNetCore.Http.RequestDelegateMetadataResult)) => throw null; + public static Microsoft.AspNetCore.Http.RequestDelegateMetadataResult InferMetadata(System.Reflection.MethodInfo methodInfo, Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions options = default(Microsoft.AspNetCore.Http.RequestDelegateFactoryOptions)) => throw null; + } + public sealed class RequestDelegateFactoryOptions + { + public RequestDelegateFactoryOptions() => throw null; + public bool DisableInferBodyFromParameters { get => throw null; set { } } + public Microsoft.AspNetCore.Builder.EndpointBuilder EndpointBuilder { get => throw null; set { } } + public System.Collections.Generic.IEnumerable RouteParameterNames { get => throw null; set { } } + public System.IServiceProvider ServiceProvider { get => throw null; set { } } + public bool ThrowOnBadRequest { get => throw null; set { } } + } + public sealed class RequestDelegateMetadataResult + { + public RequestDelegateMetadataResult() => throw null; + public System.Collections.Generic.IReadOnlyList EndpointMetadata { get => throw null; set { } } + } + public static partial class ResponseExtensions + { + public static void Clear(this Microsoft.AspNetCore.Http.HttpResponse response) => throw null; + public static void Redirect(this Microsoft.AspNetCore.Http.HttpResponse response, string location, bool permanent, bool preserveMethod) => throw null; + } + public static partial class SendFileResponseExtensions + { + public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, Microsoft.Extensions.FileProviders.IFileInfo file, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, Microsoft.Extensions.FileProviders.IFileInfo file, long offset, long? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string fileName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SendFileAsync(this Microsoft.AspNetCore.Http.HttpResponse response, string fileName, long offset, long? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public static partial class SessionExtensions + { + public static byte[] Get(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; + public static int? GetInt32(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; + public static string GetString(this Microsoft.AspNetCore.Http.ISession session, string key) => throw null; + public static void SetInt32(this Microsoft.AspNetCore.Http.ISession session, string key, int value) => throw null; + public static void SetString(this Microsoft.AspNetCore.Http.ISession session, string key, string value) => throw null; + } + public sealed class TagsAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.ITagsMetadata + { + public TagsAttribute(params string[] tags) => throw null; + public System.Collections.Generic.IReadOnlyList Tags { get => throw null; } } } } @@ -228,17 +206,15 @@ namespace Extensions { namespace DependencyInjection { - public static class HttpJsonServiceExtensions + public static partial class HttpJsonServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureHttpJsonOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - - public static class ProblemDetailsServiceCollectionExtensions + public static partial class ProblemDetailsServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddProblemDetails(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddProblemDetails(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs index acf927a9dcad..728dd69c0587 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Features, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,217 +8,38 @@ namespace Http { public class CookieOptions { + public Microsoft.Net.Http.Headers.SetCookieHeaderValue CreateCookieHeader(string name, string value) => throw null; public CookieOptions() => throw null; public CookieOptions(Microsoft.AspNetCore.Http.CookieOptions options) => throw null; - public Microsoft.Net.Http.Headers.SetCookieHeaderValue CreateCookieHeader(string name, string value) => throw null; - public string Domain { get => throw null; set => throw null; } - public System.DateTimeOffset? Expires { get => throw null; set => throw null; } + public string Domain { get => throw null; set { } } + public System.DateTimeOffset? Expires { get => throw null; set { } } public System.Collections.Generic.IList Extensions { get => throw null; } - public bool HttpOnly { get => throw null; set => throw null; } - public bool IsEssential { get => throw null; set => throw null; } - public System.TimeSpan? MaxAge { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.SameSiteMode SameSite { get => throw null; set => throw null; } - public bool Secure { get => throw null; set => throw null; } - } - - public interface IFormCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - bool ContainsKey(string key); - int Count { get; } - Microsoft.AspNetCore.Http.IFormFileCollection Files { get; } - Microsoft.Extensions.Primitives.StringValues this[string key] { get; } - System.Collections.Generic.ICollection Keys { get; } - bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value); - } - - public interface IFormFile - { - string ContentDisposition { get; } - string ContentType { get; } - void CopyTo(System.IO.Stream target); - System.Threading.Tasks.Task CopyToAsync(System.IO.Stream target, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - string FileName { get; } - Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get; } - System.Int64 Length { get; } - string Name { get; } - System.IO.Stream OpenReadStream(); - } - - public interface IFormFileCollection : System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable - { - Microsoft.AspNetCore.Http.IFormFile GetFile(string name); - System.Collections.Generic.IReadOnlyList GetFiles(string name); - Microsoft.AspNetCore.Http.IFormFile this[string name] { get; } - } - - public interface IHeaderDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - Microsoft.Extensions.Primitives.StringValues Accept { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AcceptCharset { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AcceptEncoding { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AcceptLanguage { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AcceptRanges { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlAllowCredentials { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlAllowHeaders { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlAllowMethods { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlAllowOrigin { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlExposeHeaders { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlMaxAge { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlRequestHeaders { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AccessControlRequestMethod { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Age { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Allow { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues AltSvc { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Authorization { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Baggage { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues CacheControl { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Connection { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentDisposition { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentEncoding { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentLanguage { get => throw null; set => throw null; } - System.Int64? ContentLength { get; set; } - Microsoft.Extensions.Primitives.StringValues ContentLocation { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentMD5 { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentRange { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentSecurityPolicy { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentSecurityPolicyReportOnly { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ContentType { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Cookie { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues CorrelationContext { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Date { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ETag { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Expect { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Expires { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues From { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues GrpcAcceptEncoding { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues GrpcEncoding { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues GrpcMessage { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues GrpcStatus { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues GrpcTimeout { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Host { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues IfMatch { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues IfModifiedSince { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues IfNoneMatch { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues IfRange { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues IfUnmodifiedSince { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues this[string key] { get; set; } - Microsoft.Extensions.Primitives.StringValues KeepAlive { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues LastModified { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Link { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Location { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues MaxForwards { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Origin { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Pragma { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ProxyAuthenticate { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ProxyAuthorization { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues ProxyConnection { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Range { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Referer { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues RequestId { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues RetryAfter { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SecWebSocketAccept { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SecWebSocketExtensions { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SecWebSocketKey { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SecWebSocketProtocol { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SecWebSocketVersion { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Server { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues SetCookie { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues StrictTransportSecurity { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues TE { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues TraceParent { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues TraceState { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Trailer { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues TransferEncoding { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Translate { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Upgrade { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues UpgradeInsecureRequests { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues UserAgent { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Vary { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Via { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues WWWAuthenticate { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues Warning { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues WebSocketSubProtocols { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XContentTypeOptions { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XFrameOptions { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XPoweredBy { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XRequestedWith { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XUACompatible { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues XXSSProtection { get => throw null; set => throw null; } - } - - public interface IQueryCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - bool ContainsKey(string key); - int Count { get; } - Microsoft.Extensions.Primitives.StringValues this[string key] { get; } - System.Collections.Generic.ICollection Keys { get; } - bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value); - } - - public interface IRequestCookieCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - bool ContainsKey(string key); - int Count { get; } - string this[string key] { get; } - System.Collections.Generic.ICollection Keys { get; } - bool TryGetValue(string key, out string value); - } - - public interface IResponseCookies - { - void Append(System.ReadOnlySpan> keyValuePairs, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; - void Append(string key, string value); - void Append(string key, string value, Microsoft.AspNetCore.Http.CookieOptions options); - void Delete(string key); - void Delete(string key, Microsoft.AspNetCore.Http.CookieOptions options); - } - - public interface ISession - { - void Clear(); - System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - string Id { get; } - bool IsAvailable { get; } - System.Collections.Generic.IEnumerable Keys { get; } - System.Threading.Tasks.Task LoadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Remove(string key); - void Set(string key, System.Byte[] value); - bool TryGetValue(string key, out System.Byte[] value); + public bool HttpOnly { get => throw null; set { } } + public bool IsEssential { get => throw null; set { } } + public System.TimeSpan? MaxAge { get => throw null; set { } } + public string Path { get => throw null; set { } } + public Microsoft.AspNetCore.Http.SameSiteMode SameSite { get => throw null; set { } } + public bool Secure { get => throw null; set { } } } - - public enum SameSiteMode : int - { - Lax = 1, - None = 0, - Strict = 2, - Unspecified = -1, - } - - public class WebSocketAcceptContext - { - public bool DangerousEnableCompression { get => throw null; set => throw null; } - public bool DisableServerContextTakeover { get => throw null; set => throw null; } - public virtual System.TimeSpan? KeepAliveInterval { get => throw null; set => throw null; } - public int ServerMaxWindowBits { get => throw null; set => throw null; } - public virtual string SubProtocol { get => throw null; set => throw null; } - public WebSocketAcceptContext() => throw null; - } - namespace Features { - public enum HttpsCompressionMode : int + namespace Authentication + { + public interface IHttpAuthenticationFeature + { + System.Security.Claims.ClaimsPrincipal User { get; set; } + } + } + public enum HttpsCompressionMode { - Compress = 2, Default = 0, DoNotCompress = 1, + Compress = 2, } - public interface IBadRequestExceptionFeature { System.Exception Error { get; } } - public interface IFormFeature { Microsoft.AspNetCore.Http.IFormCollection Form { get; set; } @@ -227,12 +47,10 @@ public interface IFormFeature Microsoft.AspNetCore.Http.IFormCollection ReadForm(); System.Threading.Tasks.Task ReadFormAsync(System.Threading.CancellationToken cancellationToken); } - public interface IHttpBodyControlFeature { bool AllowSynchronousIO { get; set; } } - public interface IHttpConnectionFeature { string ConnectionId { get; set; } @@ -241,25 +59,21 @@ public interface IHttpConnectionFeature System.Net.IPAddress RemoteIpAddress { get; set; } int RemotePort { get; set; } } - public interface IHttpExtendedConnectFeature { System.Threading.Tasks.ValueTask AcceptAsync(); bool IsExtendedConnect { get; } string Protocol { get; } } - public interface IHttpMaxRequestBodySizeFeature { bool IsReadOnly { get; } - System.Int64? MaxRequestBodySize { get; set; } + long? MaxRequestBodySize { get; set; } } - public interface IHttpRequestBodyDetectionFeature { bool CanHaveBody { get; } } - public interface IHttpRequestFeature { System.IO.Stream Body { get; set; } @@ -272,39 +86,33 @@ public interface IHttpRequestFeature string RawTarget { get; set; } string Scheme { get; set; } } - public interface IHttpRequestIdentifierFeature { string TraceIdentifier { get; set; } } - public interface IHttpRequestLifetimeFeature { void Abort(); System.Threading.CancellationToken RequestAborted { get; set; } } - public interface IHttpRequestTrailersFeature { bool Available { get; } Microsoft.AspNetCore.Http.IHeaderDictionary Trailers { get; } } - public interface IHttpResetFeature { void Reset(int errorCode); } - public interface IHttpResponseBodyFeature { System.Threading.Tasks.Task CompleteAsync(); void DisableBuffering(); - System.Threading.Tasks.Task SendFileAsync(string path, System.Int64 offset, System.Int64? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SendFileAsync(string path, long offset, long? count, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.IO.Stream Stream { get; } System.IO.Pipelines.PipeWriter Writer { get; } } - public interface IHttpResponseFeature { System.IO.Stream Body { get; set; } @@ -315,87 +123,71 @@ public interface IHttpResponseFeature string ReasonPhrase { get; set; } int StatusCode { get; set; } } - public interface IHttpResponseTrailersFeature { Microsoft.AspNetCore.Http.IHeaderDictionary Trailers { get; set; } } - + public interface IHttpsCompressionFeature + { + Microsoft.AspNetCore.Http.Features.HttpsCompressionMode Mode { get; set; } + } public interface IHttpUpgradeFeature { bool IsUpgradableRequest { get; } System.Threading.Tasks.Task UpgradeAsync(); } - public interface IHttpWebSocketFeature { System.Threading.Tasks.Task AcceptAsync(Microsoft.AspNetCore.Http.WebSocketAcceptContext context); bool IsWebSocketRequest { get; } } - public interface IHttpWebTransportFeature { System.Threading.Tasks.ValueTask AcceptAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); bool IsWebTransportRequest { get; } } - - public interface IHttpsCompressionFeature - { - Microsoft.AspNetCore.Http.Features.HttpsCompressionMode Mode { get; set; } - } - public interface IItemsFeature { System.Collections.Generic.IDictionary Items { get; set; } } - public interface IQueryFeature { Microsoft.AspNetCore.Http.IQueryCollection Query { get; set; } } - public interface IRequestBodyPipeFeature { System.IO.Pipelines.PipeReader Reader { get; } } - public interface IRequestCookiesFeature { Microsoft.AspNetCore.Http.IRequestCookieCollection Cookies { get; set; } } - public interface IResponseCookiesFeature { Microsoft.AspNetCore.Http.IResponseCookies Cookies { get; } } - public interface IServerVariablesFeature { string this[string variableName] { get; set; } } - public interface IServiceProvidersFeature { System.IServiceProvider RequestServices { get; set; } } - public interface ISessionFeature { Microsoft.AspNetCore.Http.ISession Session { get; set; } } - public interface ITlsConnectionFeature { System.Security.Cryptography.X509Certificates.X509Certificate2 ClientCertificate { get; set; } System.Threading.Tasks.Task GetClientCertificateAsync(System.Threading.CancellationToken cancellationToken); } - public interface ITlsTokenBindingFeature { - System.Byte[] GetProvidedTokenBindingId(); - System.Byte[] GetReferredTokenBindingId(); + byte[] GetProvidedTokenBindingId(); + byte[] GetReferredTokenBindingId(); } - public interface ITrackingConsentFeature { bool CanTrack { get; } @@ -405,24 +197,187 @@ public interface ITrackingConsentFeature bool IsConsentNeeded { get; } void WithdrawConsent(); } - public interface IWebTransportSession { void Abort(int errorCode); System.Threading.Tasks.ValueTask AcceptStreamAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.ValueTask OpenUnidirectionalStreamAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Int64 SessionId { get; } - } - - namespace Authentication - { - public interface IHttpAuthenticationFeature - { - System.Security.Claims.ClaimsPrincipal User { get; set; } - } - + long SessionId { get; } } } + public interface IFormCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + bool ContainsKey(string key); + int Count { get; } + Microsoft.AspNetCore.Http.IFormFileCollection Files { get; } + System.Collections.Generic.ICollection Keys { get; } + Microsoft.Extensions.Primitives.StringValues this[string key] { get; } + bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value); + } + public interface IFormFile + { + string ContentDisposition { get; } + string ContentType { get; } + void CopyTo(System.IO.Stream target); + System.Threading.Tasks.Task CopyToAsync(System.IO.Stream target, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + string FileName { get; } + Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get; } + long Length { get; } + string Name { get; } + System.IO.Stream OpenReadStream(); + } + public interface IFormFileCollection : System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + { + Microsoft.AspNetCore.Http.IFormFile GetFile(string name); + System.Collections.Generic.IReadOnlyList GetFiles(string name); + Microsoft.AspNetCore.Http.IFormFile this[string name] { get; } + } + public interface IHeaderDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + virtual Microsoft.Extensions.Primitives.StringValues Accept { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AcceptCharset { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AcceptEncoding { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AcceptLanguage { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AcceptRanges { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlAllowCredentials { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlAllowHeaders { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlAllowMethods { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlAllowOrigin { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlExposeHeaders { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlMaxAge { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlRequestHeaders { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AccessControlRequestMethod { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Age { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Allow { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues AltSvc { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Authorization { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Baggage { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues CacheControl { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Connection { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentDisposition { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentEncoding { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentLanguage { get => throw null; set { } } + long? ContentLength { get; set; } + virtual Microsoft.Extensions.Primitives.StringValues ContentLocation { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentMD5 { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentRange { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentSecurityPolicy { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentSecurityPolicyReportOnly { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ContentType { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Cookie { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues CorrelationContext { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Date { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ETag { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Expect { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Expires { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues From { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues GrpcAcceptEncoding { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues GrpcEncoding { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues GrpcMessage { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues GrpcStatus { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues GrpcTimeout { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Host { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues IfMatch { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues IfModifiedSince { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues IfNoneMatch { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues IfRange { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues IfUnmodifiedSince { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues KeepAlive { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues LastModified { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Link { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Location { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues MaxForwards { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Origin { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Pragma { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ProxyAuthenticate { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ProxyAuthorization { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues ProxyConnection { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Range { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Referer { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues RequestId { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues RetryAfter { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SecWebSocketAccept { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SecWebSocketExtensions { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SecWebSocketKey { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SecWebSocketProtocol { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SecWebSocketVersion { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Server { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues SetCookie { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues StrictTransportSecurity { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues TE { get => throw null; set { } } + Microsoft.Extensions.Primitives.StringValues this[string key] { get; set; } + virtual Microsoft.Extensions.Primitives.StringValues TraceParent { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues TraceState { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Trailer { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues TransferEncoding { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Translate { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Upgrade { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues UpgradeInsecureRequests { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues UserAgent { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Vary { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Via { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues Warning { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues WebSocketSubProtocols { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues WWWAuthenticate { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XContentTypeOptions { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XFrameOptions { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XPoweredBy { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XRequestedWith { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XUACompatible { get => throw null; set { } } + virtual Microsoft.Extensions.Primitives.StringValues XXSSProtection { get => throw null; set { } } + } + public interface IQueryCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + bool ContainsKey(string key); + int Count { get; } + System.Collections.Generic.ICollection Keys { get; } + Microsoft.Extensions.Primitives.StringValues this[string key] { get; } + bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value); + } + public interface IRequestCookieCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + bool ContainsKey(string key); + int Count { get; } + System.Collections.Generic.ICollection Keys { get; } + string this[string key] { get; } + bool TryGetValue(string key, out string value); + } + public interface IResponseCookies + { + void Append(string key, string value); + void Append(string key, string value, Microsoft.AspNetCore.Http.CookieOptions options); + virtual void Append(System.ReadOnlySpan> keyValuePairs, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; + void Delete(string key); + void Delete(string key, Microsoft.AspNetCore.Http.CookieOptions options); + } + public interface ISession + { + void Clear(); + System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + string Id { get; } + bool IsAvailable { get; } + System.Collections.Generic.IEnumerable Keys { get; } + System.Threading.Tasks.Task LoadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void Remove(string key); + void Set(string key, byte[] value); + bool TryGetValue(string key, out byte[] value); + } + public enum SameSiteMode + { + Unspecified = -1, + None = 0, + Lax = 1, + Strict = 2, + } + public class WebSocketAcceptContext + { + public WebSocketAcceptContext() => throw null; + public bool DangerousEnableCompression { get => throw null; set { } } + public bool DisableServerContextTakeover { get => throw null; set { } } + public virtual System.TimeSpan? KeepAliveInterval { get => throw null; set { } } + public int ServerMaxWindowBits { get => throw null; set { } } + public virtual string SubProtocol { get => throw null; set { } } + } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs index d6c359772a4e..b830eb33292c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs @@ -1,163 +1,44 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http.Results, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Http { - public interface IResultExtensions - { - } - - public static class Results - { - public static Microsoft.AspNetCore.Http.IResult Accepted(string uri = default(string), object value = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Accepted(string uri = default(string), TValue value = default(TValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult AcceptedAtRoute(string routeName = default(string), object routeValues = default(object), object value = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult AcceptedAtRoute(string routeName = default(string), object routeValues = default(object), TValue value = default(TValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult BadRequest(object error = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult BadRequest(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.IResult Bytes(System.Byte[] contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Bytes(System.ReadOnlyMemory contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Conflict(object error = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Conflict(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.IResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; - public static Microsoft.AspNetCore.Http.IResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - public static Microsoft.AspNetCore.Http.IResult Content(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Created(System.Uri uri, object value) => throw null; - public static Microsoft.AspNetCore.Http.IResult Created(string uri, object value) => throw null; - public static Microsoft.AspNetCore.Http.IResult Created(System.Uri uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.IResult Created(string uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.IResult CreatedAtRoute(string routeName = default(string), object routeValues = default(object), object value = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult CreatedAtRoute(string routeName = default(string), object routeValues = default(object), TValue value = default(TValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Empty { get => throw null; } - public static Microsoft.AspNetCore.Http.IResultExtensions Extensions { get => throw null; } - public static Microsoft.AspNetCore.Http.IResult File(System.Byte[] fileContents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult File(System.IO.Stream fileStream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult File(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Json(object data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Json(TValue data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.IResult LocalRedirect(string localUrl, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult NoContent() => throw null; - public static Microsoft.AspNetCore.Http.IResult NotFound(object value = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult NotFound(TValue value) => throw null; - public static Microsoft.AspNetCore.Http.IResult Ok(object value = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Ok(TValue value) => throw null; - public static Microsoft.AspNetCore.Http.IResult Problem(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; - public static Microsoft.AspNetCore.Http.IResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Redirect(string url, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult RedirectToRoute(string routeName = default(string), object routeValues = default(object), bool permanent = default(bool), bool preserveMethod = default(bool), string fragment = default(string)) => throw null; - public static Microsoft.AspNetCore.Http.IResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), string authenticationScheme = default(string)) => throw null; - public static Microsoft.AspNetCore.Http.IResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.IResult StatusCode(int statusCode) => throw null; - public static Microsoft.AspNetCore.Http.IResult Stream(System.Func streamWriterCallback, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Stream(System.IO.Pipelines.PipeReader pipeReader, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Stream(System.IO.Stream stream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Text(System.ReadOnlySpan utf8Content, string contentType = default(string), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Text(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - public static Microsoft.AspNetCore.Http.IResult Text(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.IResult Unauthorized() => throw null; - public static Microsoft.AspNetCore.Http.IResult UnprocessableEntity(object error = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.IResult UnprocessableEntity(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.IResult ValidationProblem(System.Collections.Generic.IDictionary errors, string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; - } - - public static class TypedResults - { - public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(System.Uri uri) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(string uri) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(System.Uri uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(string uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.AcceptedAtRoute AcceptedAtRoute(string routeName = default(string), object routeValues = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.AcceptedAtRoute AcceptedAtRoute(TValue value, string routeName = default(string), object routeValues = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.BadRequest BadRequest() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.BadRequest BadRequest(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult Bytes(System.Byte[] contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult Bytes(System.ReadOnlyMemory contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ChallengeHttpResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Conflict Conflict() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Conflict Conflict(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Created Created(System.Uri uri) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Created Created(string uri) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Created Created(System.Uri uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Created Created(string uri, TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.CreatedAtRoute CreatedAtRoute(string routeName = default(string), object routeValues = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.CreatedAtRoute CreatedAtRoute(TValue value, string routeName = default(string), object routeValues = default(object)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.EmptyHttpResult Empty { get => throw null; } - public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult File(System.Byte[] fileContents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult File(System.IO.Stream fileStream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ForbidHttpResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.JsonHttpResult Json(TValue data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.RedirectHttpResult LocalRedirect(string localUrl, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.NoContent NoContent() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.NotFound NotFound() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.NotFound NotFound(TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Ok Ok() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Ok Ok(TValue value) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.PhysicalFileHttpResult PhysicalFile(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ProblemHttpResult Problem(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ProblemHttpResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.RedirectHttpResult Redirect(string url, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.RedirectToRouteHttpResult RedirectToRoute(string routeName = default(string), object routeValues = default(object), bool permanent = default(bool), bool preserveMethod = default(bool), string fragment = default(string)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.SignInHttpResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), string authenticationScheme = default(string)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.SignOutHttpResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.StatusCodeHttpResult StatusCode(int statusCode) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.PushStreamHttpResult Stream(System.Func streamWriterCallback, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult Stream(System.IO.Pipelines.PipeReader pipeReader, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult Stream(System.IO.Stream stream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.Utf8ContentHttpResult Text(System.ReadOnlySpan utf8Content, string contentType = default(string), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Text(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Text(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.UnauthorizedHttpResult Unauthorized() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.UnprocessableEntity UnprocessableEntity() => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.UnprocessableEntity UnprocessableEntity(TValue error) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.ValidationProblem ValidationProblem(System.Collections.Generic.IDictionary errors, string detail = default(string), string instance = default(string), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; - public static Microsoft.AspNetCore.Http.HttpResults.VirtualFileHttpResult VirtualFile(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; - } - namespace HttpResults { - public class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } public int StatusCode { get => throw null; } @@ -165,92 +46,82 @@ public class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Micros public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class ChallengeHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class ChallengeHttpResult : Microsoft.AspNetCore.Http.IResult { - public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - - public class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class ContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class ContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } + public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string ResponseContent { get => throw null; set => throw null; } - public int? StatusCode { get => throw null; set => throw null; } + public string ResponseContent { get => throw null; } + public int? StatusCode { get => throw null; } } - - public class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } public int StatusCode { get => throw null; } @@ -258,111 +129,99 @@ public class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microso public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class EmptyHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class EmptyHttpResult : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static Microsoft.AspNetCore.Http.HttpResults.EmptyHttpResult Instance { get => throw null; } } - - public class FileContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult + public sealed class FileContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } + public string ContentType { get => throw null; } + public bool EnableRangeProcessing { get => throw null; } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public System.ReadOnlyMemory FileContents { get => throw null; set => throw null; } - public string FileDownloadName { get => throw null; set => throw null; } - public System.Int64? FileLength { get => throw null; set => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public System.ReadOnlyMemory FileContents { get => throw null; } + public string FileDownloadName { get => throw null; } + public long? FileLength { get => throw null; } + public System.DateTimeOffset? LastModified { get => throw null; } } - - public class FileStreamHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult + public sealed class FileStreamHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } + public string ContentType { get => throw null; } + public bool EnableRangeProcessing { get => throw null; } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string FileDownloadName { get => throw null; set => throw null; } - public System.Int64? FileLength { get => throw null; set => throw null; } + public string FileDownloadName { get => throw null; } + public long? FileLength { get => throw null; } public System.IO.Stream FileStream { get => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public System.DateTimeOffset? LastModified { get => throw null; } } - - public class ForbidHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class ForbidHttpResult : Microsoft.AspNetCore.Http.IResult { - public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - - public class JsonHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class JsonHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } + public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; set => throw null; } + public System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } public int? StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class NoContent : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public class NoContent : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } - public TValue Value { get => throw null; set => throw null; } + public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class PhysicalFileHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult + public sealed class PhysicalFileHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } + public string ContentType { get => throw null; } + public bool EnableRangeProcessing { get => throw null; } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string FileDownloadName { get => throw null; set => throw null; } - public System.Int64? FileLength { get => throw null; set => throw null; } + public string FileDownloadName { get => throw null; } + public long? FileLength { get => throw null; } public string FileName { get => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public System.DateTimeOffset? LastModified { get => throw null; } } - - public class ProblemHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class ProblemHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; @@ -372,19 +231,17 @@ public class ProblemHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResul object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } Microsoft.AspNetCore.Mvc.ProblemDetails Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class PushStreamHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult + public sealed class PushStreamHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } + public string ContentType { get => throw null; } + public bool EnableRangeProcessing { get => throw null; } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string FileDownloadName { get => throw null; set => throw null; } - public System.Int64? FileLength { get => throw null; set => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public string FileDownloadName { get => throw null; } + public long? FileLength { get => throw null; } + public System.DateTimeOffset? LastModified { get => throw null; } } - - public class RedirectHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class RedirectHttpResult : Microsoft.AspNetCore.Http.IResult { public bool AcceptLocalUrlOnly { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; @@ -392,8 +249,7 @@ public class RedirectHttpResult : Microsoft.AspNetCore.Http.IResult public bool PreserveMethod { get => throw null; } public string Url { get => throw null; } } - - public class RedirectToRouteHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class RedirectToRouteHttpResult : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Fragment { get => throw null; } @@ -402,141 +258,238 @@ public class RedirectToRouteHttpResult : Microsoft.AspNetCore.Http.IResult public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } } - - public class Results : Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult where TResult6 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult4 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult5 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult6 result) => throw null; } - - public class Results : Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult4 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult5 result) => throw null; } - - public class Results : Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; - public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult4 result) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } } - - public class Results : Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult4 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult5 result) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; } - - public class Results : Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult where TResult6 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult3 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult4 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult5 result) => throw null; + public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult6 result) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; - public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult2 result) => throw null; } - - public class SignInHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class SignInHttpResult : Microsoft.AspNetCore.Http.IResult { - public string AuthenticationScheme { get => throw null; set => throw null; } + public string AuthenticationScheme { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - - public class SignOutHttpResult : Microsoft.AspNetCore.Http.IResult + public sealed class SignOutHttpResult : Microsoft.AspNetCore.Http.IResult { - public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; set => throw null; } + public System.Collections.Generic.IReadOnlyList AuthenticationSchemes { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - - public class StatusCodeHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class StatusCodeHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class UnauthorizedHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class UnauthorizedHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - - public class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class Utf8ContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class Utf8ContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } + public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public System.ReadOnlyMemory ResponseContent { get => throw null; set => throw null; } - public int? StatusCode { get => throw null; set => throw null; } + public System.ReadOnlyMemory ResponseContent { get => throw null; } + public int? StatusCode { get => throw null; } } - - public class ValidationProblem : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider + public sealed class ValidationProblem : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static void PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; + static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.HttpValidationProblemDetails ProblemDetails { get => throw null; } public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } Microsoft.AspNetCore.Http.HttpValidationProblemDetails Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - - public class VirtualFileHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult + public sealed class VirtualFileHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult { - public string ContentType { get => throw null; set => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } + public string ContentType { get => throw null; } + public bool EnableRangeProcessing { get => throw null; } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string FileDownloadName { get => throw null; set => throw null; } - public System.Int64? FileLength { get => throw null; set => throw null; } - public string FileName { get => throw null; set => throw null; } - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } + public string FileDownloadName { get => throw null; } + public long? FileLength { get => throw null; } + public string FileName { get => throw null; } + public System.DateTimeOffset? LastModified { get => throw null; } } - + } + public interface IResultExtensions + { + } + public static class Results + { + public static Microsoft.AspNetCore.Http.IResult Accepted(string uri = default(string), object value = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Accepted(string uri = default(string), TValue value = default(TValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult AcceptedAtRoute(string routeName = default(string), object routeValues = default(object), object value = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult AcceptedAtRoute(string routeName = default(string), object routeValues = default(object), TValue value = default(TValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult BadRequest(object error = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult BadRequest(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.IResult Bytes(byte[] contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Bytes(System.ReadOnlyMemory contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Conflict(object error = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Conflict(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.IResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public static Microsoft.AspNetCore.Http.IResult Content(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; + public static Microsoft.AspNetCore.Http.IResult Created(string uri, object value) => throw null; + public static Microsoft.AspNetCore.Http.IResult Created(string uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.IResult Created(System.Uri uri, object value) => throw null; + public static Microsoft.AspNetCore.Http.IResult Created(System.Uri uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.IResult CreatedAtRoute(string routeName = default(string), object routeValues = default(object), object value = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult CreatedAtRoute(string routeName = default(string), object routeValues = default(object), TValue value = default(TValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Empty { get => throw null; } + public static Microsoft.AspNetCore.Http.IResultExtensions Extensions { get => throw null; } + public static Microsoft.AspNetCore.Http.IResult File(byte[] fileContents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult File(System.IO.Stream fileStream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult File(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Json(object data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Json(TValue data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.IResult LocalRedirect(string localUrl, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult NoContent() => throw null; + public static Microsoft.AspNetCore.Http.IResult NotFound(object value = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult NotFound(TValue value) => throw null; + public static Microsoft.AspNetCore.Http.IResult Ok(object value = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Ok(TValue value) => throw null; + public static Microsoft.AspNetCore.Http.IResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Problem(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; + public static Microsoft.AspNetCore.Http.IResult Redirect(string url, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult RedirectToRoute(string routeName = default(string), object routeValues = default(object), bool permanent = default(bool), bool preserveMethod = default(bool), string fragment = default(string)) => throw null; + public static Microsoft.AspNetCore.Http.IResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), string authenticationScheme = default(string)) => throw null; + public static Microsoft.AspNetCore.Http.IResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.IResult StatusCode(int statusCode) => throw null; + public static Microsoft.AspNetCore.Http.IResult Stream(System.IO.Stream stream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Stream(System.IO.Pipelines.PipeReader pipeReader, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Stream(System.Func streamWriterCallback, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Text(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public static Microsoft.AspNetCore.Http.IResult Text(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Text(System.ReadOnlySpan utf8Content, string contentType = default(string), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.IResult Unauthorized() => throw null; + public static Microsoft.AspNetCore.Http.IResult UnprocessableEntity(object error = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.IResult UnprocessableEntity(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.IResult ValidationProblem(System.Collections.Generic.IDictionary errors, string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; + } + public static class TypedResults + { + public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(string uri) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(string uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(System.Uri uri) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Accepted Accepted(System.Uri uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.AcceptedAtRoute AcceptedAtRoute(string routeName = default(string), object routeValues = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.AcceptedAtRoute AcceptedAtRoute(TValue value, string routeName = default(string), object routeValues = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.BadRequest BadRequest() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.BadRequest BadRequest(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult Bytes(byte[] contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult Bytes(System.ReadOnlyMemory contents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ChallengeHttpResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Conflict Conflict() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Conflict Conflict(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Created Created(string uri) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Created Created(string uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Created Created(System.Uri uri) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Created Created(System.Uri uri, TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.CreatedAtRoute CreatedAtRoute(string routeName = default(string), object routeValues = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.CreatedAtRoute CreatedAtRoute(TValue value, string routeName = default(string), object routeValues = default(object)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.EmptyHttpResult Empty { get => throw null; } + public static Microsoft.AspNetCore.Http.HttpResults.FileContentHttpResult File(byte[] fileContents, string contentType = default(string), string fileDownloadName = default(string), bool enableRangeProcessing = default(bool), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult File(System.IO.Stream fileStream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ForbidHttpResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.JsonHttpResult Json(TValue data, System.Text.Json.JsonSerializerOptions options = default(System.Text.Json.JsonSerializerOptions), string contentType = default(string), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.RedirectHttpResult LocalRedirect(string localUrl, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.NoContent NoContent() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.NotFound NotFound() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.NotFound NotFound(TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Ok Ok() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Ok Ok(TValue value) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.PhysicalFileHttpResult PhysicalFile(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ProblemHttpResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ProblemHttpResult Problem(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.RedirectHttpResult Redirect(string url, bool permanent = default(bool), bool preserveMethod = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.RedirectToRouteHttpResult RedirectToRoute(string routeName = default(string), object routeValues = default(object), bool permanent = default(bool), bool preserveMethod = default(bool), string fragment = default(string)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.SignInHttpResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), string authenticationScheme = default(string)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.SignOutHttpResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties = default(Microsoft.AspNetCore.Authentication.AuthenticationProperties), System.Collections.Generic.IList authenticationSchemes = default(System.Collections.Generic.IList)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.StatusCodeHttpResult StatusCode(int statusCode) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult Stream(System.IO.Stream stream, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.FileStreamHttpResult Stream(System.IO.Pipelines.PipeReader pipeReader, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.PushStreamHttpResult Stream(System.Func streamWriterCallback, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Text(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.Utf8ContentHttpResult Text(System.ReadOnlySpan utf8Content, string contentType = default(string), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ContentHttpResult Text(string content, string contentType = default(string), System.Text.Encoding contentEncoding = default(System.Text.Encoding), int? statusCode = default(int?)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.UnauthorizedHttpResult Unauthorized() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.UnprocessableEntity UnprocessableEntity() => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.UnprocessableEntity UnprocessableEntity(TValue error) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.ValidationProblem ValidationProblem(System.Collections.Generic.IDictionary errors, string detail = default(string), string instance = default(string), string title = default(string), string type = default(string), System.Collections.Generic.IDictionary extensions = default(System.Collections.Generic.IDictionary)) => throw null; + public static Microsoft.AspNetCore.Http.HttpResults.VirtualFileHttpResult VirtualFile(string path, string contentType = default(string), string fileDownloadName = default(string), System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue), bool enableRangeProcessing = default(bool)) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs index 8625e51e6a09..1f1e3b721deb 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Http, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,16 +8,15 @@ namespace Builder { public class ApplicationBuilder : Microsoft.AspNetCore.Builder.IApplicationBuilder { + public System.IServiceProvider ApplicationServices { get => throw null; set { } } + public Microsoft.AspNetCore.Http.RequestDelegate Build() => throw null; public ApplicationBuilder(System.IServiceProvider serviceProvider) => throw null; public ApplicationBuilder(System.IServiceProvider serviceProvider, object server) => throw null; - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.RequestDelegate Build() => throw null; public Microsoft.AspNetCore.Builder.IApplicationBuilder New() => throw null; public System.Collections.Generic.IDictionary Properties { get => throw null; } public Microsoft.AspNetCore.Http.Features.IFeatureCollection ServerFeatures { get => throw null; } public Microsoft.AspNetCore.Builder.IApplicationBuilder Use(System.Func middleware) => throw null; } - } namespace Http { @@ -36,362 +34,320 @@ public class BindingAddress public override string ToString() => throw null; public string UnixPipePath { get => throw null; } } - - public class DefaultHttpContext : Microsoft.AspNetCore.Http.HttpContext + public sealed class DefaultHttpContext : Microsoft.AspNetCore.Http.HttpContext { public override void Abort() => throw null; public override Microsoft.AspNetCore.Http.ConnectionInfo Connection { get => throw null; } public DefaultHttpContext() => throw null; public DefaultHttpContext(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; public override Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } - public Microsoft.AspNetCore.Http.Features.FormOptions FormOptions { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.Features.FormOptions FormOptions { get => throw null; set { } } public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public void Initialize(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; - public override System.Collections.Generic.IDictionary Items { get => throw null; set => throw null; } + public override System.Collections.Generic.IDictionary Items { get => throw null; set { } } public override Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } - public override System.Threading.CancellationToken RequestAborted { get => throw null; set => throw null; } - public override System.IServiceProvider RequestServices { get => throw null; set => throw null; } + public override System.Threading.CancellationToken RequestAborted { get => throw null; set { } } + public override System.IServiceProvider RequestServices { get => throw null; set { } } public override Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } - public Microsoft.Extensions.DependencyInjection.IServiceScopeFactory ServiceScopeFactory { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Http.ISession Session { get => throw null; set => throw null; } - public override string TraceIdentifier { get => throw null; set => throw null; } + public Microsoft.Extensions.DependencyInjection.IServiceScopeFactory ServiceScopeFactory { get => throw null; set { } } + public override Microsoft.AspNetCore.Http.ISession Session { get => throw null; set { } } + public override string TraceIdentifier { get => throw null; set { } } public void Uninitialize() => throw null; - public override System.Security.Claims.ClaimsPrincipal User { get => throw null; set => throw null; } + public override System.Security.Claims.ClaimsPrincipal User { get => throw null; set { } } public override Microsoft.AspNetCore.Http.WebSocketManager WebSockets { get => throw null; } } - + namespace Features + { + namespace Authentication + { + public class HttpAuthenticationFeature : Microsoft.AspNetCore.Http.Features.Authentication.IHttpAuthenticationFeature + { + public HttpAuthenticationFeature() => throw null; + public System.Security.Claims.ClaimsPrincipal User { get => throw null; set { } } + } + } + public class DefaultSessionFeature : Microsoft.AspNetCore.Http.Features.ISessionFeature + { + public DefaultSessionFeature() => throw null; + public Microsoft.AspNetCore.Http.ISession Session { get => throw null; set { } } + } + public class FormFeature : Microsoft.AspNetCore.Http.Features.IFormFeature + { + public FormFeature(Microsoft.AspNetCore.Http.IFormCollection form) => throw null; + public FormFeature(Microsoft.AspNetCore.Http.HttpRequest request) => throw null; + public FormFeature(Microsoft.AspNetCore.Http.HttpRequest request, Microsoft.AspNetCore.Http.Features.FormOptions options) => throw null; + public Microsoft.AspNetCore.Http.IFormCollection Form { get => throw null; set { } } + public bool HasFormContentType { get => throw null; } + public Microsoft.AspNetCore.Http.IFormCollection ReadForm() => throw null; + public System.Threading.Tasks.Task ReadFormAsync() => throw null; + public System.Threading.Tasks.Task ReadFormAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + public class FormOptions + { + public bool BufferBody { get => throw null; set { } } + public long BufferBodyLengthLimit { get => throw null; set { } } + public FormOptions() => throw null; + public static int DefaultBufferBodyLengthLimit; + public static int DefaultMemoryBufferThreshold; + public static long DefaultMultipartBodyLengthLimit; + public static int DefaultMultipartBoundaryLengthLimit; + public int KeyLengthLimit { get => throw null; set { } } + public int MemoryBufferThreshold { get => throw null; set { } } + public long MultipartBodyLengthLimit { get => throw null; set { } } + public int MultipartBoundaryLengthLimit { get => throw null; set { } } + public int MultipartHeadersCountLimit { get => throw null; set { } } + public int MultipartHeadersLengthLimit { get => throw null; set { } } + public int ValueCountLimit { get => throw null; set { } } + public int ValueLengthLimit { get => throw null; set { } } + } + public class HttpConnectionFeature : Microsoft.AspNetCore.Http.Features.IHttpConnectionFeature + { + public string ConnectionId { get => throw null; set { } } + public HttpConnectionFeature() => throw null; + public System.Net.IPAddress LocalIpAddress { get => throw null; set { } } + public int LocalPort { get => throw null; set { } } + public System.Net.IPAddress RemoteIpAddress { get => throw null; set { } } + public int RemotePort { get => throw null; set { } } + } + public class HttpRequestFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestFeature + { + public System.IO.Stream Body { get => throw null; set { } } + public HttpRequestFeature() => throw null; + public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set { } } + public string Method { get => throw null; set { } } + public string Path { get => throw null; set { } } + public string PathBase { get => throw null; set { } } + public string Protocol { get => throw null; set { } } + public string QueryString { get => throw null; set { } } + public string RawTarget { get => throw null; set { } } + public string Scheme { get => throw null; set { } } + } + public class HttpRequestIdentifierFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestIdentifierFeature + { + public HttpRequestIdentifierFeature() => throw null; + public string TraceIdentifier { get => throw null; set { } } + } + public class HttpRequestLifetimeFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestLifetimeFeature + { + public void Abort() => throw null; + public HttpRequestLifetimeFeature() => throw null; + public System.Threading.CancellationToken RequestAborted { get => throw null; set { } } + } + public class HttpResponseFeature : Microsoft.AspNetCore.Http.Features.IHttpResponseFeature + { + public System.IO.Stream Body { get => throw null; set { } } + public HttpResponseFeature() => throw null; + public virtual bool HasStarted { get => throw null; } + public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set { } } + public virtual void OnCompleted(System.Func callback, object state) => throw null; + public virtual void OnStarting(System.Func callback, object state) => throw null; + public string ReasonPhrase { get => throw null; set { } } + public int StatusCode { get => throw null; set { } } + } + public interface IHttpActivityFeature + { + System.Diagnostics.Activity Activity { get; set; } + } + public class ItemsFeature : Microsoft.AspNetCore.Http.Features.IItemsFeature + { + public ItemsFeature() => throw null; + public System.Collections.Generic.IDictionary Items { get => throw null; set { } } + } + public class QueryFeature : Microsoft.AspNetCore.Http.Features.IQueryFeature + { + public QueryFeature(Microsoft.AspNetCore.Http.IQueryCollection query) => throw null; + public QueryFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; + public Microsoft.AspNetCore.Http.IQueryCollection Query { get => throw null; set { } } + } + public class RequestBodyPipeFeature : Microsoft.AspNetCore.Http.Features.IRequestBodyPipeFeature + { + public RequestBodyPipeFeature(Microsoft.AspNetCore.Http.HttpContext context) => throw null; + public System.IO.Pipelines.PipeReader Reader { get => throw null; } + } + public class RequestCookiesFeature : Microsoft.AspNetCore.Http.Features.IRequestCookiesFeature + { + public Microsoft.AspNetCore.Http.IRequestCookieCollection Cookies { get => throw null; set { } } + public RequestCookiesFeature(Microsoft.AspNetCore.Http.IRequestCookieCollection cookies) => throw null; + public RequestCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; + } + public class RequestServicesFeature : Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature, System.IDisposable, System.IAsyncDisposable + { + public RequestServicesFeature(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.Extensions.DependencyInjection.IServiceScopeFactory scopeFactory) => throw null; + public void Dispose() => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + public System.IServiceProvider RequestServices { get => throw null; set { } } + } + public class ResponseCookiesFeature : Microsoft.AspNetCore.Http.Features.IResponseCookiesFeature + { + public Microsoft.AspNetCore.Http.IResponseCookies Cookies { get => throw null; } + public ResponseCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; + public ResponseCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features, Microsoft.Extensions.ObjectPool.ObjectPool builderPool) => throw null; + } + public class RouteValuesFeature : Microsoft.AspNetCore.Http.Features.IRouteValuesFeature + { + public RouteValuesFeature() => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + } + public class ServiceProvidersFeature : Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature + { + public ServiceProvidersFeature() => throw null; + public System.IServiceProvider RequestServices { get => throw null; set { } } + } + public class TlsConnectionFeature : Microsoft.AspNetCore.Http.Features.ITlsConnectionFeature + { + public System.Security.Cryptography.X509Certificates.X509Certificate2 ClientCertificate { get => throw null; set { } } + public TlsConnectionFeature() => throw null; + public System.Threading.Tasks.Task GetClientCertificateAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + } public class FormCollection : Microsoft.AspNetCore.Http.IFormCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { + public bool ContainsKey(string key) => throw null; + public int Count { get => throw null; } + public FormCollection(System.Collections.Generic.Dictionary fields, Microsoft.AspNetCore.Http.IFormFileCollection files = default(Microsoft.AspNetCore.Http.IFormFileCollection)) => throw null; + public static Microsoft.AspNetCore.Http.FormCollection Empty; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public bool ContainsKey(string key) => throw null; - public int Count { get => throw null; } - public static Microsoft.AspNetCore.Http.FormCollection Empty; public Microsoft.AspNetCore.Http.IFormFileCollection Files { get => throw null; } - public FormCollection(System.Collections.Generic.Dictionary fields, Microsoft.AspNetCore.Http.IFormFileCollection files = default(Microsoft.AspNetCore.Http.IFormFileCollection)) => throw null; public Microsoft.AspNetCore.Http.FormCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } + public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; } public bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value) => throw null; } - public class FormFile : Microsoft.AspNetCore.Http.IFormFile { - public string ContentDisposition { get => throw null; set => throw null; } - public string ContentType { get => throw null; set => throw null; } + public string ContentDisposition { get => throw null; set { } } + public string ContentType { get => throw null; set { } } public void CopyTo(System.IO.Stream target) => throw null; public System.Threading.Tasks.Task CopyToAsync(System.IO.Stream target, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public FormFile(System.IO.Stream baseStream, long baseStreamOffset, long length, string name, string fileName) => throw null; public string FileName { get => throw null; } - public FormFile(System.IO.Stream baseStream, System.Int64 baseStreamOffset, System.Int64 length, string name, string fileName) => throw null; - public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; } + public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set { } } + public long Length { get => throw null; } public string Name { get => throw null; } public System.IO.Stream OpenReadStream() => throw null; } - - public class FormFileCollection : System.Collections.Generic.List, Microsoft.AspNetCore.Http.IFormFileCollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable + public class FormFileCollection : System.Collections.Generic.List, Microsoft.AspNetCore.Http.IFormFileCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public FormFileCollection() => throw null; public Microsoft.AspNetCore.Http.IFormFile GetFile(string name) => throw null; public System.Collections.Generic.IReadOnlyList GetFiles(string name) => throw null; public Microsoft.AspNetCore.Http.IFormFile this[string name] { get => throw null; } } - - public class HeaderDictionary : Microsoft.AspNetCore.Http.IHeaderDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class HeaderDictionary : Microsoft.AspNetCore.Http.IHeaderDictionary, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; + public void Add(string key, Microsoft.Extensions.Primitives.StringValues value) => throw null; + public void Clear() => throw null; + public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public bool ContainsKey(string key) => throw null; + public long? ContentLength { get => throw null; set { } } + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public HeaderDictionary() => throw null; + public HeaderDictionary(System.Collections.Generic.Dictionary store) => throw null; + public HeaderDictionary(int capacity) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; - public void Add(string key, Microsoft.Extensions.Primitives.StringValues value) => throw null; - public void Clear() => throw null; - public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; - public bool ContainsKey(string key) => throw null; - public System.Int64? ContentLength { get => throw null; set => throw null; } - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } public Microsoft.AspNetCore.Http.HeaderDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public HeaderDictionary() => throw null; - public HeaderDictionary(System.Collections.Generic.Dictionary store) => throw null; - public HeaderDictionary(int capacity) => throw null; - public bool IsReadOnly { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; set => throw null; } - Microsoft.Extensions.Primitives.StringValues System.Collections.Generic.IDictionary.this[string key] { get => throw null; set => throw null; } + public bool IsReadOnly { get => throw null; set { } } + Microsoft.Extensions.Primitives.StringValues System.Collections.Generic.IDictionary.this[string key] { get => throw null; set { } } public System.Collections.Generic.ICollection Keys { get => throw null; } public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string key) => throw null; + public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; set { } } public bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - public class HttpContextAccessor : Microsoft.AspNetCore.Http.IHttpContextAccessor { - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } public HttpContextAccessor() => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } } - - public static class HttpRequestRewindExtensions + public static partial class HttpRequestRewindExtensions { public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request) => throw null; public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request, int bufferThreshold) => throw null; - public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request, int bufferThreshold, System.Int64 bufferLimit) => throw null; - public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request, System.Int64 bufferLimit) => throw null; + public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request, long bufferLimit) => throw null; + public static void EnableBuffering(this Microsoft.AspNetCore.Http.HttpRequest request, int bufferThreshold, long bufferLimit) => throw null; } - public class MiddlewareFactory : Microsoft.AspNetCore.Http.IMiddlewareFactory { public Microsoft.AspNetCore.Http.IMiddleware Create(System.Type middlewareType) => throw null; public MiddlewareFactory(System.IServiceProvider serviceProvider) => throw null; public void Release(Microsoft.AspNetCore.Http.IMiddleware middleware) => throw null; } - public class QueryCollection : Microsoft.AspNetCore.Http.IQueryCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { + public bool ContainsKey(string key) => throw null; + public int Count { get => throw null; } + public QueryCollection() => throw null; + public QueryCollection(System.Collections.Generic.Dictionary store) => throw null; + public QueryCollection(Microsoft.AspNetCore.Http.QueryCollection store) => throw null; + public QueryCollection(int capacity) => throw null; + public static Microsoft.AspNetCore.Http.QueryCollection Empty; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public bool ContainsKey(string key) => throw null; - public int Count { get => throw null; } - public static Microsoft.AspNetCore.Http.QueryCollection Empty; public Microsoft.AspNetCore.Http.QueryCollection.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } - public QueryCollection() => throw null; - public QueryCollection(System.Collections.Generic.Dictionary store) => throw null; - public QueryCollection(Microsoft.AspNetCore.Http.QueryCollection store) => throw null; - public QueryCollection(int capacity) => throw null; + public Microsoft.Extensions.Primitives.StringValues this[string key] { get => throw null; } public bool TryGetValue(string key, out Microsoft.Extensions.Primitives.StringValues value) => throw null; } - - public static class RequestFormReaderExtensions + public static partial class RequestFormReaderExtensions { public static System.Threading.Tasks.Task ReadFormAsync(this Microsoft.AspNetCore.Http.HttpRequest request, Microsoft.AspNetCore.Http.Features.FormOptions options, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public static class SendFileFallback { - public static System.Threading.Tasks.Task SendFileAsync(System.IO.Stream destination, string filePath, System.Int64 offset, System.Int64? count, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task SendFileAsync(System.IO.Stream destination, string filePath, long offset, long? count, System.Threading.CancellationToken cancellationToken) => throw null; } - public class StreamResponseBodyFeature : Microsoft.AspNetCore.Http.Features.IHttpResponseBodyFeature { public virtual System.Threading.Tasks.Task CompleteAsync() => throw null; + public StreamResponseBodyFeature(System.IO.Stream stream) => throw null; + public StreamResponseBodyFeature(System.IO.Stream stream, Microsoft.AspNetCore.Http.Features.IHttpResponseBodyFeature priorFeature) => throw null; public virtual void DisableBuffering() => throw null; public void Dispose() => throw null; public Microsoft.AspNetCore.Http.Features.IHttpResponseBodyFeature PriorFeature { get => throw null; } - public virtual System.Threading.Tasks.Task SendFileAsync(string path, System.Int64 offset, System.Int64? count, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task SendFileAsync(string path, long offset, long? count, System.Threading.CancellationToken cancellationToken) => throw null; public virtual System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.IO.Stream Stream { get => throw null; } - public StreamResponseBodyFeature(System.IO.Stream stream) => throw null; - public StreamResponseBodyFeature(System.IO.Stream stream, Microsoft.AspNetCore.Http.Features.IHttpResponseBodyFeature priorFeature) => throw null; public System.IO.Pipelines.PipeWriter Writer { get => throw null; } } - - namespace Features - { - public class DefaultSessionFeature : Microsoft.AspNetCore.Http.Features.ISessionFeature - { - public DefaultSessionFeature() => throw null; - public Microsoft.AspNetCore.Http.ISession Session { get => throw null; set => throw null; } - } - - public class FormFeature : Microsoft.AspNetCore.Http.Features.IFormFeature - { - public Microsoft.AspNetCore.Http.IFormCollection Form { get => throw null; set => throw null; } - public FormFeature(Microsoft.AspNetCore.Http.HttpRequest request) => throw null; - public FormFeature(Microsoft.AspNetCore.Http.HttpRequest request, Microsoft.AspNetCore.Http.Features.FormOptions options) => throw null; - public FormFeature(Microsoft.AspNetCore.Http.IFormCollection form) => throw null; - public bool HasFormContentType { get => throw null; } - public Microsoft.AspNetCore.Http.IFormCollection ReadForm() => throw null; - public System.Threading.Tasks.Task ReadFormAsync() => throw null; - public System.Threading.Tasks.Task ReadFormAsync(System.Threading.CancellationToken cancellationToken) => throw null; - } - - public class FormOptions - { - public bool BufferBody { get => throw null; set => throw null; } - public System.Int64 BufferBodyLengthLimit { get => throw null; set => throw null; } - public const int DefaultBufferBodyLengthLimit = default; - public const int DefaultMemoryBufferThreshold = default; - public const System.Int64 DefaultMultipartBodyLengthLimit = default; - public const int DefaultMultipartBoundaryLengthLimit = default; - public FormOptions() => throw null; - public int KeyLengthLimit { get => throw null; set => throw null; } - public int MemoryBufferThreshold { get => throw null; set => throw null; } - public System.Int64 MultipartBodyLengthLimit { get => throw null; set => throw null; } - public int MultipartBoundaryLengthLimit { get => throw null; set => throw null; } - public int MultipartHeadersCountLimit { get => throw null; set => throw null; } - public int MultipartHeadersLengthLimit { get => throw null; set => throw null; } - public int ValueCountLimit { get => throw null; set => throw null; } - public int ValueLengthLimit { get => throw null; set => throw null; } - } - - public class HttpConnectionFeature : Microsoft.AspNetCore.Http.Features.IHttpConnectionFeature - { - public string ConnectionId { get => throw null; set => throw null; } - public HttpConnectionFeature() => throw null; - public System.Net.IPAddress LocalIpAddress { get => throw null; set => throw null; } - public int LocalPort { get => throw null; set => throw null; } - public System.Net.IPAddress RemoteIpAddress { get => throw null; set => throw null; } - public int RemotePort { get => throw null; set => throw null; } - } - - public class HttpRequestFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestFeature - { - public System.IO.Stream Body { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set => throw null; } - public HttpRequestFeature() => throw null; - public string Method { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public string PathBase { get => throw null; set => throw null; } - public string Protocol { get => throw null; set => throw null; } - public string QueryString { get => throw null; set => throw null; } - public string RawTarget { get => throw null; set => throw null; } - public string Scheme { get => throw null; set => throw null; } - } - - public class HttpRequestIdentifierFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestIdentifierFeature - { - public HttpRequestIdentifierFeature() => throw null; - public string TraceIdentifier { get => throw null; set => throw null; } - } - - public class HttpRequestLifetimeFeature : Microsoft.AspNetCore.Http.Features.IHttpRequestLifetimeFeature - { - public void Abort() => throw null; - public HttpRequestLifetimeFeature() => throw null; - public System.Threading.CancellationToken RequestAborted { get => throw null; set => throw null; } - } - - public class HttpResponseFeature : Microsoft.AspNetCore.Http.Features.IHttpResponseFeature - { - public System.IO.Stream Body { get => throw null; set => throw null; } - public virtual bool HasStarted { get => throw null; } - public Microsoft.AspNetCore.Http.IHeaderDictionary Headers { get => throw null; set => throw null; } - public HttpResponseFeature() => throw null; - public virtual void OnCompleted(System.Func callback, object state) => throw null; - public virtual void OnStarting(System.Func callback, object state) => throw null; - public string ReasonPhrase { get => throw null; set => throw null; } - public int StatusCode { get => throw null; set => throw null; } - } - - public interface IHttpActivityFeature - { - System.Diagnostics.Activity Activity { get; set; } - } - - public class ItemsFeature : Microsoft.AspNetCore.Http.Features.IItemsFeature - { - public System.Collections.Generic.IDictionary Items { get => throw null; set => throw null; } - public ItemsFeature() => throw null; - } - - public class QueryFeature : Microsoft.AspNetCore.Http.Features.IQueryFeature - { - public Microsoft.AspNetCore.Http.IQueryCollection Query { get => throw null; set => throw null; } - public QueryFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; - public QueryFeature(Microsoft.AspNetCore.Http.IQueryCollection query) => throw null; - } - - public class RequestBodyPipeFeature : Microsoft.AspNetCore.Http.Features.IRequestBodyPipeFeature - { - public System.IO.Pipelines.PipeReader Reader { get => throw null; } - public RequestBodyPipeFeature(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - } - - public class RequestCookiesFeature : Microsoft.AspNetCore.Http.Features.IRequestCookiesFeature - { - public Microsoft.AspNetCore.Http.IRequestCookieCollection Cookies { get => throw null; set => throw null; } - public RequestCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; - public RequestCookiesFeature(Microsoft.AspNetCore.Http.IRequestCookieCollection cookies) => throw null; - } - - public class RequestServicesFeature : Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature, System.IAsyncDisposable, System.IDisposable - { - public void Dispose() => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public System.IServiceProvider RequestServices { get => throw null; set => throw null; } - public RequestServicesFeature(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.Extensions.DependencyInjection.IServiceScopeFactory scopeFactory) => throw null; - } - - public class ResponseCookiesFeature : Microsoft.AspNetCore.Http.Features.IResponseCookiesFeature - { - public Microsoft.AspNetCore.Http.IResponseCookies Cookies { get => throw null; } - public ResponseCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; - public ResponseCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features, Microsoft.Extensions.ObjectPool.ObjectPool builderPool) => throw null; - } - - public class RouteValuesFeature : Microsoft.AspNetCore.Http.Features.IRouteValuesFeature - { - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public RouteValuesFeature() => throw null; - } - - public class ServiceProvidersFeature : Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature - { - public System.IServiceProvider RequestServices { get => throw null; set => throw null; } - public ServiceProvidersFeature() => throw null; - } - - public class TlsConnectionFeature : Microsoft.AspNetCore.Http.Features.ITlsConnectionFeature - { - public System.Security.Cryptography.X509Certificates.X509Certificate2 ClientCertificate { get => throw null; set => throw null; } - public System.Threading.Tasks.Task GetClientCertificateAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public TlsConnectionFeature() => throw null; - } - - namespace Authentication - { - public class HttpAuthenticationFeature : Microsoft.AspNetCore.Http.Features.Authentication.IHttpAuthenticationFeature - { - public HttpAuthenticationFeature() => throw null; - public System.Security.Claims.ClaimsPrincipal User { get => throw null; set => throw null; } - } - - } - } } } namespace Extensions { namespace DependencyInjection { - public static class HttpServiceCollectionExtensions + public static partial class HttpServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHttpContextAccessor(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpLogging.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpLogging.cs index b648a77f716f..4411378fe7f6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpLogging.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpLogging.cs @@ -1,57 +1,53 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.HttpLogging, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class HttpLoggingBuilderExtensions + public static partial class HttpLoggingBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHttpLogging(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseW3CLogging(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - } namespace HttpLogging { [System.Flags] public enum HttpLoggingFields : long { - All = 3325, None = 0, - Request = 1117, - RequestBody = 1024, - RequestHeaders = 64, - RequestMethod = 8, RequestPath = 1, - RequestProperties = 29, - RequestPropertiesAndHeaders = 93, - RequestProtocol = 4, RequestQuery = 2, + RequestProtocol = 4, + RequestMethod = 8, RequestScheme = 16, + ResponseStatusCode = 32, + RequestHeaders = 64, + ResponseHeaders = 128, RequestTrailers = 256, - Response = 2208, + ResponseTrailers = 512, + RequestBody = 1024, ResponseBody = 2048, - ResponseHeaders = 128, + RequestProperties = 29, + RequestPropertiesAndHeaders = 93, ResponsePropertiesAndHeaders = 160, - ResponseStatusCode = 32, - ResponseTrailers = 512, + Request = 1117, + Response = 2208, + All = 3325, } - - public class HttpLoggingOptions + public sealed class HttpLoggingOptions { public HttpLoggingOptions() => throw null; - public Microsoft.AspNetCore.HttpLogging.HttpLoggingFields LoggingFields { get => throw null; set => throw null; } + public Microsoft.AspNetCore.HttpLogging.HttpLoggingFields LoggingFields { get => throw null; set { } } public Microsoft.AspNetCore.HttpLogging.MediaTypeOptions MediaTypeOptions { get => throw null; } - public int RequestBodyLogLimit { get => throw null; set => throw null; } + public int RequestBodyLogLimit { get => throw null; set { } } public System.Collections.Generic.ISet RequestHeaders { get => throw null; } - public int ResponseBodyLogLimit { get => throw null; set => throw null; } + public int ResponseBodyLogLimit { get => throw null; set { } } public System.Collections.Generic.ISet ResponseHeaders { get => throw null; } } - - public class MediaTypeOptions + public sealed class MediaTypeOptions { public void AddBinary(Microsoft.Net.Http.Headers.MediaTypeHeaderValue mediaType) => throw null; public void AddBinary(string contentType) => throw null; @@ -59,58 +55,54 @@ public class MediaTypeOptions public void AddText(string contentType, System.Text.Encoding encoding) => throw null; public void Clear() => throw null; } - - public class W3CLoggerOptions + public sealed class W3CLoggerOptions { public System.Collections.Generic.ISet AdditionalRequestHeaders { get => throw null; } - public string FileName { get => throw null; set => throw null; } - public int? FileSizeLimit { get => throw null; set => throw null; } - public System.TimeSpan FlushInterval { get => throw null; set => throw null; } - public string LogDirectory { get => throw null; set => throw null; } - public Microsoft.AspNetCore.HttpLogging.W3CLoggingFields LoggingFields { get => throw null; set => throw null; } - public int? RetainedFileCountLimit { get => throw null; set => throw null; } public W3CLoggerOptions() => throw null; + public string FileName { get => throw null; set { } } + public int? FileSizeLimit { get => throw null; set { } } + public System.TimeSpan FlushInterval { get => throw null; set { } } + public string LogDirectory { get => throw null; set { } } + public Microsoft.AspNetCore.HttpLogging.W3CLoggingFields LoggingFields { get => throw null; set { } } + public int? RetainedFileCountLimit { get => throw null; set { } } } - [System.Flags] public enum W3CLoggingFields : long { - All = 131071, - ClientIpAddress = 4, - ConnectionInfoFields = 100, - Cookie = 32768, + None = 0, Date = 1, - Host = 8192, + Time = 2, + ClientIpAddress = 4, + UserName = 8, + ServerName = 16, + ServerIpAddress = 32, + ServerPort = 64, Method = 128, - None = 0, + UriStem = 256, + UriQuery = 512, ProtocolStatus = 1024, + TimeTaken = 2048, ProtocolVersion = 4096, + Host = 8192, + UserAgent = 16384, + Cookie = 32768, Referer = 65536, - Request = 95104, + ConnectionInfoFields = 100, RequestHeaders = 90112, - ServerIpAddress = 32, - ServerName = 16, - ServerPort = 64, - Time = 2, - TimeTaken = 2048, - UriQuery = 512, - UriStem = 256, - UserAgent = 16384, - UserName = 8, + Request = 95104, + All = 131071, } - } } namespace Extensions { namespace DependencyInjection { - public static class HttpLoggingServicesExtensions + public static partial class HttpLoggingServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHttpLogging(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddW3CLogging(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpOverrides.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpOverrides.cs index 36678aa5c0d2..b3d298e652b1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpOverrides.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpOverrides.cs @@ -1,52 +1,46 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.HttpOverrides, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class CertificateForwardingBuilderExtensions + public static partial class CertificateForwardingBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseCertificateForwarding(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class ForwardedHeadersExtensions + public static partial class ForwardedHeadersExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseForwardedHeaders(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseForwardedHeaders(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, Microsoft.AspNetCore.Builder.ForwardedHeadersOptions options) => throw null; } - public class ForwardedHeadersOptions { - public System.Collections.Generic.IList AllowedHosts { get => throw null; set => throw null; } - public int? ForwardLimit { get => throw null; set => throw null; } - public string ForwardedForHeaderName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.HttpOverrides.ForwardedHeaders ForwardedHeaders { get => throw null; set => throw null; } + public System.Collections.Generic.IList AllowedHosts { get => throw null; set { } } public ForwardedHeadersOptions() => throw null; - public string ForwardedHostHeaderName { get => throw null; set => throw null; } - public string ForwardedProtoHeaderName { get => throw null; set => throw null; } + public string ForwardedForHeaderName { get => throw null; set { } } + public Microsoft.AspNetCore.HttpOverrides.ForwardedHeaders ForwardedHeaders { get => throw null; set { } } + public string ForwardedHostHeaderName { get => throw null; set { } } + public string ForwardedProtoHeaderName { get => throw null; set { } } + public int? ForwardLimit { get => throw null; set { } } public System.Collections.Generic.IList KnownNetworks { get => throw null; } public System.Collections.Generic.IList KnownProxies { get => throw null; } - public string OriginalForHeaderName { get => throw null; set => throw null; } - public string OriginalHostHeaderName { get => throw null; set => throw null; } - public string OriginalProtoHeaderName { get => throw null; set => throw null; } - public bool RequireHeaderSymmetry { get => throw null; set => throw null; } + public string OriginalForHeaderName { get => throw null; set { } } + public string OriginalHostHeaderName { get => throw null; set { } } + public string OriginalProtoHeaderName { get => throw null; set { } } + public bool RequireHeaderSymmetry { get => throw null; set { } } } - - public static class HttpMethodOverrideExtensions + public static partial class HttpMethodOverrideExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHttpMethodOverride(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHttpMethodOverride(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, Microsoft.AspNetCore.Builder.HttpMethodOverrideOptions options) => throw null; } - public class HttpMethodOverrideOptions { - public string FormFieldName { get => throw null; set => throw null; } public HttpMethodOverrideOptions() => throw null; + public string FormFieldName { get => throw null; set { } } } - } namespace HttpOverrides { @@ -55,24 +49,21 @@ public class CertificateForwardingMiddleware public CertificateForwardingMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - public class CertificateForwardingOptions { + public string CertificateHeader { get => throw null; set { } } public CertificateForwardingOptions() => throw null; - public string CertificateHeader { get => throw null; set => throw null; } public System.Func HeaderConverter; } - [System.Flags] - public enum ForwardedHeaders : int + public enum ForwardedHeaders { - All = 7, None = 0, XForwardedFor = 1, XForwardedHost = 2, XForwardedProto = 4, + All = 7, } - public static class ForwardedHeadersDefaults { public static string XForwardedForHeaderName { get => throw null; } @@ -82,20 +73,17 @@ public static class ForwardedHeadersDefaults public static string XOriginalHostHeaderName { get => throw null; } public static string XOriginalProtoHeaderName { get => throw null; } } - public class ForwardedHeadersMiddleware { public void ApplyForwarders(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public ForwardedHeadersMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class HttpMethodOverrideMiddleware { public HttpMethodOverrideMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class IPNetwork { public bool Contains(System.Net.IPAddress address) => throw null; @@ -103,18 +91,16 @@ public class IPNetwork public System.Net.IPAddress Prefix { get => throw null; } public int PrefixLength { get => throw null; } } - } } namespace Extensions { namespace DependencyInjection { - public static class CertificateForwardingServiceExtensions + public static partial class CertificateForwardingServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddCertificateForwarding(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpsPolicy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpsPolicy.cs index 5614099fd844..5fc8bf0c589a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpsPolicy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.HttpsPolicy.cs @@ -1,65 +1,56 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.HttpsPolicy, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class HstsBuilderExtensions + public static partial class HstsBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHsts(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class HstsServicesExtensions + public static partial class HstsServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHsts(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - - public static class HttpsPolicyBuilderExtensions + public static partial class HttpsPolicyBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseHttpsRedirection(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class HttpsRedirectionServicesExtensions + public static partial class HttpsRedirectionServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHttpsRedirection(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } namespace HttpsPolicy { public class HstsMiddleware { - public HstsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; public HstsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public HstsMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class HstsOptions { - public System.Collections.Generic.IList ExcludedHosts { get => throw null; } public HstsOptions() => throw null; - public bool IncludeSubDomains { get => throw null; set => throw null; } - public System.TimeSpan MaxAge { get => throw null; set => throw null; } - public bool Preload { get => throw null; set => throw null; } + public System.Collections.Generic.IList ExcludedHosts { get => throw null; } + public bool IncludeSubDomains { get => throw null; set { } } + public System.TimeSpan MaxAge { get => throw null; set { } } + public bool Preload { get => throw null; set { } } } - public class HttpsRedirectionMiddleware { public HttpsRedirectionMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Configuration.IConfiguration config, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public HttpsRedirectionMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Configuration.IConfiguration config, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Hosting.Server.Features.IServerAddressesFeature serverAddressesFeature) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class HttpsRedirectionOptions { - public int? HttpsPort { get => throw null; set => throw null; } public HttpsRedirectionOptions() => throw null; - public int RedirectStatusCode { get => throw null; set => throw null; } + public int? HttpsPort { get => throw null; set { } } + public int RedirectStatusCode { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs index 134862c6d1c3..a1929360a337 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Identity, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,23 +8,20 @@ namespace Identity { public class AspNetRoleManager : Microsoft.AspNetCore.Identity.RoleManager, System.IDisposable where TRole : class { - public AspNetRoleManager(Microsoft.AspNetCore.Identity.IRoleStore store, System.Collections.Generic.IEnumerable> roleValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, Microsoft.Extensions.Logging.ILogger> logger, Microsoft.AspNetCore.Http.IHttpContextAccessor contextAccessor) : base(default(Microsoft.AspNetCore.Identity.IRoleStore), default(System.Collections.Generic.IEnumerable>), default(Microsoft.AspNetCore.Identity.ILookupNormalizer), default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber), default(Microsoft.Extensions.Logging.ILogger>)) => throw null; protected override System.Threading.CancellationToken CancellationToken { get => throw null; } + public AspNetRoleManager(Microsoft.AspNetCore.Identity.IRoleStore store, System.Collections.Generic.IEnumerable> roleValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, Microsoft.Extensions.Logging.ILogger> logger, Microsoft.AspNetCore.Http.IHttpContextAccessor contextAccessor) : base(default(Microsoft.AspNetCore.Identity.IRoleStore), default(System.Collections.Generic.IEnumerable>), default(Microsoft.AspNetCore.Identity.ILookupNormalizer), default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber), default(Microsoft.Extensions.Logging.ILogger>)) => throw null; } - public class AspNetUserManager : Microsoft.AspNetCore.Identity.UserManager, System.IDisposable where TUser : class { - public AspNetUserManager(Microsoft.AspNetCore.Identity.IUserStore store, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Identity.IPasswordHasher passwordHasher, System.Collections.Generic.IEnumerable> userValidators, System.Collections.Generic.IEnumerable> passwordValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, System.IServiceProvider services, Microsoft.Extensions.Logging.ILogger> logger) : base(default(Microsoft.AspNetCore.Identity.IUserStore), default(Microsoft.Extensions.Options.IOptions), default(Microsoft.AspNetCore.Identity.IPasswordHasher), default(System.Collections.Generic.IEnumerable>), default(System.Collections.Generic.IEnumerable>), default(Microsoft.AspNetCore.Identity.ILookupNormalizer), default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber), default(System.IServiceProvider), default(Microsoft.Extensions.Logging.ILogger>)) => throw null; protected override System.Threading.CancellationToken CancellationToken { get => throw null; } + public AspNetUserManager(Microsoft.AspNetCore.Identity.IUserStore store, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Identity.IPasswordHasher passwordHasher, System.Collections.Generic.IEnumerable> userValidators, System.Collections.Generic.IEnumerable> passwordValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, System.IServiceProvider services, Microsoft.Extensions.Logging.ILogger> logger) : base(default(Microsoft.AspNetCore.Identity.IUserStore), default(Microsoft.Extensions.Options.IOptions), default(Microsoft.AspNetCore.Identity.IPasswordHasher), default(System.Collections.Generic.IEnumerable>), default(System.Collections.Generic.IEnumerable>), default(Microsoft.AspNetCore.Identity.ILookupNormalizer), default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber), default(System.IServiceProvider), default(Microsoft.Extensions.Logging.ILogger>)) => throw null; } - public class DataProtectionTokenProviderOptions { public DataProtectionTokenProviderOptions() => throw null; - public string Name { get => throw null; set => throw null; } - public System.TimeSpan TokenLifespan { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public System.TimeSpan TokenLifespan { get => throw null; set { } } } - public class DataProtectorTokenProvider : Microsoft.AspNetCore.Identity.IUserTwoFactorTokenProvider where TUser : class { public virtual System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; @@ -37,41 +33,28 @@ public class DataProtectorTokenProvider : Microsoft.AspNetCore.Identity.I protected Microsoft.AspNetCore.DataProtection.IDataProtector Protector { get => throw null; } public virtual System.Threading.Tasks.Task ValidateAsync(string purpose, string token, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - public class ExternalLoginInfo : Microsoft.AspNetCore.Identity.UserLoginInfo { - public Microsoft.AspNetCore.Authentication.AuthenticationProperties AuthenticationProperties { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable AuthenticationTokens { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties AuthenticationProperties { get => throw null; set { } } + public System.Collections.Generic.IEnumerable AuthenticationTokens { get => throw null; set { } } public ExternalLoginInfo(System.Security.Claims.ClaimsPrincipal principal, string loginProvider, string providerKey, string displayName) : base(default(string), default(string), default(string)) => throw null; - public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } - } - - public interface ISecurityStampValidator - { - System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context); - } - - public interface ITwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.ISecurityStampValidator - { + public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set { } } } - - public static class IdentityBuilderExtensions + public static partial class IdentityBuilderExtensions { public static Microsoft.AspNetCore.Identity.IdentityBuilder AddDefaultTokenProviders(this Microsoft.AspNetCore.Identity.IdentityBuilder builder) => throw null; public static Microsoft.AspNetCore.Identity.IdentityBuilder AddSignInManager(this Microsoft.AspNetCore.Identity.IdentityBuilder builder) => throw null; public static Microsoft.AspNetCore.Identity.IdentityBuilder AddSignInManager(this Microsoft.AspNetCore.Identity.IdentityBuilder builder) where TSignInManager : class => throw null; } - public class IdentityConstants { public static string ApplicationScheme; - public static string ExternalScheme; public IdentityConstants() => throw null; + public static string ExternalScheme; public static string TwoFactorRememberMeScheme; public static string TwoFactorUserIdScheme; } - - public static class IdentityCookieAuthenticationBuilderExtensions + public static partial class IdentityCookieAuthenticationBuilderExtensions { public static Microsoft.Extensions.Options.OptionsBuilder AddApplicationCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder) => throw null; public static Microsoft.Extensions.Options.OptionsBuilder AddExternalCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder) => throw null; @@ -80,56 +63,58 @@ public static class IdentityCookieAuthenticationBuilderExtensions public static Microsoft.Extensions.Options.OptionsBuilder AddTwoFactorRememberMeCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder) => throw null; public static Microsoft.Extensions.Options.OptionsBuilder AddTwoFactorUserIdCookie(this Microsoft.AspNetCore.Authentication.AuthenticationBuilder builder) => throw null; } - public class IdentityCookiesBuilder { - public Microsoft.Extensions.Options.OptionsBuilder ApplicationCookie { get => throw null; set => throw null; } - public Microsoft.Extensions.Options.OptionsBuilder ExternalCookie { get => throw null; set => throw null; } + public Microsoft.Extensions.Options.OptionsBuilder ApplicationCookie { get => throw null; set { } } public IdentityCookiesBuilder() => throw null; - public Microsoft.Extensions.Options.OptionsBuilder TwoFactorRememberMeCookie { get => throw null; set => throw null; } - public Microsoft.Extensions.Options.OptionsBuilder TwoFactorUserIdCookie { get => throw null; set => throw null; } + public Microsoft.Extensions.Options.OptionsBuilder ExternalCookie { get => throw null; set { } } + public Microsoft.Extensions.Options.OptionsBuilder TwoFactorRememberMeCookie { get => throw null; set { } } + public Microsoft.Extensions.Options.OptionsBuilder TwoFactorUserIdCookie { get => throw null; set { } } } - - public class SecurityStampRefreshingPrincipalContext + public interface ISecurityStampValidator { - public System.Security.Claims.ClaimsPrincipal CurrentPrincipal { get => throw null; set => throw null; } - public System.Security.Claims.ClaimsPrincipal NewPrincipal { get => throw null; set => throw null; } - public SecurityStampRefreshingPrincipalContext() => throw null; + System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context); } - - public static class SecurityStampValidator + public interface ITwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.ISecurityStampValidator { - public static System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) where TValidator : Microsoft.AspNetCore.Identity.ISecurityStampValidator => throw null; - public static System.Threading.Tasks.Task ValidatePrincipalAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; } - + public class SecurityStampRefreshingPrincipalContext + { + public SecurityStampRefreshingPrincipalContext() => throw null; + public System.Security.Claims.ClaimsPrincipal CurrentPrincipal { get => throw null; set { } } + public System.Security.Claims.ClaimsPrincipal NewPrincipal { get => throw null; set { } } + } public class SecurityStampValidator : Microsoft.AspNetCore.Identity.ISecurityStampValidator where TUser : class { public Microsoft.AspNetCore.Authentication.ISystemClock Clock { get => throw null; } - public Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.SecurityStampValidatorOptions Options { get => throw null; } public SecurityStampValidator(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Identity.SignInManager signInManager, Microsoft.AspNetCore.Authentication.ISystemClock clock, Microsoft.Extensions.Logging.ILoggerFactory logger) => throw null; + public Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.SecurityStampValidatorOptions Options { get => throw null; } protected virtual System.Threading.Tasks.Task SecurityStampVerified(TUser user, Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; public Microsoft.AspNetCore.Identity.SignInManager SignInManager { get => throw null; } public virtual System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; protected virtual System.Threading.Tasks.Task VerifySecurityStamp(System.Security.Claims.ClaimsPrincipal principal) => throw null; } - + public static class SecurityStampValidator + { + public static System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) where TValidator : Microsoft.AspNetCore.Identity.ISecurityStampValidator => throw null; + public static System.Threading.Tasks.Task ValidatePrincipalAsync(Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; + } public class SecurityStampValidatorOptions { - public System.Func OnRefreshingPrincipal { get => throw null; set => throw null; } public SecurityStampValidatorOptions() => throw null; - public System.TimeSpan ValidationInterval { get => throw null; set => throw null; } + public System.Func OnRefreshingPrincipal { get => throw null; set { } } + public System.TimeSpan ValidationInterval { get => throw null; set { } } } - public class SignInManager where TUser : class { public virtual System.Threading.Tasks.Task CanSignInAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task CheckPasswordSignInAsync(TUser user, string password, bool lockoutOnFailure) => throw null; - public Microsoft.AspNetCore.Identity.IUserClaimsPrincipalFactory ClaimsFactory { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IUserClaimsPrincipalFactory ClaimsFactory { get => throw null; set { } } public virtual Microsoft.AspNetCore.Authentication.AuthenticationProperties ConfigureExternalAuthenticationProperties(string provider, string redirectUrl, string userId = default(string)) => throw null; - public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; set { } } public virtual System.Threading.Tasks.Task CreateUserPrincipalAsync(TUser user) => throw null; + public SignInManager(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.AspNetCore.Http.IHttpContextAccessor contextAccessor, Microsoft.AspNetCore.Identity.IUserClaimsPrincipalFactory claimsFactory, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILogger> logger, Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes, Microsoft.AspNetCore.Identity.IUserConfirmation confirmation) => throw null; public virtual System.Threading.Tasks.Task ExternalLoginSignInAsync(string loginProvider, string providerKey, bool isPersistent) => throw null; public virtual System.Threading.Tasks.Task ExternalLoginSignInAsync(string loginProvider, string providerKey, bool isPersistent, bool bypassTwoFactor) => throw null; public virtual System.Threading.Tasks.Task ForgetTwoFactorClientAsync() => throw null; @@ -140,38 +125,35 @@ public class SignInManager where TUser : class public virtual bool IsSignedIn(System.Security.Claims.ClaimsPrincipal principal) => throw null; public virtual System.Threading.Tasks.Task IsTwoFactorClientRememberedAsync(TUser user) => throw null; protected virtual System.Threading.Tasks.Task LockedOut(TUser user) => throw null; - public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.IdentityOptions Options { get => throw null; set => throw null; } + public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.IdentityOptions Options { get => throw null; set { } } public virtual System.Threading.Tasks.Task PasswordSignInAsync(TUser user, string password, bool isPersistent, bool lockoutOnFailure) => throw null; public virtual System.Threading.Tasks.Task PasswordSignInAsync(string userName, string password, bool isPersistent, bool lockoutOnFailure) => throw null; protected virtual System.Threading.Tasks.Task PreSignInCheck(TUser user) => throw null; public virtual System.Threading.Tasks.Task RefreshSignInAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task RememberTwoFactorClientAsync(TUser user) => throw null; protected virtual System.Threading.Tasks.Task ResetLockout(TUser user) => throw null; - public virtual System.Threading.Tasks.Task SignInAsync(TUser user, Microsoft.AspNetCore.Authentication.AuthenticationProperties authenticationProperties, string authenticationMethod = default(string)) => throw null; public virtual System.Threading.Tasks.Task SignInAsync(TUser user, bool isPersistent, string authenticationMethod = default(string)) => throw null; - public SignInManager(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.AspNetCore.Http.IHttpContextAccessor contextAccessor, Microsoft.AspNetCore.Identity.IUserClaimsPrincipalFactory claimsFactory, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILogger> logger, Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider schemes, Microsoft.AspNetCore.Identity.IUserConfirmation confirmation) => throw null; + public virtual System.Threading.Tasks.Task SignInAsync(TUser user, Microsoft.AspNetCore.Authentication.AuthenticationProperties authenticationProperties, string authenticationMethod = default(string)) => throw null; protected virtual System.Threading.Tasks.Task SignInOrTwoFactorAsync(TUser user, bool isPersistent, string loginProvider = default(string), bool bypassTwoFactor = default(bool)) => throw null; - public virtual System.Threading.Tasks.Task SignInWithClaimsAsync(TUser user, Microsoft.AspNetCore.Authentication.AuthenticationProperties authenticationProperties, System.Collections.Generic.IEnumerable additionalClaims) => throw null; public virtual System.Threading.Tasks.Task SignInWithClaimsAsync(TUser user, bool isPersistent, System.Collections.Generic.IEnumerable additionalClaims) => throw null; + public virtual System.Threading.Tasks.Task SignInWithClaimsAsync(TUser user, Microsoft.AspNetCore.Authentication.AuthenticationProperties authenticationProperties, System.Collections.Generic.IEnumerable additionalClaims) => throw null; public virtual System.Threading.Tasks.Task SignOutAsync() => throw null; public virtual System.Threading.Tasks.Task TwoFactorAuthenticatorSignInAsync(string code, bool isPersistent, bool rememberClient) => throw null; public virtual System.Threading.Tasks.Task TwoFactorRecoveryCodeSignInAsync(string recoveryCode) => throw null; public virtual System.Threading.Tasks.Task TwoFactorSignInAsync(string provider, string code, bool isPersistent, bool rememberClient) => throw null; public virtual System.Threading.Tasks.Task UpdateExternalAuthenticationTokensAsync(Microsoft.AspNetCore.Identity.ExternalLoginInfo externalLogin) => throw null; - public Microsoft.AspNetCore.Identity.UserManager UserManager { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.UserManager UserManager { get => throw null; set { } } public virtual System.Threading.Tasks.Task ValidateSecurityStampAsync(System.Security.Claims.ClaimsPrincipal principal) => throw null; public virtual System.Threading.Tasks.Task ValidateSecurityStampAsync(TUser user, string securityStamp) => throw null; public virtual System.Threading.Tasks.Task ValidateTwoFactorSecurityStampAsync(System.Security.Claims.ClaimsPrincipal principal) => throw null; } - - public class TwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.SecurityStampValidator, Microsoft.AspNetCore.Identity.ISecurityStampValidator, Microsoft.AspNetCore.Identity.ITwoFactorSecurityStampValidator where TUser : class + public class TwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.SecurityStampValidator, Microsoft.AspNetCore.Identity.ITwoFactorSecurityStampValidator, Microsoft.AspNetCore.Identity.ISecurityStampValidator where TUser : class { - protected override System.Threading.Tasks.Task SecurityStampVerified(TUser user, Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; public TwoFactorSecurityStampValidator(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Identity.SignInManager signInManager, Microsoft.AspNetCore.Authentication.ISystemClock clock, Microsoft.Extensions.Logging.ILoggerFactory logger) : base(default(Microsoft.Extensions.Options.IOptions), default(Microsoft.AspNetCore.Identity.SignInManager), default(Microsoft.AspNetCore.Authentication.ISystemClock), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; + protected override System.Threading.Tasks.Task SecurityStampVerified(TUser user, Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; protected override System.Threading.Tasks.Task VerifySecurityStamp(System.Security.Claims.ClaimsPrincipal principal) => throw null; } - } } namespace Extensions @@ -180,12 +162,11 @@ namespace DependencyInjection { public static partial class IdentityServiceCollectionExtensions { - public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentity(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TRole : class where TUser : class => throw null; - public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentity(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) where TRole : class where TUser : class => throw null; + public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentity(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TUser : class where TRole : class => throw null; + public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentity(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) where TUser : class where TRole : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureApplicationCookie(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureExternalCookie(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.Routing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.Routing.cs index 4afdc6833c38..ab14a3d7e7a8 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.Routing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.Routing.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Localization.Routing, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,12 +10,11 @@ namespace Routing { public class RouteDataRequestCultureProvider : Microsoft.AspNetCore.Localization.RequestCultureProvider { - public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public RouteDataRequestCultureProvider() => throw null; - public string RouteDataStringKey { get => throw null; set => throw null; } - public string UIRouteDataStringKey { get => throw null; set => throw null; } + public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public string RouteDataStringKey { get => throw null; set { } } + public string UIRouteDataStringKey { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.cs index 64c83d42619b..af9798957709 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Localization.cs @@ -1,40 +1,36 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Localization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class ApplicationBuilderExtensions + public static partial class ApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestLocalization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestLocalization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action optionsAction) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestLocalization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.RequestLocalizationOptions options) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestLocalization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action optionsAction) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestLocalization(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, params string[] cultures) => throw null; } - public class RequestLocalizationOptions { public Microsoft.AspNetCore.Builder.RequestLocalizationOptions AddSupportedCultures(params string[] cultures) => throw null; public Microsoft.AspNetCore.Builder.RequestLocalizationOptions AddSupportedUICultures(params string[] uiCultures) => throw null; - public bool ApplyCurrentCultureToResponseHeaders { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Localization.RequestCulture DefaultRequestCulture { get => throw null; set => throw null; } - public bool FallBackToParentCultures { get => throw null; set => throw null; } - public bool FallBackToParentUICultures { get => throw null; set => throw null; } - public System.Collections.Generic.IList RequestCultureProviders { get => throw null; set => throw null; } + public bool ApplyCurrentCultureToResponseHeaders { get => throw null; set { } } public RequestLocalizationOptions() => throw null; + public Microsoft.AspNetCore.Localization.RequestCulture DefaultRequestCulture { get => throw null; set { } } + public bool FallBackToParentCultures { get => throw null; set { } } + public bool FallBackToParentUICultures { get => throw null; set { } } + public System.Collections.Generic.IList RequestCultureProviders { get => throw null; set { } } public Microsoft.AspNetCore.Builder.RequestLocalizationOptions SetDefaultCulture(string defaultCulture) => throw null; - public System.Collections.Generic.IList SupportedCultures { get => throw null; set => throw null; } - public System.Collections.Generic.IList SupportedUICultures { get => throw null; set => throw null; } + public System.Collections.Generic.IList SupportedCultures { get => throw null; set { } } + public System.Collections.Generic.IList SupportedUICultures { get => throw null; set { } } } - - public static class RequestLocalizationOptionsExtensions + public static partial class RequestLocalizationOptionsExtensions { public static Microsoft.AspNetCore.Builder.RequestLocalizationOptions AddInitialRequestCultureProvider(this Microsoft.AspNetCore.Builder.RequestLocalizationOptions requestLocalizationOptions, Microsoft.AspNetCore.Localization.RequestCultureProvider requestCultureProvider) => throw null; } - } namespace Localization { @@ -42,97 +38,85 @@ public class AcceptLanguageHeaderRequestCultureProvider : Microsoft.AspNetCore.L { public AcceptLanguageHeaderRequestCultureProvider() => throw null; public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public int MaximumAcceptLanguageHeaderValuesToTry { get => throw null; set => throw null; } + public int MaximumAcceptLanguageHeaderValuesToTry { get => throw null; set { } } } - public class CookieRequestCultureProvider : Microsoft.AspNetCore.Localization.RequestCultureProvider { - public string CookieName { get => throw null; set => throw null; } + public string CookieName { get => throw null; set { } } public CookieRequestCultureProvider() => throw null; public static string DefaultCookieName; public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static string MakeCookieValue(Microsoft.AspNetCore.Localization.RequestCulture requestCulture) => throw null; public static Microsoft.AspNetCore.Localization.ProviderCultureResult ParseCookieValue(string value) => throw null; } - public class CustomRequestCultureProvider : Microsoft.AspNetCore.Localization.RequestCultureProvider { public CustomRequestCultureProvider(System.Func> provider) => throw null; public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - public interface IRequestCultureFeature { Microsoft.AspNetCore.Localization.IRequestCultureProvider Provider { get; } Microsoft.AspNetCore.Localization.RequestCulture RequestCulture { get; } } - public interface IRequestCultureProvider { System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext); } - public class ProviderCultureResult { - public System.Collections.Generic.IList Cultures { get => throw null; } - public ProviderCultureResult(System.Collections.Generic.IList cultures) => throw null; - public ProviderCultureResult(System.Collections.Generic.IList cultures, System.Collections.Generic.IList uiCultures) => throw null; public ProviderCultureResult(Microsoft.Extensions.Primitives.StringSegment culture) => throw null; public ProviderCultureResult(Microsoft.Extensions.Primitives.StringSegment culture, Microsoft.Extensions.Primitives.StringSegment uiCulture) => throw null; + public ProviderCultureResult(System.Collections.Generic.IList cultures) => throw null; + public ProviderCultureResult(System.Collections.Generic.IList cultures, System.Collections.Generic.IList uiCultures) => throw null; + public System.Collections.Generic.IList Cultures { get => throw null; } public System.Collections.Generic.IList UICultures { get => throw null; } } - public class QueryStringRequestCultureProvider : Microsoft.AspNetCore.Localization.RequestCultureProvider { - public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public string QueryStringKey { get => throw null; set => throw null; } public QueryStringRequestCultureProvider() => throw null; - public string UIQueryStringKey { get => throw null; set => throw null; } + public override System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public string QueryStringKey { get => throw null; set { } } + public string UIQueryStringKey { get => throw null; set { } } } - public class RequestCulture { - public System.Globalization.CultureInfo Culture { get => throw null; } public RequestCulture(System.Globalization.CultureInfo culture) => throw null; - public RequestCulture(System.Globalization.CultureInfo culture, System.Globalization.CultureInfo uiCulture) => throw null; public RequestCulture(string culture) => throw null; public RequestCulture(string culture, string uiCulture) => throw null; + public RequestCulture(System.Globalization.CultureInfo culture, System.Globalization.CultureInfo uiCulture) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } public System.Globalization.CultureInfo UICulture { get => throw null; } } - public class RequestCultureFeature : Microsoft.AspNetCore.Localization.IRequestCultureFeature { + public RequestCultureFeature(Microsoft.AspNetCore.Localization.RequestCulture requestCulture, Microsoft.AspNetCore.Localization.IRequestCultureProvider provider) => throw null; public Microsoft.AspNetCore.Localization.IRequestCultureProvider Provider { get => throw null; } public Microsoft.AspNetCore.Localization.RequestCulture RequestCulture { get => throw null; } - public RequestCultureFeature(Microsoft.AspNetCore.Localization.RequestCulture requestCulture, Microsoft.AspNetCore.Localization.IRequestCultureProvider provider) => throw null; } - public abstract class RequestCultureProvider : Microsoft.AspNetCore.Localization.IRequestCultureProvider { + protected RequestCultureProvider() => throw null; public abstract System.Threading.Tasks.Task DetermineProviderCultureResult(Microsoft.AspNetCore.Http.HttpContext httpContext); protected static System.Threading.Tasks.Task NullProviderCultureResult; - public Microsoft.AspNetCore.Builder.RequestLocalizationOptions Options { get => throw null; set => throw null; } - protected RequestCultureProvider() => throw null; + public Microsoft.AspNetCore.Builder.RequestLocalizationOptions Options { get => throw null; set { } } } - public class RequestLocalizationMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public RequestLocalizationMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class RequestLocalizationServiceCollectionExtensions + public static partial class RequestLocalizationServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRequestLocalization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRequestLocalization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TService : class => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Metadata.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Metadata.cs index be7d524d89e2..e5fd3f6267a4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Metadata.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Metadata.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Metadata, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -10,14 +9,12 @@ namespace Authorization public interface IAllowAnonymous { } - public interface IAuthorizeData { string AuthenticationSchemes { get; set; } string Policy { get; set; } string Roles { get; set; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs index a54fc4ec29dc..609caf13df03 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs @@ -1,121 +1,83 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Mvc { - public class ActionContext - { - public ActionContext() => throw null; - public ActionContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; - public ActionContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor) => throw null; - public ActionContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set => throw null; } - } - - public interface IActionResult - { - System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context); - } - - public interface IUrlHelper - { - string Action(Microsoft.AspNetCore.Mvc.Routing.UrlActionContext actionContext); - Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get; } - string Content(string contentPath); - bool IsLocalUrl(string url); - string Link(string routeName, object values); - string RouteUrl(Microsoft.AspNetCore.Mvc.Routing.UrlRouteContext routeContext); - } - namespace Abstractions { public class ActionDescriptor { - public System.Collections.Generic.IList ActionConstraints { get => throw null; set => throw null; } + public System.Collections.Generic.IList ActionConstraints { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Routing.AttributeRouteInfo AttributeRouteInfo { get => throw null; set { } } + public System.Collections.Generic.IList BoundProperties { get => throw null; set { } } public ActionDescriptor() => throw null; - public Microsoft.AspNetCore.Mvc.Routing.AttributeRouteInfo AttributeRouteInfo { get => throw null; set => throw null; } - public System.Collections.Generic.IList BoundProperties { get => throw null; set => throw null; } - public virtual string DisplayName { get => throw null; set => throw null; } - public System.Collections.Generic.IList EndpointMetadata { get => throw null; set => throw null; } - public System.Collections.Generic.IList FilterDescriptors { get => throw null; set => throw null; } + public virtual string DisplayName { get => throw null; set { } } + public System.Collections.Generic.IList EndpointMetadata { get => throw null; set { } } + public System.Collections.Generic.IList FilterDescriptors { get => throw null; set { } } public string Id { get => throw null; } - public System.Collections.Generic.IList Parameters { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary RouteValues { get => throw null; set => throw null; } + public System.Collections.Generic.IList Parameters { get => throw null; set { } } + public System.Collections.Generic.IDictionary Properties { get => throw null; set { } } + public System.Collections.Generic.IDictionary RouteValues { get => throw null; set { } } } - - public static class ActionDescriptorExtensions + public static partial class ActionDescriptorExtensions { public static T GetProperty(this Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor) => throw null; public static void SetProperty(this Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, T value) => throw null; } - public class ActionDescriptorProviderContext { public ActionDescriptorProviderContext() => throw null; public System.Collections.Generic.IList Results { get => throw null; } } - public class ActionInvokerProviderContext { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } public ActionInvokerProviderContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; - public Microsoft.AspNetCore.Mvc.Abstractions.IActionInvoker Result { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Abstractions.IActionInvoker Result { get => throw null; set { } } } - public interface IActionDescriptorProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context); int Order { get; } } - public interface IActionInvoker { System.Threading.Tasks.Task InvokeAsync(); } - public interface IActionInvokerProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionInvokerProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionInvokerProviderContext context); int Order { get; } } - public class ParameterDescriptor { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set { } } public ParameterDescriptor() => throw null; - public System.Type ParameterType { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public System.Type ParameterType { get => throw null; set { } } } - } namespace ActionConstraints { public class ActionConstraintContext { + public System.Collections.Generic.IReadOnlyList Candidates { get => throw null; set { } } public ActionConstraintContext() => throw null; - public System.Collections.Generic.IReadOnlyList Candidates { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ActionConstraints.ActionSelectorCandidate CurrentCandidate { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteContext RouteContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ActionConstraints.ActionSelectorCandidate CurrentCandidate { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteContext RouteContext { get => throw null; set { } } } - public class ActionConstraintItem { + public Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint Constraint { get => throw null; set { } } public ActionConstraintItem(Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata metadata) => throw null; - public Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint Constraint { get => throw null; set => throw null; } - public bool IsReusable { get => throw null; set => throw null; } + public bool IsReusable { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata Metadata { get => throw null; } } - public class ActionConstraintProviderContext { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor Action { get => throw null; } @@ -123,160 +85,150 @@ public class ActionConstraintProviderContext public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public System.Collections.Generic.IList Results { get => throw null; } } - public struct ActionSelectorCandidate { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor Action { get => throw null; } - // Stub generator skipped constructor - public ActionSelectorCandidate(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor action, System.Collections.Generic.IReadOnlyList constraints) => throw null; public System.Collections.Generic.IReadOnlyList Constraints { get => throw null; } + public ActionSelectorCandidate(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor action, System.Collections.Generic.IReadOnlyList constraints) => throw null; } - public interface IActionConstraint : Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata { bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context); int Order { get; } } - public interface IActionConstraintFactory : Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata { Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint CreateInstance(System.IServiceProvider services); bool IsReusable { get; } } - public interface IActionConstraintMetadata { } - public interface IActionConstraintProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintProviderContext context); int Order { get; } } - + } + public class ActionContext + { + public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; set { } } + public ActionContext() => throw null; + public ActionContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; + public ActionContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor) => throw null; + public ActionContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set { } } } namespace ApiExplorer { public class ApiDescription { - public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; set { } } public ApiDescription() => throw null; - public string GroupName { get => throw null; set => throw null; } - public string HttpMethod { get => throw null; set => throw null; } + public string GroupName { get => throw null; set { } } + public string HttpMethod { get => throw null; set { } } public System.Collections.Generic.IList ParameterDescriptions { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } - public string RelativePath { get => throw null; set => throw null; } + public string RelativePath { get => throw null; set { } } public System.Collections.Generic.IList SupportedRequestFormats { get => throw null; } public System.Collections.Generic.IList SupportedResponseTypes { get => throw null; } } - public class ApiDescriptionProviderContext { public System.Collections.Generic.IReadOnlyList Actions { get => throw null; } public ApiDescriptionProviderContext(System.Collections.Generic.IReadOnlyList actions) => throw null; public System.Collections.Generic.IList Results { get => throw null; } } - public class ApiParameterDescription { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set { } } public ApiParameterDescription() => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set => throw null; } - public object DefaultValue { get => throw null; set => throw null; } - public bool IsRequired { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor ParameterDescriptor { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ApiExplorer.ApiParameterRouteInfo RouteInfo { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Source { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - } - + public object DefaultValue { get => throw null; set { } } + public bool IsRequired { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set { } } + public string Name { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor ParameterDescriptor { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ApiExplorer.ApiParameterRouteInfo RouteInfo { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Source { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + } public class ApiParameterRouteInfo { + public System.Collections.Generic.IEnumerable Constraints { get => throw null; set { } } public ApiParameterRouteInfo() => throw null; - public System.Collections.Generic.IEnumerable Constraints { get => throw null; set => throw null; } - public object DefaultValue { get => throw null; set => throw null; } - public bool IsOptional { get => throw null; set => throw null; } + public object DefaultValue { get => throw null; set { } } + public bool IsOptional { get => throw null; set { } } } - public class ApiRequestFormat { public ApiRequestFormat() => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter Formatter { get => throw null; set => throw null; } - public string MediaType { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter Formatter { get => throw null; set { } } + public string MediaType { get => throw null; set { } } } - public class ApiResponseFormat { public ApiResponseFormat() => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter Formatter { get => throw null; set => throw null; } - public string MediaType { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter Formatter { get => throw null; set { } } + public string MediaType { get => throw null; set { } } } - public class ApiResponseType { - public System.Collections.Generic.IList ApiResponseFormats { get => throw null; set => throw null; } + public System.Collections.Generic.IList ApiResponseFormats { get => throw null; set { } } public ApiResponseType() => throw null; - public bool IsDefaultResponse { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set => throw null; } - public int StatusCode { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } + public bool IsDefaultResponse { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set { } } + public int StatusCode { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } } - public interface IApiDescriptionProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescriptionProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescriptionProviderContext context); int Order { get; } } - } namespace Authorization { public interface IAllowAnonymousFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - } namespace Filters { public class ActionExecutedContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { - public ActionExecutedContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual bool Canceled { get => throw null; set => throw null; } + public virtual bool Canceled { get => throw null; set { } } public virtual object Controller { get => throw null; } - public virtual System.Exception Exception { get => throw null; set => throw null; } - public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set => throw null; } - public virtual bool ExceptionHandled { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public ActionExecutedContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual System.Exception Exception { get => throw null; set { } } + public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set { } } + public virtual bool ExceptionHandled { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public class ActionExecutingContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public virtual System.Collections.Generic.IDictionary ActionArguments { get => throw null; } - public ActionExecutingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, System.Collections.Generic.IDictionary actionArguments, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; public virtual object Controller { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public ActionExecutingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, System.Collections.Generic.IDictionary actionArguments, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public delegate System.Threading.Tasks.Task ActionExecutionDelegate(); - public class AuthorizationFilterContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public AuthorizationFilterContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public class ExceptionContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { - public virtual System.Exception Exception { get => throw null; set => throw null; } public ExceptionContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set => throw null; } - public virtual bool ExceptionHandled { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual System.Exception Exception { get => throw null; set { } } + public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set { } } + public virtual bool ExceptionHandled { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public abstract class FilterContext : Microsoft.AspNetCore.Mvc.ActionContext { public FilterContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters) => throw null; @@ -284,159 +236,132 @@ public abstract class FilterContext : Microsoft.AspNetCore.Mvc.ActionContext public TMetadata FindEffectivePolicy() where TMetadata : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; public bool IsEffectivePolicy(TMetadata policy) where TMetadata : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; } - public class FilterDescriptor { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public FilterDescriptor(Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter, int filterScope) => throw null; - public int Order { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } + public int Order { get => throw null; set { } } public int Scope { get => throw null; } } - public class FilterItem { - public Microsoft.AspNetCore.Mvc.Filters.FilterDescriptor Descriptor { get => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; set => throw null; } public FilterItem(Microsoft.AspNetCore.Mvc.Filters.FilterDescriptor descriptor) => throw null; public FilterItem(Microsoft.AspNetCore.Mvc.Filters.FilterDescriptor descriptor, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public bool IsReusable { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Filters.FilterDescriptor Descriptor { get => throw null; } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; set { } } + public bool IsReusable { get => throw null; set { } } } - public class FilterProviderContext { - public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set { } } public FilterProviderContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList items) => throw null; - public System.Collections.Generic.IList Results { get => throw null; set => throw null; } + public System.Collections.Generic.IList Results { get => throw null; set { } } } - public interface IActionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context); void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context); } - - public interface IAlwaysRunResultFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResultFilter + public interface IAlwaysRunResultFilter : Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - public interface IAsyncActionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { System.Threading.Tasks.Task OnActionExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ActionExecutionDelegate next); } - public interface IAsyncAlwaysRunResultFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - public interface IAsyncAuthorizationFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { System.Threading.Tasks.Task OnAuthorizationAsync(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext context); } - public interface IAsyncExceptionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { System.Threading.Tasks.Task OnExceptionAsync(Microsoft.AspNetCore.Mvc.Filters.ExceptionContext context); } - public interface IAsyncResourceFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { System.Threading.Tasks.Task OnResourceExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutionDelegate next); } - public interface IAsyncResultFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { System.Threading.Tasks.Task OnResultExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ResultExecutionDelegate next); } - public interface IAuthorizationFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnAuthorization(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext context); } - public interface IExceptionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnException(Microsoft.AspNetCore.Mvc.Filters.ExceptionContext context); } - public interface IFilterContainer { Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata FilterDefinition { get; set; } } - public interface IFilterFactory : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider); bool IsReusable { get; } } - public interface IFilterMetadata { } - public interface IFilterProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Filters.FilterProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Filters.FilterProviderContext context); int Order { get; } } - public interface IOrderedFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { int Order { get; } } - public interface IResourceFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context); void OnResourceExecuting(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context); } - public interface IResultFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context); void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context); } - public class ResourceExecutedContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { - public virtual bool Canceled { get => throw null; set => throw null; } - public virtual System.Exception Exception { get => throw null; set => throw null; } - public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set => throw null; } - public virtual bool ExceptionHandled { get => throw null; set => throw null; } + public virtual bool Canceled { get => throw null; set { } } public ResourceExecutedContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual System.Exception Exception { get => throw null; set { } } + public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set { } } + public virtual bool ExceptionHandled { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public class ResourceExecutingContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public ResourceExecutingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, System.Collections.Generic.IList valueProviderFactories) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } public System.Collections.Generic.IList ValueProviderFactories { get => throw null; } } - public delegate System.Threading.Tasks.Task ResourceExecutionDelegate(); - public class ResultExecutedContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { - public virtual bool Canceled { get => throw null; set => throw null; } + public virtual bool Canceled { get => throw null; set { } } public virtual object Controller { get => throw null; } - public virtual System.Exception Exception { get => throw null; set => throw null; } - public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set => throw null; } - public virtual bool ExceptionHandled { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } public ResultExecutedContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.IActionResult result, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual System.Exception Exception { get => throw null; set { } } + public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set { } } + public virtual bool ExceptionHandled { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } } - public class ResultExecutingContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { - public virtual bool Cancel { get => throw null; set => throw null; } + public virtual bool Cancel { get => throw null; set { } } public virtual object Controller { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } public ResultExecutingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.IActionResult result, object controller) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public delegate System.Threading.Tasks.Task ResultExecutionDelegate(); - } namespace Formatters { @@ -444,32 +369,23 @@ public class FormatterCollection : System.Collections.ObjectModel.Co { public FormatterCollection() => throw null; public FormatterCollection(System.Collections.Generic.IList list) => throw null; - public void RemoveType(System.Type formatterType) => throw null; public void RemoveType() where T : TFormatter => throw null; + public void RemoveType(System.Type formatterType) => throw null; } - public interface IInputFormatter { bool CanRead(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context); System.Threading.Tasks.Task ReadAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context); } - public interface IInputFormatterExceptionPolicy { Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy ExceptionPolicy { get; } } - - public interface IOutputFormatter - { - bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context); - System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context); - } - public class InputFormatterContext { - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public InputFormatterContext(Microsoft.AspNetCore.Http.HttpContext httpContext, string modelName, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func readerFactory) => throw null; public InputFormatterContext(Microsoft.AspNetCore.Http.HttpContext httpContext, string modelName, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func readerFactory, bool treatEmptyInputAsDefaultValue) => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; } public string ModelName { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } @@ -477,20 +393,17 @@ public class InputFormatterContext public System.Func ReaderFactory { get => throw null; } public bool TreatEmptyInputAsDefaultValue { get => throw null; } } - public class InputFormatterException : System.Exception { public InputFormatterException() => throw null; public InputFormatterException(string message) => throw null; public InputFormatterException(string message, System.Exception innerException) => throw null; } - - public enum InputFormatterExceptionPolicy : int + public enum InputFormatterExceptionPolicy { AllExceptions = 0, MalformedInputExceptions = 1, } - public class InputFormatterResult { public static Microsoft.AspNetCore.Mvc.Formatters.InputFormatterResult Failure() => throw null; @@ -503,48 +416,60 @@ public class InputFormatterResult public static Microsoft.AspNetCore.Mvc.Formatters.InputFormatterResult Success(object model) => throw null; public static System.Threading.Tasks.Task SuccessAsync(object model) => throw null; } - + public interface IOutputFormatter + { + bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context); + System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context); + } public abstract class OutputFormatterCanWriteContext { - public virtual Microsoft.Extensions.Primitives.StringSegment ContentType { get => throw null; set => throw null; } - public virtual bool ContentTypeIsServerDefined { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } - public virtual object Object { get => throw null; set => throw null; } - public virtual System.Type ObjectType { get => throw null; set => throw null; } + public virtual Microsoft.Extensions.Primitives.StringSegment ContentType { get => throw null; set { } } + public virtual bool ContentTypeIsServerDefined { get => throw null; set { } } protected OutputFormatterCanWriteContext(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public virtual Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public virtual object Object { get => throw null; set { } } + public virtual System.Type ObjectType { get => throw null; set { } } } - public class OutputFormatterWriteContext : Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext { public OutputFormatterWriteContext(Microsoft.AspNetCore.Http.HttpContext httpContext, System.Func writerFactory, System.Type objectType, object @object) : base(default(Microsoft.AspNetCore.Http.HttpContext)) => throw null; - public virtual System.Func WriterFactory { get => throw null; set => throw null; } + public virtual System.Func WriterFactory { get => throw null; set { } } } - + } + public interface IActionResult + { + System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context); + } + public interface IUrlHelper + { + string Action(Microsoft.AspNetCore.Mvc.Routing.UrlActionContext actionContext); + Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get; } + string Content(string contentPath); + bool IsLocalUrl(string url); + string Link(string routeName, object values); + string RouteUrl(Microsoft.AspNetCore.Mvc.Routing.UrlRouteContext routeContext); } namespace ModelBinding { public class BindingInfo { - public string BinderModelName { get => throw null; set => throw null; } - public System.Type BinderType { get => throw null; set => throw null; } + public string BinderModelName { get => throw null; set { } } + public System.Type BinderType { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } public BindingInfo() => throw null; public BindingInfo(Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo other) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get => throw null; set { } } public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo GetBindingInfo(System.Collections.Generic.IEnumerable attributes) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo GetBindingInfo(System.Collections.Generic.IEnumerable attributes, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider PropertyFilterProvider { get => throw null; set => throw null; } - public System.Func RequestPredicate { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider PropertyFilterProvider { get => throw null; set { } } + public System.Func RequestPredicate { get => throw null; set { } } public bool TryApplyBindingInfo(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata) => throw null; } - public class BindingSource : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s1, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s2) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s1, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s2) => throw null; - public BindingSource(string id, string displayName, bool isGreedy, bool isFromRequest) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Body; public virtual bool CanAcceptDataFrom(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; + public BindingSource(string id, string displayName, bool isGreedy, bool isFromRequest) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Custom; public string DisplayName { get => throw null; } public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource other) => throw null; @@ -557,168 +482,185 @@ public class BindingSource : System.IEquatable throw null; } public bool IsGreedy { get => throw null; } public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource ModelBinding; + public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s1, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s2) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s1, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource s2) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Path; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Query; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Services; public static Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource Special; } - public class CompositeBindingSource : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource { - private CompositeBindingSource() : base(default(string), default(string), default(bool), default(bool)) => throw null; public System.Collections.Generic.IEnumerable BindingSources { get => throw null; } public override bool CanAcceptDataFrom(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.CompositeBindingSource Create(System.Collections.Generic.IEnumerable bindingSources, string displayName) => throw null; + internal CompositeBindingSource() : base(default(string), default(string), default(bool), default(bool)) { } } - - public enum EmptyBodyBehavior : int + public enum EmptyBodyBehavior { - Allow = 1, Default = 0, + Allow = 1, Disallow = 2, } - public struct EnumGroupAndName { - // Stub generator skipped constructor - public EnumGroupAndName(string group, System.Func name) => throw null; public EnumGroupAndName(string group, string name) => throw null; + public EnumGroupAndName(string group, System.Func name) => throw null; public string Group { get => throw null; } public string Name { get => throw null; } } - public interface IBinderTypeProviderMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata { System.Type BinderType { get; } } - public interface IBindingSourceMetadata { Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get; } } - - internal interface IConfigureEmptyBodyBehavior - { - Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get; } - } - public interface IModelBinder { System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext); } - public interface IModelBinderProvider { Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context); } - public interface IModelMetadataProvider { System.Collections.Generic.IEnumerable GetMetadataForProperties(System.Type modelType); Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForType(System.Type modelType); } - public interface IModelNameProvider { string Name { get; } } - public interface IPropertyFilterProvider { System.Func PropertyFilter { get; } } - public interface IRequestPredicateProvider { System.Func RequestPredicate { get; } } - public interface IValueProvider { bool ContainsPrefix(string prefix); Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key); } - public interface IValueProviderFactory { System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context); } - + namespace Metadata + { + public abstract class ModelBindingMessageProvider + { + public virtual System.Func AttemptedValueIsInvalidAccessor { get => throw null; } + protected ModelBindingMessageProvider() => throw null; + public virtual System.Func MissingBindRequiredValueAccessor { get => throw null; } + public virtual System.Func MissingKeyOrValueAccessor { get => throw null; } + public virtual System.Func MissingRequestBodyRequiredValueAccessor { get => throw null; } + public virtual System.Func NonPropertyAttemptedValueIsInvalidAccessor { get => throw null; } + public virtual System.Func NonPropertyUnknownValueIsInvalidAccessor { get => throw null; } + public virtual System.Func NonPropertyValueMustBeANumberAccessor { get => throw null; } + public virtual System.Func UnknownValueIsInvalidAccessor { get => throw null; } + public virtual System.Func ValueIsInvalidAccessor { get => throw null; } + public virtual System.Func ValueMustBeANumberAccessor { get => throw null; } + public virtual System.Func ValueMustNotBeNullAccessor { get => throw null; } + } + public struct ModelMetadataIdentity : System.IEquatable + { + public System.Reflection.ConstructorInfo ConstructorInfo { get => throw null; } + public System.Type ContainerType { get => throw null; } + public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity other) => throw null; + public override bool Equals(object obj) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForConstructor(System.Reflection.ConstructorInfo constructor, System.Type modelType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForParameter(System.Reflection.ParameterInfo parameter) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForParameter(System.Reflection.ParameterInfo parameter, System.Type modelType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForProperty(System.Type modelType, string name, System.Type containerType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForProperty(System.Reflection.PropertyInfo propertyInfo, System.Type modelType, System.Type containerType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForType(System.Type modelType) => throw null; + public override int GetHashCode() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataKind MetadataKind { get => throw null; } + public System.Type ModelType { get => throw null; } + public string Name { get => throw null; } + public System.Reflection.ParameterInfo ParameterInfo { get => throw null; } + public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } + } + public enum ModelMetadataKind + { + Type = 0, + Property = 1, + Parameter = 2, + Constructor = 3, + } + } public abstract class ModelBinderProviderContext { public abstract Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata); public virtual Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo bindingInfo) => throw null; + protected ModelBinderProviderContext() => throw null; public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get; } - protected ModelBinderProviderContext() => throw null; public virtual System.IServiceProvider Services { get => throw null; } } - public abstract class ModelBindingContext { - public struct NestedScope : System.IDisposable - { - public void Dispose() => throw null; - // Stub generator skipped constructor - public NestedScope(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext context) => throw null; - } - - public abstract Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get; set; } public abstract string BinderModelName { get; set; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get; set; } - public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope(); + protected ModelBindingContext() => throw null; public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, string fieldName, string modelName, object model); + public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope(); protected abstract void ExitNestedScope(); public abstract string FieldName { get; set; } public virtual Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public abstract bool IsTopLevelObject { get; set; } public abstract object Model { get; set; } - protected ModelBindingContext() => throw null; public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get; set; } public abstract string ModelName { get; set; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get; set; } public virtual System.Type ModelType { get => throw null; } - public string OriginalModelName { get => throw null; set => throw null; } + public struct NestedScope : System.IDisposable + { + public NestedScope(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext context) => throw null; + public void Dispose() => throw null; + } + public string OriginalModelName { get => throw null; set { } } public abstract System.Func PropertyFilter { get; set; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult Result { get; set; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary ValidationState { get; set; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider ValueProvider { get; set; } } - public struct ModelBindingResult : System.IEquatable { - public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult y) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult y) => throw null; - public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult other) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult other) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult Failed() => throw null; public override int GetHashCode() => throw null; public bool IsModelSet { get => throw null; } public object Model { get => throw null; } - // Stub generator skipped constructor + public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult y) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult y) => throw null; public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult Success(object model) => throw null; public override string ToString() => throw null; } - public class ModelError { - public string ErrorMessage { get => throw null; } - public System.Exception Exception { get => throw null; } public ModelError(System.Exception exception) => throw null; public ModelError(System.Exception exception, string errorMessage) => throw null; public ModelError(string errorMessage) => throw null; + public string ErrorMessage { get => throw null; } + public System.Exception Exception { get => throw null; } } - public class ModelErrorCollection : System.Collections.ObjectModel.Collection { public void Add(System.Exception exception) => throw null; public void Add(string errorMessage) => throw null; public ModelErrorCollection() => throw null; } - - public abstract class ModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider, System.IEquatable + public abstract class ModelMetadata : System.IEquatable, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider { public abstract System.Collections.Generic.IReadOnlyDictionary AdditionalValues { get; } public abstract string BinderModelName { get; } @@ -730,6 +672,7 @@ public abstract class ModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IMod public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ContainerMetadata { get => throw null; } public System.Type ContainerType { get => throw null; } public abstract bool ConvertEmptyStringToNull { get; } + protected ModelMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity identity) => throw null; public abstract string DataTypeName { get; } public static int DefaultOrder; public abstract string Description { get; } @@ -750,7 +693,7 @@ public abstract class ModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IMod public virtual bool? HasValidators { get => throw null; } public abstract bool HideSurroundingHtml { get; } public abstract bool HtmlEncode { get; } - protected internal Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity Identity { get => throw null; } + protected Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity Identity { get => throw null; } public abstract bool IsBindingAllowed { get; } public abstract bool IsBindingRequired { get; } public bool IsCollectionType { get => throw null; } @@ -764,7 +707,6 @@ public abstract class ModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IMod public abstract bool IsRequired { get; } public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataKind MetadataKind { get => throw null; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelBindingMessageProvider ModelBindingMessageProvider { get; } - protected ModelMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity identity) => throw null; public System.Type ModelType { get => throw null; } public string Name { get => throw null; } public abstract string NullDisplayText { get; } @@ -785,240 +727,132 @@ public abstract class ModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.IMod public abstract bool ValidateChildren { get; } public abstract System.Collections.Generic.IReadOnlyList ValidatorMetadata { get; } } - public abstract class ModelMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider { + protected ModelMetadataProvider() => throw null; public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForConstructor(System.Reflection.ConstructorInfo constructor, System.Type modelType) => throw null; public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForParameter(System.Reflection.ParameterInfo parameter); public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForParameter(System.Reflection.ParameterInfo parameter, System.Type modelType) => throw null; public abstract System.Collections.Generic.IEnumerable GetMetadataForProperties(System.Type modelType); public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForProperty(System.Reflection.PropertyInfo propertyInfo, System.Type modelType) => throw null; public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForType(System.Type modelType); - protected ModelMetadataProvider() => throw null; } - public class ModelPropertyCollection : System.Collections.ObjectModel.ReadOnlyCollection { - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata this[string propertyName] { get => throw null; } public ModelPropertyCollection(System.Collections.Generic.IEnumerable properties) : base(default(System.Collections.Generic.IList)) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata this[string propertyName] { get => throw null; } } - - public class ModelStateDictionary : System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public class ModelStateDictionary : System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection> { + public void AddModelError(string key, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; + public void AddModelError(string key, string errorMessage) => throw null; + public void Clear() => throw null; + public void ClearValidationState(string key) => throw null; + public bool ContainsKey(string key) => throw null; + public int Count { get => throw null; } + public ModelStateDictionary() => throw null; + public ModelStateDictionary(int maxAllowedErrors) => throw null; + public ModelStateDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; + public static int DefaultMaxAllowedErrors; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { + public Enumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - + public int ErrorCount { get => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.PrefixEnumerable FindKeysWithPrefix(string prefix) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.Enumerator GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState GetFieldValidationState(string key) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState GetValidationState(string key) => throw null; + public bool HasReachedMaxErrors { get => throw null; } + public bool IsValid { get => throw null; } public struct KeyEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public KeyEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.KeyEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - public KeyEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; } - - public struct KeyEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public KeyEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public string Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public KeyEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.KeyEnumerable Keys { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + public void MarkFieldSkipped(string key) => throw null; + public void MarkFieldValid(string key) => throw null; + public int MaxAllowedErrors { get => throw null; set { } } + public void Merge(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; public struct PrefixEnumerable : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { + public PrefixEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - public PrefixEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; } - - + public bool Remove(string key) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry Root { get => throw null; } + public void SetModelValue(string key, object rawValue, string attemptedValue) => throw null; + public void SetModelValue(string key, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult valueProviderResult) => throw null; + public static bool StartsWithPrefix(string prefix, string key) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry this[string key] { get => throw null; } + public bool TryAddModelError(string key, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; + public bool TryAddModelError(string key, string errorMessage) => throw null; + public bool TryAddModelException(string key, System.Exception exception) => throw null; + public bool TryGetValue(string key, out Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry value) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState ValidationState { get => throw null; } public struct ValueEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public ValueEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.ValueEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - public ValueEnumerable(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; } - - public struct ValueEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public ValueEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; - // Stub generator skipped constructor - public ValueEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; } - - - public void AddModelError(string key, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; - public void AddModelError(string key, string errorMessage) => throw null; - public void Clear() => throw null; - public void ClearValidationState(string key) => throw null; - public bool ContainsKey(string key) => throw null; - public int Count { get => throw null; } - public static int DefaultMaxAllowedErrors; - public int ErrorCount { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.PrefixEnumerable FindKeysWithPrefix(string prefix) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState GetFieldValidationState(string key) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState GetValidationState(string key) => throw null; - public bool HasReachedMaxErrors { get => throw null; } - public bool IsValid { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry this[string key] { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.KeyEnumerable Keys { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } - public void MarkFieldSkipped(string key) => throw null; - public void MarkFieldValid(string key) => throw null; - public int MaxAllowedErrors { get => throw null; set => throw null; } - public void Merge(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; - public ModelStateDictionary() => throw null; - public ModelStateDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; - public ModelStateDictionary(int maxAllowedErrors) => throw null; - public bool Remove(string key) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry Root { get => throw null; } - public void SetModelValue(string key, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult valueProviderResult) => throw null; - public void SetModelValue(string key, object rawValue, string attemptedValue) => throw null; - public static bool StartsWithPrefix(string prefix, string key) => throw null; - public bool TryAddModelError(string key, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; - public bool TryAddModelError(string key, string errorMessage) => throw null; - public bool TryAddModelException(string key, System.Exception exception) => throw null; - public bool TryGetValue(string key, out Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry value) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState ValidationState { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary.ValueEnumerable Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } } - public abstract class ModelStateEntry { - public string AttemptedValue { get => throw null; set => throw null; } + public string AttemptedValue { get => throw null; set { } } public abstract System.Collections.Generic.IReadOnlyList Children { get; } + protected ModelStateEntry() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelErrorCollection Errors { get => throw null; } public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry GetModelStateForProperty(string propertyName); public abstract bool IsContainerNode { get; } - protected ModelStateEntry() => throw null; - public object RawValue { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState ValidationState { get => throw null; set => throw null; } + public object RawValue { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelValidationState ValidationState { get => throw null; set { } } } - - public enum ModelValidationState : int + public enum ModelValidationState { - Invalid = 1, - Skipped = 3, Unvalidated = 0, + Invalid = 1, Valid = 2, + Skipped = 3, } - public class TooManyModelErrorsException : System.Exception { public TooManyModelErrorsException(string message) => throw null; } - - public class ValueProviderException : System.Exception - { - public ValueProviderException(string message) => throw null; - public ValueProviderException(string message, System.Exception innerException) => throw null; - } - - public class ValueProviderFactoryContext - { - public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public ValueProviderFactoryContext(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public System.Collections.Generic.IList ValueProviders { get => throw null; } - } - - public struct ValueProviderResult : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable - { - public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult y) => throw null; - public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult y) => throw null; - public System.Globalization.CultureInfo Culture { get => throw null; } - public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult other) => throw null; - public override bool Equals(object obj) => throw null; - public string FirstValue { get => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public int Length { get => throw null; } - public static Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult None; - public override string ToString() => throw null; - // Stub generator skipped constructor - public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values) => throw null; - public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values, System.Globalization.CultureInfo culture) => throw null; - public Microsoft.Extensions.Primitives.StringValues Values { get => throw null; } - public static explicit operator string(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult result) => throw null; - public static explicit operator string[](Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult result) => throw null; - } - - namespace Metadata - { - public abstract class ModelBindingMessageProvider - { - public virtual System.Func AttemptedValueIsInvalidAccessor { get => throw null; } - public virtual System.Func MissingBindRequiredValueAccessor { get => throw null; } - public virtual System.Func MissingKeyOrValueAccessor { get => throw null; } - public virtual System.Func MissingRequestBodyRequiredValueAccessor { get => throw null; } - protected ModelBindingMessageProvider() => throw null; - public virtual System.Func NonPropertyAttemptedValueIsInvalidAccessor { get => throw null; } - public virtual System.Func NonPropertyUnknownValueIsInvalidAccessor { get => throw null; } - public virtual System.Func NonPropertyValueMustBeANumberAccessor { get => throw null; } - public virtual System.Func UnknownValueIsInvalidAccessor { get => throw null; } - public virtual System.Func ValueIsInvalidAccessor { get => throw null; } - public virtual System.Func ValueMustBeANumberAccessor { get => throw null; } - public virtual System.Func ValueMustNotBeNullAccessor { get => throw null; } - } - - public struct ModelMetadataIdentity : System.IEquatable - { - public System.Reflection.ConstructorInfo ConstructorInfo { get => throw null; } - public System.Type ContainerType { get => throw null; } - public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity other) => throw null; - public override bool Equals(object obj) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForConstructor(System.Reflection.ConstructorInfo constructor, System.Type modelType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForParameter(System.Reflection.ParameterInfo parameter) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForParameter(System.Reflection.ParameterInfo parameter, System.Type modelType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForProperty(System.Reflection.PropertyInfo propertyInfo, System.Type modelType, System.Type containerType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForProperty(System.Type modelType, string name, System.Type containerType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity ForType(System.Type modelType) => throw null; - public override int GetHashCode() => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataKind MetadataKind { get => throw null; } - // Stub generator skipped constructor - public System.Type ModelType { get => throw null; } - public string Name { get => throw null; } - public System.Reflection.ParameterInfo ParameterInfo { get => throw null; } - public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } - } - - public enum ModelMetadataKind : int - { - Constructor = 3, - Parameter = 2, - Property = 1, - Type = 0, - } - - } namespace Validation { public class ClientModelValidationContext : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase @@ -1026,16 +860,14 @@ public class ClientModelValidationContext : Microsoft.AspNetCore.Mvc.ModelBindin public System.Collections.Generic.IDictionary Attributes { get => throw null; } public ClientModelValidationContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, System.Collections.Generic.IDictionary attributes) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata), default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; } - public class ClientValidatorItem { public ClientValidatorItem() => throw null; public ClientValidatorItem(object validatorMetadata) => throw null; - public bool IsReusable { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator Validator { get => throw null; set => throw null; } + public bool IsReusable { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator Validator { get => throw null; set { } } public object ValidatorMetadata { get => throw null; } } - public class ClientValidatorProviderContext { public ClientValidatorProviderContext(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, System.Collections.Generic.IList items) => throw null; @@ -1043,78 +875,65 @@ public class ClientValidatorProviderContext public System.Collections.Generic.IList Results { get => throw null; } public System.Collections.Generic.IReadOnlyList ValidatorMetadata { get => throw null; } } - public interface IClientModelValidator { void AddValidation(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context); } - public interface IClientModelValidatorProvider { void CreateValidators(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientValidatorProviderContext context); } - public interface IModelValidator { System.Collections.Generic.IEnumerable Validate(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContext context); } - public interface IModelValidatorProvider { void CreateValidators(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidatorProviderContext context); } - public interface IPropertyValidationFilter { bool ShouldValidateEntry(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry entry, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry parentEntry); } - public interface IValidationStrategy { System.Collections.Generic.IEnumerator GetChildren(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model); } - public class ModelValidationContext : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase { public object Container { get => throw null; } - public object Model { get => throw null; } public ModelValidationContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, object container, object model) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata), default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; + public object Model { get => throw null; } } - public class ModelValidationContextBase { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } + public ModelValidationContextBase(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; } - public ModelValidationContextBase(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider) => throw null; } - public class ModelValidationResult { + public ModelValidationResult(string memberName, string message) => throw null; public string MemberName { get => throw null; } public string Message { get => throw null; } - public ModelValidationResult(string memberName, string message) => throw null; } - public class ModelValidatorProviderContext { - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set => throw null; } public ModelValidatorProviderContext(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, System.Collections.Generic.IList items) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set { } } public System.Collections.Generic.IList Results { get => throw null; } public System.Collections.Generic.IReadOnlyList ValidatorMetadata { get => throw null; } } - public struct ValidationEntry { + public ValidationEntry(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model) => throw null; + public ValidationEntry(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, System.Func modelAccessor) => throw null; public string Key { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; } public object Model { get => throw null; } - // Stub generator skipped constructor - public ValidationEntry(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, System.Func modelAccessor) => throw null; - public ValidationEntry(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model) => throw null; } - - public class ValidationStateDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public class ValidationStateDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(object key, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry value) => throw null; @@ -1123,40 +942,68 @@ public class ValidationStateDictionary : System.Collections.Generic.ICollection< public bool ContainsKey(object key) => throw null; public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } + public ValidationStateDictionary() => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry this[object key] { get => throw null; set => throw null; } - Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry System.Collections.Generic.IDictionary.this[object key] { get => throw null; set => throw null; } + Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry System.Collections.Generic.IDictionary.this[object key] { get => throw null; set { } } Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry System.Collections.Generic.IReadOnlyDictionary.this[object key] { get => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(object key) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry this[object key] { get => throw null; set { } } public bool TryGetValue(object key, out Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry value) => throw null; - public ValidationStateDictionary() => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } } - public class ValidationStateEntry { - public string Key { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy Strategy { get => throw null; set => throw null; } - public bool SuppressValidation { get => throw null; set => throw null; } public ValidationStateEntry() => throw null; + public string Key { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy Strategy { get => throw null; set { } } + public bool SuppressValidation { get => throw null; set { } } } - public class ValidatorItem { - public bool IsReusable { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidator Validator { get => throw null; set => throw null; } public ValidatorItem() => throw null; public ValidatorItem(object validatorMetadata) => throw null; + public bool IsReusable { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidator Validator { get => throw null; set { } } public object ValidatorMetadata { get => throw null; } } - + } + public sealed class ValueProviderException : System.Exception + { + public ValueProviderException(string message) => throw null; + public ValueProviderException(string message, System.Exception innerException) => throw null; + } + public class ValueProviderFactoryContext + { + public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } + public ValueProviderFactoryContext(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public System.Collections.Generic.IList ValueProviders { get => throw null; } + } + public struct ValueProviderResult : System.IEquatable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values) => throw null; + public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values, System.Globalization.CultureInfo culture) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult other) => throw null; + public string FirstValue { get => throw null; } + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public override int GetHashCode() => throw null; + public int Length { get => throw null; } + public static Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult None; + public static bool operator ==(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult y) => throw null; + public static explicit operator string(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult result) => throw null; + public static explicit operator string[](Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult result) => throw null; + public static bool operator !=(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult x, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult y) => throw null; + public override string ToString() => throw null; + public Microsoft.Extensions.Primitives.StringValues Values { get => throw null; } } } namespace Routing @@ -1164,34 +1011,31 @@ namespace Routing public class AttributeRouteInfo { public AttributeRouteInfo() => throw null; - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public bool SuppressLinkGeneration { get => throw null; set => throw null; } - public bool SuppressPathMatching { get => throw null; set => throw null; } - public string Template { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } + public bool SuppressLinkGeneration { get => throw null; set { } } + public bool SuppressPathMatching { get => throw null; set { } } + public string Template { get => throw null; set { } } } - public class UrlActionContext { - public string Action { get => throw null; set => throw null; } - public string Controller { get => throw null; set => throw null; } - public string Fragment { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } - public string Protocol { get => throw null; set => throw null; } + public string Action { get => throw null; set { } } + public string Controller { get => throw null; set { } } public UrlActionContext() => throw null; - public object Values { get => throw null; set => throw null; } + public string Fragment { get => throw null; set { } } + public string Host { get => throw null; set { } } + public string Protocol { get => throw null; set { } } + public object Values { get => throw null; set { } } } - public class UrlRouteContext { - public string Fragment { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } - public string Protocol { get => throw null; set => throw null; } - public string RouteName { get => throw null; set => throw null; } public UrlRouteContext() => throw null; - public object Values { get => throw null; set => throw null; } + public string Fragment { get => throw null; set { } } + public string Host { get => throw null; set { } } + public string Protocol { get => throw null; set { } } + public string RouteName { get => throw null; set { } } + public object Values { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ApiExplorer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ApiExplorer.cs index 4da9d47995d1..11059fb134af 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ApiExplorer.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ApiExplorer.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.ApiExplorer, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,32 +8,28 @@ namespace Mvc { namespace ApiExplorer { - public static class ApiDescriptionExtensions + public static partial class ApiDescriptionExtensions { public static T GetProperty(this Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescription apiDescription) => throw null; public static void SetProperty(this Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescription apiDescription, T value) => throw null; } - public class ApiDescriptionGroup { public ApiDescriptionGroup(string groupName, System.Collections.Generic.IReadOnlyList items) => throw null; public string GroupName { get => throw null; } public System.Collections.Generic.IReadOnlyList Items { get => throw null; } } - public class ApiDescriptionGroupCollection { public ApiDescriptionGroupCollection(System.Collections.Generic.IReadOnlyList items, int version) => throw null; public System.Collections.Generic.IReadOnlyList Items { get => throw null; } public int Version { get => throw null; } } - public class ApiDescriptionGroupCollectionProvider : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionGroupCollectionProvider { - public ApiDescriptionGroupCollectionProvider(Microsoft.AspNetCore.Mvc.Infrastructure.IActionDescriptorCollectionProvider actionDescriptorCollectionProvider, System.Collections.Generic.IEnumerable apiDescriptionProviders) => throw null; public Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescriptionGroupCollection ApiDescriptionGroups { get => throw null; } + public ApiDescriptionGroupCollectionProvider(Microsoft.AspNetCore.Mvc.Infrastructure.IActionDescriptorCollectionProvider actionDescriptorCollectionProvider, System.Collections.Generic.IEnumerable apiDescriptionProviders) => throw null; } - public class DefaultApiDescriptionProvider : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionProvider { public DefaultApiDescriptionProvider(Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Routing.IInlineConstraintResolver constraintResolver, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultTypeMapper mapper, Microsoft.Extensions.Options.IOptions routeOptions) => throw null; @@ -42,12 +37,10 @@ public class DefaultApiDescriptionProvider : Microsoft.AspNetCore.Mvc.ApiExplore public void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescriptionProviderContext context) => throw null; public int Order { get => throw null; } } - public interface IApiDescriptionGroupCollectionProvider { Microsoft.AspNetCore.Mvc.ApiExplorer.ApiDescriptionGroupCollection ApiDescriptionGroups { get; } } - } } } @@ -55,16 +48,14 @@ namespace Extensions { namespace DependencyInjection { - public static class EndpointMetadataApiExplorerServiceCollectionExtensions + public static partial class EndpointMetadataApiExplorerServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddEndpointsApiExplorer(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - - public static class MvcApiExplorerMvcCoreBuilderExtensions + public static partial class MvcApiExplorerMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddApiExplorer(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs index f4223ac690fd..4e34696df97e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs @@ -1,19 +1,17 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Core, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public class ControllerActionEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class ControllerActionEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; } - - public static class ControllerEndpointRouteBuilderExtensions + public static partial class ControllerEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.ControllerActionEndpointConventionBuilder MapAreaControllerRoute(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string name, string areaName, string pattern, object defaults = default(object), object constraints = default(object), object dataTokens = default(object)) => throw null; public static Microsoft.AspNetCore.Builder.ControllerActionEndpointConventionBuilder MapControllerRoute(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string name, string pattern, object defaults = default(object), object constraints = default(object), object dataTokens = default(object)) => throw null; @@ -27,1307 +25,299 @@ public static class ControllerEndpointRouteBuilderExtensions public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToController(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string action, string controller) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToController(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, string action, string controller) => throw null; } - - public static class MvcApplicationBuilderExtensions + public static partial class MvcApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMvc(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMvc(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, System.Action configureRoutes) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseMvcWithDefaultRoute(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - - public static class MvcAreaRouteBuilderExtensions + public static partial class MvcAreaRouteBuilderExtensions { public static Microsoft.AspNetCore.Routing.IRouteBuilder MapAreaRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string areaName, string template) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapAreaRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string areaName, string template, object defaults) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapAreaRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string areaName, string template, object defaults, object constraints) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapAreaRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string areaName, string template, object defaults, object constraints, object dataTokens) => throw null; } - } namespace Mvc { - public class AcceptVerbsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IActionHttpMethodProvider, Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider - { - public AcceptVerbsAttribute(params string[] methods) => throw null; - public AcceptVerbsAttribute(string method) => throw null; - public System.Collections.Generic.IEnumerable HttpMethods { get => throw null; } - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - int? Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Order { get => throw null; } - public string Route { get => throw null; set => throw null; } - string Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Template { get => throw null; } - } - - public class AcceptedAtActionResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public AcceptedAtActionResult(string actionName, string controllerName, object routeValues, object value) : base(default(object)) => throw null; - public string ActionName { get => throw null; set => throw null; } - public string ControllerName { get => throw null; set => throw null; } - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class AcceptedAtRouteResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public AcceptedAtRouteResult(object routeValues, object value) : base(default(object)) => throw null; - public AcceptedAtRouteResult(string routeName, object routeValues, object value) : base(default(object)) => throw null; - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string RouteName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class AcceptedResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public AcceptedResult() : base(default(object)) => throw null; - public AcceptedResult(System.Uri locationUri, object value) : base(default(object)) => throw null; - public AcceptedResult(string location, object value) : base(default(object)) => throw null; - public string Location { get => throw null; set => throw null; } - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - } - - public class ActionContextAttribute : System.Attribute - { - public ActionContextAttribute() => throw null; - } - - public class ActionNameAttribute : System.Attribute - { - public ActionNameAttribute(string name) => throw null; - public string Name { get => throw null; } - } - - public abstract class ActionResult : Microsoft.AspNetCore.Mvc.IActionResult - { - protected ActionResult() => throw null; - public virtual void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public virtual System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - } - - public class ActionResult : Microsoft.AspNetCore.Mvc.Infrastructure.IConvertToActionResult - { - public ActionResult(Microsoft.AspNetCore.Mvc.ActionResult result) => throw null; - public ActionResult(TValue value) => throw null; - Microsoft.AspNetCore.Mvc.IActionResult Microsoft.AspNetCore.Mvc.Infrastructure.IConvertToActionResult.Convert() => throw null; - public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } - public TValue Value { get => throw null; } - public static implicit operator Microsoft.AspNetCore.Mvc.ActionResult(Microsoft.AspNetCore.Mvc.ActionResult result) => throw null; - public static implicit operator Microsoft.AspNetCore.Mvc.ActionResult(TValue value) => throw null; - } - - public class AntiforgeryValidationFailedResult : Microsoft.AspNetCore.Mvc.BadRequestResult, Microsoft.AspNetCore.Mvc.Core.Infrastructure.IAntiforgeryValidationFailedResult, Microsoft.AspNetCore.Mvc.IActionResult - { - public AntiforgeryValidationFailedResult() => throw null; - } - - public class ApiBehaviorOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public ApiBehaviorOptions() => throw null; - public System.Collections.Generic.IDictionary ClientErrorMapping { get => throw null; } - public bool DisableImplicitFromServicesParameters { get => throw null; set => throw null; } - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Func InvalidModelStateResponseFactory { get => throw null; set => throw null; } - public bool SuppressConsumesConstraintForFormFileParameters { get => throw null; set => throw null; } - public bool SuppressInferBindingSourcesForParameters { get => throw null; set => throw null; } - public bool SuppressMapClientErrors { get => throw null; set => throw null; } - public bool SuppressModelStateInvalidFilter { get => throw null; set => throw null; } - } - - public class ApiControllerAttribute : Microsoft.AspNetCore.Mvc.ControllerAttribute, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Infrastructure.IApiBehaviorMetadata - { - public ApiControllerAttribute() => throw null; - } - - public class ApiConventionMethodAttribute : System.Attribute - { - public ApiConventionMethodAttribute(System.Type conventionType, string methodName) => throw null; - public System.Type ConventionType { get => throw null; } - } - - public class ApiConventionTypeAttribute : System.Attribute - { - public ApiConventionTypeAttribute(System.Type conventionType) => throw null; - public System.Type ConventionType { get => throw null; } - } - - public class ApiDescriptionActionData - { - public ApiDescriptionActionData() => throw null; - public string GroupName { get => throw null; set => throw null; } - } - - public class ApiExplorerSettingsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionGroupNameProvider, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionVisibilityProvider - { - public ApiExplorerSettingsAttribute() => throw null; - public string GroupName { get => throw null; set => throw null; } - public bool IgnoreApi { get => throw null; set => throw null; } - } - - public class AreaAttribute : Microsoft.AspNetCore.Mvc.Routing.RouteValueAttribute - { - public AreaAttribute(string areaName) : base(default(string), default(string)) => throw null; - } - - public class BadRequestObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public BadRequestObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; - public BadRequestObjectResult(object error) : base(default(object)) => throw null; - } - - public class BadRequestResult : Microsoft.AspNetCore.Mvc.StatusCodeResult - { - public BadRequestResult() : base(default(int)) => throw null; - } - - public class BindAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider - { - public BindAttribute(params string[] include) => throw null; - public string[] Include { get => throw null; } - string Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider.Name { get => throw null; } - public string Prefix { get => throw null; set => throw null; } - public System.Func PropertyFilter { get => throw null; } - } - - public class BindPropertiesAttribute : System.Attribute - { - public BindPropertiesAttribute() => throw null; - public bool SupportsGet { get => throw null; set => throw null; } - } - - public class BindPropertyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider - { - public BindPropertyAttribute() => throw null; - public System.Type BinderType { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - System.Func Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider.RequestPredicate { get => throw null; } - public bool SupportsGet { get => throw null; set => throw null; } - } - - public class CacheProfile - { - public CacheProfile() => throw null; - public int? Duration { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ResponseCacheLocation? Location { get => throw null; set => throw null; } - public bool? NoStore { get => throw null; set => throw null; } - public string VaryByHeader { get => throw null; set => throw null; } - public string[] VaryByQueryKeys { get => throw null; set => throw null; } - } - - public class ChallengeResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set => throw null; } - public ChallengeResult() => throw null; - public ChallengeResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public ChallengeResult(System.Collections.Generic.IList authenticationSchemes) => throw null; - public ChallengeResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public ChallengeResult(string authenticationScheme) => throw null; - public ChallengeResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - } - - public class ClientErrorData - { - public ClientErrorData() => throw null; - public string Link { get => throw null; set => throw null; } - public string Title { get => throw null; set => throw null; } - } - - public enum CompatibilityVersion : int - { - Latest = 2147483647, - Version_2_0 = 0, - Version_2_1 = 1, - Version_2_2 = 2, - Version_3_0 = 3, - } - - public class ConflictObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public ConflictObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; - public ConflictObjectResult(object error) : base(default(object)) => throw null; - } - - public class ConflictResult : Microsoft.AspNetCore.Mvc.StatusCodeResult - { - public ConflictResult() : base(default(int)) => throw null; - } - - public class ConsumesAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter - { - public bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; - public static int ConsumesActionConstraintOrder; - public ConsumesAttribute(System.Type requestType, string contentType, params string[] otherContentTypes) => throw null; - public ConsumesAttribute(string contentType, params string[] otherContentTypes) => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set => throw null; } - System.Collections.Generic.IReadOnlyList Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata.ContentTypes { get => throw null; } - public bool IsOptional { get => throw null; set => throw null; } - public void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context) => throw null; - public void OnResourceExecuting(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context) => throw null; - int Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint.Order { get => throw null; } - System.Type Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata.RequestType { get => throw null; } - public void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; - } - - public class ContentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public string Content { get => throw null; set => throw null; } - public ContentResult() => throw null; - public string ContentType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public int? StatusCode { get => throw null; set => throw null; } - } - - public class ControllerAttribute : System.Attribute - { - public ControllerAttribute() => throw null; - } - - public abstract class ControllerBase - { - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted() => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(System.Uri uri) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(System.Uri uri, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(string uri) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(string uri, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName, object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName, object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.BadRequestResult BadRequest() => throw null; - public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(object error) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ConflictResult Conflict() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ConflictObjectResult Conflict(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ConflictObjectResult Conflict(object error) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - protected ControllerBase() => throw null; - public Microsoft.AspNetCore.Mvc.ControllerContext ControllerContext { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.CreatedResult Created(System.Uri uri, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedResult Created(string uri, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, string controllerName, object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(object routeValues, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(string routeName, object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(string routeName, object routeValues, object value) => throw null; - public static Microsoft.AspNetCore.Mvc.EmptyResult Empty { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirect(string localUrl) => throw null; - public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanent(string localUrl) => throw null; - public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanentPreserveMethod(string localUrl) => throw null; - public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPreserveMethod(string localUrl) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory ModelBinderFactory { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.NoContentResult NoContent() => throw null; - public virtual Microsoft.AspNetCore.Mvc.NotFoundResult NotFound() => throw null; - public virtual Microsoft.AspNetCore.Mvc.NotFoundObjectResult NotFound(object value) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator ObjectValidator { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.OkResult Ok() => throw null; - public virtual Microsoft.AspNetCore.Mvc.OkObjectResult Ok(object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ObjectResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string)) => throw null; - public Microsoft.AspNetCore.Mvc.Infrastructure.ProblemDetailsFactory ProblemDetailsFactory { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.RedirectResult Redirect(string url) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanent(string url) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanentPreserveMethod(string url) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPreserveMethod(string url) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction() => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanentPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanentPreserveMethod(string pageName, string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePreserveMethod(string pageName, string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanentPreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } - public Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, string authenticationScheme) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut() => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.StatusCodeResult StatusCode(int statusCode) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ObjectResult StatusCode(int statusCode, object value) => throw null; - public virtual System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix) => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; - public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model) where TModel : class => throw null; - public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, System.Func propertyFilter) where TModel : class => throw null; - public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; - public virtual bool TryValidateModel(object model) => throw null; - public virtual bool TryValidateModel(object model, string prefix) => throw null; - public virtual Microsoft.AspNetCore.Mvc.UnauthorizedResult Unauthorized() => throw null; - public virtual Microsoft.AspNetCore.Mvc.UnauthorizedObjectResult Unauthorized(object value) => throw null; - public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityResult UnprocessableEntity() => throw null; - public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityObjectResult UnprocessableEntity(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityObjectResult UnprocessableEntity(object error) => throw null; - public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set => throw null; } - public System.Security.Claims.ClaimsPrincipal User { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(Microsoft.AspNetCore.Mvc.ValidationProblemDetails descriptor) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary = default(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary)) => throw null; - } - - public class ControllerContext : Microsoft.AspNetCore.Mvc.ActionContext - { - public Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor ActionDescriptor { get => throw null; set => throw null; } - public ControllerContext() => throw null; - public ControllerContext(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public virtual System.Collections.Generic.IList ValueProviderFactories { get => throw null; set => throw null; } - } - - public class ControllerContextAttribute : System.Attribute - { - public ControllerContextAttribute() => throw null; - } - - public class CreatedAtActionResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public string ActionName { get => throw null; set => throw null; } - public string ControllerName { get => throw null; set => throw null; } - public CreatedAtActionResult(string actionName, string controllerName, object routeValues, object value) : base(default(object)) => throw null; - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class CreatedAtRouteResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public CreatedAtRouteResult(object routeValues, object value) : base(default(object)) => throw null; - public CreatedAtRouteResult(string routeName, object routeValues, object value) : base(default(object)) => throw null; - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string RouteName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class CreatedResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public CreatedResult(System.Uri location, object value) : base(default(object)) => throw null; - public CreatedResult(string location, object value) : base(default(object)) => throw null; - public string Location { get => throw null; set => throw null; } - public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - } - - public static class DefaultApiConventions - { - public static void Create(object model) => throw null; - public static void Delete(object id) => throw null; - public static void Edit(object id, object model) => throw null; - public static void Find(object id) => throw null; - public static void Get(object id) => throw null; - public static void Post(object model) => throw null; - public static void Put(object id, object model) => throw null; - public static void Update(object id, object model) => throw null; - } - - public class DisableRequestSizeLimitAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public DisableRequestSizeLimitAttribute() => throw null; - public bool IsReusable { get => throw null; } - System.Int64? Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata.MaxRequestBodySize { get => throw null; } - public int Order { get => throw null; set => throw null; } - } - - public class EmptyResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public EmptyResult() => throw null; - public override void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - } - - public class FileContentResult : Microsoft.AspNetCore.Mvc.FileResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public FileContentResult(System.Byte[] fileContents, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; - public FileContentResult(System.Byte[] fileContents, string contentType) : base(default(string)) => throw null; - public System.Byte[] FileContents { get => throw null; set => throw null; } - } - - public abstract class FileResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public string ContentType { get => throw null; } - public bool EnableRangeProcessing { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set => throw null; } - public string FileDownloadName { get => throw null; set => throw null; } - protected FileResult(string contentType) => throw null; - public System.DateTimeOffset? LastModified { get => throw null; set => throw null; } - } - - public class FileStreamResult : Microsoft.AspNetCore.Mvc.FileResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public System.IO.Stream FileStream { get => throw null; set => throw null; } - public FileStreamResult(System.IO.Stream fileStream, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; - public FileStreamResult(System.IO.Stream fileStream, string contentType) : base(default(string)) => throw null; - } - - public class ForbidResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public ForbidResult() => throw null; - public ForbidResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public ForbidResult(System.Collections.Generic.IList authenticationSchemes) => throw null; - public ForbidResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public ForbidResult(string authenticationScheme) => throw null; - public ForbidResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - } - - public class FormatFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public FormatFilterAttribute() => throw null; - public bool IsReusable { get => throw null; } - } - - public class FromBodyAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromBodyMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata - { - bool Microsoft.AspNetCore.Http.Metadata.IFromBodyMetadata.AllowEmpty { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get => throw null; set => throw null; } - public FromBodyAttribute() => throw null; - } - - public class FromFormAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromFormMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public FromFormAttribute() => throw null; - public string Name { get => throw null; set => throw null; } - } - - public class FromHeaderAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromHeaderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public FromHeaderAttribute() => throw null; - public string Name { get => throw null; set => throw null; } - } - - public class FromQueryAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromQueryMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public FromQueryAttribute() => throw null; - public string Name { get => throw null; set => throw null; } - } - - public class FromRouteAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromRouteMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public FromRouteAttribute() => throw null; - public string Name { get => throw null; set => throw null; } - } - - public class FromServicesAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IFromServiceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public FromServicesAttribute() => throw null; - } - - public class HttpDeleteAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpDeleteAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpDeleteAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpGetAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpGetAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpGetAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpHeadAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpHeadAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpHeadAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpOptionsAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpOptionsAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpOptionsAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpPatchAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpPatchAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpPatchAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpPostAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpPostAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpPostAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public class HttpPutAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute - { - public HttpPutAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; - public HttpPutAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; - } - - public interface IDesignTimeMvcBuilderConfiguration - { - void ConfigureMvc(Microsoft.Extensions.DependencyInjection.IMvcBuilder builder); - } - - public interface IRequestFormLimitsPolicy : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - } - - public interface IRequestSizePolicy : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - } - - public class JsonOptions - { - public bool AllowInputFormatterExceptionMessages { get => throw null; set => throw null; } - public JsonOptions() => throw null; - public System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } - } - - public class JsonResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public string ContentType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public JsonResult(object value) => throw null; - public JsonResult(object value, object serializerSettings) => throw null; - public object SerializerSettings { get => throw null; set => throw null; } - public int? StatusCode { get => throw null; set => throw null; } - public object Value { get => throw null; set => throw null; } - } - - public class LocalRedirectResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public LocalRedirectResult(string localUrl) => throw null; - public LocalRedirectResult(string localUrl, bool permanent) => throw null; - public LocalRedirectResult(string localUrl, bool permanent, bool preserveMethod) => throw null; - public bool Permanent { get => throw null; set => throw null; } - public bool PreserveMethod { get => throw null; set => throw null; } - public string Url { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class MiddlewareFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public System.Type ConfigurationType { get => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; } - public MiddlewareFilterAttribute(System.Type configurationType) => throw null; - public int Order { get => throw null; set => throw null; } - } - - public class ModelBinderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider - { - public System.Type BinderType { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set => throw null; } - public ModelBinderAttribute() => throw null; - public ModelBinderAttribute(System.Type binderType) => throw null; - public string Name { get => throw null; set => throw null; } - } - - public class ModelMetadataTypeAttribute : System.Attribute - { - public System.Type MetadataType { get => throw null; } - public ModelMetadataTypeAttribute(System.Type type) => throw null; - } - - public class MvcOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public bool AllowEmptyInputInBodyModelBinding { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary CacheProfiles { get => throw null; } - public System.Collections.Generic.IList Conventions { get => throw null; } - public bool EnableActionInvokers { get => throw null; set => throw null; } - public bool EnableEndpointRouting { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.FilterCollection Filters { get => throw null; } - public Microsoft.AspNetCore.Mvc.Formatters.FormatterMappings FormatterMappings { get => throw null; } - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection InputFormatters { get => throw null; } - public int MaxIAsyncEnumerableBufferLimit { get => throw null; set => throw null; } - public int MaxModelBindingCollectionSize { get => throw null; set => throw null; } - public int MaxModelBindingRecursionDepth { get => throw null; set => throw null; } - public int MaxModelValidationErrors { get => throw null; set => throw null; } - public int? MaxValidationDepth { get => throw null; set => throw null; } - public System.Collections.Generic.IList ModelBinderProviders { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider ModelBindingMessageProvider { get => throw null; } - public System.Collections.Generic.IList ModelMetadataDetailsProviders { get => throw null; } - public System.Collections.Generic.IList ModelValidatorProviders { get => throw null; } - public MvcOptions() => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection OutputFormatters { get => throw null; } - public bool RequireHttpsPermanent { get => throw null; set => throw null; } - public bool RespectBrowserAcceptHeader { get => throw null; set => throw null; } - public bool ReturnHttpNotAcceptable { get => throw null; set => throw null; } - public int? SslPort { get => throw null; set => throw null; } - public bool SuppressAsyncSuffixInActionNames { get => throw null; set => throw null; } - public bool SuppressImplicitRequiredAttributeForNonNullableReferenceTypes { get => throw null; set => throw null; } - public bool SuppressInputFormatterBuffering { get => throw null; set => throw null; } - public bool SuppressOutputFormatterBuffering { get => throw null; set => throw null; } - public bool ValidateComplexTypesIfChildValidationFails { get => throw null; set => throw null; } - public System.Collections.Generic.IList ValueProviderFactories { get => throw null; } - } - - public class NoContentResult : Microsoft.AspNetCore.Mvc.StatusCodeResult - { - public NoContentResult() : base(default(int)) => throw null; - } - - public class NonActionAttribute : System.Attribute - { - public NonActionAttribute() => throw null; - } - - public class NonControllerAttribute : System.Attribute - { - public NonControllerAttribute() => throw null; - } - - public class NonViewComponentAttribute : System.Attribute - { - public NonViewComponentAttribute() => throw null; - } - - public class NotFoundObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public NotFoundObjectResult(object value) : base(default(object)) => throw null; - } - - public class NotFoundResult : Microsoft.AspNetCore.Mvc.StatusCodeResult - { - public NotFoundResult() : base(default(int)) => throw null; - } - - public class ObjectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set => throw null; } - public System.Type DeclaredType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection Formatters { get => throw null; set => throw null; } - public ObjectResult(object value) => throw null; - public virtual void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public int? StatusCode { get => throw null; set => throw null; } - public object Value { get => throw null; set => throw null; } - } - - public class OkObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult - { - public OkObjectResult(object value) : base(default(object)) => throw null; - } - - public class OkResult : Microsoft.AspNetCore.Mvc.StatusCodeResult - { - public OkResult() : base(default(int)) => throw null; - } - - public class PhysicalFileResult : Microsoft.AspNetCore.Mvc.FileResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string FileName { get => throw null; set => throw null; } - public PhysicalFileResult(string fileName, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; - public PhysicalFileResult(string fileName, string contentType) : base(default(string)) => throw null; - } - - public class ProducesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter - { - public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set => throw null; } - public virtual void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; - public virtual void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context) => throw null; - public int Order { get => throw null; set => throw null; } - public ProducesAttribute(System.Type type) => throw null; - public ProducesAttribute(string contentType, params string[] additionalContentTypes) => throw null; - public void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; - public int StatusCode { get => throw null; } - public System.Type Type { get => throw null; set => throw null; } - } - - public class ProducesDefaultResponseTypeAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDefaultResponseMetadataProvider, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - public ProducesDefaultResponseTypeAttribute() => throw null; - public ProducesDefaultResponseTypeAttribute(System.Type type) => throw null; - void Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider.SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; - public int StatusCode { get => throw null; } - public System.Type Type { get => throw null; } - } - - public class ProducesErrorResponseTypeAttribute : System.Attribute - { - public ProducesErrorResponseTypeAttribute(System.Type type) => throw null; - public System.Type Type { get => throw null; } - } - - public class ProducesResponseTypeAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - public ProducesResponseTypeAttribute(System.Type type, int statusCode) => throw null; - public ProducesResponseTypeAttribute(System.Type type, int statusCode, string contentType, params string[] additionalContentTypes) => throw null; - public ProducesResponseTypeAttribute(int statusCode) => throw null; - void Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider.SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; - public int StatusCode { get => throw null; set => throw null; } - public System.Type Type { get => throw null; set => throw null; } - } - - public class RedirectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public bool Permanent { get => throw null; set => throw null; } - public bool PreserveMethod { get => throw null; set => throw null; } - public RedirectResult(string url) => throw null; - public RedirectResult(string url, bool permanent) => throw null; - public RedirectResult(string url, bool permanent, bool preserveMethod) => throw null; - public string Url { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class RedirectToActionResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult - { - public string ActionName { get => throw null; set => throw null; } - public string ControllerName { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string Fragment { get => throw null; set => throw null; } - public bool Permanent { get => throw null; set => throw null; } - public bool PreserveMethod { get => throw null; set => throw null; } - public RedirectToActionResult(string actionName, string controllerName, object routeValues) => throw null; - public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent) => throw null; - public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, bool preserveMethod) => throw null; - public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; - public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, string fragment) => throw null; - public RedirectToActionResult(string actionName, string controllerName, object routeValues, string fragment) => throw null; - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class RedirectToPageResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string Fragment { get => throw null; set => throw null; } - public string Host { get => throw null; set => throw null; } - public string PageHandler { get => throw null; set => throw null; } - public string PageName { get => throw null; set => throw null; } - public bool Permanent { get => throw null; set => throw null; } - public bool PreserveMethod { get => throw null; set => throw null; } - public string Protocol { get => throw null; set => throw null; } - public RedirectToPageResult(string pageName) => throw null; - public RedirectToPageResult(string pageName, object routeValues) => throw null; - public RedirectToPageResult(string pageName, string pageHandler) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, bool preserveMethod) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, string fragment) => throw null; - public RedirectToPageResult(string pageName, string pageHandler, object routeValues, string fragment) => throw null; - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class RedirectToRouteResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult - { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string Fragment { get => throw null; set => throw null; } - public bool Permanent { get => throw null; set => throw null; } - public bool PreserveMethod { get => throw null; set => throw null; } - public RedirectToRouteResult(object routeValues) => throw null; - public RedirectToRouteResult(string routeName, object routeValues) => throw null; - public RedirectToRouteResult(string routeName, object routeValues, bool permanent) => throw null; - public RedirectToRouteResult(string routeName, object routeValues, bool permanent, bool preserveMethod) => throw null; - public RedirectToRouteResult(string routeName, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; - public RedirectToRouteResult(string routeName, object routeValues, bool permanent, string fragment) => throw null; - public RedirectToRouteResult(string routeName, object routeValues, string fragment) => throw null; - public string RouteName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set => throw null; } - } - - public class RequestFormLimitsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public bool BufferBody { get => throw null; set => throw null; } - public System.Int64 BufferBodyLengthLimit { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; } - public int KeyLengthLimit { get => throw null; set => throw null; } - public int MemoryBufferThreshold { get => throw null; set => throw null; } - public System.Int64 MultipartBodyLengthLimit { get => throw null; set => throw null; } - public int MultipartBoundaryLengthLimit { get => throw null; set => throw null; } - public int MultipartHeadersCountLimit { get => throw null; set => throw null; } - public int MultipartHeadersLengthLimit { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public RequestFormLimitsAttribute() => throw null; - public int ValueCountLimit { get => throw null; set => throw null; } - public int ValueLengthLimit { get => throw null; set => throw null; } - } - - public class RequestSizeLimitAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; } - System.Int64? Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata.MaxRequestBodySize { get => throw null; } - public int Order { get => throw null; set => throw null; } - public RequestSizeLimitAttribute(System.Int64 bytes) => throw null; - } - - public class RequireHttpsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public class AcceptedAtActionResult : Microsoft.AspNetCore.Mvc.ObjectResult { - protected virtual void HandleNonHttpsRequest(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext filterContext) => throw null; - public virtual void OnAuthorization(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext filterContext) => throw null; - public int Order { get => throw null; set => throw null; } - public bool Permanent { get => throw null; set => throw null; } - public RequireHttpsAttribute() => throw null; + public string ActionName { get => throw null; set { } } + public string ControllerName { get => throw null; set { } } + public AcceptedAtActionResult(string actionName, string controllerName, object routeValues, object value) : base(default(object)) => throw null; + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } } - - public class ResponseCacheAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public class AcceptedAtRouteResult : Microsoft.AspNetCore.Mvc.ObjectResult { - public string CacheProfileName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public int Duration { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.CacheProfile GetCacheProfile(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; - public bool IsReusable { get => throw null; } - public Microsoft.AspNetCore.Mvc.ResponseCacheLocation Location { get => throw null; set => throw null; } - public bool NoStore { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public ResponseCacheAttribute() => throw null; - public string VaryByHeader { get => throw null; set => throw null; } - public string[] VaryByQueryKeys { get => throw null; set => throw null; } + public AcceptedAtRouteResult(object routeValues, object value) : base(default(object)) => throw null; + public AcceptedAtRouteResult(string routeName, object routeValues, object value) : base(default(object)) => throw null; + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string RouteName { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } } - - public enum ResponseCacheLocation : int + public class AcceptedResult : Microsoft.AspNetCore.Mvc.ObjectResult { - Any = 0, - Client = 1, - None = 2, + public AcceptedResult() : base(default(object)) => throw null; + public AcceptedResult(string location, object value) : base(default(object)) => throw null; + public AcceptedResult(System.Uri locationUri, object value) : base(default(object)) => throw null; + public string Location { get => throw null; set { } } + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; } - - public class RouteAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider + public sealed class AcceptVerbsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IActionHttpMethodProvider, Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider { - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } + public AcceptVerbsAttribute(string method) => throw null; + public AcceptVerbsAttribute(params string[] methods) => throw null; + public System.Collections.Generic.IEnumerable HttpMethods { get => throw null; } + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } int? Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Order { get => throw null; } - public RouteAttribute(string template) => throw null; - public string Template { get => throw null; } - } - - public class SerializableError : System.Collections.Generic.Dictionary - { - public SerializableError() => throw null; - public SerializableError(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - } - - public class ServiceFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public ServiceFilterAttribute(System.Type type) => throw null; - public System.Type ServiceType { get => throw null; } - } - - public class SignInResult : Microsoft.AspNetCore.Mvc.ActionResult - { - public string AuthenticationScheme { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - public SignInResult(System.Security.Claims.ClaimsPrincipal principal) => throw null; - public SignInResult(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public SignInResult(string authenticationScheme, System.Security.Claims.ClaimsPrincipal principal) => throw null; - public SignInResult(string authenticationScheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - } - - public class SignOutResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Http.IResult - { - public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set => throw null; } - System.Threading.Tasks.Task Microsoft.AspNetCore.Http.IResult.ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set => throw null; } - public SignOutResult() => throw null; - public SignOutResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public SignOutResult(System.Collections.Generic.IList authenticationSchemes) => throw null; - public SignOutResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public SignOutResult(string authenticationScheme) => throw null; - public SignOutResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public string Route { get => throw null; set { } } + string Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Template { get => throw null; } } - - public class StatusCodeResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult + namespace ActionConstraints { - public override void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public int StatusCode { get => throw null; } - int? Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult.StatusCode { get => throw null; } - public StatusCodeResult(int statusCode) => throw null; + public abstract class ActionMethodSelectorAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata + { + public bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; + protected ActionMethodSelectorAttribute() => throw null; + public abstract bool IsValidForRequest(Microsoft.AspNetCore.Routing.RouteContext routeContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor action); + public int Order { get => throw null; set { } } + } + public class HttpMethodActionConstraint : Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata + { + public virtual bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; + public HttpMethodActionConstraint(System.Collections.Generic.IEnumerable httpMethods) => throw null; + public static int HttpMethodConstraintOrder; + public System.Collections.Generic.IEnumerable HttpMethods { get => throw null; } + public int Order { get => throw null; } + } } - - public class TypeFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public class ActionContextAttribute : System.Attribute { - public object[] Arguments { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public System.Type ImplementationType { get => throw null; } - public bool IsReusable { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public TypeFilterAttribute(System.Type type) => throw null; + public ActionContextAttribute() => throw null; } - - public class UnauthorizedObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + public sealed class ActionNameAttribute : System.Attribute { - public UnauthorizedObjectResult(object value) : base(default(object)) => throw null; + public ActionNameAttribute(string name) => throw null; + public string Name { get => throw null; } } - - public class UnauthorizedResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + public abstract class ActionResult : Microsoft.AspNetCore.Mvc.IActionResult { - public UnauthorizedResult() : base(default(int)) => throw null; + protected ActionResult() => throw null; + public virtual void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public virtual System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; } - - public class UnprocessableEntityObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + public sealed class ActionResult : Microsoft.AspNetCore.Mvc.Infrastructure.IConvertToActionResult { - public UnprocessableEntityObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; - public UnprocessableEntityObjectResult(object error) : base(default(object)) => throw null; + Microsoft.AspNetCore.Mvc.IActionResult Microsoft.AspNetCore.Mvc.Infrastructure.IConvertToActionResult.Convert() => throw null; + public ActionResult(TValue value) => throw null; + public ActionResult(Microsoft.AspNetCore.Mvc.ActionResult result) => throw null; + public static implicit operator Microsoft.AspNetCore.Mvc.ActionResult(TValue value) => throw null; + public static implicit operator Microsoft.AspNetCore.Mvc.ActionResult(Microsoft.AspNetCore.Mvc.ActionResult result) => throw null; + public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } + public TValue Value { get => throw null; } } - - public class UnprocessableEntityResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + public class AntiforgeryValidationFailedResult : Microsoft.AspNetCore.Mvc.BadRequestResult, Microsoft.AspNetCore.Mvc.Core.Infrastructure.IAntiforgeryValidationFailedResult, Microsoft.AspNetCore.Mvc.IActionResult { - public UnprocessableEntityResult() : base(default(int)) => throw null; + public AntiforgeryValidationFailedResult() => throw null; } - - public class UnsupportedMediaTypeResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + public class ApiBehaviorOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public UnsupportedMediaTypeResult() : base(default(int)) => throw null; + public System.Collections.Generic.IDictionary ClientErrorMapping { get => throw null; } + public ApiBehaviorOptions() => throw null; + public bool DisableImplicitFromServicesParameters { get => throw null; set { } } + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Func InvalidModelStateResponseFactory { get => throw null; set { } } + public bool SuppressConsumesConstraintForFormFileParameters { get => throw null; set { } } + public bool SuppressInferBindingSourcesForParameters { get => throw null; set { } } + public bool SuppressMapClientErrors { get => throw null; set { } } + public bool SuppressModelStateInvalidFilter { get => throw null; set { } } } - - public static class UrlHelperExtensions + public class ApiControllerAttribute : Microsoft.AspNetCore.Mvc.ControllerAttribute, Microsoft.AspNetCore.Mvc.Infrastructure.IApiBehaviorMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, object values) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol, string host) => throw null; - public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol, string host, string fragment) => throw null; - public static string ActionLink(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action = default(string), string controller = default(string), object values = default(object), string protocol = default(string), string host = default(string), string fragment = default(string)) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, object values) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol, string host) => throw null; - public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol, string host, string fragment) => throw null; - public static string PageLink(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName = default(string), string pageHandler = default(string), object values = default(object), string protocol = default(string), string host = default(string), string fragment = default(string)) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, object values) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol, string host) => throw null; - public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol, string host, string fragment) => throw null; + public ApiControllerAttribute() => throw null; } - - public class ValidationProblemDetails : Microsoft.AspNetCore.Http.HttpValidationProblemDetails + public sealed class ApiConventionMethodAttribute : System.Attribute { - public System.Collections.Generic.IDictionary Errors { get => throw null; } - public ValidationProblemDetails() => throw null; - public ValidationProblemDetails(System.Collections.Generic.IDictionary errors) => throw null; - public ValidationProblemDetails(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public System.Type ConventionType { get => throw null; } + public ApiConventionMethodAttribute(System.Type conventionType, string methodName) => throw null; } - - public class VirtualFileResult : Microsoft.AspNetCore.Mvc.FileResult + public sealed class ApiConventionTypeAttribute : System.Attribute { - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public string FileName { get => throw null; set => throw null; } - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public VirtualFileResult(string fileName, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; - public VirtualFileResult(string fileName, string contentType) : base(default(string)) => throw null; + public System.Type ConventionType { get => throw null; } + public ApiConventionTypeAttribute(System.Type conventionType) => throw null; } - - namespace ActionConstraints + public class ApiDescriptionActionData { - public abstract class ActionMethodSelectorAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata - { - public bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; - protected ActionMethodSelectorAttribute() => throw null; - public abstract bool IsValidForRequest(Microsoft.AspNetCore.Routing.RouteContext routeContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor action); - public int Order { get => throw null; set => throw null; } - } - - public class HttpMethodActionConstraint : Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata - { - public virtual bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; - public HttpMethodActionConstraint(System.Collections.Generic.IEnumerable httpMethods) => throw null; - public static int HttpMethodConstraintOrder; - public System.Collections.Generic.IEnumerable HttpMethods { get => throw null; } - public int Order { get => throw null; } - } - - internal interface IConsumesActionConstraint : Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata - { - } - + public ApiDescriptionActionData() => throw null; + public string GroupName { get => throw null; set { } } } namespace ApiExplorer { - public class ApiConventionNameMatchAttribute : System.Attribute + public sealed class ApiConventionNameMatchAttribute : System.Attribute { public ApiConventionNameMatchAttribute(Microsoft.AspNetCore.Mvc.ApiExplorer.ApiConventionNameMatchBehavior matchBehavior) => throw null; public Microsoft.AspNetCore.Mvc.ApiExplorer.ApiConventionNameMatchBehavior MatchBehavior { get => throw null; } } - - public enum ApiConventionNameMatchBehavior : int + public enum ApiConventionNameMatchBehavior { Any = 0, Exact = 1, Prefix = 2, Suffix = 3, } - - public class ApiConventionResult + public sealed class ApiConventionResult { public ApiConventionResult(System.Collections.Generic.IReadOnlyList responseMetadataProviders) => throw null; public System.Collections.Generic.IReadOnlyList ResponseMetadataProviders { get => throw null; } } - - public class ApiConventionTypeMatchAttribute : System.Attribute + public sealed class ApiConventionTypeMatchAttribute : System.Attribute { public ApiConventionTypeMatchAttribute(Microsoft.AspNetCore.Mvc.ApiExplorer.ApiConventionTypeMatchBehavior matchBehavior) => throw null; public Microsoft.AspNetCore.Mvc.ApiExplorer.ApiConventionTypeMatchBehavior MatchBehavior { get => throw null; } } - - public enum ApiConventionTypeMatchBehavior : int + public enum ApiConventionTypeMatchBehavior { Any = 0, AssignableFrom = 1, } - public interface IApiDefaultResponseMetadataProvider : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - public interface IApiDescriptionGroupNameProvider { string GroupName { get; } } - public interface IApiDescriptionVisibilityProvider { bool IgnoreApi { get; } } - public interface IApiRequestFormatMetadataProvider { System.Collections.Generic.IReadOnlyList GetSupportedContentTypes(string contentType, System.Type objectType); } - public interface IApiRequestMetadataProvider : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes); } - public interface IApiResponseMetadataProvider : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes); int StatusCode { get; } System.Type Type { get; } } - public interface IApiResponseTypeMetadataProvider { System.Collections.Generic.IReadOnlyList GetSupportedContentTypes(string contentType, System.Type objectType); } - + } + public class ApiExplorerSettingsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionGroupNameProvider, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDescriptionVisibilityProvider + { + public ApiExplorerSettingsAttribute() => throw null; + public string GroupName { get => throw null; set { } } + public bool IgnoreApi { get => throw null; set { } } } namespace ApplicationModels { - public class ActionModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel + public class ActionModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel { public System.Reflection.MethodInfo ActionMethod { get => throw null; } - public ActionModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel other) => throw null; - public ActionModel(System.Reflection.MethodInfo actionMethod, System.Collections.Generic.IReadOnlyList attributes) => throw null; - public string ActionName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set => throw null; } + public string ActionName { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set { } } public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel Controller { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel Controller { get => throw null; set { } } + public ActionModel(System.Reflection.MethodInfo actionMethod, System.Collections.Generic.IReadOnlyList attributes) => throw null; + public ActionModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel other) => throw null; public string DisplayName { get => throw null; } public System.Collections.Generic.IList Filters { get => throw null; } System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } string Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.Name { get => throw null; } public System.Collections.Generic.IList Parameters { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } - public Microsoft.AspNetCore.Routing.IOutboundParameterTransformer RouteParameterTransformer { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.IOutboundParameterTransformer RouteParameterTransformer { get => throw null; set { } } public System.Collections.Generic.IDictionary RouteValues { get => throw null; } public System.Collections.Generic.IList Selectors { get => throw null; } } - public class ApiConventionApplicationModelConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { - public ApiConventionApplicationModelConvention(Microsoft.AspNetCore.Mvc.ProducesErrorResponseTypeAttribute defaultErrorResponseType) => throw null; public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; + public ApiConventionApplicationModelConvention(Microsoft.AspNetCore.Mvc.ProducesErrorResponseTypeAttribute defaultErrorResponseType) => throw null; public Microsoft.AspNetCore.Mvc.ProducesErrorResponseTypeAttribute DefaultErrorResponseType { get => throw null; } protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class ApiExplorerModel { public ApiExplorerModel() => throw null; public ApiExplorerModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel other) => throw null; - public string GroupName { get => throw null; set => throw null; } - public bool? IsVisible { get => throw null; set => throw null; } + public string GroupName { get => throw null; set { } } + public bool? IsVisible { get => throw null; set { } } } - public class ApiVisibilityConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { - public ApiVisibilityConvention() => throw null; public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; + public ApiVisibilityConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - - public class ApplicationModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel + public class ApplicationModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel { - public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set => throw null; } - public ApplicationModel() => throw null; + public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set { } } public System.Collections.Generic.IList Controllers { get => throw null; } + public ApplicationModel() => throw null; public System.Collections.Generic.IList Filters { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - public class ApplicationModelProviderContext { - public ApplicationModelProviderContext(System.Collections.Generic.IEnumerable controllerTypes) => throw null; public System.Collections.Generic.IEnumerable ControllerTypes { get => throw null; } + public ApplicationModelProviderContext(System.Collections.Generic.IEnumerable controllerTypes) => throw null; public Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModel Result { get => throw null; } } - public class AttributeRouteModel { public Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider Attribute { get => throw null; } - public AttributeRouteModel() => throw null; - public AttributeRouteModel(Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel other) => throw null; - public AttributeRouteModel(Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider templateProvider) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel CombineAttributeRouteModel(Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel left, Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel right) => throw null; public static string CombineTemplates(string prefix, string template) => throw null; + public AttributeRouteModel() => throw null; + public AttributeRouteModel(Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider templateProvider) => throw null; + public AttributeRouteModel(Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel other) => throw null; public bool IsAbsoluteTemplate { get => throw null; } public static bool IsOverridePattern(string template) => throw null; - public string Name { get => throw null; set => throw null; } - public int? Order { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public int? Order { get => throw null; set { } } public static string ReplaceTokens(string template, System.Collections.Generic.IDictionary values) => throw null; public static string ReplaceTokens(string template, System.Collections.Generic.IDictionary values, Microsoft.AspNetCore.Routing.IOutboundParameterTransformer routeTokenTransformer) => throw null; - public bool SuppressLinkGeneration { get => throw null; set => throw null; } - public bool SuppressPathMatching { get => throw null; set => throw null; } - public string Template { get => throw null; set => throw null; } + public bool SuppressLinkGeneration { get => throw null; set { } } + public bool SuppressPathMatching { get => throw null; set { } } + public string Template { get => throw null; set { } } } - public class ClientErrorResultFilterConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; public ClientErrorResultFilterConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class ConsumesConstraintForFormFileParameterConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; public ConsumesConstraintForFormFileParameterConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - - public class ControllerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel + public class ControllerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel { public System.Collections.Generic.IList Actions { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModel Application { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModel Application { get => throw null; set { } } public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public ControllerModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel other) => throw null; - public ControllerModel(System.Reflection.TypeInfo controllerType, System.Collections.Generic.IReadOnlyList attributes) => throw null; - public string ControllerName { get => throw null; set => throw null; } + public string ControllerName { get => throw null; set { } } public System.Collections.Generic.IList ControllerProperties { get => throw null; } public System.Reflection.TypeInfo ControllerType { get => throw null; } + public ControllerModel(System.Reflection.TypeInfo controllerType, System.Collections.Generic.IReadOnlyList attributes) => throw null; + public ControllerModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel other) => throw null; public string DisplayName { get => throw null; } public System.Collections.Generic.IList Filters { get => throw null; } System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } @@ -1336,66 +326,42 @@ public class ControllerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiEx public System.Collections.Generic.IDictionary RouteValues { get => throw null; } public System.Collections.Generic.IList Selectors { get => throw null; } } - public interface IActionModelConvention { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action); } - public interface IApiExplorerModel { Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get; set; } } - public interface IApplicationModelConvention { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModel application); } - public interface IApplicationModelProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModelProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ApplicationModels.ApplicationModelProviderContext context); int Order { get; } } - public interface IBindingModel { Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get; set; } } - public interface ICommonModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { System.Collections.Generic.IReadOnlyList Attributes { get; } System.Reflection.MemberInfo MemberInfo { get; } string Name { get; } } - public interface IControllerModelConvention { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel controller); } - public interface IFilterModel { System.Collections.Generic.IList Filters { get; } } - - public interface IParameterModelBaseConvention - { - void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase parameter); - } - - public interface IParameterModelConvention - { - void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModel parameter); - } - - public interface IPropertyModel - { - System.Collections.Generic.IDictionary Properties { get; } - } - public class InferParameterBindingInfoConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; @@ -1403,66 +369,71 @@ public class InferParameterBindingInfoConvention : Microsoft.AspNetCore.Mvc.Appl public InferParameterBindingInfoConvention(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, Microsoft.Extensions.DependencyInjection.IServiceProviderIsService serviceProviderIsService) => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class InvalidModelStateFilterConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; public InvalidModelStateFilterConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - + public interface IParameterModelBaseConvention + { + void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase parameter); + } + public interface IParameterModelConvention + { + void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModel parameter); + } + public interface IPropertyModel + { + System.Collections.Generic.IDictionary Properties { get; } + } public class ParameterModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { - public Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel Action { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel Action { get => throw null; set { } } public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } + public ParameterModel(System.Reflection.ParameterInfo parameterInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + public ParameterModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; public string DisplayName { get => throw null; } System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } public System.Reflection.ParameterInfo ParameterInfo { get => throw null; } - public ParameterModel(System.Reflection.ParameterInfo parameterInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; - public ParameterModel(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; - public string ParameterName { get => throw null; set => throw null; } + public string ParameterName { get => throw null; set { } } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - public abstract class ParameterModelBase : Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - protected ParameterModelBase(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase other) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set { } } protected ParameterModelBase(System.Type parameterType, System.Collections.Generic.IReadOnlyList attributes) => throw null; + protected ParameterModelBase(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase other) => throw null; + public string Name { get => throw null; set { } } public System.Type ParameterType { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - - public class PropertyModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel + public class PropertyModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel Controller { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel Controller { get => throw null; set { } } + public PropertyModel(System.Reflection.PropertyInfo propertyInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + public PropertyModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PropertyModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } - public PropertyModel(System.Reflection.PropertyInfo propertyInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; - public PropertyModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PropertyModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; - public string PropertyName { get => throw null; set => throw null; } + public string PropertyName { get => throw null; set { } } } - public class RouteTokenTransformerConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; public RouteTokenTransformerConvention(Microsoft.AspNetCore.Routing.IOutboundParameterTransformer parameterTransformer) => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class SelectorModel { public System.Collections.Generic.IList ActionConstraints { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel AttributeRouteModel { get => throw null; set => throw null; } - public System.Collections.Generic.IList EndpointMetadata { get => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.AttributeRouteModel AttributeRouteModel { get => throw null; set { } } public SelectorModel() => throw null; public SelectorModel(Microsoft.AspNetCore.Mvc.ApplicationModels.SelectorModel other) => throw null; + public System.Collections.Generic.IList EndpointMetadata { get => throw null; } } - } namespace ApplicationParts { @@ -1471,28 +442,24 @@ public abstract class ApplicationPart protected ApplicationPart() => throw null; public abstract string Name { get; } } - - public class ApplicationPartAttribute : System.Attribute + public sealed class ApplicationPartAttribute : System.Attribute { - public ApplicationPartAttribute(string assemblyName) => throw null; public string AssemblyName { get => throw null; } + public ApplicationPartAttribute(string assemblyName) => throw null; } - public abstract class ApplicationPartFactory { protected ApplicationPartFactory() => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartFactory GetApplicationPartFactory(System.Reflection.Assembly assembly) => throw null; public abstract System.Collections.Generic.IEnumerable GetApplicationParts(System.Reflection.Assembly assembly); } - public class ApplicationPartManager { - public ApplicationPartManager() => throw null; public System.Collections.Generic.IList ApplicationParts { get => throw null; } + public ApplicationPartManager() => throw null; public System.Collections.Generic.IList FeatureProviders { get => throw null; } public void PopulateFeature(TFeature feature) => throw null; } - public class AssemblyPart : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPart, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationPartTypeProvider { public System.Reflection.Assembly Assembly { get => throw null; } @@ -1500,7 +467,6 @@ public class AssemblyPart : Microsoft.AspNetCore.Mvc.ApplicationParts.Applicatio public override string Name { get => throw null; } public System.Collections.Generic.IEnumerable Types { get => throw null; } } - public class DefaultApplicationPartFactory : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartFactory { public DefaultApplicationPartFactory() => throw null; @@ -1508,46 +474,42 @@ public class DefaultApplicationPartFactory : Microsoft.AspNetCore.Mvc.Applicatio public static System.Collections.Generic.IEnumerable GetDefaultApplicationParts(System.Reflection.Assembly assembly) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationParts.DefaultApplicationPartFactory Instance { get => throw null; } } - public interface IApplicationFeatureProvider { } - public interface IApplicationFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider { void PopulateFeature(System.Collections.Generic.IEnumerable parts, TFeature feature); } - public interface IApplicationPartTypeProvider { System.Collections.Generic.IEnumerable Types { get; } } - public interface ICompilationReferencesProvider { System.Collections.Generic.IEnumerable GetReferencePaths(); } - public class NullApplicationPartFactory : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartFactory { - public override System.Collections.Generic.IEnumerable GetApplicationParts(System.Reflection.Assembly assembly) => throw null; public NullApplicationPartFactory() => throw null; + public override System.Collections.Generic.IEnumerable GetApplicationParts(System.Reflection.Assembly assembly) => throw null; } - - public class ProvideApplicationPartFactoryAttribute : System.Attribute + public sealed class ProvideApplicationPartFactoryAttribute : System.Attribute { - public System.Type GetFactoryType() => throw null; public ProvideApplicationPartFactoryAttribute(System.Type factoryType) => throw null; public ProvideApplicationPartFactoryAttribute(string factoryTypeName) => throw null; + public System.Type GetFactoryType() => throw null; } - - public class RelatedAssemblyAttribute : System.Attribute + public sealed class RelatedAssemblyAttribute : System.Attribute { public string AssemblyFileName { get => throw null; } - public static System.Collections.Generic.IReadOnlyList GetRelatedAssemblies(System.Reflection.Assembly assembly, bool throwOnError) => throw null; public RelatedAssemblyAttribute(string assemblyFileName) => throw null; + public static System.Collections.Generic.IReadOnlyList GetRelatedAssemblies(System.Reflection.Assembly assembly, bool throwOnError) => throw null; } - + } + public class AreaAttribute : Microsoft.AspNetCore.Mvc.Routing.RouteValueAttribute + { + public AreaAttribute(string areaName) : base(default(string), default(string)) => throw null; } namespace Authorization { @@ -1555,109 +517,379 @@ public class AllowAnonymousFilter : Microsoft.AspNetCore.Mvc.Authorization.IAllo { public AllowAnonymousFilter() => throw null; } - - public class AuthorizeFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + public class AuthorizeFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory { public System.Collections.Generic.IEnumerable AuthorizeData { get => throw null; } + Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Microsoft.AspNetCore.Mvc.Filters.IFilterFactory.CreateInstance(System.IServiceProvider serviceProvider) => throw null; public AuthorizeFilter() => throw null; public AuthorizeFilter(Microsoft.AspNetCore.Authorization.AuthorizationPolicy policy) => throw null; public AuthorizeFilter(Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider policyProvider, System.Collections.Generic.IEnumerable authorizeData) => throw null; public AuthorizeFilter(System.Collections.Generic.IEnumerable authorizeData) => throw null; public AuthorizeFilter(string policy) => throw null; - Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Microsoft.AspNetCore.Mvc.Filters.IFilterFactory.CreateInstance(System.IServiceProvider serviceProvider) => throw null; bool Microsoft.AspNetCore.Mvc.Filters.IFilterFactory.IsReusable { get => throw null; } public virtual System.Threading.Tasks.Task OnAuthorizationAsync(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext context) => throw null; public Microsoft.AspNetCore.Authorization.AuthorizationPolicy Policy { get => throw null; } public Microsoft.AspNetCore.Authorization.IAuthorizationPolicyProvider PolicyProvider { get => throw null; } } - + } + public class BadRequestObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public BadRequestObjectResult(object error) : base(default(object)) => throw null; + public BadRequestObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; + } + public class BadRequestResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public BadRequestResult() : base(default(int)) => throw null; + } + public class BindAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider + { + public BindAttribute(params string[] include) => throw null; + public string[] Include { get => throw null; } + string Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider.Name { get => throw null; } + public string Prefix { get => throw null; set { } } + public System.Func PropertyFilter { get => throw null; } + } + public class BindPropertiesAttribute : System.Attribute + { + public BindPropertiesAttribute() => throw null; + public bool SupportsGet { get => throw null; set { } } + } + public class BindPropertyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider + { + public System.Type BinderType { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } + public BindPropertyAttribute() => throw null; + public string Name { get => throw null; set { } } + System.Func Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider.RequestPredicate { get => throw null; } + public bool SupportsGet { get => throw null; set { } } + } + public class CacheProfile + { + public CacheProfile() => throw null; + public int? Duration { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ResponseCacheLocation? Location { get => throw null; set { } } + public bool? NoStore { get => throw null; set { } } + public string VaryByHeader { get => throw null; set { } } + public string[] VaryByQueryKeys { get => throw null; set { } } + } + public class ChallengeResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set { } } + public ChallengeResult() => throw null; + public ChallengeResult(string authenticationScheme) => throw null; + public ChallengeResult(System.Collections.Generic.IList authenticationSchemes) => throw null; + public ChallengeResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public ChallengeResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public ChallengeResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } + } + public class ClientErrorData + { + public ClientErrorData() => throw null; + public string Link { get => throw null; set { } } + public string Title { get => throw null; set { } } + } + public enum CompatibilityVersion + { + Version_2_0 = 0, + Version_2_1 = 1, + Version_2_2 = 2, + Version_3_0 = 3, + Latest = 2147483647, + } + public class ConflictObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public ConflictObjectResult(object error) : base(default(object)) => throw null; + public ConflictObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; + } + public class ConflictResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public ConflictResult() : base(default(int)) => throw null; + } + public class ConsumesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestMetadataProvider, Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata + { + public bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; + public static int ConsumesActionConstraintOrder; + public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set { } } + System.Collections.Generic.IReadOnlyList Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata.ContentTypes { get => throw null; } + public ConsumesAttribute(string contentType, params string[] otherContentTypes) => throw null; + public ConsumesAttribute(System.Type requestType, string contentType, params string[] otherContentTypes) => throw null; + public bool IsOptional { get => throw null; set { } } + public void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context) => throw null; + public void OnResourceExecuting(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context) => throw null; + int Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint.Order { get => throw null; } + System.Type Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata.RequestType { get => throw null; } + public void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; + } + public class ContentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public string Content { get => throw null; set { } } + public string ContentType { get => throw null; set { } } + public ContentResult() => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public int? StatusCode { get => throw null; set { } } + } + public class ControllerAttribute : System.Attribute + { + public ControllerAttribute() => throw null; + } + public abstract class ControllerBase + { + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted() => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(System.Uri uri) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(string uri) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(string uri, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedResult Accepted(System.Uri uri, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtActionResult AcceptedAtAction(string actionName, string controllerName, object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.AcceptedAtRouteResult AcceptedAtRoute(string routeName, object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.BadRequestResult BadRequest() => throw null; + public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(object error) => throw null; + public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ConflictResult Conflict() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ConflictObjectResult Conflict(object error) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ConflictObjectResult Conflict(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; + public Microsoft.AspNetCore.Mvc.ControllerContext ControllerContext { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.CreatedResult Created(string uri, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedResult Created(System.Uri uri, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtActionResult CreatedAtAction(string actionName, string controllerName, object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(string routeName, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(object routeValues, object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.CreatedAtRouteResult CreatedAtRoute(string routeName, object routeValues, object value) => throw null; + protected ControllerBase() => throw null; + public static Microsoft.AspNetCore.Mvc.EmptyResult Empty { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirect(string localUrl) => throw null; + public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanent(string localUrl) => throw null; + public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanentPreserveMethod(string localUrl) => throw null; + public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPreserveMethod(string localUrl) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory ModelBinderFactory { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.NoContentResult NoContent() => throw null; + public virtual Microsoft.AspNetCore.Mvc.NotFoundResult NotFound() => throw null; + public virtual Microsoft.AspNetCore.Mvc.NotFoundObjectResult NotFound(object value) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator ObjectValidator { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.OkResult Ok() => throw null; + public virtual Microsoft.AspNetCore.Mvc.OkObjectResult Ok(object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName, System.DateTimeOffset? lastModified, Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag, bool enableRangeProcessing) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ObjectResult Problem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string)) => throw null; + public Microsoft.AspNetCore.Mvc.Infrastructure.ProblemDetailsFactory ProblemDetailsFactory { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.RedirectResult Redirect(string url) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanent(string url) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanentPreserveMethod(string url) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPreserveMethod(string url) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction() => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanentPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanentPreserveMethod(string pageName, string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePreserveMethod(string pageName, string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanentPreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; + public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } + public Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, string authenticationScheme) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut() => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.StatusCodeResult StatusCode(int statusCode) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ObjectResult StatusCode(int statusCode, object value) => throw null; + public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model) where TModel : class => throw null; + public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix) where TModel : class => throw null; + public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, System.Func propertyFilter) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; + public virtual System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix) => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; + public virtual bool TryValidateModel(object model) => throw null; + public virtual bool TryValidateModel(object model, string prefix) => throw null; + public virtual Microsoft.AspNetCore.Mvc.UnauthorizedResult Unauthorized() => throw null; + public virtual Microsoft.AspNetCore.Mvc.UnauthorizedObjectResult Unauthorized(object value) => throw null; + public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityResult UnprocessableEntity() => throw null; + public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityObjectResult UnprocessableEntity(object error) => throw null; + public virtual Microsoft.AspNetCore.Mvc.UnprocessableEntityObjectResult UnprocessableEntity(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set { } } + public System.Security.Claims.ClaimsPrincipal User { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(Microsoft.AspNetCore.Mvc.ValidationProblemDetails descriptor) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ActionResult ValidationProblem(string detail = default(string), string instance = default(string), int? statusCode = default(int?), string title = default(string), string type = default(string), Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary = default(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary)) => throw null; + } + public class ControllerContext : Microsoft.AspNetCore.Mvc.ActionContext + { + public Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor ActionDescriptor { get => throw null; set { } } + public ControllerContext() => throw null; + public ControllerContext(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public virtual System.Collections.Generic.IList ValueProviderFactories { get => throw null; set { } } + } + public class ControllerContextAttribute : System.Attribute + { + public ControllerContextAttribute() => throw null; } namespace Controllers { public class ControllerActionDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor { - public virtual string ActionName { get => throw null; set => throw null; } + public virtual string ActionName { get => throw null; set { } } + public string ControllerName { get => throw null; set { } } + public System.Reflection.TypeInfo ControllerTypeInfo { get => throw null; set { } } public ControllerActionDescriptor() => throw null; - public string ControllerName { get => throw null; set => throw null; } - public System.Reflection.TypeInfo ControllerTypeInfo { get => throw null; set => throw null; } - public override string DisplayName { get => throw null; set => throw null; } - public System.Reflection.MethodInfo MethodInfo { get => throw null; set => throw null; } + public override string DisplayName { get => throw null; set { } } + public System.Reflection.MethodInfo MethodInfo { get => throw null; set { } } } - public class ControllerActivatorProvider : Microsoft.AspNetCore.Mvc.Controllers.IControllerActivatorProvider { - public ControllerActivatorProvider(Microsoft.AspNetCore.Mvc.Controllers.IControllerActivator controllerActivator) => throw null; public System.Func CreateActivator(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; public System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; public System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; + public ControllerActivatorProvider(Microsoft.AspNetCore.Mvc.Controllers.IControllerActivator controllerActivator) => throw null; } - public class ControllerBoundPropertyDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IPropertyInfoParameterDescriptor { public ControllerBoundPropertyDescriptor() => throw null; - public System.Reflection.PropertyInfo PropertyInfo { get => throw null; set => throw null; } + public System.Reflection.PropertyInfo PropertyInfo { get => throw null; set { } } } - public class ControllerFeature { - public ControllerFeature() => throw null; public System.Collections.Generic.IList Controllers { get => throw null; } + public ControllerFeature() => throw null; } - - public class ControllerFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider + public class ControllerFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider { public ControllerFeatureProvider() => throw null; protected virtual bool IsController(System.Reflection.TypeInfo typeInfo) => throw null; public void PopulateFeature(System.Collections.Generic.IEnumerable parts, Microsoft.AspNetCore.Mvc.Controllers.ControllerFeature feature) => throw null; } - public class ControllerParameterDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IParameterInfoParameterDescriptor { public ControllerParameterDescriptor() => throw null; - public System.Reflection.ParameterInfo ParameterInfo { get => throw null; set => throw null; } + public System.Reflection.ParameterInfo ParameterInfo { get => throw null; set { } } } - public interface IControllerActivator { object Create(Microsoft.AspNetCore.Mvc.ControllerContext context); void Release(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller); - System.Threading.Tasks.ValueTask ReleaseAsync(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; + virtual System.Threading.Tasks.ValueTask ReleaseAsync(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; } - public interface IControllerActivatorProvider { System.Func CreateActivator(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor); - System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor); } - public interface IControllerFactory { object CreateController(Microsoft.AspNetCore.Mvc.ControllerContext context); void ReleaseController(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller); - System.Threading.Tasks.ValueTask ReleaseControllerAsync(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; + virtual System.Threading.Tasks.ValueTask ReleaseControllerAsync(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; } - public interface IControllerFactoryProvider { - System.Func CreateAsyncControllerReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncControllerReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor) => throw null; System.Func CreateControllerFactory(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor); System.Action CreateControllerReleaser(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor descriptor); } - - internal interface IControllerPropertyActivator - { - void Activate(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller); - System.Action GetActivatorDelegate(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor actionDescriptor); - } - public class ServiceBasedControllerActivator : Microsoft.AspNetCore.Mvc.Controllers.IControllerActivator { public object Create(Microsoft.AspNetCore.Mvc.ControllerContext actionContext) => throw null; - public virtual void Release(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; public ServiceBasedControllerActivator() => throw null; + public virtual void Release(Microsoft.AspNetCore.Mvc.ControllerContext context, object controller) => throw null; } - } namespace Core { @@ -1666,345 +898,384 @@ namespace Infrastructure public interface IAntiforgeryValidationFailedResult : Microsoft.AspNetCore.Mvc.IActionResult { } - } } + public class CreatedAtActionResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public string ActionName { get => throw null; set { } } + public string ControllerName { get => throw null; set { } } + public CreatedAtActionResult(string actionName, string controllerName, object routeValues, object value) : base(default(object)) => throw null; + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class CreatedAtRouteResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public CreatedAtRouteResult(object routeValues, object value) : base(default(object)) => throw null; + public CreatedAtRouteResult(string routeName, object routeValues, object value) : base(default(object)) => throw null; + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string RouteName { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class CreatedResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public CreatedResult(string location, object value) : base(default(object)) => throw null; + public CreatedResult(System.Uri location, object value) : base(default(object)) => throw null; + public string Location { get => throw null; set { } } + public override void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + } + public static class DefaultApiConventions + { + public static void Create(object model) => throw null; + public static void Delete(object id) => throw null; + public static void Edit(object id, object model) => throw null; + public static void Find(object id) => throw null; + public static void Get(object id) => throw null; + public static void Post(object model) => throw null; + public static void Put(object id, object model) => throw null; + public static void Update(object id, object model) => throw null; + } namespace Diagnostics { - public class AfterActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; + public static string EventName; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterActionFilterOnActionExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterActionFilterOnActionExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } - public AfterActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterActionFilterOnActionExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterActionFilterOnActionExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } - public AfterActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterActionFilterOnActionExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterActionFilterOnActionExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } - public AfterActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterActionResultEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterActionResultEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public AfterActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } + public AfterActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterAuthorizationFilterOnAuthorizationEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterAuthorizationFilterOnAuthorizationEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; public Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext AuthorizationContext { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public AfterAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterControllerActionMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterControllerActionMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public AfterControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, object controller, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; public System.Collections.Generic.IReadOnlyDictionary Arguments { get => throw null; } public object Controller { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } + public AfterControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, object controller, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterExceptionFilterOnExceptionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterExceptionFilterOnExceptionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterExceptionFilterOnExceptionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterExceptionFilterOnExceptionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.ExceptionContext ExceptionContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResourceFilterOnResourceExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResourceFilterOnResourceExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResourceFilterOnResourceExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResourceFilterOnResourceExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResourceFilterOnResourceExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResourceFilterOnResourceExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResultFilterOnResultExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResultFilterOnResultExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResultFilterOnResultExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResultFilterOnResultExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterResultFilterOnResultExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterResultFilterOnResultExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; + public static string EventName; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeActionFilterOnActionExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeActionFilterOnActionExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } - public BeforeActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeActionFilterOnActionExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeActionFilterOnActionExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } - public BeforeActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeActionFilterOnActionExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeActionFilterOnActionExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } - public BeforeActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeActionResultEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeActionResultEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public BeforeActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } + public BeforeActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeAuthorizationFilterOnAuthorizationEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeAuthorizationFilterOnAuthorizationEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext AuthorizationContext { get => throw null; } - public BeforeAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeControllerActionMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeControllerActionMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public System.Collections.Generic.IReadOnlyDictionary ActionArguments { get => throw null; } public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public BeforeControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary actionArguments, object controller) => throw null; public object Controller { get => throw null; } - protected override int Count { get => throw null; } - public const string EventName = default; - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } + protected override sealed int Count { get => throw null; } + public BeforeControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary actionArguments, object controller) => throw null; + public static string EventName; + protected override sealed System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeExceptionFilterOnException : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeExceptionFilterOnException : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeExceptionFilterOnException(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeExceptionFilterOnException(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.ExceptionContext ExceptionContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResourceFilterOnResourceExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResourceFilterOnResourceExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResourceFilterOnResourceExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResourceFilterOnResourceExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResourceFilterOnResourceExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResourceFilterOnResourceExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResultFilterOnResultExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResultFilterOnResultExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResultFilterOnResultExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResultFilterOnResultExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeResultFilterOnResultExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeResultFilterOnResultExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public abstract class EventData : System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyList>, System.Collections.IEnumerable + public abstract class EventData : System.Collections.Generic.IReadOnlyList>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection> { + protected abstract int Count { get; } + int System.Collections.Generic.IReadOnlyCollection>.Count { get => throw null; } + protected EventData() => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - protected abstract int Count { get; } - int System.Collections.Generic.IReadOnlyCollection>.Count { get => throw null; } - protected EventData() => throw null; - protected const string EventNamespace = default; + protected static string EventNamespace; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - protected abstract System.Collections.Generic.KeyValuePair this[int index] { get; } System.Collections.Generic.KeyValuePair System.Collections.Generic.IReadOnlyList>.this[int index] { get => throw null; } + protected abstract System.Collections.Generic.KeyValuePair this[int index] { get; } } - + } + public class DisableRequestSizeLimitAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata + { + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public DisableRequestSizeLimitAttribute() => throw null; + public bool IsReusable { get => throw null; } + long? Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata.MaxRequestBodySize { get => throw null; } + public int Order { get => throw null; set { } } + } + public class EmptyResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public EmptyResult() => throw null; + public override void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + } + public class FileContentResult : Microsoft.AspNetCore.Mvc.FileResult + { + public FileContentResult(byte[] fileContents, string contentType) : base(default(string)) => throw null; + public FileContentResult(byte[] fileContents, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public byte[] FileContents { get => throw null; set { } } + } + public abstract class FileResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public string ContentType { get => throw null; } + protected FileResult(string contentType) => throw null; + public bool EnableRangeProcessing { get => throw null; set { } } + public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; set { } } + public string FileDownloadName { get => throw null; set { } } + public System.DateTimeOffset? LastModified { get => throw null; set { } } + } + public class FileStreamResult : Microsoft.AspNetCore.Mvc.FileResult + { + public FileStreamResult(System.IO.Stream fileStream, string contentType) : base(default(string)) => throw null; + public FileStreamResult(System.IO.Stream fileStream, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public System.IO.Stream FileStream { get => throw null; set { } } } namespace Filters { - public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter + public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { protected ActionFilterAttribute() => throw null; public virtual void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; @@ -2013,30 +1284,27 @@ public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNet public virtual void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; public virtual void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context) => throw null; public virtual System.Threading.Tasks.Task OnResultExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ResultExecutionDelegate next) => throw null; - public int Order { get => throw null; set => throw null; } + public int Order { get => throw null; set { } } } - - public abstract class ExceptionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public abstract class ExceptionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { protected ExceptionFilterAttribute() => throw null; public virtual void OnException(Microsoft.AspNetCore.Mvc.Filters.ExceptionContext context) => throw null; public virtual System.Threading.Tasks.Task OnExceptionAsync(Microsoft.AspNetCore.Mvc.Filters.ExceptionContext context) => throw null; - public int Order { get => throw null; set => throw null; } + public int Order { get => throw null; set { } } } - public class FilterCollection : System.Collections.ObjectModel.Collection { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add(System.Type filterType) => throw null; - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add(System.Type filterType, int order) => throw null; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add() where TFilterType : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add(System.Type filterType) => throw null; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add(int order) where TFilterType : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService(System.Type filterType) => throw null; - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService(System.Type filterType, int order) => throw null; + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Add(System.Type filterType, int order) => throw null; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService() where TFilterType : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService(System.Type filterType) => throw null; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService(int order) where TFilterType : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata => throw null; + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata AddService(System.Type filterType, int order) => throw null; public FilterCollection() => throw null; } - public static class FilterScope { public static int Action; @@ -2045,16 +1313,32 @@ public static class FilterScope public static int Global; public static int Last; } - - public abstract class ResultFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter + public abstract class ResultFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { + protected ResultFilterAttribute() => throw null; public virtual void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; public virtual void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context) => throw null; public virtual System.Threading.Tasks.Task OnResultExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ResultExecutionDelegate next) => throw null; - public int Order { get => throw null; set => throw null; } - protected ResultFilterAttribute() => throw null; + public int Order { get => throw null; set { } } } - + } + public class ForbidResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set { } } + public ForbidResult() => throw null; + public ForbidResult(string authenticationScheme) => throw null; + public ForbidResult(System.Collections.Generic.IList authenticationSchemes) => throw null; + public ForbidResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public ForbidResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public ForbidResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } + } + public class FormatFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + { + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public FormatFilterAttribute() => throw null; + public bool IsReusable { get => throw null; } } namespace Formatters { @@ -2067,195 +1351,242 @@ public class FormatFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Mi public void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; public void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context) => throw null; } - public class FormatterMappings { public bool ClearMediaTypeMappingForFormat(string format) => throw null; public FormatterMappings() => throw null; public string GetMediaTypeMappingForFormat(string format) => throw null; - public void SetMediaTypeMappingForFormat(string format, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; public void SetMediaTypeMappingForFormat(string format, string contentType) => throw null; + public void SetMediaTypeMappingForFormat(string format, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; } - public class HttpNoContentOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter { public bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context) => throw null; public HttpNoContentOutputFormatter() => throw null; - public bool TreatNullValueAsNoContent { get => throw null; set => throw null; } + public bool TreatNullValueAsNoContent { get => throw null; set { } } public System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; } - - internal interface IFormatFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata - { - string GetFormat(Microsoft.AspNetCore.Mvc.ActionContext context); - } - - public abstract class InputFormatter : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestFormatMetadataProvider, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter + public abstract class InputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestFormatMetadataProvider { public virtual bool CanRead(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context) => throw null; protected virtual bool CanReadType(System.Type type) => throw null; + protected InputFormatter() => throw null; protected virtual object GetDefaultValueForType(System.Type modelType) => throw null; public virtual System.Collections.Generic.IReadOnlyList GetSupportedContentTypes(string contentType, System.Type objectType) => throw null; - protected InputFormatter() => throw null; public virtual System.Threading.Tasks.Task ReadAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context) => throw null; public abstract System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context); public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection SupportedMediaTypes { get => throw null; } } - public struct MediaType { public Microsoft.Extensions.Primitives.StringSegment Charset { get => throw null; } public static Microsoft.AspNetCore.Mvc.Formatters.MediaTypeSegmentWithQuality CreateMediaTypeSegmentWithQuality(string mediaType, int start) => throw null; + public MediaType(string mediaType) => throw null; + public MediaType(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; + public MediaType(string mediaType, int offset, int? length) => throw null; public System.Text.Encoding Encoding { get => throw null; } - public static System.Text.Encoding GetEncoding(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; public static System.Text.Encoding GetEncoding(string mediaType) => throw null; - public Microsoft.Extensions.Primitives.StringSegment GetParameter(Microsoft.Extensions.Primitives.StringSegment parameterName) => throw null; + public static System.Text.Encoding GetEncoding(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; public Microsoft.Extensions.Primitives.StringSegment GetParameter(string parameterName) => throw null; + public Microsoft.Extensions.Primitives.StringSegment GetParameter(Microsoft.Extensions.Primitives.StringSegment parameterName) => throw null; public bool HasWildcard { get => throw null; } public bool IsSubsetOf(Microsoft.AspNetCore.Mvc.Formatters.MediaType set) => throw null; public bool MatchesAllSubTypes { get => throw null; } public bool MatchesAllSubTypesWithoutSuffix { get => throw null; } public bool MatchesAllTypes { get => throw null; } - // Stub generator skipped constructor - public MediaType(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; - public MediaType(string mediaType) => throw null; - public MediaType(string mediaType, int offset, int? length) => throw null; - public static string ReplaceEncoding(Microsoft.Extensions.Primitives.StringSegment mediaType, System.Text.Encoding encoding) => throw null; public static string ReplaceEncoding(string mediaType, System.Text.Encoding encoding) => throw null; + public static string ReplaceEncoding(Microsoft.Extensions.Primitives.StringSegment mediaType, System.Text.Encoding encoding) => throw null; public Microsoft.Extensions.Primitives.StringSegment SubType { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment SubTypeSuffix { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment SubTypeWithoutSuffix { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment Type { get => throw null; } } - public class MediaTypeCollection : System.Collections.ObjectModel.Collection { public void Add(Microsoft.Net.Http.Headers.MediaTypeHeaderValue item) => throw null; - public void Insert(int index, Microsoft.Net.Http.Headers.MediaTypeHeaderValue item) => throw null; public MediaTypeCollection() => throw null; + public void Insert(int index, Microsoft.Net.Http.Headers.MediaTypeHeaderValue item) => throw null; public bool Remove(Microsoft.Net.Http.Headers.MediaTypeHeaderValue item) => throw null; } - public struct MediaTypeSegmentWithQuality { - public Microsoft.Extensions.Primitives.StringSegment MediaType { get => throw null; } - // Stub generator skipped constructor public MediaTypeSegmentWithQuality(Microsoft.Extensions.Primitives.StringSegment mediaType, double quality) => throw null; + public Microsoft.Extensions.Primitives.StringSegment MediaType { get => throw null; } public double Quality { get => throw null; } public override string ToString() => throw null; } - - public abstract class OutputFormatter : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseTypeMetadataProvider, Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter + public abstract class OutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseTypeMetadataProvider { public virtual bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context) => throw null; protected virtual bool CanWriteType(System.Type type) => throw null; - public virtual System.Collections.Generic.IReadOnlyList GetSupportedContentTypes(string contentType, System.Type objectType) => throw null; protected OutputFormatter() => throw null; + public virtual System.Collections.Generic.IReadOnlyList GetSupportedContentTypes(string contentType, System.Type objectType) => throw null; public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection SupportedMediaTypes { get => throw null; } public virtual System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; public abstract System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context); public virtual void WriteResponseHeaders(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; } - public class StreamOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter { public bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context) => throw null; public StreamOutputFormatter() => throw null; public System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; } - public class StringOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter { public override bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context) => throw null; public StringOutputFormatter() => throw null; public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding encoding) => throw null; } - public class SystemTextJsonInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextInputFormatter, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy { + public SystemTextJsonInputFormatter(Microsoft.AspNetCore.Mvc.JsonOptions options, Microsoft.Extensions.Logging.ILogger logger) => throw null; Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy.ExceptionPolicy { get => throw null; } - public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; + public override sealed System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; public System.Text.Json.JsonSerializerOptions SerializerOptions { get => throw null; } - public SystemTextJsonInputFormatter(Microsoft.AspNetCore.Mvc.JsonOptions options, Microsoft.Extensions.Logging.ILogger logger) => throw null; } - public class SystemTextJsonOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter { - public System.Text.Json.JsonSerializerOptions SerializerOptions { get => throw null; } public SystemTextJsonOutputFormatter(System.Text.Json.JsonSerializerOptions jsonSerializerOptions) => throw null; - public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; + public System.Text.Json.JsonSerializerOptions SerializerOptions { get => throw null; } + public override sealed System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; } - public abstract class TextInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.InputFormatter { + protected TextInputFormatter() => throw null; public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context) => throw null; public abstract System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding); protected System.Text.Encoding SelectCharacterEncoding(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context) => throw null; public System.Collections.Generic.IList SupportedEncodings { get => throw null; } - protected TextInputFormatter() => throw null; protected static System.Text.Encoding UTF16EncodingLittleEndian; protected static System.Text.Encoding UTF8EncodingWithoutBOM; } - public abstract class TextOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.OutputFormatter { + protected TextOutputFormatter() => throw null; public virtual System.Text.Encoding SelectCharacterEncoding(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; public System.Collections.Generic.IList SupportedEncodings { get => throw null; } - protected TextOutputFormatter() => throw null; public override System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; - public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; + public override sealed System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; public abstract System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding); } - + } + public class FromBodyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromBodyMetadata + { + bool Microsoft.AspNetCore.Http.Metadata.IFromBodyMetadata.AllowEmpty { get => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromBodyAttribute() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get => throw null; set { } } + } + public class FromFormAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromFormMetadata + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromFormAttribute() => throw null; + public string Name { get => throw null; set { } } + } + public class FromHeaderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromHeaderMetadata + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromHeaderAttribute() => throw null; + public string Name { get => throw null; set { } } + } + public class FromQueryAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromQueryMetadata + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromQueryAttribute() => throw null; + public string Name { get => throw null; set { } } + } + public class FromRouteAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromRouteMetadata + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromRouteAttribute() => throw null; + public string Name { get => throw null; set { } } + } + public class FromServicesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromServiceMetadata + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public FromServicesAttribute() => throw null; + } + public class HttpDeleteAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpDeleteAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpDeleteAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpGetAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpGetAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpGetAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpHeadAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpHeadAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpHeadAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpOptionsAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpOptionsAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpOptionsAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpPatchAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpPatchAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpPatchAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpPostAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpPostAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpPostAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HttpPutAttribute : Microsoft.AspNetCore.Mvc.Routing.HttpMethodAttribute + { + public HttpPutAttribute() : base(default(System.Collections.Generic.IEnumerable)) => throw null; + public HttpPutAttribute(string template) : base(default(System.Collections.Generic.IEnumerable)) => throw null; + } + public interface IDesignTimeMvcBuilderConfiguration + { + void ConfigureMvc(Microsoft.Extensions.DependencyInjection.IMvcBuilder builder); } namespace Infrastructure { public class ActionContextAccessor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionContextAccessor { - public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set { } } public ActionContextAccessor() => throw null; } - public class ActionDescriptorCollection { public ActionDescriptorCollection(System.Collections.Generic.IReadOnlyList items, int version) => throw null; public System.Collections.Generic.IReadOnlyList Items { get => throw null; } public int Version { get => throw null; } } - public abstract class ActionDescriptorCollectionProvider : Microsoft.AspNetCore.Mvc.Infrastructure.IActionDescriptorCollectionProvider { - protected ActionDescriptorCollectionProvider() => throw null; public abstract Microsoft.AspNetCore.Mvc.Infrastructure.ActionDescriptorCollection ActionDescriptors { get; } + protected ActionDescriptorCollectionProvider() => throw null; public abstract Microsoft.Extensions.Primitives.IChangeToken GetChangeToken(); } - - public class ActionResultObjectValueAttribute : System.Attribute + public sealed class ActionResultObjectValueAttribute : System.Attribute { public ActionResultObjectValueAttribute() => throw null; } - - public class ActionResultStatusCodeAttribute : System.Attribute + public sealed class ActionResultStatusCodeAttribute : System.Attribute { public ActionResultStatusCodeAttribute() => throw null; } - public class AmbiguousActionException : System.InvalidOperationException { - protected AmbiguousActionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public AmbiguousActionException(string message) => throw null; + protected AmbiguousActionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - public class CompatibilitySwitch : Microsoft.AspNetCore.Mvc.Infrastructure.ICompatibilitySwitch where TValue : struct { public CompatibilitySwitch(string name) => throw null; public CompatibilitySwitch(string name, TValue initialValue) => throw null; public bool IsValueSet { get => throw null; } public string Name { get => throw null; } - public TValue Value { get => throw null; set => throw null; } - object Microsoft.AspNetCore.Mvc.Infrastructure.ICompatibilitySwitch.Value { get => throw null; set => throw null; } + public TValue Value { get => throw null; set { } } + object Microsoft.AspNetCore.Mvc.Infrastructure.ICompatibilitySwitch.Value { get => throw null; set { } } } - public abstract class ConfigureCompatibilityOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class, System.Collections.Generic.IEnumerable { protected ConfigureCompatibilityOptions(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions compatibilityOptions) => throw null; @@ -2263,563 +1594,270 @@ public abstract class ConfigureCompatibilityOptions : Microsoft.Extens public virtual void PostConfigure(string name, TOptions options) => throw null; protected Microsoft.AspNetCore.Mvc.CompatibilityVersion Version { get => throw null; } } - public class ContentResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { public ContentResultExecutor(Microsoft.Extensions.Logging.ILogger logger, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory httpResponseStreamWriterFactory) => throw null; public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ContentResult result) => throw null; } - public class DefaultOutputFormatterSelector : Microsoft.AspNetCore.Mvc.Infrastructure.OutputFormatterSelector { public DefaultOutputFormatterSelector(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public override Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter SelectFormatter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context, System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; } - - public class DefaultStatusCodeAttribute : System.Attribute + public sealed class DefaultStatusCodeAttribute : System.Attribute { public DefaultStatusCodeAttribute(int statusCode) => throw null; public int StatusCode { get => throw null; } } - public class FileContentResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileContentResult result) => throw null; public FileContentResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; - protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileContentResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, System.Int64 rangeLength) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileContentResult result) => throw null; + protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileContentResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength) => throw null; } - public class FileResultExecutorBase { - protected const int BufferSize = default; + protected static int BufferSize; protected static Microsoft.Extensions.Logging.ILogger CreateLogger(Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; public FileResultExecutorBase(Microsoft.Extensions.Logging.ILogger logger) => throw null; protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } - protected virtual (Microsoft.Net.Http.Headers.RangeItemHeaderValue, System.Int64, bool) SetHeadersAndLog(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileResult result, System.Int64? fileLength, bool enableRangeProcessing, System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue etag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; - protected static System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Http.HttpContext context, System.IO.Stream fileStream, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, System.Int64 rangeLength) => throw null; + protected virtual (Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength, bool serveBody) SetHeadersAndLog(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileResult result, long? fileLength, bool enableRangeProcessing, System.DateTimeOffset? lastModified = default(System.DateTimeOffset?), Microsoft.Net.Http.Headers.EntityTagHeaderValue etag = default(Microsoft.Net.Http.Headers.EntityTagHeaderValue)) => throw null; + protected static System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Http.HttpContext context, System.IO.Stream fileStream, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength) => throw null; } - public class FileStreamResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileStreamResult result) => throw null; public FileStreamResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; - protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileStreamResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, System.Int64 rangeLength) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileStreamResult result) => throw null; + protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.FileStreamResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength) => throw null; } - public interface IActionContextAccessor { Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get; set; } } - public interface IActionDescriptorChangeProvider { Microsoft.Extensions.Primitives.IChangeToken GetChangeToken(); } - public interface IActionDescriptorCollectionProvider { Microsoft.AspNetCore.Mvc.Infrastructure.ActionDescriptorCollection ActionDescriptors { get; } } - public interface IActionInvokerFactory { Microsoft.AspNetCore.Mvc.Abstractions.IActionInvoker CreateInvoker(Microsoft.AspNetCore.Mvc.ActionContext actionContext); } - public interface IActionResultExecutor where TResult : Microsoft.AspNetCore.Mvc.IActionResult { System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, TResult result); } - public interface IActionResultTypeMapper { Microsoft.AspNetCore.Mvc.IActionResult Convert(object value, System.Type returnType); System.Type GetResultDataType(System.Type returnType); } - public interface IActionSelector { Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor SelectBestCandidate(Microsoft.AspNetCore.Routing.RouteContext context, System.Collections.Generic.IReadOnlyList candidates); System.Collections.Generic.IReadOnlyList SelectCandidates(Microsoft.AspNetCore.Routing.RouteContext context); } - public interface IApiBehaviorMetadata : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - - public interface IClientErrorActionResult : Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - } - - public interface IClientErrorFactory - { - Microsoft.AspNetCore.Mvc.IActionResult GetClientError(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult clientError); - } - - public interface ICompatibilitySwitch - { - bool IsValueSet { get; } - string Name { get; } - object Value { get; set; } - } - - public interface IConvertToActionResult - { - Microsoft.AspNetCore.Mvc.IActionResult Convert(); - } - - public interface IHttpRequestStreamReaderFactory - { - System.IO.TextReader CreateReader(System.IO.Stream stream, System.Text.Encoding encoding); - } - - public interface IHttpResponseStreamWriterFactory - { - System.IO.TextWriter CreateWriter(System.IO.Stream stream, System.Text.Encoding encoding); - } - - public interface IParameterInfoParameterDescriptor - { - System.Reflection.ParameterInfo ParameterInfo { get; } - } - - public interface IPropertyInfoParameterDescriptor - { - System.Reflection.PropertyInfo PropertyInfo { get; } - } - - public interface IStatusCodeActionResult : Microsoft.AspNetCore.Mvc.IActionResult - { - int? StatusCode { get; } - } - - public class LocalRedirectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.LocalRedirectResult result) => throw null; - public LocalRedirectResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - } - - public class ModelStateInvalidFilter : Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public bool IsReusable { get => throw null; } - public ModelStateInvalidFilter(Microsoft.AspNetCore.Mvc.ApiBehaviorOptions apiBehaviorOptions, Microsoft.Extensions.Logging.ILogger logger) => throw null; - public void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; - public void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context) => throw null; - public int Order { get => throw null; } - } - - public class MvcCompatibilityOptions - { - public Microsoft.AspNetCore.Mvc.CompatibilityVersion CompatibilityVersion { get => throw null; set => throw null; } - public MvcCompatibilityOptions() => throw null; - } - - public class ObjectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ObjectResult result) => throw null; - protected Microsoft.AspNetCore.Mvc.Infrastructure.OutputFormatterSelector FormatterSelector { get => throw null; } - protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } - public ObjectResultExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.OutputFormatterSelector formatterSelector, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions mvcOptions) => throw null; - protected System.Func WriterFactory { get => throw null; } - } - - public abstract class OutputFormatterSelector - { - protected OutputFormatterSelector() => throw null; - public abstract Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter SelectFormatter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context, System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection mediaTypes); - } - - public class PhysicalFileResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - protected class FileMetadata - { - public bool Exists { get => throw null; set => throw null; } - public FileMetadata() => throw null; - public System.DateTimeOffset LastModified { get => throw null; set => throw null; } - public System.Int64 Length { get => throw null; set => throw null; } - } - - - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.PhysicalFileResult result) => throw null; - protected virtual Microsoft.AspNetCore.Mvc.Infrastructure.PhysicalFileResultExecutor.FileMetadata GetFileInfo(string path) => throw null; - protected virtual System.IO.Stream GetFileStream(string path) => throw null; - public PhysicalFileResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; - protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.PhysicalFileResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, System.Int64 rangeLength) => throw null; - } - - public abstract class ProblemDetailsFactory - { - public abstract Microsoft.AspNetCore.Mvc.ProblemDetails CreateProblemDetails(Microsoft.AspNetCore.Http.HttpContext httpContext, int? statusCode = default(int?), string title = default(string), string type = default(string), string detail = default(string), string instance = default(string)); - public abstract Microsoft.AspNetCore.Mvc.ValidationProblemDetails CreateValidationProblemDetails(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary, int? statusCode = default(int?), string title = default(string), string type = default(string), string detail = default(string), string instance = default(string)); - protected ProblemDetailsFactory() => throw null; - } - - public class RedirectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectResult result) => throw null; - public RedirectResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - } - - public class RedirectToActionResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToActionResult result) => throw null; - public RedirectToActionResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - } - - public class RedirectToPageResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToPageResult result) => throw null; - public RedirectToPageResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - } - - public class RedirectToRouteResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToRouteResult result) => throw null; - public RedirectToRouteResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - } - - public class VirtualFileResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.VirtualFileResult result) => throw null; - protected virtual System.IO.Stream GetFileStream(Microsoft.Extensions.FileProviders.IFileInfo fileInfo) => throw null; - public VirtualFileResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; - protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.VirtualFileResult result, Microsoft.Extensions.FileProviders.IFileInfo fileInfo, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, System.Int64 rangeLength) => throw null; - } - - } - namespace ModelBinding - { - public class BindNeverAttribute : Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehaviorAttribute - { - public BindNeverAttribute() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior)) => throw null; - } - - public class BindRequiredAttribute : Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehaviorAttribute - { - public BindRequiredAttribute() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior)) => throw null; - } - - public enum BindingBehavior : int - { - Never = 1, - Optional = 0, - Required = 2, - } - - public class BindingBehaviorAttribute : System.Attribute - { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior Behavior { get => throw null; } - public BindingBehaviorAttribute(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior behavior) => throw null; - } - - public abstract class BindingSourceValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - protected Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public BindingSourceValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; - public abstract bool ContainsPrefix(string prefix); - public virtual Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; - public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key); - } - - public class CompositeValueProvider : System.Collections.ObjectModel.Collection, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - public CompositeValueProvider() => throw null; - public CompositeValueProvider(System.Collections.Generic.IList valueProviders) => throw null; - public virtual bool ContainsPrefix(string prefix) => throw null; - public static System.Threading.Tasks.Task CreateAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList factories) => throw null; - public static System.Threading.Tasks.Task CreateAsync(Microsoft.AspNetCore.Mvc.ControllerContext controllerContext) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter() => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; - public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - protected override void InsertItem(int index, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider item) => throw null; - protected override void SetItem(int index, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider item) => throw null; - } - - public class DefaultModelBindingContext : Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext - { - public override Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set => throw null; } - public override string BinderModelName { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set => throw null; } - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext CreateBindingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo bindingInfo, string modelName) => throw null; - public DefaultModelBindingContext() => throw null; - public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope() => throw null; - public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, string fieldName, string modelName, object model) => throw null; - protected override void ExitNestedScope() => throw null; - public override string FieldName { get => throw null; set => throw null; } - public override bool IsTopLevelObject { get => throw null; set => throw null; } - public override object Model { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set => throw null; } - public override string ModelName { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider OriginalValueProvider { get => throw null; set => throw null; } - public override System.Func PropertyFilter { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult Result { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary ValidationState { get => throw null; set => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider ValueProvider { get => throw null; set => throw null; } - } - - public class DefaultPropertyFilterProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider where TModel : class - { - public DefaultPropertyFilterProvider() => throw null; - public virtual string Prefix { get => throw null; } - public virtual System.Func PropertyFilter { get => throw null; } - public virtual System.Collections.Generic.IEnumerable>> PropertyIncludeExpressions { get => throw null; } - } - - public class EmptyModelMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelMetadataProvider - { - public EmptyModelMetadataProvider() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ICompositeMetadataDetailsProvider)) => throw null; - } - - public class FormFileValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - public bool ContainsPrefix(string prefix) => throw null; - public FormFileValueProvider(Microsoft.AspNetCore.Http.IFormFileCollection files) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - } - - public class FormFileValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory - { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public FormFileValueProviderFactory() => throw null; - } - - public class FormValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - public override bool ContainsPrefix(string prefix) => throw null; - public System.Globalization.CultureInfo Culture { get => throw null; } - public FormValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Http.IFormCollection values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; - public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; - public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } - } - - public class FormValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory - { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public FormValueProviderFactory() => throw null; - } - - public interface IBindingSourceValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource); - } - - public interface ICollectionModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder - { - bool CanCreateInstance(System.Type targetType); - } - - public interface IEnumerableValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix); - } - - public interface IKeyRewriterValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider - { - Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(); - } - - public interface IModelBinderFactory - { - Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderFactoryContext context); - } - - public class JQueryFormValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.JQueryValueProvider - { - public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - public JQueryFormValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource), default(System.Collections.Generic.IDictionary), default(System.Globalization.CultureInfo)) => throw null; - } - - public class JQueryFormValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + public interface IClientErrorActionResult : Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public JQueryFormValueProviderFactory() => throw null; } - - public class JQueryQueryStringValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.JQueryValueProvider + public interface IClientErrorFactory { - public JQueryQueryStringValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource), default(System.Collections.Generic.IDictionary), default(System.Globalization.CultureInfo)) => throw null; + Microsoft.AspNetCore.Mvc.IActionResult GetClientError(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult clientError); } - - public class JQueryQueryStringValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + public interface ICompatibilitySwitch { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public JQueryQueryStringValueProviderFactory() => throw null; + bool IsValueSet { get; } + string Name { get; } + object Value { get; set; } } - - public abstract class JQueryValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + public interface IConvertToActionResult { - public override bool ContainsPrefix(string prefix) => throw null; - public System.Globalization.CultureInfo Culture { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter() => throw null; - public System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; - public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - protected JQueryValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; - protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } + Microsoft.AspNetCore.Mvc.IActionResult Convert(); } - - public class ModelAttributes + public interface IHttpRequestStreamReaderFactory { - public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForParameter(System.Reflection.ParameterInfo parameterInfo) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForParameter(System.Reflection.ParameterInfo parameterInfo, System.Type modelType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForProperty(System.Type type, System.Reflection.PropertyInfo property) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForProperty(System.Type containerType, System.Reflection.PropertyInfo property, System.Type modelType) => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForType(System.Type type) => throw null; - public System.Collections.Generic.IReadOnlyList ParameterAttributes { get => throw null; } - public System.Collections.Generic.IReadOnlyList PropertyAttributes { get => throw null; } - public System.Collections.Generic.IReadOnlyList TypeAttributes { get => throw null; } + System.IO.TextReader CreateReader(System.IO.Stream stream, System.Text.Encoding encoding); } - - public class ModelBinderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory + public interface IHttpResponseStreamWriterFactory { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderFactoryContext context) => throw null; - public ModelBinderFactory(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.Extensions.Options.IOptions options, System.IServiceProvider serviceProvider) => throw null; + System.IO.TextWriter CreateWriter(System.IO.Stream stream, System.Text.Encoding encoding); } - - public class ModelBinderFactoryContext + public interface IParameterInfoParameterDescriptor { - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set => throw null; } - public object CacheToken { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set => throw null; } - public ModelBinderFactoryContext() => throw null; + System.Reflection.ParameterInfo ParameterInfo { get; } } - - public static class ModelBinderProviderExtensions + public interface IPropertyInfoParameterDescriptor { - public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; - public static void RemoveType(this System.Collections.Generic.IList list) where TModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider => throw null; + System.Reflection.PropertyInfo PropertyInfo { get; } } - - public static class ModelMetadataProviderExtensions + public interface IStatusCodeActionResult : Microsoft.AspNetCore.Mvc.IActionResult { - public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForProperty(this Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider provider, System.Type containerType, string propertyName) => throw null; + int? StatusCode { get; } } - - public static class ModelNames + public class LocalRedirectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public static string CreateIndexModelName(string parentName, int index) => throw null; - public static string CreateIndexModelName(string parentName, string index) => throw null; - public static string CreatePropertyModelName(string prefix, string propertyName) => throw null; + public LocalRedirectResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.LocalRedirectResult result) => throw null; } - - public abstract class ObjectModelValidator : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator + public class ModelStateInvalidFilter : Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { - public abstract Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor GetValidationVisitor(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidatorCache validatorCache, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState); - public ObjectModelValidator(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, System.Collections.Generic.IList validatorProviders) => throw null; - public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model) => throw null; - public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; - public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object container) => throw null; + public ModelStateInvalidFilter(Microsoft.AspNetCore.Mvc.ApiBehaviorOptions apiBehaviorOptions, Microsoft.Extensions.Logging.ILogger logger) => throw null; + public bool IsReusable { get => throw null; } + public void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; + public void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context) => throw null; + public int Order { get => throw null; } } - - public class ParameterBinder + public class MvcCompatibilityOptions { - public virtual System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder modelBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor parameter, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object value) => throw null; - public virtual System.Threading.Tasks.ValueTask BindModelAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder modelBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor parameter, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object value, object container) => throw null; - protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } - public ParameterBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory modelBinderFactory, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator validator, Microsoft.Extensions.Options.IOptions mvcOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public Microsoft.AspNetCore.Mvc.CompatibilityVersion CompatibilityVersion { get => throw null; set { } } + public MvcCompatibilityOptions() => throw null; } - - public class PrefixContainer + public class ObjectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public bool ContainsPrefix(string prefix) => throw null; - public System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; - public PrefixContainer(System.Collections.Generic.ICollection values) => throw null; + public ObjectResultExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.OutputFormatterSelector formatterSelector, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions mvcOptions) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ObjectResult result) => throw null; + protected Microsoft.AspNetCore.Mvc.Infrastructure.OutputFormatterSelector FormatterSelector { get => throw null; } + protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } + protected System.Func WriterFactory { get => throw null; } } - - public class QueryStringValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + public abstract class OutputFormatterSelector { - public override bool ContainsPrefix(string prefix) => throw null; - public System.Globalization.CultureInfo Culture { get => throw null; } - public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; - public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } - public QueryStringValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Http.IQueryCollection values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + protected OutputFormatterSelector() => throw null; + public abstract Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter SelectFormatter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context, System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection mediaTypes); } - - public class QueryStringValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + public class PhysicalFileResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public QueryStringValueProviderFactory() => throw null; + public PhysicalFileResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.PhysicalFileResult result) => throw null; + protected class FileMetadata + { + public FileMetadata() => throw null; + public bool Exists { get => throw null; set { } } + public System.DateTimeOffset LastModified { get => throw null; set { } } + public long Length { get => throw null; set { } } + } + protected virtual Microsoft.AspNetCore.Mvc.Infrastructure.PhysicalFileResultExecutor.FileMetadata GetFileInfo(string path) => throw null; + protected virtual System.IO.Stream GetFileStream(string path) => throw null; + protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.PhysicalFileResult result, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength) => throw null; } - - public class RouteValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider + public abstract class ProblemDetailsFactory { - public override bool ContainsPrefix(string key) => throw null; - protected System.Globalization.CultureInfo Culture { get => throw null; } - public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; - protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } - public RouteValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Routing.RouteValueDictionary values) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; - public RouteValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Routing.RouteValueDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + public abstract Microsoft.AspNetCore.Mvc.ProblemDetails CreateProblemDetails(Microsoft.AspNetCore.Http.HttpContext httpContext, int? statusCode = default(int?), string title = default(string), string type = default(string), string detail = default(string), string instance = default(string)); + public abstract Microsoft.AspNetCore.Mvc.ValidationProblemDetails CreateValidationProblemDetails(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelStateDictionary, int? statusCode = default(int?), string title = default(string), string type = default(string), string detail = default(string), string instance = default(string)); + protected ProblemDetailsFactory() => throw null; } - - public class RouteValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + public class RedirectResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; - public RouteValueProviderFactory() => throw null; + public RedirectResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectResult result) => throw null; } - - public class SuppressChildValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider + public class RedirectToActionResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public void CreateValidationMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadataProviderContext context) => throw null; - public string FullTypeName { get => throw null; } - public SuppressChildValidationMetadataProvider(System.Type type) => throw null; - public SuppressChildValidationMetadataProvider(string fullTypeName) => throw null; - public System.Type Type { get => throw null; } + public RedirectToActionResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToActionResult result) => throw null; } - - public class UnsupportedContentTypeException : System.Exception + public class RedirectToPageResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public UnsupportedContentTypeException(string message) => throw null; + public RedirectToPageResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToPageResult result) => throw null; } - - public class UnsupportedContentTypeFilter : Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public class RedirectToRouteResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; - public void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context) => throw null; - public int Order { get => throw null; set => throw null; } - public UnsupportedContentTypeFilter() => throw null; + public RedirectToRouteResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.RedirectToRouteResult result) => throw null; } - - public static class ValueProviderFactoryExtensions + public class VirtualFileResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.FileResultExecutorBase, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; - public static void RemoveType(this System.Collections.Generic.IList list) where TValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory => throw null; + public VirtualFileResultExecutor(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) : base(default(Microsoft.Extensions.Logging.ILogger)) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.VirtualFileResult result) => throw null; + protected virtual System.IO.Stream GetFileStream(Microsoft.Extensions.FileProviders.IFileInfo fileInfo) => throw null; + protected virtual System.Threading.Tasks.Task WriteFileAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.VirtualFileResult result, Microsoft.Extensions.FileProviders.IFileInfo fileInfo, Microsoft.Net.Http.Headers.RangeItemHeaderValue range, long rangeLength) => throw null; } - + } + public interface IRequestFormLimitsPolicy : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + { + } + public interface IRequestSizePolicy : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + { + } + public class JsonOptions + { + public bool AllowInputFormatterExceptionMessages { get => throw null; set { } } + public JsonOptions() => throw null; + public System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } + } + public class JsonResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public string ContentType { get => throw null; set { } } + public JsonResult(object value) => throw null; + public JsonResult(object value, object serializerSettings) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public object SerializerSettings { get => throw null; set { } } + public int? StatusCode { get => throw null; set { } } + public object Value { get => throw null; set { } } + } + public class LocalRedirectResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public LocalRedirectResult(string localUrl) => throw null; + public LocalRedirectResult(string localUrl, bool permanent) => throw null; + public LocalRedirectResult(string localUrl, bool permanent, bool preserveMethod) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public bool Permanent { get => throw null; set { } } + public bool PreserveMethod { get => throw null; set { } } + public string Url { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class MiddlewareFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public System.Type ConfigurationType { get => throw null; } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public MiddlewareFilterAttribute(System.Type configurationType) => throw null; + public bool IsReusable { get => throw null; } + public int Order { get => throw null; set { } } + } + public class ModelBinderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata + { + public System.Type BinderType { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } + public ModelBinderAttribute() => throw null; + public ModelBinderAttribute(System.Type binderType) => throw null; + public string Name { get => throw null; set { } } + } + namespace ModelBinding + { namespace Binders { public class ArrayModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.Binders.CollectionModelBinder { - public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; - public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; - public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes, Microsoft.AspNetCore.Mvc.MvcOptions mvcOptions) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; public override bool CanCreateInstance(System.Type targetType) => throw null; protected override object ConvertToCollectionType(System.Type targetType, System.Collections.Generic.IEnumerable collection) => throw null; protected override void CopyToModel(object target, System.Collections.Generic.IEnumerable sourceCollection) => throw null; protected override object CreateEmptyCollection(System.Type targetType) => throw null; + public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; + public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; + public ArrayModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes, Microsoft.AspNetCore.Mvc.MvcOptions mvcOptions) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; } - public class ArrayModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public ArrayModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class BinderTypeModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public BinderTypeModelBinder(System.Type binderType) => throw null; } - public class BinderTypeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public BinderTypeModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class BodyModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; @@ -2827,7 +1865,6 @@ public class BodyModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinde public BodyModelBinder(System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpRequestStreamReaderFactory readerFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public BodyModelBinder(System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpRequestStreamReaderFactory readerFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; } - public class BodyModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public BodyModelBinderProvider(System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpRequestStreamReaderFactory readerFactory) => throw null; @@ -2835,99 +1872,85 @@ public class BodyModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IMo public BodyModelBinderProvider(System.Collections.Generic.IList formatters, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpRequestStreamReaderFactory readerFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class ByteArrayModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public ByteArrayModelBinder(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class ByteArrayModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public ByteArrayModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class CancellationTokenModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public CancellationTokenModelBinder() => throw null; } - public class CancellationTokenModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public CancellationTokenModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class CollectionModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.ICollectionModelBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { protected void AddErrorIfBindingRequired(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public virtual System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public virtual bool CanCreateInstance(System.Type targetType) => throw null; - public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) => throw null; - public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes, Microsoft.AspNetCore.Mvc.MvcOptions mvcOptions) => throw null; protected virtual object ConvertToCollectionType(System.Type targetType, System.Collections.Generic.IEnumerable collection) => throw null; protected virtual void CopyToModel(object target, System.Collections.Generic.IEnumerable sourceCollection) => throw null; protected virtual object CreateEmptyCollection(System.Type targetType) => throw null; protected object CreateInstance(System.Type targetType) => throw null; + public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) => throw null; + public CollectionModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder elementBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes, Microsoft.AspNetCore.Mvc.MvcOptions mvcOptions) => throw null; protected Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder ElementBinder { get => throw null; } protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } } - public class CollectionModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public CollectionModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - - public class ComplexObjectModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder + public sealed class ComplexObjectModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; } - public class ComplexObjectModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public ComplexObjectModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class ComplexTypeModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; protected virtual System.Threading.Tasks.Task BindProperty(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; protected virtual bool CanBindProperty(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata propertyMetadata) => throw null; + protected virtual object CreateModel(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public ComplexTypeModelBinder(System.Collections.Generic.IDictionary propertyBinders, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public ComplexTypeModelBinder(System.Collections.Generic.IDictionary propertyBinders, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) => throw null; - protected virtual object CreateModel(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; protected virtual void SetProperty(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext, string modelName, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata propertyMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult result) => throw null; } - public class ComplexTypeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public ComplexTypeModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class DateTimeModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public DateTimeModelBinder(System.Globalization.DateTimeStyles supportedStyles, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class DateTimeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public DateTimeModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class DecimalModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public DecimalModelBinder(System.Globalization.NumberStyles supportedStyles, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class DictionaryModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.Binders.CollectionModelBinder> { public override System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; @@ -2938,140 +1961,267 @@ public class DictionaryModelBinder : Microsoft.AspNetCore.Mvc.Mode public DictionaryModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder keyBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder valueBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; public DictionaryModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder keyBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder valueBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, bool allowValidatingTopLevelNodes, Microsoft.AspNetCore.Mvc.MvcOptions mvcOptions) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; } - public class DictionaryModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public DictionaryModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class DoubleModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public DoubleModelBinder(System.Globalization.NumberStyles supportedStyles, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class EnumTypeModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.Binders.SimpleTypeModelBinder { protected override void CheckModel(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult valueProviderResult, object model) => throw null; public EnumTypeModelBinder(bool suppressBindingUndefinedValueToEnumType, System.Type modelType, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(System.Type), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; } - public class EnumTypeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public EnumTypeModelBinderProvider(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - - public class FloatModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder - { - public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; - public FloatModelBinder(System.Globalization.NumberStyles supportedStyles, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - public class FloatingPointTypeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public FloatingPointTypeModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - + public class FloatModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder + { + public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; + public FloatModelBinder(System.Globalization.NumberStyles supportedStyles, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + } public class FormCollectionModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public FormCollectionModelBinder(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class FormCollectionModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public FormCollectionModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class FormFileModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public FormFileModelBinder(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class FormFileModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { public FormFileModelBinderProvider() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class HeaderModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public HeaderModelBinder(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public HeaderModelBinder(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder innerModelBinder) => throw null; } - public class HeaderModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; public HeaderModelBinderProvider() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class KeyValuePairModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public KeyValuePairModelBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder keyBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder valueBinder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class KeyValuePairModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; public KeyValuePairModelBinderProvider() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class ServicesModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; public ServicesModelBinder() => throw null; } - public class ServicesModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; public ServicesModelBinderProvider() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - public class SimpleTypeModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder { public System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext) => throw null; protected virtual void CheckModel(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext bindingContext, Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult valueProviderResult, object model) => throw null; public SimpleTypeModelBinder(System.Type type, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class SimpleTypeModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; public SimpleTypeModelBinderProvider() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - - public class TryParseModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider + public sealed class TryParseModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider { - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; public TryParseModelBinderProvider() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder GetBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderProviderContext context) => throw null; } - + } + public enum BindingBehavior + { + Optional = 0, + Never = 1, + Required = 2, + } + public class BindingBehaviorAttribute : System.Attribute + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior Behavior { get => throw null; } + public BindingBehaviorAttribute(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior behavior) => throw null; + } + public abstract class BindingSourceValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + protected Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } + public abstract bool ContainsPrefix(string prefix); + public BindingSourceValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; + public abstract Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key); + } + public sealed class BindNeverAttribute : Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehaviorAttribute + { + public BindNeverAttribute() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior)) => throw null; + } + public sealed class BindRequiredAttribute : Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehaviorAttribute + { + public BindRequiredAttribute() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior)) => throw null; + } + public class CompositeValueProvider : System.Collections.ObjectModel.Collection, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider + { + public virtual bool ContainsPrefix(string prefix) => throw null; + public static System.Threading.Tasks.Task CreateAsync(Microsoft.AspNetCore.Mvc.ControllerContext controllerContext) => throw null; + public static System.Threading.Tasks.Task CreateAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IList factories) => throw null; + public CompositeValueProvider() => throw null; + public CompositeValueProvider(System.Collections.Generic.IList valueProviders) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter() => throw null; + public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + protected override void InsertItem(int index, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider item) => throw null; + protected override void SetItem(int index, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider item) => throw null; + } + public class DefaultModelBindingContext : Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext + { + public override Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; set { } } + public override string BinderModelName { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext CreateBindingContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo bindingInfo, string modelName) => throw null; + public DefaultModelBindingContext() => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, string fieldName, string modelName, object model) => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingContext.NestedScope EnterNestedScope() => throw null; + protected override void ExitNestedScope() => throw null; + public override string FieldName { get => throw null; set { } } + public override bool IsTopLevelObject { get => throw null; set { } } + public override object Model { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; set { } } + public override string ModelName { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider OriginalValueProvider { get => throw null; set { } } + public override System.Func PropertyFilter { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelBindingResult Result { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary ValidationState { get => throw null; set { } } + public override Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider ValueProvider { get => throw null; set { } } + } + public class DefaultPropertyFilterProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider where TModel : class + { + public DefaultPropertyFilterProvider() => throw null; + public virtual string Prefix { get => throw null; } + public virtual System.Func PropertyFilter { get => throw null; } + public virtual System.Collections.Generic.IEnumerable>> PropertyIncludeExpressions { get => throw null; } + } + public class EmptyModelMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelMetadataProvider + { + public EmptyModelMetadataProvider() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ICompositeMetadataDetailsProvider)) => throw null; + } + public sealed class FormFileValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + public bool ContainsPrefix(string prefix) => throw null; + public FormFileValueProvider(Microsoft.AspNetCore.Http.IFormFileCollection files) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + } + public sealed class FormFileValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public FormFileValueProviderFactory() => throw null; + } + public class FormValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + public override bool ContainsPrefix(string prefix) => throw null; + public FormValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Http.IFormCollection values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } + public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } + } + public class FormValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public FormValueProviderFactory() => throw null; + } + public interface IBindingSourceValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource); + } + public interface ICollectionModelBinder : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder + { + bool CanCreateInstance(System.Type targetType); + } + public interface IEnumerableValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix); + } + public interface IKeyRewriterValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter(); + } + public interface IModelBinderFactory + { + Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderFactoryContext context); + } + public class JQueryFormValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.JQueryValueProvider + { + public JQueryFormValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource), default(System.Collections.Generic.IDictionary), default(System.Globalization.CultureInfo)) => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + } + public class JQueryFormValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public JQueryFormValueProviderFactory() => throw null; + } + public class JQueryQueryStringValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.JQueryValueProvider + { + public JQueryQueryStringValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource), default(System.Collections.Generic.IDictionary), default(System.Globalization.CultureInfo)) => throw null; + } + public class JQueryQueryStringValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public JQueryQueryStringValueProviderFactory() => throw null; + } + public abstract class JQueryValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider + { + public override bool ContainsPrefix(string prefix) => throw null; + protected JQueryValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider Filter() => throw null; + public System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } } namespace Metadata { public class BindingMetadata { - public string BinderModelName { get => throw null; set => throw null; } - public System.Type BinderType { get => throw null; set => throw null; } + public string BinderModelName { get => throw null; set { } } + public System.Type BinderType { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } + public System.Reflection.ConstructorInfo BoundConstructor { get => throw null; set { } } public BindingMetadata() => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set => throw null; } - public System.Reflection.ConstructorInfo BoundConstructor { get => throw null; set => throw null; } - public bool IsBindingAllowed { get => throw null; set => throw null; } - public bool IsBindingRequired { get => throw null; set => throw null; } - public bool? IsReadOnly { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider ModelBindingMessageProvider { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider PropertyFilterProvider { get => throw null; set => throw null; } - } - + public bool IsBindingAllowed { get => throw null; set { } } + public bool IsBindingRequired { get => throw null; set { } } + public bool? IsReadOnly { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider ModelBindingMessageProvider { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.IPropertyFilterProvider PropertyFilterProvider { get => throw null; set { } } + } public class BindingMetadataProviderContext { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } @@ -3082,31 +2232,28 @@ public class BindingMetadataProviderContext public System.Collections.Generic.IReadOnlyList PropertyAttributes { get => throw null; } public System.Collections.Generic.IReadOnlyList TypeAttributes { get => throw null; } } - public class BindingSourceMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider { public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } - public BindingSourceMetadataProvider(System.Type type, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; public void CreateBindingMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadataProviderContext context) => throw null; + public BindingSourceMetadataProvider(System.Type type, Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource) => throw null; public System.Type Type { get => throw null; } } - public class DefaultMetadataDetails { - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadata BindingMetadata { get => throw null; set => throw null; } - public System.Func BoundConstructorInvoker { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata[] BoundConstructorParameters { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ContainerMetadata { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadata BindingMetadata { get => throw null; set { } } + public System.Func BoundConstructorInvoker { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata[] BoundConstructorParameters { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ContainerMetadata { get => throw null; set { } } public DefaultMetadataDetails(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes attributes) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadata DisplayMetadata { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadata DisplayMetadata { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity Key { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes ModelAttributes { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata[] Properties { get => throw null; set => throw null; } - public System.Func PropertyGetter { get => throw null; set => throw null; } - public System.Action PropertySetter { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadata ValidationMetadata { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata[] Properties { get => throw null; set { } } + public System.Func PropertyGetter { get => throw null; set { } } + public System.Action PropertySetter { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadata ValidationMetadata { get => throw null; set { } } } - public class DefaultModelBindingMessageProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelBindingMessageProvider { public override System.Func AttemptedValueIsInvalidAccessor { get => throw null; } @@ -3134,7 +2281,6 @@ public class DefaultModelBindingMessageProvider : Microsoft.AspNetCore.Mvc.Model public override System.Func ValueMustBeANumberAccessor { get => throw null; } public override System.Func ValueMustNotBeNullAccessor { get => throw null; } } - public class DefaultModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata { public override System.Collections.Generic.IReadOnlyDictionary AdditionalValues { get => throw null; } @@ -3148,9 +2294,9 @@ public class DefaultModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.ModelM public override System.Collections.Generic.IReadOnlyList BoundConstructorParameters { get => throw null; } public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ContainerMetadata { get => throw null; } public override bool ConvertEmptyStringToNull { get => throw null; } - public override string DataTypeName { get => throw null; } public DefaultModelMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider provider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ICompositeMetadataDetailsProvider detailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultMetadataDetails details) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity)) => throw null; public DefaultModelMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider provider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ICompositeMetadataDetailsProvider detailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultMetadataDetails details, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider modelBindingMessageProvider) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity)) => throw null; + public override string DataTypeName { get => throw null; } public override string Description { get => throw null; } public override string DisplayFormatString { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadata DisplayMetadata { get => throw null; } @@ -3188,7 +2334,6 @@ public class DefaultModelMetadata : Microsoft.AspNetCore.Mvc.ModelBinding.ModelM public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadata ValidationMetadata { get => throw null; } public override System.Collections.Generic.IReadOnlyList ValidatorMetadata { get => throw null; } } - public class DefaultModelMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadataProvider { protected virtual Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata CreateModelMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultMetadataDetails entry) => throw null; @@ -3206,111 +2351,205 @@ public class DefaultModelMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBindin public override Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForType(System.Type modelType) => throw null; protected Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider ModelBindingMessageProvider { get => throw null; } } - public class DisplayMetadata { public System.Collections.Generic.IDictionary AdditionalValues { get => throw null; } - public bool ConvertEmptyStringToNull { get => throw null; set => throw null; } - public string DataTypeName { get => throw null; set => throw null; } - public System.Func Description { get => throw null; set => throw null; } - public string DisplayFormatString { get => throw null; set => throw null; } - public System.Func DisplayFormatStringProvider { get => throw null; set => throw null; } + public bool ConvertEmptyStringToNull { get => throw null; set { } } public DisplayMetadata() => throw null; - public System.Func DisplayName { get => throw null; set => throw null; } - public string EditFormatString { get => throw null; set => throw null; } - public System.Func EditFormatStringProvider { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable> EnumGroupedDisplayNamesAndValues { get => throw null; set => throw null; } - public System.Collections.Generic.IReadOnlyDictionary EnumNamesAndValues { get => throw null; set => throw null; } - public bool HasNonDefaultEditFormat { get => throw null; set => throw null; } - public bool HideSurroundingHtml { get => throw null; set => throw null; } - public bool HtmlEncode { get => throw null; set => throw null; } - public bool IsEnum { get => throw null; set => throw null; } - public bool IsFlagsEnum { get => throw null; set => throw null; } - public string NullDisplayText { get => throw null; set => throw null; } - public System.Func NullDisplayTextProvider { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } - public System.Func Placeholder { get => throw null; set => throw null; } - public bool ShowForDisplay { get => throw null; set => throw null; } - public bool ShowForEdit { get => throw null; set => throw null; } - public string SimpleDisplayProperty { get => throw null; set => throw null; } - public string TemplateHint { get => throw null; set => throw null; } - } - + public string DataTypeName { get => throw null; set { } } + public System.Func Description { get => throw null; set { } } + public string DisplayFormatString { get => throw null; set { } } + public System.Func DisplayFormatStringProvider { get => throw null; set { } } + public System.Func DisplayName { get => throw null; set { } } + public string EditFormatString { get => throw null; set { } } + public System.Func EditFormatStringProvider { get => throw null; set { } } + public System.Collections.Generic.IEnumerable> EnumGroupedDisplayNamesAndValues { get => throw null; set { } } + public System.Collections.Generic.IReadOnlyDictionary EnumNamesAndValues { get => throw null; set { } } + public bool HasNonDefaultEditFormat { get => throw null; set { } } + public bool HideSurroundingHtml { get => throw null; set { } } + public bool HtmlEncode { get => throw null; set { } } + public bool IsEnum { get => throw null; set { } } + public bool IsFlagsEnum { get => throw null; set { } } + public string NullDisplayText { get => throw null; set { } } + public System.Func NullDisplayTextProvider { get => throw null; set { } } + public int Order { get => throw null; set { } } + public System.Func Placeholder { get => throw null; set { } } + public bool ShowForDisplay { get => throw null; set { } } + public bool ShowForEdit { get => throw null; set { } } + public string SimpleDisplayProperty { get => throw null; set { } } + public string TemplateHint { get => throw null; set { } } + } public class DisplayMetadataProviderContext { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadata DisplayMetadata { get => throw null; } public DisplayMetadataProviderContext(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes attributes) => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadata DisplayMetadata { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity Key { get => throw null; } public System.Collections.Generic.IReadOnlyList PropertyAttributes { get => throw null; } public System.Collections.Generic.IReadOnlyList TypeAttributes { get => throw null; } } - public class ExcludeBindingMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider { public void CreateBindingMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadataProviderContext context) => throw null; public ExcludeBindingMetadataProvider(System.Type type) => throw null; } - public interface IBindingMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider { void CreateBindingMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadataProviderContext context); } - - public interface ICompositeMetadataDetailsProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider + public interface ICompositeMetadataDetailsProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider { } - public interface IDisplayMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider { void CreateDisplayMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadataProviderContext context); } - public interface IMetadataDetailsProvider { } - public interface IValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider { void CreateValidationMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadataProviderContext context); } - - public static class MetadataDetailsProviderExtensions + public static partial class MetadataDetailsProviderExtensions { - public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; public static void RemoveType(this System.Collections.Generic.IList list) where TMetadataDetailsProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider => throw null; + public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; } - - public class SystemTextJsonValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider + public sealed class SystemTextJsonValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider { public void CreateDisplayMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DisplayMetadataProviderContext context) => throw null; public void CreateValidationMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadataProviderContext context) => throw null; public SystemTextJsonValidationMetadataProvider() => throw null; public SystemTextJsonValidationMetadataProvider(System.Text.Json.JsonNamingPolicy namingPolicy) => throw null; } - public class ValidationMetadata { - public bool? HasValidators { get => throw null; set => throw null; } - public bool? IsRequired { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IPropertyValidationFilter PropertyValidationFilter { get => throw null; set => throw null; } - public bool? ValidateChildren { get => throw null; set => throw null; } public ValidationMetadata() => throw null; - public string ValidationModelName { get => throw null; set => throw null; } + public bool? HasValidators { get => throw null; set { } } + public bool? IsRequired { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IPropertyValidationFilter PropertyValidationFilter { get => throw null; set { } } + public bool? ValidateChildren { get => throw null; set { } } + public string ValidationModelName { get => throw null; set { } } public System.Collections.Generic.IList ValidatorMetadata { get => throw null; } } - public class ValidationMetadataProviderContext { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } + public ValidationMetadataProviderContext(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes attributes) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity Key { get => throw null; } public System.Collections.Generic.IReadOnlyList ParameterAttributes { get => throw null; } public System.Collections.Generic.IReadOnlyList PropertyAttributes { get => throw null; } public System.Collections.Generic.IReadOnlyList TypeAttributes { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadata ValidationMetadata { get => throw null; } - public ValidationMetadataProviderContext(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ModelMetadataIdentity key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes attributes) => throw null; } - + } + public class ModelAttributes + { + public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForParameter(System.Reflection.ParameterInfo parameterInfo) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForParameter(System.Reflection.ParameterInfo parameterInfo, System.Type modelType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForProperty(System.Type type, System.Reflection.PropertyInfo property) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForProperty(System.Type containerType, System.Reflection.PropertyInfo property, System.Type modelType) => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelAttributes GetAttributesForType(System.Type type) => throw null; + public System.Collections.Generic.IReadOnlyList ParameterAttributes { get => throw null; } + public System.Collections.Generic.IReadOnlyList PropertyAttributes { get => throw null; } + public System.Collections.Generic.IReadOnlyList TypeAttributes { get => throw null; } + } + public class ModelBinderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory + { + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder CreateBinder(Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderFactoryContext context) => throw null; + public ModelBinderFactory(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.Extensions.Options.IOptions options, System.IServiceProvider serviceProvider) => throw null; + } + public class ModelBinderFactoryContext + { + public Microsoft.AspNetCore.Mvc.ModelBinding.BindingInfo BindingInfo { get => throw null; set { } } + public object CacheToken { get => throw null; set { } } + public ModelBinderFactoryContext() => throw null; + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set { } } + } + public static partial class ModelBinderProviderExtensions + { + public static void RemoveType(this System.Collections.Generic.IList list) where TModelBinderProvider : Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderProvider => throw null; + public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; + } + public static partial class ModelMetadataProviderExtensions + { + public static Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata GetMetadataForProperty(this Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider provider, System.Type containerType, string propertyName) => throw null; + } + public static class ModelNames + { + public static string CreateIndexModelName(string parentName, int index) => throw null; + public static string CreateIndexModelName(string parentName, string index) => throw null; + public static string CreatePropertyModelName(string prefix, string propertyName) => throw null; + } + public abstract class ObjectModelValidator : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator + { + public ObjectModelValidator(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, System.Collections.Generic.IList validatorProviders) => throw null; + public abstract Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor GetValidationVisitor(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidatorCache validatorCache, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState); + public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model) => throw null; + public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; + public virtual void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object container) => throw null; + } + public class ParameterBinder + { + public virtual System.Threading.Tasks.Task BindModelAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder modelBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor parameter, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object value) => throw null; + public virtual System.Threading.Tasks.ValueTask BindModelAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinder modelBinder, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor parameter, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object value, object container) => throw null; + public ParameterBinder(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IModelBinderFactory modelBinderFactory, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IObjectModelValidator validator, Microsoft.Extensions.Options.IOptions mvcOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } + } + public class PrefixContainer + { + public bool ContainsPrefix(string prefix) => throw null; + public PrefixContainer(System.Collections.Generic.ICollection values) => throw null; + public System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; + } + public class QueryStringValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider + { + public override bool ContainsPrefix(string prefix) => throw null; + public QueryStringValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Http.IQueryCollection values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + public System.Globalization.CultureInfo Culture { get => throw null; } + public virtual System.Collections.Generic.IDictionary GetKeysFromPrefix(string prefix) => throw null; + public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } + } + public class QueryStringValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public QueryStringValueProviderFactory() => throw null; + } + public class RouteValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider + { + public override bool ContainsPrefix(string key) => throw null; + public RouteValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Routing.RouteValueDictionary values) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + public RouteValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, Microsoft.AspNetCore.Routing.RouteValueDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; + protected System.Globalization.CultureInfo Culture { get => throw null; } + public override Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderResult GetValue(string key) => throw null; + protected Microsoft.AspNetCore.Mvc.ModelBinding.PrefixContainer PrefixContainer { get => throw null; } + } + public class RouteValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory + { + public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; + public RouteValueProviderFactory() => throw null; + } + public class SuppressChildValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider + { + public void CreateValidationMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadataProviderContext context) => throw null; + public SuppressChildValidationMetadataProvider(System.Type type) => throw null; + public SuppressChildValidationMetadataProvider(string fullTypeName) => throw null; + public string FullTypeName { get => throw null; } + public System.Type Type { get => throw null; } + } + public class UnsupportedContentTypeException : System.Exception + { + public UnsupportedContentTypeException(string message) => throw null; + } + public class UnsupportedContentTypeFilter : Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public UnsupportedContentTypeFilter() => throw null; + public void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; + public void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context) => throw null; + public int Order { get => throw null; set { } } } namespace Validation { @@ -3319,87 +2558,331 @@ public class ClientValidatorCache public ClientValidatorCache() => throw null; public System.Collections.Generic.IReadOnlyList GetValidators(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidatorProvider validatorProvider) => throw null; } - public class CompositeClientModelValidatorProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidatorProvider { - public CompositeClientModelValidatorProvider(System.Collections.Generic.IEnumerable providers) => throw null; public void CreateValidators(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientValidatorProviderContext context) => throw null; + public CompositeClientModelValidatorProvider(System.Collections.Generic.IEnumerable providers) => throw null; public System.Collections.Generic.IReadOnlyList ValidatorProviders { get => throw null; } } - public class CompositeModelValidatorProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider { - public CompositeModelValidatorProvider(System.Collections.Generic.IList providers) => throw null; public void CreateValidators(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidatorProviderContext context) => throw null; + public CompositeModelValidatorProvider(System.Collections.Generic.IList providers) => throw null; public System.Collections.Generic.IList ValidatorProviders { get => throw null; } } - public interface IMetadataBasedModelValidatorProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider { bool HasValidators(System.Type modelType, System.Collections.Generic.IList validatorMetadata); } - public interface IObjectModelValidator { void Validate(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState, string prefix, object model); } - - public static class ModelValidatorProviderExtensions + public static partial class ModelValidatorProviderExtensions { - public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; public static void RemoveType(this System.Collections.Generic.IList list) where TModelValidatorProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider => throw null; + public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; } - - public class ValidateNeverAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IPropertyValidationFilter + public sealed class ValidateNeverAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IPropertyValidationFilter { - public bool ShouldValidateEntry(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry entry, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry parentEntry) => throw null; public ValidateNeverAttribute() => throw null; + public bool ShouldValidateEntry(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry entry, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationEntry parentEntry) => throw null; } - public class ValidationVisitor { - protected struct StateManager : System.IDisposable - { - public void Dispose() => throw null; - public static Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor.StateManager Recurse(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor visitor, string key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy strategy) => throw null; - // Stub generator skipped constructor - public StateManager(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor visitor, object newModel) => throw null; - } - - protected Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidatorCache Cache { get => throw null; } - protected object Container { get => throw null; set => throw null; } + protected object Container { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ActionContext Context { get => throw null; } + public ValidationVisitor(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidatorCache validatorCache, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState) => throw null; protected virtual Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry GetValidationEntry(object model) => throw null; - protected string Key { get => throw null; set => throw null; } - public int? MaxValidationDepth { get => throw null; set => throw null; } - protected Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set => throw null; } + protected string Key { get => throw null; set { } } + public int? MaxValidationDepth { get => throw null; set { } } + protected Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; } - protected object Model { get => throw null; set => throw null; } + protected object Model { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } - protected Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy Strategy { get => throw null; set => throw null; } + protected struct StateManager : System.IDisposable + { + public StateManager(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor visitor, object newModel) => throw null; + public void Dispose() => throw null; + public static Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor.StateManager Recurse(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationVisitor visitor, string key, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy strategy) => throw null; + } + protected Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy Strategy { get => throw null; set { } } protected virtual void SuppressValidation(string key) => throw null; public bool Validate(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model) => throw null; public virtual bool Validate(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model, bool alwaysValidateAtTopLevel) => throw null; public virtual bool Validate(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model, bool alwaysValidateAtTopLevel, object container) => throw null; - public bool ValidateComplexTypesIfChildValidationFails { get => throw null; set => throw null; } + public bool ValidateComplexTypesIfChildValidationFails { get => throw null; set { } } protected virtual bool ValidateNode() => throw null; protected Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary ValidationState { get => throw null; } - public ValidationVisitor(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidatorCache validatorCache, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateDictionary validationState) => throw null; protected Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider ValidatorProvider { get => throw null; } protected virtual bool Visit(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, string key, object model) => throw null; protected virtual bool VisitChildren(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy strategy) => throw null; protected virtual bool VisitComplexType(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IValidationStrategy defaultStrategy) => throw null; protected virtual bool VisitSimpleType() => throw null; } - public class ValidatorCache { - public System.Collections.Generic.IReadOnlyList GetValidators(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider) => throw null; public ValidatorCache() => throw null; + public System.Collections.Generic.IReadOnlyList GetValidators(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IModelValidatorProvider validatorProvider) => throw null; } - } + public static partial class ValueProviderFactoryExtensions + { + public static void RemoveType(this System.Collections.Generic.IList list) where TValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.IValueProviderFactory => throw null; + public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; + } + } + public class ModelMetadataTypeAttribute : System.Attribute + { + public ModelMetadataTypeAttribute(System.Type type) => throw null; + public System.Type MetadataType { get => throw null; } + } + public class MvcOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public bool AllowEmptyInputInBodyModelBinding { get => throw null; set { } } + public System.Collections.Generic.IDictionary CacheProfiles { get => throw null; } + public System.Collections.Generic.IList Conventions { get => throw null; } + public MvcOptions() => throw null; + public bool EnableActionInvokers { get => throw null; set { } } + public bool EnableEndpointRouting { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Filters.FilterCollection Filters { get => throw null; } + public Microsoft.AspNetCore.Mvc.Formatters.FormatterMappings FormatterMappings { get => throw null; } + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection InputFormatters { get => throw null; } + public int MaxIAsyncEnumerableBufferLimit { get => throw null; set { } } + public int MaxModelBindingCollectionSize { get => throw null; set { } } + public int MaxModelBindingRecursionDepth { get => throw null; set { } } + public int MaxModelValidationErrors { get => throw null; set { } } + public int? MaxValidationDepth { get => throw null; set { } } + public System.Collections.Generic.IList ModelBinderProviders { get => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.DefaultModelBindingMessageProvider ModelBindingMessageProvider { get => throw null; } + public System.Collections.Generic.IList ModelMetadataDetailsProviders { get => throw null; } + public System.Collections.Generic.IList ModelValidatorProviders { get => throw null; } + public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection OutputFormatters { get => throw null; } + public bool RequireHttpsPermanent { get => throw null; set { } } + public bool RespectBrowserAcceptHeader { get => throw null; set { } } + public bool ReturnHttpNotAcceptable { get => throw null; set { } } + public int? SslPort { get => throw null; set { } } + public bool SuppressAsyncSuffixInActionNames { get => throw null; set { } } + public bool SuppressImplicitRequiredAttributeForNonNullableReferenceTypes { get => throw null; set { } } + public bool SuppressInputFormatterBuffering { get => throw null; set { } } + public bool SuppressOutputFormatterBuffering { get => throw null; set { } } + public bool ValidateComplexTypesIfChildValidationFails { get => throw null; set { } } + public System.Collections.Generic.IList ValueProviderFactories { get => throw null; } + } + public class NoContentResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public NoContentResult() : base(default(int)) => throw null; + } + public sealed class NonActionAttribute : System.Attribute + { + public NonActionAttribute() => throw null; + } + public sealed class NonControllerAttribute : System.Attribute + { + public NonControllerAttribute() => throw null; + } + public class NonViewComponentAttribute : System.Attribute + { + public NonViewComponentAttribute() => throw null; + } + public class NotFoundObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public NotFoundObjectResult(object value) : base(default(object)) => throw null; + } + public class NotFoundResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public NotFoundResult() : base(default(int)) => throw null; + } + public class ObjectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set { } } + public ObjectResult(object value) => throw null; + public System.Type DeclaredType { get => throw null; set { } } + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Mvc.Formatters.FormatterCollection Formatters { get => throw null; set { } } + public virtual void OnFormatting(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public int? StatusCode { get => throw null; set { } } + public object Value { get => throw null; set { } } + } + public class OkObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public OkObjectResult(object value) : base(default(object)) => throw null; + } + public class OkResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public OkResult() : base(default(int)) => throw null; + } + public class PhysicalFileResult : Microsoft.AspNetCore.Mvc.FileResult + { + public PhysicalFileResult(string fileName, string contentType) : base(default(string)) => throw null; + public PhysicalFileResult(string fileName, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string FileName { get => throw null; set { } } + } + public class ProducesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider + { + public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set { } } + public ProducesAttribute(System.Type type) => throw null; + public ProducesAttribute(string contentType, params string[] additionalContentTypes) => throw null; + public virtual void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; + public virtual void OnResultExecuting(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context) => throw null; + public int Order { get => throw null; set { } } + public void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; + public int StatusCode { get => throw null; } + public System.Type Type { get => throw null; set { } } + } + public sealed class ProducesDefaultResponseTypeAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiDefaultResponseMetadataProvider, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + { + public ProducesDefaultResponseTypeAttribute() => throw null; + public ProducesDefaultResponseTypeAttribute(System.Type type) => throw null; + void Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider.SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; + public int StatusCode { get => throw null; } + public System.Type Type { get => throw null; } + } + public sealed class ProducesErrorResponseTypeAttribute : System.Attribute + { + public ProducesErrorResponseTypeAttribute(System.Type type) => throw null; + public System.Type Type { get => throw null; } + } + public class ProducesResponseTypeAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + { + public ProducesResponseTypeAttribute(int statusCode) => throw null; + public ProducesResponseTypeAttribute(System.Type type, int statusCode) => throw null; + public ProducesResponseTypeAttribute(System.Type type, int statusCode, string contentType, params string[] additionalContentTypes) => throw null; + void Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider.SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; + public int StatusCode { get => throw null; set { } } + public System.Type Type { get => throw null; set { } } + } + public class RedirectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public RedirectResult(string url) => throw null; + public RedirectResult(string url, bool permanent) => throw null; + public RedirectResult(string url, bool permanent, bool preserveMethod) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public bool Permanent { get => throw null; set { } } + public bool PreserveMethod { get => throw null; set { } } + public string Url { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class RedirectToActionResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public string ActionName { get => throw null; set { } } + public string ControllerName { get => throw null; set { } } + public RedirectToActionResult(string actionName, string controllerName, object routeValues) => throw null; + public RedirectToActionResult(string actionName, string controllerName, object routeValues, string fragment) => throw null; + public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent) => throw null; + public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, bool preserveMethod) => throw null; + public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, string fragment) => throw null; + public RedirectToActionResult(string actionName, string controllerName, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string Fragment { get => throw null; set { } } + public bool Permanent { get => throw null; set { } } + public bool PreserveMethod { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class RedirectToPageResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public RedirectToPageResult(string pageName) => throw null; + public RedirectToPageResult(string pageName, string pageHandler) => throw null; + public RedirectToPageResult(string pageName, object routeValues) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, bool preserveMethod) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues, string fragment) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, string fragment) => throw null; + public RedirectToPageResult(string pageName, string pageHandler, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string Fragment { get => throw null; set { } } + public string Host { get => throw null; set { } } + public string PageHandler { get => throw null; set { } } + public string PageName { get => throw null; set { } } + public bool Permanent { get => throw null; set { } } + public bool PreserveMethod { get => throw null; set { } } + public string Protocol { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class RedirectToRouteResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public RedirectToRouteResult(object routeValues) => throw null; + public RedirectToRouteResult(string routeName, object routeValues) => throw null; + public RedirectToRouteResult(string routeName, object routeValues, bool permanent) => throw null; + public RedirectToRouteResult(string routeName, object routeValues, bool permanent, bool preserveMethod) => throw null; + public RedirectToRouteResult(string routeName, object routeValues, string fragment) => throw null; + public RedirectToRouteResult(string routeName, object routeValues, bool permanent, string fragment) => throw null; + public RedirectToRouteResult(string routeName, object routeValues, bool permanent, bool preserveMethod, string fragment) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string Fragment { get => throw null; set { } } + public bool Permanent { get => throw null; set { } } + public bool PreserveMethod { get => throw null; set { } } + public string RouteName { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } + } + public class RequestFormLimitsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public bool BufferBody { get => throw null; set { } } + public long BufferBodyLengthLimit { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public RequestFormLimitsAttribute() => throw null; + public bool IsReusable { get => throw null; } + public int KeyLengthLimit { get => throw null; set { } } + public int MemoryBufferThreshold { get => throw null; set { } } + public long MultipartBodyLengthLimit { get => throw null; set { } } + public int MultipartBoundaryLengthLimit { get => throw null; set { } } + public int MultipartHeadersCountLimit { get => throw null; set { } } + public int MultipartHeadersLengthLimit { get => throw null; set { } } + public int Order { get => throw null; set { } } + public int ValueCountLimit { get => throw null; set { } } + public int ValueLengthLimit { get => throw null; set { } } + } + public class RequestSizeLimitAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata + { + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public RequestSizeLimitAttribute(long bytes) => throw null; + public bool IsReusable { get => throw null; } + long? Microsoft.AspNetCore.Http.Metadata.IRequestSizeLimitMetadata.MaxRequestBodySize { get => throw null; } + public int Order { get => throw null; set { } } + } + public class RequireHttpsAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public RequireHttpsAttribute() => throw null; + protected virtual void HandleNonHttpsRequest(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext filterContext) => throw null; + public virtual void OnAuthorization(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext filterContext) => throw null; + public int Order { get => throw null; set { } } + public bool Permanent { get => throw null; set { } } + } + public class ResponseCacheAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public string CacheProfileName { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public ResponseCacheAttribute() => throw null; + public int Duration { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.CacheProfile GetCacheProfile(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; + public bool IsReusable { get => throw null; } + public Microsoft.AspNetCore.Mvc.ResponseCacheLocation Location { get => throw null; set { } } + public bool NoStore { get => throw null; set { } } + public int Order { get => throw null; set { } } + public string VaryByHeader { get => throw null; set { } } + public string[] VaryByQueryKeys { get => throw null; set { } } + } + public enum ResponseCacheLocation + { + Any = 0, + Client = 1, + None = 2, + } + public class RouteAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider + { + public RouteAttribute(string template) => throw null; + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } + int? Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Order { get => throw null; } + public string Template { get => throw null; } } namespace Routing { @@ -3407,145 +2890,243 @@ public abstract class DynamicRouteValueTransformer { protected DynamicRouteValueTransformer() => throw null; public virtual System.Threading.Tasks.ValueTask> FilterAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteValueDictionary values, System.Collections.Generic.IReadOnlyList endpoints) => throw null; - public object State { get => throw null; set => throw null; } + public object State { get => throw null; set { } } public abstract System.Threading.Tasks.ValueTask TransformAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteValueDictionary values); } - public abstract class HttpMethodAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IActionHttpMethodProvider, Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider { public HttpMethodAttribute(System.Collections.Generic.IEnumerable httpMethods) => throw null; public HttpMethodAttribute(System.Collections.Generic.IEnumerable httpMethods, string template) => throw null; public System.Collections.Generic.IEnumerable HttpMethods { get => throw null; } - public string Name { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } + public int Order { get => throw null; set { } } int? Microsoft.AspNetCore.Mvc.Routing.IRouteTemplateProvider.Order { get => throw null; } public string Template { get => throw null; } } - public interface IActionHttpMethodProvider { System.Collections.Generic.IEnumerable HttpMethods { get; } } - public interface IRouteTemplateProvider { string Name { get; } int? Order { get; } string Template { get; } } - public interface IRouteValueProvider { string RouteKey { get; } string RouteValue { get; } } - public interface IUrlHelperFactory { Microsoft.AspNetCore.Mvc.IUrlHelper GetUrlHelper(Microsoft.AspNetCore.Mvc.ActionContext context); } - - public class KnownRouteValueConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint + public class KnownRouteValueConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy { public KnownRouteValueConstraint(Microsoft.AspNetCore.Mvc.Infrastructure.IActionDescriptorCollectionProvider actionDescriptorCollectionProvider) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - public abstract class RouteValueAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Routing.IRouteValueProvider { + protected RouteValueAttribute(string routeKey, string routeValue) => throw null; public string RouteKey { get => throw null; } public string RouteValue { get => throw null; } - protected RouteValueAttribute(string routeKey, string routeValue) => throw null; } - public class UrlHelper : Microsoft.AspNetCore.Mvc.Routing.UrlHelperBase { public override string Action(Microsoft.AspNetCore.Mvc.Routing.UrlActionContext actionContext) => throw null; + public UrlHelper(Microsoft.AspNetCore.Mvc.ActionContext actionContext) : base(default(Microsoft.AspNetCore.Mvc.ActionContext)) => throw null; protected virtual string GenerateUrl(string protocol, string host, Microsoft.AspNetCore.Routing.VirtualPathData pathData, string fragment) => throw null; protected virtual Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPathData(string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; protected Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - public override string RouteUrl(Microsoft.AspNetCore.Mvc.Routing.UrlRouteContext routeContext) => throw null; protected Microsoft.AspNetCore.Routing.IRouter Router { get => throw null; } - public UrlHelper(Microsoft.AspNetCore.Mvc.ActionContext actionContext) : base(default(Microsoft.AspNetCore.Mvc.ActionContext)) => throw null; + public override string RouteUrl(Microsoft.AspNetCore.Mvc.Routing.UrlRouteContext routeContext) => throw null; } - public abstract class UrlHelperBase : Microsoft.AspNetCore.Mvc.IUrlHelper { public abstract string Action(Microsoft.AspNetCore.Mvc.Routing.UrlActionContext actionContext); public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected Microsoft.AspNetCore.Routing.RouteValueDictionary AmbientValues { get => throw null; } public virtual string Content(string contentPath) => throw null; - protected string GenerateUrl(string protocol, string host, string path) => throw null; + protected UrlHelperBase(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; protected string GenerateUrl(string protocol, string host, string virtualPath, string fragment) => throw null; + protected string GenerateUrl(string protocol, string host, string path) => throw null; protected Microsoft.AspNetCore.Routing.RouteValueDictionary GetValuesDictionary(object values) => throw null; public virtual bool IsLocalUrl(string url) => throw null; public virtual string Link(string routeName, object values) => throw null; public abstract string RouteUrl(Microsoft.AspNetCore.Mvc.Routing.UrlRouteContext routeContext); - protected UrlHelperBase(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; } - public class UrlHelperFactory : Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory { - public Microsoft.AspNetCore.Mvc.IUrlHelper GetUrlHelper(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; public UrlHelperFactory() => throw null; + public Microsoft.AspNetCore.Mvc.IUrlHelper GetUrlHelper(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; } - + } + public sealed class SerializableError : System.Collections.Generic.Dictionary + { + public SerializableError() => throw null; + public SerializableError(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + } + public class ServiceFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public ServiceFilterAttribute(System.Type type) => throw null; + public bool IsReusable { get => throw null; set { } } + public int Order { get => throw null; set { } } + public System.Type ServiceType { get => throw null; } + } + public class SignInResult : Microsoft.AspNetCore.Mvc.ActionResult + { + public string AuthenticationScheme { get => throw null; set { } } + public SignInResult(System.Security.Claims.ClaimsPrincipal principal) => throw null; + public SignInResult(string authenticationScheme, System.Security.Claims.ClaimsPrincipal principal) => throw null; + public SignInResult(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public SignInResult(string authenticationScheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public System.Security.Claims.ClaimsPrincipal Principal { get => throw null; set { } } + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } + } + public class SignOutResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Http.IResult + { + public System.Collections.Generic.IList AuthenticationSchemes { get => throw null; set { } } + public SignOutResult() => throw null; + public SignOutResult(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public SignOutResult(string authenticationScheme) => throw null; + public SignOutResult(System.Collections.Generic.IList authenticationSchemes) => throw null; + public SignOutResult(string authenticationScheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + public SignOutResult(System.Collections.Generic.IList authenticationSchemes, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; + System.Threading.Tasks.Task Microsoft.AspNetCore.Http.IResult.ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } + } + public class StatusCodeResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public StatusCodeResult(int statusCode) => throw null; + public override void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public int StatusCode { get => throw null; } + int? Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult.StatusCode { get => throw null; } + } + public class TypeFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public object[] Arguments { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public TypeFilterAttribute(System.Type type) => throw null; + public System.Type ImplementationType { get => throw null; } + public bool IsReusable { get => throw null; set { } } + public int Order { get => throw null; set { } } + } + public class UnauthorizedObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public UnauthorizedObjectResult(object value) : base(default(object)) => throw null; + } + public class UnauthorizedResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public UnauthorizedResult() : base(default(int)) => throw null; + } + public class UnprocessableEntityObjectResult : Microsoft.AspNetCore.Mvc.ObjectResult + { + public UnprocessableEntityObjectResult(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(object)) => throw null; + public UnprocessableEntityObjectResult(object error) : base(default(object)) => throw null; + } + public class UnprocessableEntityResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public UnprocessableEntityResult() : base(default(int)) => throw null; + } + public class UnsupportedMediaTypeResult : Microsoft.AspNetCore.Mvc.StatusCodeResult + { + public UnsupportedMediaTypeResult() : base(default(int)) => throw null; + } + public static partial class UrlHelperExtensions + { + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, object values) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol, string host) => throw null; + public static string Action(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action, string controller, object values, string protocol, string host, string fragment) => throw null; + public static string ActionLink(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string action = default(string), string controller = default(string), object values = default(object), string protocol = default(string), string host = default(string), string fragment = default(string)) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, object values) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol, string host) => throw null; + public static string Page(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName, string pageHandler, object values, string protocol, string host, string fragment) => throw null; + public static string PageLink(this Microsoft.AspNetCore.Mvc.IUrlHelper urlHelper, string pageName = default(string), string pageHandler = default(string), object values = default(object), string protocol = default(string), string host = default(string), string fragment = default(string)) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, object values) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol, string host) => throw null; + public static string RouteUrl(this Microsoft.AspNetCore.Mvc.IUrlHelper helper, string routeName, object values, string protocol, string host, string fragment) => throw null; + } + public class ValidationProblemDetails : Microsoft.AspNetCore.Http.HttpValidationProblemDetails + { + public ValidationProblemDetails() => throw null; + public ValidationProblemDetails(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public ValidationProblemDetails(System.Collections.Generic.IDictionary errors) => throw null; + public System.Collections.Generic.IDictionary Errors { get => throw null; } } namespace ViewFeatures { public interface IKeepTempDataResult : Microsoft.AspNetCore.Mvc.IActionResult { } - + } + public class VirtualFileResult : Microsoft.AspNetCore.Mvc.FileResult + { + public VirtualFileResult(string fileName, string contentType) : base(default(string)) => throw null; + public VirtualFileResult(string fileName, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) : base(default(string)) => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public string FileName { get => throw null; set { } } + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } } } namespace Routing { - public static class ControllerLinkGeneratorExtensions + public static partial class ControllerLinkGeneratorExtensions { public static string GetPathByAction(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string action = default(string), string controller = default(string), object values = default(object), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetPathByAction(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string action, string controller, object values = default(object), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetUriByAction(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string action = default(string), string controller = default(string), object values = default(object), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetUriByAction(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string action, string controller, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; } - - public static class PageLinkGeneratorExtensions + public static partial class PageLinkGeneratorExtensions { public static string GetPathByPage(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string page = default(string), string handler = default(string), object values = default(object), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetPathByPage(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string page, string handler = default(string), object values = default(object), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetUriByPage(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string page = default(string), string handler = default(string), object values = default(object), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; public static string GetUriByPage(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string page, string handler, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class ApplicationModelConventionExtensions + public static partial class ApplicationModelConventionExtensions { - public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention actionModelConvention) => throw null; public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IControllerModelConvention controllerModelConvention) => throw null; - public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IParameterModelBaseConvention parameterModelConvention) => throw null; + public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IActionModelConvention actionModelConvention) => throw null; public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IParameterModelConvention parameterModelConvention) => throw null; - public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; + public static void Add(this System.Collections.Generic.IList conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IParameterModelBaseConvention parameterModelConvention) => throw null; public static void RemoveType(this System.Collections.Generic.IList list) where TApplicationModelConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IApplicationModelConvention => throw null; + public static void RemoveType(this System.Collections.Generic.IList list, System.Type type) => throw null; } - public interface IMvcBuilder { Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager PartManager { get; } Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - public interface IMvcCoreBuilder { Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager PartManager { get; } Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - - public static class MvcCoreMvcBuilderExtensions + public static partial class MvcCoreMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddApplicationPart(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Reflection.Assembly assembly) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddControllersAsServices(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; @@ -3556,8 +3137,7 @@ public static class MvcCoreMvcBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcBuilder ConfigureApplicationPartManager(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder SetCompatibilityVersion(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.CompatibilityVersion version) => throw null; } - - public static class MvcCoreMvcCoreBuilderExtensions + public static partial class MvcCoreMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddApplicationPart(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Reflection.Assembly assembly) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddAuthorization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; @@ -3571,13 +3151,11 @@ public static class MvcCoreMvcCoreBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder ConfigureApplicationPartManager(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder SetCompatibilityVersion(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.CompatibilityVersion version) => throw null; } - - public static class MvcCoreServiceCollectionExtensions + public static partial class MvcCoreServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Cors.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Cors.cs index d261e299d257..101f905ed872 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Cors.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Cors.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Cors, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -15,13 +14,8 @@ public class CorsAuthorizationFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAu public CorsAuthorizationFilter(Microsoft.AspNetCore.Cors.Infrastructure.ICorsService corsService, Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyProvider policyProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public System.Threading.Tasks.Task OnAuthorizationAsync(Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext context) => throw null; public int Order { get => throw null; } - public string PolicyName { get => throw null; set => throw null; } + public string PolicyName { get => throw null; set { } } } - - internal interface ICorsAuthorizationFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - } - } } } @@ -29,13 +23,12 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcCorsMvcCoreBuilderExtensions + public static partial class MvcCorsMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCors(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCors(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder ConfigureCors(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.DataAnnotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.DataAnnotations.cs index a280c4ccc095..0095fefebbf8 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.DataAnnotations.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.DataAnnotations.cs @@ -1,18 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.DataAnnotations, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Mvc { - public class HiddenInputAttribute : System.Attribute - { - public bool DisplayValue { get => throw null; set => throw null; } - public HiddenInputAttribute() => throw null; - } - namespace DataAnnotations { public abstract class AttributeAdapterBase : Microsoft.AspNetCore.Mvc.DataAnnotations.ValidationAttributeAdapter, Microsoft.AspNetCore.Mvc.DataAnnotations.IAttributeAdapter, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator where TAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute @@ -20,53 +13,50 @@ public abstract class AttributeAdapterBase : Microsoft.AspNetCore.Mv public AttributeAdapterBase(TAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) : base(default(TAttribute), default(Microsoft.Extensions.Localization.IStringLocalizer)) => throw null; public abstract string GetErrorMessage(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase validationContext); } - public interface IAttributeAdapter : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator { string GetErrorMessage(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase validationContext); } - public interface IValidationAttributeAdapterProvider { Microsoft.AspNetCore.Mvc.DataAnnotations.IAttributeAdapter GetAttributeAdapter(System.ComponentModel.DataAnnotations.ValidationAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer); } - public class MvcDataAnnotationsLocalizationOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public MvcDataAnnotationsLocalizationOptions() => throw null; public System.Func DataAnnotationLocalizerProvider; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public MvcDataAnnotationsLocalizationOptions() => throw null; } - - public class RequiredAttributeAdapter : Microsoft.AspNetCore.Mvc.DataAnnotations.AttributeAdapterBase + public sealed class RequiredAttributeAdapter : Microsoft.AspNetCore.Mvc.DataAnnotations.AttributeAdapterBase { public override void AddValidation(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; - public override string GetErrorMessage(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase validationContext) => throw null; public RequiredAttributeAdapter(System.ComponentModel.DataAnnotations.RequiredAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) : base(default(System.ComponentModel.DataAnnotations.RequiredAttribute), default(Microsoft.Extensions.Localization.IStringLocalizer)) => throw null; + public override string GetErrorMessage(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ModelValidationContextBase validationContext) => throw null; } - public abstract class ValidationAttributeAdapter : Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator where TAttribute : System.ComponentModel.DataAnnotations.ValidationAttribute { public abstract void AddValidation(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context); public TAttribute Attribute { get => throw null; } + public ValidationAttributeAdapter(TAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) => throw null; protected virtual string GetErrorMessage(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata modelMetadata, params object[] arguments) => throw null; protected static bool MergeAttribute(System.Collections.Generic.IDictionary attributes, string key, string value) => throw null; - public ValidationAttributeAdapter(TAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) => throw null; } - public class ValidationAttributeAdapterProvider : Microsoft.AspNetCore.Mvc.DataAnnotations.IValidationAttributeAdapterProvider { - public Microsoft.AspNetCore.Mvc.DataAnnotations.IAttributeAdapter GetAttributeAdapter(System.ComponentModel.DataAnnotations.ValidationAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) => throw null; public ValidationAttributeAdapterProvider() => throw null; + public Microsoft.AspNetCore.Mvc.DataAnnotations.IAttributeAdapter GetAttributeAdapter(System.ComponentModel.DataAnnotations.ValidationAttribute attribute, Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) => throw null; } - public abstract class ValidationProviderAttribute : System.Attribute { - public abstract System.Collections.Generic.IEnumerable GetValidationAttributes(); protected ValidationProviderAttribute() => throw null; + public abstract System.Collections.Generic.IEnumerable GetValidationAttributes(); } - + } + public sealed class HiddenInputAttribute : System.Attribute + { + public HiddenInputAttribute() => throw null; + public bool DisplayValue { get => throw null; set { } } } } } @@ -74,19 +64,17 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcDataAnnotationsMvcBuilderExtensions + public static partial class MvcDataAnnotationsMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddDataAnnotationsLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddDataAnnotationsLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; } - - public static class MvcDataAnnotationsMvcCoreBuilderExtensions + public static partial class MvcDataAnnotationsMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddDataAnnotations(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddDataAnnotationsLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddDataAnnotationsLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs new file mode 100644 index 000000000000..8436e1dea120 --- /dev/null +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs @@ -0,0 +1,2 @@ +// This file contains auto-generated code. +// Generated from `Microsoft.AspNetCore.Mvc.Formatters.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs index 3072a22a4da4..75b355b4ccf8 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Formatters.Xml, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,74 +8,6 @@ namespace Mvc { namespace Formatters { - public class XmlDataContractSerializerInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextInputFormatter, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy - { - protected override bool CanReadType(System.Type type) => throw null; - protected virtual System.Runtime.Serialization.DataContractSerializer CreateSerializer(System.Type type) => throw null; - protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy ExceptionPolicy { get => throw null; } - protected virtual System.Runtime.Serialization.DataContractSerializer GetCachedSerializer(System.Type type) => throw null; - protected virtual System.Type GetSerializableType(System.Type declaredType) => throw null; - public int MaxDepth { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; - public System.Runtime.Serialization.DataContractSerializerSettings SerializerSettings { get => throw null; set => throw null; } - public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } - public XmlDataContractSerializerInputFormatter(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; - public System.Xml.XmlDictionaryReaderQuotas XmlDictionaryReaderQuotas { get => throw null; } - } - - public class XmlDataContractSerializerOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter - { - protected override bool CanWriteType(System.Type type) => throw null; - protected virtual System.Runtime.Serialization.DataContractSerializer CreateSerializer(System.Type type) => throw null; - public virtual System.Xml.XmlWriter CreateXmlWriter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; - public virtual System.Xml.XmlWriter CreateXmlWriter(System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; - protected virtual System.Runtime.Serialization.DataContractSerializer GetCachedSerializer(System.Type type) => throw null; - protected virtual System.Type GetSerializableType(System.Type type) => throw null; - public System.Runtime.Serialization.DataContractSerializerSettings SerializerSettings { get => throw null; set => throw null; } - public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } - public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; - public System.Xml.XmlWriterSettings WriterSettings { get => throw null; } - public XmlDataContractSerializerOutputFormatter() => throw null; - public XmlDataContractSerializerOutputFormatter(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public XmlDataContractSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings) => throw null; - public XmlDataContractSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - - public class XmlSerializerInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextInputFormatter, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy - { - protected override bool CanReadType(System.Type type) => throw null; - protected virtual System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type) => throw null; - protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding) => throw null; - protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding, System.Type type) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy ExceptionPolicy { get => throw null; } - protected virtual System.Xml.Serialization.XmlSerializer GetCachedSerializer(System.Type type) => throw null; - protected virtual System.Type GetSerializableType(System.Type declaredType) => throw null; - public int MaxDepth { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; - public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } - public System.Xml.XmlDictionaryReaderQuotas XmlDictionaryReaderQuotas { get => throw null; } - public XmlSerializerInputFormatter(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; - } - - public class XmlSerializerOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter - { - protected override bool CanWriteType(System.Type type) => throw null; - protected virtual System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type) => throw null; - public virtual System.Xml.XmlWriter CreateXmlWriter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; - public virtual System.Xml.XmlWriter CreateXmlWriter(System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; - protected virtual System.Xml.Serialization.XmlSerializer GetCachedSerializer(System.Type type) => throw null; - protected virtual System.Type GetSerializableType(System.Type type) => throw null; - protected virtual void Serialize(System.Xml.Serialization.XmlSerializer xmlSerializer, System.Xml.XmlWriter xmlWriter, object value) => throw null; - public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } - public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; - public System.Xml.XmlWriterSettings WriterSettings { get => throw null; } - public XmlSerializerOutputFormatter() => throw null; - public XmlSerializerOutputFormatter(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public XmlSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings) => throw null; - public XmlSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - namespace Xml { public class DelegatingEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable @@ -87,110 +18,159 @@ public class DelegatingEnumerable : System.Collections.Gene public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public class DelegatingEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public DelegatingEnumerator(System.Collections.Generic.IEnumerator inner, Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider wrapperProvider) => throw null; public TWrapped Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } - public DelegatingEnumerator(System.Collections.Generic.IEnumerator inner, Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider wrapperProvider) => throw null; public void Dispose() => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - public class EnumerableWrapperProvider : Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider { public EnumerableWrapperProvider(System.Type sourceEnumerableOfT, Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider elementWrapperProvider) => throw null; public object Wrap(object original) => throw null; public System.Type WrappingType { get => throw null; } } - public class EnumerableWrapperProviderFactory : Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProviderFactory { public EnumerableWrapperProviderFactory(System.Collections.Generic.IEnumerable wrapperProviderFactories) => throw null; public Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider GetProvider(Microsoft.AspNetCore.Mvc.Formatters.Xml.WrapperProviderContext context) => throw null; } - public interface IUnwrappable { object Unwrap(System.Type declaredType); } - public interface IWrapperProvider { object Wrap(object original); System.Type WrappingType { get; } } - public interface IWrapperProviderFactory { Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider GetProvider(Microsoft.AspNetCore.Mvc.Formatters.Xml.WrapperProviderContext context); } - public class MvcXmlOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public MvcXmlOptions() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public MvcXmlOptions() => throw null; } - - public class ProblemDetailsWrapper : Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable, System.Xml.Serialization.IXmlSerializable + public class ProblemDetailsWrapper : System.Xml.Serialization.IXmlSerializable, Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable { - protected static string EmptyKey; - public System.Xml.Schema.XmlSchema GetSchema() => throw null; public ProblemDetailsWrapper() => throw null; public ProblemDetailsWrapper(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; + protected static string EmptyKey; + public System.Xml.Schema.XmlSchema GetSchema() => throw null; protected virtual void ReadValue(System.Xml.XmlReader reader, string name) => throw null; public virtual void ReadXml(System.Xml.XmlReader reader) => throw null; object Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable.Unwrap(System.Type declaredType) => throw null; public virtual void WriteXml(System.Xml.XmlWriter writer) => throw null; } - - public class SerializableErrorWrapper : Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable, System.Xml.Serialization.IXmlSerializable + public sealed class SerializableErrorWrapper : System.Xml.Serialization.IXmlSerializable, Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable { + public SerializableErrorWrapper() => throw null; + public SerializableErrorWrapper(Microsoft.AspNetCore.Mvc.SerializableError error) => throw null; public System.Xml.Schema.XmlSchema GetSchema() => throw null; public void ReadXml(System.Xml.XmlReader reader) => throw null; public Microsoft.AspNetCore.Mvc.SerializableError SerializableError { get => throw null; } - public SerializableErrorWrapper() => throw null; - public SerializableErrorWrapper(Microsoft.AspNetCore.Mvc.SerializableError error) => throw null; public object Unwrap(System.Type declaredType) => throw null; public void WriteXml(System.Xml.XmlWriter writer) => throw null; } - public class SerializableErrorWrapperProvider : Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider { public SerializableErrorWrapperProvider() => throw null; public object Wrap(object original) => throw null; public System.Type WrappingType { get => throw null; } } - public class SerializableErrorWrapperProviderFactory : Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProviderFactory { - public Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider GetProvider(Microsoft.AspNetCore.Mvc.Formatters.Xml.WrapperProviderContext context) => throw null; public SerializableErrorWrapperProviderFactory() => throw null; + public Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider GetProvider(Microsoft.AspNetCore.Mvc.Formatters.Xml.WrapperProviderContext context) => throw null; } - public class ValidationProblemDetailsWrapper : Microsoft.AspNetCore.Mvc.Formatters.Xml.ProblemDetailsWrapper, Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable { - protected override void ReadValue(System.Xml.XmlReader reader, string name) => throw null; - object Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable.Unwrap(System.Type declaredType) => throw null; public ValidationProblemDetailsWrapper() => throw null; public ValidationProblemDetailsWrapper(Microsoft.AspNetCore.Mvc.ValidationProblemDetails problemDetails) => throw null; + protected override void ReadValue(System.Xml.XmlReader reader, string name) => throw null; + object Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable.Unwrap(System.Type declaredType) => throw null; public override void WriteXml(System.Xml.XmlWriter writer) => throw null; } - public class WrapperProviderContext { + public WrapperProviderContext(System.Type declaredType, bool isSerialization) => throw null; public System.Type DeclaredType { get => throw null; } public bool IsSerialization { get => throw null; } - public WrapperProviderContext(System.Type declaredType, bool isSerialization) => throw null; } - - public static class WrapperProviderFactoriesExtensions + public static partial class WrapperProviderFactoriesExtensions { public static Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider GetWrapperProvider(this System.Collections.Generic.IEnumerable wrapperProviderFactories, Microsoft.AspNetCore.Mvc.Formatters.Xml.WrapperProviderContext wrapperProviderContext) => throw null; } - + } + public class XmlDataContractSerializerInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextInputFormatter, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy + { + protected override bool CanReadType(System.Type type) => throw null; + protected virtual System.Runtime.Serialization.DataContractSerializer CreateSerializer(System.Type type) => throw null; + protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding) => throw null; + public XmlDataContractSerializerInputFormatter(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; + public virtual Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy ExceptionPolicy { get => throw null; } + protected virtual System.Runtime.Serialization.DataContractSerializer GetCachedSerializer(System.Type type) => throw null; + protected virtual System.Type GetSerializableType(System.Type declaredType) => throw null; + public int MaxDepth { get => throw null; set { } } + public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; + public System.Runtime.Serialization.DataContractSerializerSettings SerializerSettings { get => throw null; set { } } + public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } + public System.Xml.XmlDictionaryReaderQuotas XmlDictionaryReaderQuotas { get => throw null; } + } + public class XmlDataContractSerializerOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter + { + protected override bool CanWriteType(System.Type type) => throw null; + protected virtual System.Runtime.Serialization.DataContractSerializer CreateSerializer(System.Type type) => throw null; + public virtual System.Xml.XmlWriter CreateXmlWriter(System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; + public virtual System.Xml.XmlWriter CreateXmlWriter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; + public XmlDataContractSerializerOutputFormatter() => throw null; + public XmlDataContractSerializerOutputFormatter(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public XmlDataContractSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings) => throw null; + public XmlDataContractSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + protected virtual System.Runtime.Serialization.DataContractSerializer GetCachedSerializer(System.Type type) => throw null; + protected virtual System.Type GetSerializableType(System.Type type) => throw null; + public System.Runtime.Serialization.DataContractSerializerSettings SerializerSettings { get => throw null; set { } } + public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } + public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; + public System.Xml.XmlWriterSettings WriterSettings { get => throw null; } + } + public class XmlSerializerInputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextInputFormatter, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatterExceptionPolicy + { + protected override bool CanReadType(System.Type type) => throw null; + protected virtual System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type) => throw null; + protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding, System.Type type) => throw null; + protected virtual System.Xml.XmlReader CreateXmlReader(System.IO.Stream readStream, System.Text.Encoding encoding) => throw null; + public XmlSerializerInputFormatter(Microsoft.AspNetCore.Mvc.MvcOptions options) => throw null; + public virtual Microsoft.AspNetCore.Mvc.Formatters.InputFormatterExceptionPolicy ExceptionPolicy { get => throw null; } + protected virtual System.Xml.Serialization.XmlSerializer GetCachedSerializer(System.Type type) => throw null; + protected virtual System.Type GetSerializableType(System.Type declaredType) => throw null; + public int MaxDepth { get => throw null; set { } } + public override System.Threading.Tasks.Task ReadRequestBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context, System.Text.Encoding encoding) => throw null; + public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } + public System.Xml.XmlDictionaryReaderQuotas XmlDictionaryReaderQuotas { get => throw null; } + } + public class XmlSerializerOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.TextOutputFormatter + { + protected override bool CanWriteType(System.Type type) => throw null; + protected virtual System.Xml.Serialization.XmlSerializer CreateSerializer(System.Type type) => throw null; + public virtual System.Xml.XmlWriter CreateXmlWriter(System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; + public virtual System.Xml.XmlWriter CreateXmlWriter(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.IO.TextWriter writer, System.Xml.XmlWriterSettings xmlWriterSettings) => throw null; + public XmlSerializerOutputFormatter() => throw null; + public XmlSerializerOutputFormatter(Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public XmlSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings) => throw null; + public XmlSerializerOutputFormatter(System.Xml.XmlWriterSettings writerSettings, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + protected virtual System.Xml.Serialization.XmlSerializer GetCachedSerializer(System.Type type) => throw null; + protected virtual System.Type GetSerializableType(System.Type type) => throw null; + protected virtual void Serialize(System.Xml.Serialization.XmlSerializer xmlSerializer, System.Xml.XmlWriter xmlWriter, object value) => throw null; + public System.Collections.Generic.IList WrapperProviderFactories { get => throw null; } + public override System.Threading.Tasks.Task WriteResponseBodyAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context, System.Text.Encoding selectedEncoding) => throw null; + public System.Xml.XmlWriterSettings WriterSettings { get => throw null; } } } namespace ModelBinding @@ -202,7 +182,6 @@ public class DataMemberRequiredBindingMetadataProvider : Microsoft.AspNetCore.Mv public void CreateBindingMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadataProviderContext context) => throw null; public DataMemberRequiredBindingMetadataProvider() => throw null; } - } } } @@ -211,7 +190,7 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcXmlMvcBuilderExtensions + public static partial class MvcXmlMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddXmlDataContractSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddXmlDataContractSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; @@ -219,8 +198,7 @@ public static class MvcXmlMvcBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddXmlSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddXmlSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; } - - public static class MvcXmlMvcCoreBuilderExtensions + public static partial class MvcXmlMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddXmlDataContractSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddXmlDataContractSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; @@ -228,7 +206,6 @@ public static class MvcXmlMvcCoreBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddXmlSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddXmlSerializerFormatters(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs index 2e1d41380f9c..eeb8ed17261a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Localization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,85 +10,75 @@ namespace Localization { public class HtmlLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer { + public HtmlLocalizer(Microsoft.Extensions.Localization.IStringLocalizer localizer) => throw null; public virtual System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures) => throw null; public virtual Microsoft.Extensions.Localization.LocalizedString GetString(string name) => throw null; public virtual Microsoft.Extensions.Localization.LocalizedString GetString(string name, params object[] arguments) => throw null; - public HtmlLocalizer(Microsoft.Extensions.Localization.IStringLocalizer localizer) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name] { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get => throw null; } protected virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString ToHtmlString(Microsoft.Extensions.Localization.LocalizedString result) => throw null; protected virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString ToHtmlString(Microsoft.Extensions.Localization.LocalizedString result, object[] arguments) => throw null; } - - public class HtmlLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer + public class HtmlLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer { + public HtmlLocalizer(Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory factory) => throw null; public virtual System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures) => throw null; public virtual Microsoft.Extensions.Localization.LocalizedString GetString(string name) => throw null; public virtual Microsoft.Extensions.Localization.LocalizedString GetString(string name, params object[] arguments) => throw null; - public HtmlLocalizer(Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory factory) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name] { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get => throw null; } } - - public static class HtmlLocalizerExtensions + public static partial class HtmlLocalizerExtensions { public static System.Collections.Generic.IEnumerable GetAllStrings(this Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer htmlLocalizer) => throw null; public static Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString GetHtml(this Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer htmlLocalizer, string name) => throw null; public static Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString GetHtml(this Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer htmlLocalizer, string name, params object[] arguments) => throw null; } - public class HtmlLocalizerFactory : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory { public virtual Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer Create(System.Type resourceSource) => throw null; public virtual Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer Create(string baseName, string location) => throw null; public HtmlLocalizerFactory(Microsoft.Extensions.Localization.IStringLocalizerFactory localizerFactory) => throw null; } - public interface IHtmlLocalizer { System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures); Microsoft.Extensions.Localization.LocalizedString GetString(string name); Microsoft.Extensions.Localization.LocalizedString GetString(string name, params object[] arguments); - Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get; } Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name] { get; } + Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string name, params object[] arguments] { get; } } - public interface IHtmlLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer { } - public interface IHtmlLocalizerFactory { Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer Create(System.Type resourceSource); Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer Create(string baseName, string location); } - public interface IViewLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer { } - public class LocalizedHtmlString : Microsoft.AspNetCore.Html.IHtmlContent { - public bool IsResourceNotFound { get => throw null; } public LocalizedHtmlString(string name, string value) => throw null; public LocalizedHtmlString(string name, string value, bool isResourceNotFound) => throw null; public LocalizedHtmlString(string name, string value, bool isResourceNotFound, params object[] arguments) => throw null; + public bool IsResourceNotFound { get => throw null; } public string Name { get => throw null; } public string Value { get => throw null; } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public class ViewLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.Localization.IViewLocalizer, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware + public class ViewLocalizer : Microsoft.AspNetCore.Mvc.Localization.IViewLocalizer, Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware { public void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; + public ViewLocalizer(Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory localizerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) => throw null; public System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures) => throw null; public Microsoft.Extensions.Localization.LocalizedString GetString(string name) => throw null; public Microsoft.Extensions.Localization.LocalizedString GetString(string name, params object[] values) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string key, params object[] arguments] { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string key] { get => throw null; } - public ViewLocalizer(Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory localizerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.Localization.LocalizedHtmlString this[string key, params object[] arguments] { get => throw null; } } - } } } @@ -97,38 +86,36 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcLocalizationMvcBuilderExtensions + public static partial class MvcLocalizationMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action setupAction) => throw null; } - - public static class MvcLocalizationMvcCoreBuilderExtensions + public static partial class MvcLocalizationMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddMvcLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action localizationOptionsSetupAction, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action dataAnnotationsLocalizationOptionsSetupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; - public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; + public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViewLocalization(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs index eba7a1fa50ff..9e6294d57b7b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.Razor, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -15,7 +14,6 @@ public class CompiledRazorAssemblyApplicationPartFactory : Microsoft.AspNetCore. public override System.Collections.Generic.IEnumerable GetApplicationParts(System.Reflection.Assembly assembly) => throw null; public static System.Collections.Generic.IEnumerable GetDefaultApplicationParts(System.Reflection.Assembly assembly) => throw null; } - public class CompiledRazorAssemblyPart : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPart, Microsoft.AspNetCore.Mvc.ApplicationParts.IRazorCompiledItemProvider { public System.Reflection.Assembly Assembly { get => throw null; } @@ -23,59 +21,97 @@ public class CompiledRazorAssemblyPart : Microsoft.AspNetCore.Mvc.ApplicationPar public CompiledRazorAssemblyPart(System.Reflection.Assembly assembly) => throw null; public override string Name { get => throw null; } } - - public class ConsolidatedAssemblyApplicationPartFactory : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartFactory + public sealed class ConsolidatedAssemblyApplicationPartFactory : Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartFactory { public ConsolidatedAssemblyApplicationPartFactory() => throw null; public override System.Collections.Generic.IEnumerable GetApplicationParts(System.Reflection.Assembly assembly) => throw null; } - public interface IRazorCompiledItemProvider { System.Collections.Generic.IEnumerable CompiledItems { get; } } - } namespace Diagnostics { - public class AfterViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public static string EventName; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage Page { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } } - - public class BeforeViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; + public static string EventName; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage Page { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } } - } namespace Razor { + namespace Compilation + { + public class CompiledViewDescriptor + { + public CompiledViewDescriptor() => throw null; + public CompiledViewDescriptor(Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem item) => throw null; + public CompiledViewDescriptor(Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem item, Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute attribute) => throw null; + public System.Collections.Generic.IList ExpirationTokens { get => throw null; set { } } + public Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem Item { get => throw null; set { } } + public string RelativePath { get => throw null; set { } } + public System.Type Type { get => throw null; } + public Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute ViewAttribute { get => throw null; set { } } + } + public interface IViewCompiler + { + System.Threading.Tasks.Task CompileAsync(string relativePath); + } + public interface IViewCompilerProvider + { + Microsoft.AspNetCore.Mvc.Razor.Compilation.IViewCompiler GetCompiler(); + } + public class RazorViewAttribute : System.Attribute + { + public RazorViewAttribute(string path, System.Type viewType) => throw null; + public string Path { get => throw null; } + public System.Type ViewType { get => throw null; } + } + public class ViewsFeature + { + public ViewsFeature() => throw null; + public System.Collections.Generic.IList ViewDescriptors { get => throw null; } + } + } public class HelperResult : Microsoft.AspNetCore.Html.IHtmlContent { public HelperResult(System.Func asyncAction) => throw null; public System.Func WriteAction { get => throw null; } public virtual void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - internal interface IModelTypeProvider + namespace Infrastructure + { + public sealed class TagHelperMemoryCacheProvider + { + public Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } + public TagHelperMemoryCacheProvider() => throw null; + } + } + namespace Internal { + public class RazorInjectAttribute : System.Attribute + { + public RazorInjectAttribute() => throw null; + } } - public interface IRazorPage { Microsoft.AspNetCore.Html.IHtmlContent BodyContent { get; set; } @@ -88,90 +124,77 @@ public interface IRazorPage System.Collections.Generic.IDictionary SectionWriters { get; } Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get; set; } } - public interface IRazorPageActivator { void Activate(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext context); } - public interface IRazorPageFactoryProvider { Microsoft.AspNetCore.Mvc.Razor.RazorPageFactoryResult CreateFactory(string relativePath); } - public interface IRazorViewEngine : Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine { Microsoft.AspNetCore.Mvc.Razor.RazorPageResult FindPage(Microsoft.AspNetCore.Mvc.ActionContext context, string pageName); string GetAbsolutePath(string executingFilePath, string pagePath); Microsoft.AspNetCore.Mvc.Razor.RazorPageResult GetPage(string executingFilePath, string pagePath); } - public interface ITagHelperActivator { TTagHelper Create(Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper; } - public interface ITagHelperFactory { TTagHelper CreateTagHelper(Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper; } - public interface ITagHelperInitializer where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper { void Initialize(TTagHelper helper, Microsoft.AspNetCore.Mvc.Rendering.ViewContext context); } - public interface IViewLocationExpander { System.Collections.Generic.IEnumerable ExpandViewLocations(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context, System.Collections.Generic.IEnumerable viewLocations); void PopulateValues(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context); } - public class LanguageViewLocationExpander : Microsoft.AspNetCore.Mvc.Razor.IViewLocationExpander { - public virtual System.Collections.Generic.IEnumerable ExpandViewLocations(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context, System.Collections.Generic.IEnumerable viewLocations) => throw null; public LanguageViewLocationExpander() => throw null; public LanguageViewLocationExpander(Microsoft.AspNetCore.Mvc.Razor.LanguageViewLocationExpanderFormat format) => throw null; + public virtual System.Collections.Generic.IEnumerable ExpandViewLocations(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context, System.Collections.Generic.IEnumerable viewLocations) => throw null; public void PopulateValues(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context) => throw null; } - - public enum LanguageViewLocationExpanderFormat : int + public enum LanguageViewLocationExpanderFormat { SubFolder = 0, Suffix = 1, } - public abstract class RazorPage : Microsoft.AspNetCore.Mvc.Razor.RazorPageBase { public override void BeginContext(int position, int length, bool isLiteral) => throw null; public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } + protected RazorPage() => throw null; public override void DefineSection(string name, Microsoft.AspNetCore.Mvc.Razor.RenderAsyncDelegate section) => throw null; public override void EndContext() => throw null; public override void EnsureRenderedBodyOrSections() => throw null; public void IgnoreBody() => throw null; public void IgnoreSection(string sectionName) => throw null; public bool IsSectionDefined(string name) => throw null; - protected RazorPage() => throw null; protected virtual Microsoft.AspNetCore.Html.IHtmlContent RenderBody() => throw null; public Microsoft.AspNetCore.Html.HtmlString RenderSection(string name) => throw null; public Microsoft.AspNetCore.Html.HtmlString RenderSection(string name, bool required) => throw null; public System.Threading.Tasks.Task RenderSectionAsync(string name) => throw null; public System.Threading.Tasks.Task RenderSectionAsync(string name, bool required) => throw null; } - public abstract class RazorPage : Microsoft.AspNetCore.Mvc.Razor.RazorPage { - public TModel Model { get => throw null; } protected RazorPage() => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } + public TModel Model { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } } - public class RazorPageActivator : Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator { public void Activate(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) => throw null; public RazorPageActivator(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory, Microsoft.AspNetCore.Mvc.Rendering.IJsonHelper jsonHelper, System.Diagnostics.DiagnosticSource diagnosticSource, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.ViewFeatures.IModelExpressionProvider modelExpressionProvider) => throw null; } - public abstract class RazorPageBase : Microsoft.AspNetCore.Mvc.Razor.IRazorPage { public void AddHtmlAttributeValue(string prefix, int prefixOffset, object value, int valueOffset, int valueLength, bool isLiteral) => throw null; @@ -179,11 +202,12 @@ public abstract class RazorPageBase : Microsoft.AspNetCore.Mvc.Razor.IRazorPage public abstract void BeginContext(int position, int length, bool isLiteral); public virtual void BeginWriteAttribute(string name, string prefix, int prefixOffset, string suffix, int suffixOffset, int attributeValuesCount) => throw null; public void BeginWriteTagHelperAttribute() => throw null; - public Microsoft.AspNetCore.Html.IHtmlContent BodyContent { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Html.IHtmlContent BodyContent { get => throw null; set { } } public TTagHelper CreateTagHelper() where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper => throw null; + protected RazorPageBase() => throw null; protected void DefineSection(string name, System.Func section) => throw null; public virtual void DefineSection(string name, Microsoft.AspNetCore.Mvc.Razor.RenderAsyncDelegate section) => throw null; - public System.Diagnostics.DiagnosticSource DiagnosticSource { get => throw null; set => throw null; } + public System.Diagnostics.DiagnosticSource DiagnosticSource { get => throw null; set { } } public void EndAddHtmlAttributeValues(Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext executionContext) => throw null; public abstract void EndContext(); public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent EndTagHelperWritingScope() => throw null; @@ -193,155 +217,77 @@ public abstract class RazorPageBase : Microsoft.AspNetCore.Mvc.Razor.IRazorPage public abstract System.Threading.Tasks.Task ExecuteAsync(); public virtual System.Threading.Tasks.Task FlushAsync() => throw null; public virtual string Href(string contentPath) => throw null; - public System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; set => throw null; } + public System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; set { } } public string InvalidTagHelperIndexerAssignment(string attributeName, string tagHelperTypeName, string propertyName) => throw null; - public bool IsLayoutBeingRendered { get => throw null; set => throw null; } - public string Layout { get => throw null; set => throw null; } + public bool IsLayoutBeingRendered { get => throw null; set { } } + public string Layout { get => throw null; set { } } public virtual System.IO.TextWriter Output { get => throw null; } - public string Path { get => throw null; set => throw null; } - protected internal virtual System.IO.TextWriter PopWriter() => throw null; - public System.Collections.Generic.IDictionary PreviousSectionWriters { get => throw null; set => throw null; } - protected internal virtual void PushWriter(System.IO.TextWriter writer) => throw null; - protected RazorPageBase() => throw null; + public string Path { get => throw null; set { } } + protected virtual System.IO.TextWriter PopWriter() => throw null; + public System.Collections.Generic.IDictionary PreviousSectionWriters { get => throw null; set { } } + protected virtual void PushWriter(System.IO.TextWriter writer) => throw null; public System.Collections.Generic.IDictionary SectionWriters { get => throw null; } public virtual Microsoft.AspNetCore.Html.HtmlString SetAntiforgeryCookieAndHeader() => throw null; public void StartTagHelperWritingScope(System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; } public virtual System.Security.Claims.ClaimsPrincipal User { get => throw null; } public dynamic ViewBag { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } public virtual void Write(object value) => throw null; public virtual void Write(string value) => throw null; public void WriteAttributeValue(string prefix, int prefixOffset, object value, int valueOffset, int valueLength, bool isLiteral) => throw null; public virtual void WriteLiteral(object value) => throw null; public virtual void WriteLiteral(string value) => throw null; } - public struct RazorPageFactoryResult { - public System.Func RazorPageFactory { get => throw null; } - // Stub generator skipped constructor public RazorPageFactoryResult(Microsoft.AspNetCore.Mvc.Razor.Compilation.CompiledViewDescriptor viewDescriptor, System.Func razorPageFactory) => throw null; + public System.Func RazorPageFactory { get => throw null; } public bool Success { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.Compilation.CompiledViewDescriptor ViewDescriptor { get => throw null; } } - public struct RazorPageResult { + public RazorPageResult(string name, Microsoft.AspNetCore.Mvc.Razor.IRazorPage page) => throw null; + public RazorPageResult(string name, System.Collections.Generic.IEnumerable searchedLocations) => throw null; public string Name { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage Page { get => throw null; } - // Stub generator skipped constructor - public RazorPageResult(string name, System.Collections.Generic.IEnumerable searchedLocations) => throw null; - public RazorPageResult(string name, Microsoft.AspNetCore.Mvc.Razor.IRazorPage page) => throw null; public System.Collections.Generic.IEnumerable SearchedLocations { get => throw null; } } - public class RazorView : Microsoft.AspNetCore.Mvc.ViewEngines.IView { + public RazorView(Microsoft.AspNetCore.Mvc.Razor.IRazorViewEngine viewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator pageActivator, System.Collections.Generic.IReadOnlyList viewStartPages, Microsoft.AspNetCore.Mvc.Razor.IRazorPage razorPage, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public string Path { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage RazorPage { get => throw null; } - public RazorView(Microsoft.AspNetCore.Mvc.Razor.IRazorViewEngine viewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator pageActivator, System.Collections.Generic.IReadOnlyList viewStartPages, Microsoft.AspNetCore.Mvc.Razor.IRazorPage razorPage, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public virtual System.Threading.Tasks.Task RenderAsync(Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) => throw null; public System.Collections.Generic.IReadOnlyList ViewStartPages { get => throw null; } } - public class RazorViewEngine : Microsoft.AspNetCore.Mvc.Razor.IRazorViewEngine, Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine { + public RazorViewEngine(Microsoft.AspNetCore.Mvc.Razor.IRazorPageFactoryProvider pageFactory, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator pageActivator, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public Microsoft.AspNetCore.Mvc.Razor.RazorPageResult FindPage(Microsoft.AspNetCore.Mvc.ActionContext context, string pageName) => throw null; public Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult FindView(Microsoft.AspNetCore.Mvc.ActionContext context, string viewName, bool isMainPage) => throw null; public string GetAbsolutePath(string executingFilePath, string pagePath) => throw null; public static string GetNormalizedRouteValue(Microsoft.AspNetCore.Mvc.ActionContext context, string key) => throw null; public Microsoft.AspNetCore.Mvc.Razor.RazorPageResult GetPage(string executingFilePath, string pagePath) => throw null; public Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult GetView(string executingFilePath, string viewPath, bool isMainPage) => throw null; - public RazorViewEngine(Microsoft.AspNetCore.Mvc.Razor.IRazorPageFactoryProvider pageFactory, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator pageActivator, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public static string ViewExtension; - protected internal Microsoft.Extensions.Caching.Memory.IMemoryCache ViewLookupCache { get => throw null; } + protected Microsoft.Extensions.Caching.Memory.IMemoryCache ViewLookupCache { get => throw null; } } - public class RazorViewEngineOptions { public System.Collections.Generic.IList AreaPageViewLocationFormats { get => throw null; } public System.Collections.Generic.IList AreaViewLocationFormats { get => throw null; } - public System.Collections.Generic.IList PageViewLocationFormats { get => throw null; } public RazorViewEngineOptions() => throw null; + public System.Collections.Generic.IList PageViewLocationFormats { get => throw null; } public System.Collections.Generic.IList ViewLocationExpanders { get => throw null; } public System.Collections.Generic.IList ViewLocationFormats { get => throw null; } } - public delegate System.Threading.Tasks.Task RenderAsyncDelegate(); - public class TagHelperInitializer : Microsoft.AspNetCore.Mvc.Razor.ITagHelperInitializer where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper { - public void Initialize(TTagHelper helper, Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) => throw null; public TagHelperInitializer(System.Action action) => throw null; - } - - public class ViewLocationExpanderContext - { - public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public string AreaName { get => throw null; } - public string ControllerName { get => throw null; } - public bool IsMainPage { get => throw null; } - public string PageName { get => throw null; } - public System.Collections.Generic.IDictionary Values { get => throw null; set => throw null; } - public ViewLocationExpanderContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, string viewName, string controllerName, string areaName, string pageName, bool isMainPage) => throw null; - public string ViewName { get => throw null; } - } - - namespace Compilation - { - public class CompiledViewDescriptor - { - public CompiledViewDescriptor() => throw null; - public CompiledViewDescriptor(Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem item) => throw null; - public CompiledViewDescriptor(Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem item, Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute attribute) => throw null; - public System.Collections.Generic.IList ExpirationTokens { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem Item { get => throw null; set => throw null; } - public string RelativePath { get => throw null; set => throw null; } - public System.Type Type { get => throw null; } - public Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute ViewAttribute { get => throw null; set => throw null; } - } - - public interface IViewCompiler - { - System.Threading.Tasks.Task CompileAsync(string relativePath); - } - - public interface IViewCompilerProvider - { - Microsoft.AspNetCore.Mvc.Razor.Compilation.IViewCompiler GetCompiler(); - } - - public class RazorViewAttribute : System.Attribute - { - public string Path { get => throw null; } - public RazorViewAttribute(string path, System.Type viewType) => throw null; - public System.Type ViewType { get => throw null; } - } - - public class ViewsFeature - { - public System.Collections.Generic.IList ViewDescriptors { get => throw null; } - public ViewsFeature() => throw null; - } - - } - namespace Infrastructure - { - public class TagHelperMemoryCacheProvider - { - public Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; set => throw null; } - public TagHelperMemoryCacheProvider() => throw null; - } - - } - namespace Internal - { - public class RazorInjectAttribute : System.Attribute - { - public RazorInjectAttribute() => throw null; - } - + public void Initialize(TTagHelper helper, Microsoft.AspNetCore.Mvc.Rendering.ViewContext context) => throw null; } namespace TagHelpers { @@ -349,58 +295,61 @@ public class BodyTagHelper : Microsoft.AspNetCore.Mvc.Razor.TagHelpers.TagHelper { public BodyTagHelper(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager manager, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; } - public class HeadTagHelper : Microsoft.AspNetCore.Mvc.Razor.TagHelpers.TagHelperComponentTagHelper { public HeadTagHelper(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager manager, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) : base(default(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; } - public interface ITagHelperComponentManager { System.Collections.Generic.ICollection Components { get; } } - public interface ITagHelperComponentPropertyActivator { void Activate(Microsoft.AspNetCore.Mvc.Rendering.ViewContext context, Microsoft.AspNetCore.Razor.TagHelpers.ITagHelperComponent tagHelperComponent); } - public abstract class TagHelperComponentTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { + public TagHelperComponentTagHelper(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager manager, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public override void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentPropertyActivator PropertyActivator { get => throw null; set => throw null; } - public TagHelperComponentTagHelper(Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentManager manager, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Razor.TagHelpers.ITagHelperComponentPropertyActivator PropertyActivator { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class TagHelperFeature { public TagHelperFeature() => throw null; public System.Collections.Generic.IList TagHelpers { get => throw null; } } - - public class TagHelperFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider + public class TagHelperFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider { + public TagHelperFeatureProvider() => throw null; protected virtual bool IncludePart(Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPart part) => throw null; protected virtual bool IncludeType(System.Reflection.TypeInfo type) => throw null; public void PopulateFeature(System.Collections.Generic.IEnumerable parts, Microsoft.AspNetCore.Mvc.Razor.TagHelpers.TagHelperFeature feature) => throw null; - public TagHelperFeatureProvider() => throw null; } - public class UrlResolutionTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { + public UrlResolutionTagHelper(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; protected System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; protected void ProcessUrlAttribute(string attributeName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - protected bool TryResolveUrl(string url, out Microsoft.AspNetCore.Html.IHtmlContent resolvedUrl) => throw null; protected bool TryResolveUrl(string url, out string resolvedUrl) => throw null; + protected bool TryResolveUrl(string url, out Microsoft.AspNetCore.Html.IHtmlContent resolvedUrl) => throw null; protected Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory UrlHelperFactory { get => throw null; } - public UrlResolutionTagHelper(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - + } + public class ViewLocationExpanderContext + { + public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } + public string AreaName { get => throw null; } + public string ControllerName { get => throw null; } + public ViewLocationExpanderContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, string viewName, string controllerName, string areaName, string pageName, bool isMainPage) => throw null; + public bool IsMainPage { get => throw null; } + public string PageName { get => throw null; } + public System.Collections.Generic.IDictionary Values { get => throw null; set { } } + public string ViewName { get => throw null; } } } } @@ -409,21 +358,19 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcRazorMvcBuilderExtensions + public static partial class MvcRazorMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddRazorOptions(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddTagHelpersAsServices(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder InitializeTagHelper(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action initialize) where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper => throw null; } - - public static class MvcRazorMvcCoreBuilderExtensions + public static partial class MvcRazorMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddRazorViewEngine(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddRazorViewEngine(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddTagHelpersAsServices(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder InitializeTagHelper(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action initialize) where TTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs index b1967712e1c1..eb54f317cb70 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs @@ -1,19 +1,17 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.RazorPages, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public class PageActionEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class PageActionEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; } - - public static class RazorPagesEndpointRouteBuilderExtensions + public static partial class RazorPagesEndpointRouteBuilderExtensions { public static void MapDynamicPageRoute(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern) where TTransformer : Microsoft.AspNetCore.Mvc.Routing.DynamicRouteValueTransformer => throw null; public static void MapDynamicPageRoute(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, object state) where TTransformer : Microsoft.AspNetCore.Mvc.Routing.DynamicRouteValueTransformer => throw null; @@ -24,7 +22,6 @@ public static class RazorPagesEndpointRouteBuilderExtensions public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToPage(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, string page) => throw null; public static Microsoft.AspNetCore.Builder.PageActionEndpointConventionBuilder MapRazorPages(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints) => throw null; } - } namespace Mvc { @@ -34,7 +31,6 @@ public interface IPageApplicationModelConvention : Microsoft.AspNetCore.Mvc.Appl { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel model); } - public interface IPageApplicationModelPartsProvider { Microsoft.AspNetCore.Mvc.ApplicationModels.PageHandlerModel CreateHandlerModel(System.Reflection.MethodInfo method); @@ -42,39 +38,36 @@ public interface IPageApplicationModelPartsProvider Microsoft.AspNetCore.Mvc.ApplicationModels.PagePropertyModel CreatePropertyModel(System.Reflection.PropertyInfo property); bool IsHandler(System.Reflection.MethodInfo methodInfo); } - public interface IPageApplicationModelProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModelProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModelProviderContext context); int Order { get; } } - public interface IPageConvention { } - public interface IPageHandlerModelConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageHandlerModel model); } - public interface IPageRouteModelConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention { void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel model); } - public interface IPageRouteModelProvider { void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModelProviderContext context); void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModelProviderContext context); int Order { get; } } - public class PageApplicationModel { public Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor ActionDescriptor { get => throw null; } public string AreaName { get => throw null; } + public PageApplicationModel(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, System.Reflection.TypeInfo handlerType, System.Collections.Generic.IReadOnlyList handlerAttributes) => throw null; + public PageApplicationModel(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, System.Reflection.TypeInfo declaredModelType, System.Reflection.TypeInfo handlerType, System.Collections.Generic.IReadOnlyList handlerAttributes) => throw null; + public PageApplicationModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel other) => throw null; public System.Reflection.TypeInfo DeclaredModelType { get => throw null; } public System.Collections.Generic.IList EndpointMetadata { get => throw null; } public System.Collections.Generic.IList Filters { get => throw null; } @@ -82,25 +75,20 @@ public class PageApplicationModel public System.Collections.Generic.IList HandlerProperties { get => throw null; } public System.Reflection.TypeInfo HandlerType { get => throw null; } public System.Collections.Generic.IReadOnlyList HandlerTypeAttributes { get => throw null; } - public System.Reflection.TypeInfo ModelType { get => throw null; set => throw null; } - public PageApplicationModel(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, System.Reflection.TypeInfo handlerType, System.Collections.Generic.IReadOnlyList handlerAttributes) => throw null; - public PageApplicationModel(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, System.Reflection.TypeInfo declaredModelType, System.Reflection.TypeInfo handlerType, System.Collections.Generic.IReadOnlyList handlerAttributes) => throw null; - public PageApplicationModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel other) => throw null; - public System.Reflection.TypeInfo PageType { get => throw null; set => throw null; } + public System.Reflection.TypeInfo ModelType { get => throw null; set { } } + public System.Reflection.TypeInfo PageType { get => throw null; set { } } public System.Collections.Generic.IDictionary Properties { get => throw null; } public string RelativePath { get => throw null; } public string RouteTemplate { get => throw null; } public string ViewEnginePath { get => throw null; } } - public class PageApplicationModelProviderContext { public Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor ActionDescriptor { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel PageApplicationModel { get => throw null; set => throw null; } public PageApplicationModelProviderContext(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor descriptor, System.Reflection.TypeInfo pageTypeInfo) => throw null; + public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel PageApplicationModel { get => throw null; set { } } public System.Reflection.TypeInfo PageType { get => throw null; } } - public class PageConventionCollection : System.Collections.ObjectModel.Collection { public Microsoft.AspNetCore.Mvc.ApplicationModels.IPageApplicationModelConvention AddAreaFolderApplicationModelConvention(string areaName, string folderPath, System.Action action) => throw null; @@ -113,217 +101,197 @@ public class PageConventionCollection : System.Collections.ObjectModel.Collectio public Microsoft.AspNetCore.Mvc.ApplicationModels.IPageRouteModelConvention AddPageRouteModelConvention(string pageName, System.Action action) => throw null; public PageConventionCollection() => throw null; public PageConventionCollection(System.Collections.Generic.IList conventions) => throw null; - public void RemoveType(System.Type pageConventionType) => throw null; public void RemoveType() where TPageConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention => throw null; + public void RemoveType(System.Type pageConventionType) => throw null; } - public class PageHandlerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } - public string HandlerName { get => throw null; set => throw null; } - public string HttpMethod { get => throw null; set => throw null; } - System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } - public System.Reflection.MethodInfo MethodInfo { get => throw null; } - public string Name { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel Page { get => throw null; set => throw null; } public PageHandlerModel(System.Reflection.MethodInfo handlerMethod, System.Collections.Generic.IReadOnlyList attributes) => throw null; public PageHandlerModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageHandlerModel other) => throw null; + public string HandlerName { get => throw null; set { } } + public string HttpMethod { get => throw null; set { } } + System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } + public System.Reflection.MethodInfo MethodInfo { get => throw null; } + public string Name { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel Page { get => throw null; set { } } public System.Collections.Generic.IList Parameters { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - - public class PageParameterModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel + public class PageParameterModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel { - public Microsoft.AspNetCore.Mvc.ApplicationModels.PageHandlerModel Handler { get => throw null; set => throw null; } - System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } - public PageParameterModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageParameterModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; public PageParameterModel(System.Reflection.ParameterInfo parameterInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + public PageParameterModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageParameterModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + public Microsoft.AspNetCore.Mvc.ApplicationModels.PageHandlerModel Handler { get => throw null; set { } } + System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } public System.Reflection.ParameterInfo ParameterInfo { get => throw null; } - public string ParameterName { get => throw null; set => throw null; } + public string ParameterName { get => throw null; set { } } } - public class PagePropertyModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { - System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } - public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel Page { get => throw null; set => throw null; } - public PagePropertyModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PagePropertyModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; public PagePropertyModel(System.Reflection.PropertyInfo propertyInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + public PagePropertyModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PagePropertyModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; + System.Reflection.MemberInfo Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel.MemberInfo { get => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.PageApplicationModel Page { get => throw null; set { } } public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } - public string PropertyName { get => throw null; set => throw null; } + public string PropertyName { get => throw null; set { } } } - - public class PageRouteMetadata + public sealed class PageRouteMetadata { - public string PageRoute { get => throw null; } public PageRouteMetadata(string pageRoute, string routeTemplate) => throw null; + public string PageRoute { get => throw null; } public string RouteTemplate { get => throw null; } } - public class PageRouteModel { public string AreaName { get => throw null; } - public PageRouteModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel other) => throw null; public PageRouteModel(string relativePath, string viewEnginePath) => throw null; public PageRouteModel(string relativePath, string viewEnginePath, string areaName) => throw null; + public PageRouteModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel other) => throw null; public System.Collections.Generic.IDictionary Properties { get => throw null; } public string RelativePath { get => throw null; } - public Microsoft.AspNetCore.Routing.IOutboundParameterTransformer RouteParameterTransformer { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.IOutboundParameterTransformer RouteParameterTransformer { get => throw null; set { } } public System.Collections.Generic.IDictionary RouteValues { get => throw null; } public System.Collections.Generic.IList Selectors { get => throw null; } public string ViewEnginePath { get => throw null; } } - public class PageRouteModelProviderContext { public PageRouteModelProviderContext() => throw null; public System.Collections.Generic.IList RouteModels { get => throw null; } } - - public class PageRouteTransformerConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention, Microsoft.AspNetCore.Mvc.ApplicationModels.IPageRouteModelConvention + public class PageRouteTransformerConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageRouteModelConvention, Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel model) => throw null; public PageRouteTransformerConvention(Microsoft.AspNetCore.Routing.IOutboundParameterTransformer parameterTransformer) => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel action) => throw null; } - } namespace Diagnostics { - public class AfterHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } - public AfterHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; public System.Collections.Generic.IReadOnlyDictionary Arguments { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public AfterHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethodDescriptor { get => throw null; } public object Instance { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterPageFilterOnPageHandlerExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterPageFilterOnPageHandlerExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public AfterPageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterPageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterPageFilterOnPageHandlerExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterPageFilterOnPageHandlerExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public AfterPageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterPageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterPageFilterOnPageHandlerExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterPageFilterOnPageHandlerExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public AfterPageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterPageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterPageFilterOnPageHandlerSelectedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterPageFilterOnPageHandlerSelectedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public AfterPageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterPageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class AfterPageFilterOnPageHandlerSelectionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterPageFilterOnPageHandlerSelectionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public AfterPageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterPageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforeHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } public System.Collections.Generic.IReadOnlyDictionary Arguments { get => throw null; } - public BeforeHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethodDescriptor { get => throw null; } public object Instance { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforePageFilterOnPageHandlerExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforePageFilterOnPageHandlerExecutedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public BeforePageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforePageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforePageFilterOnPageHandlerExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforePageFilterOnPageHandlerExecutingEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public BeforePageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforePageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforePageFilterOnPageHandlerExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforePageFilterOnPageHandlerExecutionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public BeforePageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutionContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforePageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutionContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutionContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforePageFilterOnPageHandlerSelectedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforePageFilterOnPageHandlerSelectedEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public BeforePageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforePageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - - public class BeforePageFilterOnPageHandlerSelectionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforePageFilterOnPageHandlerSelectionEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public BeforePageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforePageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; + public static string EventName; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - } namespace Filters { @@ -332,47 +300,41 @@ public interface IAsyncPageFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMeta System.Threading.Tasks.Task OnPageHandlerExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutionDelegate next); System.Threading.Tasks.Task OnPageHandlerSelectionAsync(Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext context); } - public interface IPageFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { void OnPageHandlerExecuted(Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext context); void OnPageHandlerExecuting(Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext context); void OnPageHandlerSelected(Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext context); } - public class PageHandlerExecutedContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public virtual Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public virtual bool Canceled { get => throw null; set => throw null; } - public virtual System.Exception Exception { get => throw null; set => throw null; } - public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set => throw null; } - public virtual bool ExceptionHandled { get => throw null; set => throw null; } + public virtual bool Canceled { get => throw null; set { } } + public PageHandlerExecutedContext(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethod, object handlerInstance) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual System.Exception Exception { get => throw null; set { } } + public virtual System.Runtime.ExceptionServices.ExceptionDispatchInfo ExceptionDispatchInfo { get => throw null; set { } } + public virtual bool ExceptionHandled { get => throw null; set { } } public virtual object HandlerInstance { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethod { get => throw null; } - public PageHandlerExecutedContext(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethod, object handlerInstance) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public class PageHandlerExecutingContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public virtual Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } + public PageHandlerExecutingContext(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethod, System.Collections.Generic.IDictionary handlerArguments, object handlerInstance) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; public virtual System.Collections.Generic.IDictionary HandlerArguments { get => throw null; } public virtual object HandlerInstance { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethod { get => throw null; } - public PageHandlerExecutingContext(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, System.Collections.Generic.IList filters, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethod, System.Collections.Generic.IDictionary handlerArguments, object handlerInstance) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; set { } } } - public delegate System.Threading.Tasks.Task PageHandlerExecutionDelegate(); - public class PageHandlerSelectedContext : Microsoft.AspNetCore.Mvc.Filters.FilterContext { public virtual Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } - public virtual object HandlerInstance { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethod { get => throw null; set => throw null; } public PageHandlerSelectedContext(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, System.Collections.Generic.IList filters, object handlerInstance) : base(default(Microsoft.AspNetCore.Mvc.ActionContext), default(System.Collections.Generic.IList)) => throw null; + public virtual object HandlerInstance { get => throw null; } + public virtual Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethod { get => throw null; set { } } } - } namespace RazorPages { @@ -380,100 +342,183 @@ public class CompiledPageActionDescriptor : Microsoft.AspNetCore.Mvc.RazorPages. { public CompiledPageActionDescriptor() => throw null; public CompiledPageActionDescriptor(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor) => throw null; - public System.Reflection.TypeInfo DeclaredModelTypeInfo { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set => throw null; } - public System.Collections.Generic.IList HandlerMethods { get => throw null; set => throw null; } - public System.Reflection.TypeInfo HandlerTypeInfo { get => throw null; set => throw null; } - public System.Reflection.TypeInfo ModelTypeInfo { get => throw null; set => throw null; } - public System.Reflection.TypeInfo PageTypeInfo { get => throw null; set => throw null; } - } - + public System.Reflection.TypeInfo DeclaredModelTypeInfo { get => throw null; set { } } + public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set { } } + public System.Collections.Generic.IList HandlerMethods { get => throw null; set { } } + public System.Reflection.TypeInfo HandlerTypeInfo { get => throw null; set { } } + public System.Reflection.TypeInfo ModelTypeInfo { get => throw null; set { } } + public System.Reflection.TypeInfo PageTypeInfo { get => throw null; set { } } + } + namespace Infrastructure + { + public sealed class CompiledPageActionDescriptorProvider : Microsoft.AspNetCore.Mvc.Abstractions.IActionDescriptorProvider + { + public CompiledPageActionDescriptorProvider(System.Collections.Generic.IEnumerable pageRouteModelProviders, System.Collections.Generic.IEnumerable applicationModelProviders, Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager applicationPartManager, Microsoft.Extensions.Options.IOptions mvcOptions, Microsoft.Extensions.Options.IOptions pageOptions) => throw null; + public void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; + public void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; + public int Order { get => throw null; } + } + public class HandlerMethodDescriptor + { + public HandlerMethodDescriptor() => throw null; + public string HttpMethod { get => throw null; set { } } + public System.Reflection.MethodInfo MethodInfo { get => throw null; set { } } + public string Name { get => throw null; set { } } + public System.Collections.Generic.IList Parameters { get => throw null; set { } } + } + public class HandlerParameterDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IParameterInfoParameterDescriptor + { + public HandlerParameterDescriptor() => throw null; + public System.Reflection.ParameterInfo ParameterInfo { get => throw null; set { } } + } + public interface IPageHandlerMethodSelector + { + Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor Select(Microsoft.AspNetCore.Mvc.RazorPages.PageContext context); + } + public interface IPageLoader + { + Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor Load(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor); + } + public class PageActionDescriptorProvider : Microsoft.AspNetCore.Mvc.Abstractions.IActionDescriptorProvider + { + protected System.Collections.Generic.IList BuildModel() => throw null; + public PageActionDescriptorProvider(System.Collections.Generic.IEnumerable pageRouteModelProviders, Microsoft.Extensions.Options.IOptions mvcOptionsAccessor, Microsoft.Extensions.Options.IOptions pagesOptionsAccessor) => throw null; + public void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; + public void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; + public int Order { get => throw null; set { } } + } + public class PageBoundPropertyDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IPropertyInfoParameterDescriptor + { + public PageBoundPropertyDescriptor() => throw null; + public System.Reflection.PropertyInfo Property { get => throw null; set { } } + System.Reflection.PropertyInfo Microsoft.AspNetCore.Mvc.Infrastructure.IPropertyInfoParameterDescriptor.PropertyInfo { get => throw null; } + } + public abstract class PageLoader : Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.IPageLoader + { + protected PageLoader() => throw null; + Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.IPageLoader.Load(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor) => throw null; + public abstract System.Threading.Tasks.Task LoadAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor); + public virtual System.Threading.Tasks.Task LoadAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.EndpointMetadataCollection endpointMetadata) => throw null; + } + public class PageModelAttribute : System.Attribute + { + public PageModelAttribute() => throw null; + } + public class PageResultExecutor : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewExecutor + { + public PageResultExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine compositeViewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorViewEngine razorViewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator razorPageActivator, System.Diagnostics.DiagnosticListener diagnosticListener, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, Microsoft.AspNetCore.Mvc.RazorPages.PageResult result) => throw null; + } + public class PageViewLocationExpander : Microsoft.AspNetCore.Mvc.Razor.IViewLocationExpander + { + public PageViewLocationExpander() => throw null; + public System.Collections.Generic.IEnumerable ExpandViewLocations(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context, System.Collections.Generic.IEnumerable viewLocations) => throw null; + public void PopulateValues(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context) => throw null; + } + public class RazorPageAdapter : Microsoft.AspNetCore.Mvc.Razor.IRazorPage + { + public Microsoft.AspNetCore.Html.IHtmlContent BodyContent { get => throw null; set { } } + public RazorPageAdapter(Microsoft.AspNetCore.Mvc.Razor.RazorPageBase page, System.Type modelType) => throw null; + public void EnsureRenderedBodyOrSections() => throw null; + public System.Threading.Tasks.Task ExecuteAsync() => throw null; + public bool IsLayoutBeingRendered { get => throw null; set { } } + public string Layout { get => throw null; set { } } + public string Path { get => throw null; set { } } + public System.Collections.Generic.IDictionary PreviousSectionWriters { get => throw null; set { } } + public System.Collections.Generic.IDictionary SectionWriters { get => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } + } + public class RazorPageAttribute : Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute + { + public RazorPageAttribute(string path, System.Type viewType, string routeTemplate) : base(default(string), default(System.Type)) => throw null; + public string RouteTemplate { get => throw null; } + } + public class ServiceBasedPageModelActivatorProvider : Microsoft.AspNetCore.Mvc.RazorPages.IPageModelActivatorProvider + { + public System.Func CreateActivator(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + public System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + public ServiceBasedPageModelActivatorProvider() => throw null; + } + } public interface IPageActivatorProvider { System.Func CreateActivator(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); - System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); } - public interface IPageFactoryProvider { - System.Func CreateAsyncPageDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncPageDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; System.Action CreatePageDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); System.Func CreatePageFactory(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); } - public interface IPageModelActivatorProvider { System.Func CreateActivator(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); - System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); } - public interface IPageModelFactoryProvider { - System.Func CreateAsyncModelDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; + virtual System.Func CreateAsyncModelDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; System.Action CreateModelDisposer(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); System.Func CreateModelFactory(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor); } - public class NonHandlerAttribute : System.Attribute { public NonHandlerAttribute() => throw null; } - public abstract class Page : Microsoft.AspNetCore.Mvc.RazorPages.PageBase { protected Page() => throw null; } - public class PageActionDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor { - public string AreaName { get => throw null; set => throw null; } - public override string DisplayName { get => throw null; set => throw null; } + public string AreaName { get => throw null; set { } } public PageActionDescriptor() => throw null; public PageActionDescriptor(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor other) => throw null; - public string RelativePath { get => throw null; set => throw null; } - public string ViewEnginePath { get => throw null; set => throw null; } + public override string DisplayName { get => throw null; set { } } + public string RelativePath { get => throw null; set { } } + public string ViewEnginePath { get => throw null; set { } } } - public abstract class PageBase : Microsoft.AspNetCore.Mvc.Razor.RazorPageBase { public virtual Microsoft.AspNetCore.Mvc.BadRequestResult BadRequest() => throw null; - public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(object error) => throw null; + public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; public override void BeginContext(int position, int length, bool isLiteral) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; + protected PageBase() => throw null; public override void EndContext() => throw null; public override void EnsureRenderedBodyOrSections() => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirect(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanent(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanentPreserveMethod(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPreserveMethod(string localUrl) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.NotFoundResult NotFound() => throw null; public virtual Microsoft.AspNetCore.Mvc.NotFoundObjectResult NotFound(object value) => throw null; public virtual Microsoft.AspNetCore.Mvc.RazorPages.PageResult Page() => throw null; - protected PageBase() => throw null; - public Microsoft.AspNetCore.Mvc.RazorPages.PageContext PageContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.RazorPages.PageContext PageContext { get => throw null; set { } } public virtual Microsoft.AspNetCore.Mvc.PartialViewResult Partial(string viewName) => throw null; public virtual Microsoft.AspNetCore.Mvc.PartialViewResult Partial(string viewName, object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType) => throw null; @@ -486,115 +531,113 @@ public abstract class PageBase : Microsoft.AspNetCore.Mvc.Razor.RazorPageBase public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanentPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage() => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanentPreserveMethod(string pageName = default(string), string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePreserveMethod(string pageName = default(string), string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanentPreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } public Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, string authenticationScheme) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.StatusCodeResult StatusCode(int statusCode) => throw null; public virtual Microsoft.AspNetCore.Mvc.ObjectResult StatusCode(int statusCode, object value) => throw null; - public virtual System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix) => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model) where TModel : class => throw null; public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, System.Func propertyFilter) where TModel : class => throw null; public virtual System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; - public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, System.Func propertyFilter) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; + public virtual System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix) => throw null; + public System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string prefix, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; public virtual bool TryValidateModel(object model) => throw null; public virtual bool TryValidateModel(object model, string prefix) => throw null; public virtual Microsoft.AspNetCore.Mvc.UnauthorizedResult Unauthorized() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName, object arguments) => throw null; - public override Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; + public override Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class PageContext : Microsoft.AspNetCore.Mvc.ActionContext { - public virtual Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; set { } } public PageContext() => throw null; public PageContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext) => throw null; - public virtual System.Collections.Generic.IList ValueProviderFactories { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IList> ViewStartFactories { get => throw null; set => throw null; } + public virtual System.Collections.Generic.IList ValueProviderFactories { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } + public virtual System.Collections.Generic.IList> ViewStartFactories { get => throw null; set { } } } - public class PageContextAttribute : System.Attribute { public PageContextAttribute() => throw null; } - public abstract class PageModel : Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IPageFilter { public virtual Microsoft.AspNetCore.Mvc.BadRequestResult BadRequest() => throw null; - public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(object error) => throw null; + public virtual Microsoft.AspNetCore.Mvc.BadRequestObjectResult BadRequest(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ChallengeResult Challenge(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, string contentType, System.Text.Encoding contentEncoding) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(System.Byte[] fileContents, string contentType, string fileDownloadName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ContentResult Content(string content, Microsoft.Net.Http.Headers.MediaTypeHeaderValue contentType) => throw null; + protected PageModel() => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType) => throw null; + public virtual Microsoft.AspNetCore.Mvc.FileContentResult File(byte[] fileContents, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.FileStreamResult File(System.IO.Stream fileStream, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.VirtualFileResult File(string virtualPath, string contentType, string fileDownloadName) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid() => throw null; + public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ForbidResult Forbid(params string[] authenticationSchemes) => throw null; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirect(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanent(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPermanentPreserveMethod(string localUrl) => throw null; public virtual Microsoft.AspNetCore.Mvc.LocalRedirectResult LocalRedirectPreserveMethod(string localUrl) => throw null; - public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider MetadataProvider { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } public virtual Microsoft.AspNetCore.Mvc.NotFoundResult NotFound() => throw null; public virtual Microsoft.AspNetCore.Mvc.NotFoundObjectResult NotFound(object value) => throw null; @@ -604,13 +647,12 @@ public abstract class PageModel : Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFil public virtual void OnPageHandlerSelected(Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext context) => throw null; public virtual System.Threading.Tasks.Task OnPageHandlerSelectionAsync(Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext context) => throw null; public virtual Microsoft.AspNetCore.Mvc.RazorPages.PageResult Page() => throw null; - public Microsoft.AspNetCore.Mvc.RazorPages.PageContext PageContext { get => throw null; set => throw null; } - protected PageModel() => throw null; + public Microsoft.AspNetCore.Mvc.RazorPages.PageContext PageContext { get => throw null; set { } } public virtual Microsoft.AspNetCore.Mvc.PartialViewResult Partial(string viewName) => throw null; public virtual Microsoft.AspNetCore.Mvc.PartialViewResult Partial(string viewName, object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.PhysicalFileResult PhysicalFile(string physicalPath, string contentType, string fileDownloadName) => throw null; - protected internal Microsoft.AspNetCore.Mvc.RedirectResult Redirect(string url) => throw null; + protected Microsoft.AspNetCore.Mvc.RedirectResult Redirect(string url) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanent(string url) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPermanentPreserveMethod(string url) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectResult RedirectPreserveMethod(string url) => throw null; @@ -618,200 +660,92 @@ public abstract class PageModel : Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFil public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToAction(string actionName, string controllerName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, object routeValues, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanent(string actionName, string controllerName, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPermanentPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToActionResult RedirectToActionPreserveMethod(string actionName = default(string), string controllerName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage() => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPage(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, object routeValues, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanent(string pageName, string pageHandler, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePermanentPreserveMethod(string pageName = default(string), string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToPageResult RedirectToPagePreserveMethod(string pageName = default(string), string pageHandler = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, string fragment) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoute(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(object routeValues) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues) => throw null; - public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, string fragment) => throw null; + public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanent(string routeName, object routeValues, string fragment) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePermanentPreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public virtual Microsoft.AspNetCore.Mvc.RedirectToRouteResult RedirectToRoutePreserveMethod(string routeName = default(string), object routeValues = default(object), string fragment = default(string)) => throw null; public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } public Microsoft.AspNetCore.Http.HttpResponse Response { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, string authenticationScheme) => throw null; - public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignInResult SignIn(System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, string authenticationScheme) => throw null; public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(params string[] authenticationSchemes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.SignOutResult SignOut(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties, params string[] authenticationSchemes) => throw null; public virtual Microsoft.AspNetCore.Mvc.StatusCodeResult StatusCode(int statusCode) => throw null; public virtual Microsoft.AspNetCore.Mvc.ObjectResult StatusCode(int statusCode, object value) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string name) => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, System.Func propertyFilter) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; - protected internal System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, System.Func propertyFilter) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, params System.Linq.Expressions.Expression>[] includeExpressions) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(TModel model, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) where TModel : class => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string name) => throw null; + protected System.Threading.Tasks.Task TryUpdateModelAsync(object model, System.Type modelType, string name, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider valueProvider, System.Func propertyFilter) => throw null; public virtual bool TryValidateModel(object model) => throw null; public virtual bool TryValidateModel(object model, string name) => throw null; public virtual Microsoft.AspNetCore.Mvc.UnauthorizedResult Unauthorized() => throw null; - public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set { } } public System.Security.Claims.ClaimsPrincipal User { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName, object arguments) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } } - public class PageResult : Microsoft.AspNetCore.Mvc.ActionResult { - public string ContentType { get => throw null; set => throw null; } + public string ContentType { get => throw null; set { } } + public PageResult() => throw null; public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; public object Model { get => throw null; } - public Microsoft.AspNetCore.Mvc.RazorPages.PageBase Page { get => throw null; set => throw null; } - public PageResult() => throw null; - public int? StatusCode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.RazorPages.PageBase Page { get => throw null; set { } } + public int? StatusCode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } } - public class RazorPagesOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection Conventions { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection Conventions { get => throw null; } + public RazorPagesOptions() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public RazorPagesOptions() => throw null; - public string RootDirectory { get => throw null; set => throw null; } - } - - namespace Infrastructure - { - public class CompiledPageActionDescriptorProvider : Microsoft.AspNetCore.Mvc.Abstractions.IActionDescriptorProvider - { - public CompiledPageActionDescriptorProvider(System.Collections.Generic.IEnumerable pageRouteModelProviders, System.Collections.Generic.IEnumerable applicationModelProviders, Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager applicationPartManager, Microsoft.Extensions.Options.IOptions mvcOptions, Microsoft.Extensions.Options.IOptions pageOptions) => throw null; - public void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; - public void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; - public int Order { get => throw null; } - } - - public class HandlerMethodDescriptor - { - public HandlerMethodDescriptor() => throw null; - public string HttpMethod { get => throw null; set => throw null; } - public System.Reflection.MethodInfo MethodInfo { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public System.Collections.Generic.IList Parameters { get => throw null; set => throw null; } - } - - public class HandlerParameterDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IParameterInfoParameterDescriptor - { - public HandlerParameterDescriptor() => throw null; - public System.Reflection.ParameterInfo ParameterInfo { get => throw null; set => throw null; } - } - - public interface IPageHandlerMethodSelector - { - Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor Select(Microsoft.AspNetCore.Mvc.RazorPages.PageContext context); - } - - public interface IPageLoader - { - Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor Load(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor); - } - - public class PageActionDescriptorProvider : Microsoft.AspNetCore.Mvc.Abstractions.IActionDescriptorProvider - { - protected System.Collections.Generic.IList BuildModel() => throw null; - public void OnProvidersExecuted(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; - public void OnProvidersExecuting(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptorProviderContext context) => throw null; - public int Order { get => throw null; set => throw null; } - public PageActionDescriptorProvider(System.Collections.Generic.IEnumerable pageRouteModelProviders, Microsoft.Extensions.Options.IOptions mvcOptionsAccessor, Microsoft.Extensions.Options.IOptions pagesOptionsAccessor) => throw null; - } - - public class PageBoundPropertyDescriptor : Microsoft.AspNetCore.Mvc.Abstractions.ParameterDescriptor, Microsoft.AspNetCore.Mvc.Infrastructure.IPropertyInfoParameterDescriptor - { - public PageBoundPropertyDescriptor() => throw null; - public System.Reflection.PropertyInfo Property { get => throw null; set => throw null; } - System.Reflection.PropertyInfo Microsoft.AspNetCore.Mvc.Infrastructure.IPropertyInfoParameterDescriptor.PropertyInfo { get => throw null; } - } - - public abstract class PageLoader : Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.IPageLoader - { - Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.IPageLoader.Load(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor) => throw null; - public abstract System.Threading.Tasks.Task LoadAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor); - public virtual System.Threading.Tasks.Task LoadAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.EndpointMetadataCollection endpointMetadata) => throw null; - protected PageLoader() => throw null; - } - - public class PageModelAttribute : System.Attribute - { - public PageModelAttribute() => throw null; - } - - public class PageResultExecutor : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewExecutor - { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.RazorPages.PageContext pageContext, Microsoft.AspNetCore.Mvc.RazorPages.PageResult result) => throw null; - public PageResultExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine compositeViewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorViewEngine razorViewEngine, Microsoft.AspNetCore.Mvc.Razor.IRazorPageActivator razorPageActivator, System.Diagnostics.DiagnosticListener diagnosticListener, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; - } - - public class PageViewLocationExpander : Microsoft.AspNetCore.Mvc.Razor.IViewLocationExpander - { - public System.Collections.Generic.IEnumerable ExpandViewLocations(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context, System.Collections.Generic.IEnumerable viewLocations) => throw null; - public PageViewLocationExpander() => throw null; - public void PopulateValues(Microsoft.AspNetCore.Mvc.Razor.ViewLocationExpanderContext context) => throw null; - } - - public class RazorPageAdapter : Microsoft.AspNetCore.Mvc.Razor.IRazorPage - { - public Microsoft.AspNetCore.Html.IHtmlContent BodyContent { get => throw null; set => throw null; } - public void EnsureRenderedBodyOrSections() => throw null; - public System.Threading.Tasks.Task ExecuteAsync() => throw null; - public bool IsLayoutBeingRendered { get => throw null; set => throw null; } - public string Layout { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary PreviousSectionWriters { get => throw null; set => throw null; } - public RazorPageAdapter(Microsoft.AspNetCore.Mvc.Razor.RazorPageBase page, System.Type modelType) => throw null; - public System.Collections.Generic.IDictionary SectionWriters { get => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } - } - - public class RazorPageAttribute : Microsoft.AspNetCore.Mvc.Razor.Compilation.RazorViewAttribute - { - public RazorPageAttribute(string path, System.Type viewType, string routeTemplate) : base(default(string), default(System.Type)) => throw null; - public string RouteTemplate { get => throw null; } - } - - public class ServiceBasedPageModelActivatorProvider : Microsoft.AspNetCore.Mvc.RazorPages.IPageModelActivatorProvider - { - public System.Func CreateActivator(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; - public System.Action CreateReleaser(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor descriptor) => throw null; - public ServiceBasedPageModelActivatorProvider() => throw null; - } - + public string RootDirectory { get => throw null; set { } } } } } @@ -820,21 +754,19 @@ namespace Extensions { namespace DependencyInjection { - public static class MvcRazorPagesMvcBuilderExtensions + public static partial class MvcRazorPagesMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddRazorPagesOptions(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder WithRazorPagesAtContentRoot(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder WithRazorPagesRoot(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, string rootDirectory) => throw null; } - - public static class MvcRazorPagesMvcCoreBuilderExtensions + public static partial class MvcRazorPagesMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddRazorPages(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddRazorPages(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder WithRazorPagesRoot(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, string rootDirectory) => throw null; } - - public static class PageConventionCollectionExtensions + public static partial class PageConventionCollectionExtensions { public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection Add(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, Microsoft.AspNetCore.Mvc.ApplicationModels.IParameterModelBaseConvention convention) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AddAreaPageRoute(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string areaName, string pageName, string route) => throw null; @@ -847,14 +779,13 @@ public static class PageConventionCollectionExtensions public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeAreaFolder(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string areaName, string folderPath, string policy) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeAreaPage(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string areaName, string pageName) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeAreaPage(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string areaName, string pageName, string policy) => throw null; - public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeFolder(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string folderPath) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeFolder(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string folderPath, string policy) => throw null; - public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizePage(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string pageName) => throw null; + public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizeFolder(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string folderPath) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizePage(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string pageName, string policy) => throw null; + public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection AuthorizePage(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, string pageName) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.IPageApplicationModelConvention ConfigureFilter(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, System.Func factory) => throw null; public static Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection ConfigureFilter(this Microsoft.AspNetCore.Mvc.ApplicationModels.PageConventionCollection conventions, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.TagHelpers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.TagHelpers.cs index 1baf6c52f143..0c9f17486e95 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.TagHelpers.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.TagHelpers.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.TagHelpers, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,290 +8,316 @@ namespace Mvc { namespace Rendering { - public enum ValidationSummary : int + public enum ValidationSummary { - All = 2, - ModelOnly = 1, None = 0, + ModelOnly = 1, + All = 2, } - } namespace TagHelpers { public class AnchorTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public string Action { get => throw null; set => throw null; } + public string Action { get => throw null; set { } } + public string Area { get => throw null; set { } } + public string Controller { get => throw null; set { } } public AnchorTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public string Area { get => throw null; set => throw null; } - public string Controller { get => throw null; set => throw null; } - public string Fragment { get => throw null; set => throw null; } + public string Fragment { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } - public string Host { get => throw null; set => throw null; } + public string Host { get => throw null; set { } } public override int Order { get => throw null; } - public string Page { get => throw null; set => throw null; } - public string PageHandler { get => throw null; set => throw null; } + public string Page { get => throw null; set { } } + public string PageHandler { get => throw null; set { } } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Protocol { get => throw null; set => throw null; } - public string Route { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public string Protocol { get => throw null; set { } } + public string Route { get => throw null; set { } } + public System.Collections.Generic.IDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } + } + namespace Cache + { + public class CacheTagKey : System.IEquatable + { + public CacheTagKey(Microsoft.AspNetCore.Mvc.TagHelpers.CacheTagHelper tagHelper, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; + public CacheTagKey(Microsoft.AspNetCore.Mvc.TagHelpers.DistributedCacheTagHelper tagHelper) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey other) => throw null; + public string GenerateHashedKey() => throw null; + public string GenerateKey() => throw null; + public override int GetHashCode() => throw null; + } + public class DistributedCacheTagHelperFormatter : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperFormatter + { + public DistributedCacheTagHelperFormatter() => throw null; + public System.Threading.Tasks.Task DeserializeAsync(byte[] value) => throw null; + public System.Threading.Tasks.Task SerializeAsync(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.DistributedCacheTagHelperFormattingContext context) => throw null; + } + public class DistributedCacheTagHelperFormattingContext + { + public DistributedCacheTagHelperFormattingContext() => throw null; + public Microsoft.AspNetCore.Html.HtmlString Html { get => throw null; set { } } + } + public class DistributedCacheTagHelperService : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperService + { + public DistributedCacheTagHelperService(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperStorage storage, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperFormatter formatter, System.Text.Encodings.Web.HtmlEncoder HtmlEncoder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public System.Threading.Tasks.Task ProcessContentAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey key, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; + } + public class DistributedCacheTagHelperStorage : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperStorage + { + public DistributedCacheTagHelperStorage(Microsoft.Extensions.Caching.Distributed.IDistributedCache distributedCache) => throw null; + public System.Threading.Tasks.Task GetAsync(string key) => throw null; + public System.Threading.Tasks.Task SetAsync(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; + } + public interface IDistributedCacheTagHelperFormatter + { + System.Threading.Tasks.Task DeserializeAsync(byte[] value); + System.Threading.Tasks.Task SerializeAsync(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.DistributedCacheTagHelperFormattingContext context); + } + public interface IDistributedCacheTagHelperService + { + System.Threading.Tasks.Task ProcessContentAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey key, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); + } + public interface IDistributedCacheTagHelperStorage + { + System.Threading.Tasks.Task GetAsync(string key); + System.Threading.Tasks.Task SetAsync(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); + } } - public class CacheTagHelper : Microsoft.AspNetCore.Mvc.TagHelpers.CacheTagHelperBase { public static string CacheKeyPrefix; public CacheTagHelper(Microsoft.AspNetCore.Mvc.TagHelpers.CacheTagHelperMemoryCacheFactory factory, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) : base(default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; protected Microsoft.Extensions.Caching.Memory.IMemoryCache MemoryCache { get => throw null; } - public Microsoft.Extensions.Caching.Memory.CacheItemPriority? Priority { get => throw null; set => throw null; } + public Microsoft.Extensions.Caching.Memory.CacheItemPriority? Priority { get => throw null; set { } } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; } - public abstract class CacheTagHelperBase : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { public CacheTagHelperBase(System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; public static System.TimeSpan DefaultExpiration; - public bool Enabled { get => throw null; set => throw null; } - public System.TimeSpan? ExpiresAfter { get => throw null; set => throw null; } - public System.DateTimeOffset? ExpiresOn { get => throw null; set => throw null; } - public System.TimeSpan? ExpiresSliding { get => throw null; set => throw null; } + public bool Enabled { get => throw null; set { } } + public System.TimeSpan? ExpiresAfter { get => throw null; set { } } + public System.DateTimeOffset? ExpiresOn { get => throw null; set { } } + public System.TimeSpan? ExpiresSliding { get => throw null; set { } } protected System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; } public override int Order { get => throw null; } - public string VaryBy { get => throw null; set => throw null; } - public string VaryByCookie { get => throw null; set => throw null; } - public bool VaryByCulture { get => throw null; set => throw null; } - public string VaryByHeader { get => throw null; set => throw null; } - public string VaryByQuery { get => throw null; set => throw null; } - public string VaryByRoute { get => throw null; set => throw null; } - public bool VaryByUser { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public string VaryBy { get => throw null; set { } } + public string VaryByCookie { get => throw null; set { } } + public bool VaryByCulture { get => throw null; set { } } + public string VaryByHeader { get => throw null; set { } } + public string VaryByQuery { get => throw null; set { } } + public string VaryByRoute { get => throw null; set { } } + public bool VaryByUser { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class CacheTagHelperMemoryCacheFactory { public Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } public CacheTagHelperMemoryCacheFactory(Microsoft.Extensions.Options.IOptions options) => throw null; } - public class CacheTagHelperOptions { public CacheTagHelperOptions() => throw null; - public System.Int64 SizeLimit { get => throw null; set => throw null; } + public long SizeLimit { get => throw null; set { } } } - - public class ComponentTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper + public sealed class ComponentTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { + public System.Type ComponentType { get => throw null; set { } } public ComponentTagHelper() => throw null; - public System.Type ComponentType { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Parameters { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary Parameters { get => throw null; set { } } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.RenderMode RenderMode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.RenderMode RenderMode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class DistributedCacheTagHelper : Microsoft.AspNetCore.Mvc.TagHelpers.CacheTagHelperBase { public static string CacheKeyPrefix; public DistributedCacheTagHelper(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperService distributedCacheService, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) : base(default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; protected Microsoft.Extensions.Caching.Memory.IMemoryCache MemoryCache { get => throw null; } - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; } - public class EnvironmentTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { public EnvironmentTagHelper(Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) => throw null; - public string Exclude { get => throw null; set => throw null; } + public string Exclude { get => throw null; set { } } protected Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } - public string Include { get => throw null; set => throw null; } - public string Names { get => throw null; set => throw null; } + public string Include { get => throw null; set { } } + public string Names { get => throw null; set { } } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; } - public class FormActionTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public string Action { get => throw null; set => throw null; } - public string Area { get => throw null; set => throw null; } - public string Controller { get => throw null; set => throw null; } + public string Action { get => throw null; set { } } + public string Area { get => throw null; set { } } + public string Controller { get => throw null; set { } } public FormActionTagHelper(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) => throw null; - public string Fragment { get => throw null; set => throw null; } + public string Fragment { get => throw null; set { } } public override int Order { get => throw null; } - public string Page { get => throw null; set => throw null; } - public string PageHandler { get => throw null; set => throw null; } + public string Page { get => throw null; set { } } + public string PageHandler { get => throw null; set { } } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Route { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary RouteValues { get => throw null; set => throw null; } + public string Route { get => throw null; set { } } + public System.Collections.Generic.IDictionary RouteValues { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory UrlHelperFactory { get => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class FormTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public string Action { get => throw null; set => throw null; } - public bool? Antiforgery { get => throw null; set => throw null; } - public string Area { get => throw null; set => throw null; } - public string Controller { get => throw null; set => throw null; } + public string Action { get => throw null; set { } } + public bool? Antiforgery { get => throw null; set { } } + public string Area { get => throw null; set { } } + public string Controller { get => throw null; set { } } public FormTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public string Fragment { get => throw null; set => throw null; } + public string Fragment { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } - public string Method { get => throw null; set => throw null; } + public string Method { get => throw null; set { } } public override int Order { get => throw null; } - public string Page { get => throw null; set => throw null; } - public string PageHandler { get => throw null; set => throw null; } + public string Page { get => throw null; set { } } + public string PageHandler { get => throw null; set { } } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Route { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary RouteValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public string Route { get => throw null; set { } } + public System.Collections.Generic.IDictionary RouteValues { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class GlobbingUrlBuilder { public virtual System.Collections.Generic.IReadOnlyList BuildUrlList(string staticUrl, string includePattern, string excludePattern) => throw null; public Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; } public GlobbingUrlBuilder(Microsoft.Extensions.FileProviders.IFileProvider fileProvider, Microsoft.Extensions.Caching.Memory.IMemoryCache cache, Microsoft.AspNetCore.Http.PathString requestPathBase) => throw null; + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; } public Microsoft.AspNetCore.Http.PathString RequestPathBase { get => throw null; } } - public class ImageTagHelper : Microsoft.AspNetCore.Mvc.Razor.TagHelpers.UrlResolutionTagHelper { - public bool AppendVersion { get => throw null; set => throw null; } - protected internal Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } - protected internal Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } + public bool AppendVersion { get => throw null; set { } } + protected Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } public ImageTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IFileVersionProvider fileVersionProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) : base(default(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory), default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; public ImageTagHelper(Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, Microsoft.AspNetCore.Mvc.Razor.Infrastructure.TagHelperMemoryCacheProvider cacheProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.IFileVersionProvider fileVersionProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) : base(default(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory), default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; + protected Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Src { get => throw null; set => throw null; } + public string Src { get => throw null; set { } } } - public class InputTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } - public string Format { get => throw null; set => throw null; } + public InputTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } + public string Format { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } protected string GetInputType(Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, out string inputTypeHint) => throw null; - public InputTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public string InputTypeName { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public string InputTypeName { get => throw null; set { } } + public string Name { get => throw null; set { } } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Value { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class LabelTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } - protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public LabelTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } + protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public override int Order { get => throw null; } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class LinkTagHelper : Microsoft.AspNetCore.Mvc.Razor.TagHelpers.UrlResolutionTagHelper { - public bool? AppendVersion { get => throw null; set => throw null; } - protected internal Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } - public string FallbackHref { get => throw null; set => throw null; } - public string FallbackHrefExclude { get => throw null; set => throw null; } - public string FallbackHrefInclude { get => throw null; set => throw null; } - public string FallbackTestClass { get => throw null; set => throw null; } - public string FallbackTestProperty { get => throw null; set => throw null; } - public string FallbackTestValue { get => throw null; set => throw null; } - protected internal Microsoft.AspNetCore.Mvc.TagHelpers.GlobbingUrlBuilder GlobbingUrlBuilder { get => throw null; set => throw null; } - protected internal Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } - public string Href { get => throw null; set => throw null; } - public string HrefExclude { get => throw null; set => throw null; } - public string HrefInclude { get => throw null; set => throw null; } - protected System.Text.Encodings.Web.JavaScriptEncoder JavaScriptEncoder { get => throw null; } + public bool? AppendVersion { get => throw null; set { } } + protected Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } public LinkTagHelper(Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, Microsoft.AspNetCore.Mvc.Razor.Infrastructure.TagHelperMemoryCacheProvider cacheProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.IFileVersionProvider fileVersionProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.JavaScriptEncoder javaScriptEncoder, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) : base(default(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory), default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; + public string FallbackHref { get => throw null; set { } } + public string FallbackHrefExclude { get => throw null; set { } } + public string FallbackHrefInclude { get => throw null; set { } } + public string FallbackTestClass { get => throw null; set { } } + public string FallbackTestProperty { get => throw null; set { } } + public string FallbackTestValue { get => throw null; set { } } + protected Microsoft.AspNetCore.Mvc.TagHelpers.GlobbingUrlBuilder GlobbingUrlBuilder { get => throw null; set { } } + protected Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } + public string Href { get => throw null; set { } } + public string HrefExclude { get => throw null; set { } } + public string HrefInclude { get => throw null; set { } } + protected System.Text.Encodings.Web.JavaScriptEncoder JavaScriptEncoder { get => throw null; } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public bool SuppressFallbackIntegrity { get => throw null; set => throw null; } + public bool SuppressFallbackIntegrity { get => throw null; set { } } } - public class OptionTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public OptionTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public override int Order { get => throw null; } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public string Value { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class PartialTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public string FallbackName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } - public object Model { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public bool Optional { get => throw null; set => throw null; } public PartialTagHelper(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope viewBufferScope) => throw null; + public string FallbackName { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } + public object Model { get => throw null; set { } } + public string Name { get => throw null; set { } } + public bool Optional { get => throw null; set { } } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } } - public class PersistComponentStateTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { public PersistComponentStateTagHelper() => throw null; - public Microsoft.AspNetCore.Mvc.TagHelpers.PersistenceMode? PersistenceMode { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.TagHelpers.PersistenceMode? PersistenceMode { get => throw null; set { } } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - - public enum PersistenceMode : int + public enum PersistenceMode { Server = 0, WebAssembly = 1, } - public class RenderAtEndOfFormTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { + public RenderAtEndOfFormTagHelper() => throw null; public override void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; public override int Order { get => throw null; } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public RenderAtEndOfFormTagHelper() => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class ScriptTagHelper : Microsoft.AspNetCore.Mvc.Razor.TagHelpers.UrlResolutionTagHelper { - public bool? AppendVersion { get => throw null; set => throw null; } - protected internal Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } - public string FallbackSrc { get => throw null; set => throw null; } - public string FallbackSrcExclude { get => throw null; set => throw null; } - public string FallbackSrcInclude { get => throw null; set => throw null; } - public string FallbackTestExpression { get => throw null; set => throw null; } - protected internal Microsoft.AspNetCore.Mvc.TagHelpers.GlobbingUrlBuilder GlobbingUrlBuilder { get => throw null; set => throw null; } - protected internal Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } + public bool? AppendVersion { get => throw null; set { } } + protected Microsoft.Extensions.Caching.Memory.IMemoryCache Cache { get => throw null; } + public ScriptTagHelper(Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, Microsoft.AspNetCore.Mvc.Razor.Infrastructure.TagHelperMemoryCacheProvider cacheProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.IFileVersionProvider fileVersionProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.JavaScriptEncoder javaScriptEncoder, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) : base(default(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory), default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; + public string FallbackSrc { get => throw null; set { } } + public string FallbackSrcExclude { get => throw null; set { } } + public string FallbackSrcInclude { get => throw null; set { } } + public string FallbackTestExpression { get => throw null; set { } } + protected Microsoft.AspNetCore.Mvc.TagHelpers.GlobbingUrlBuilder GlobbingUrlBuilder { get => throw null; set { } } + protected Microsoft.AspNetCore.Hosting.IWebHostEnvironment HostingEnvironment { get => throw null; } protected System.Text.Encodings.Web.JavaScriptEncoder JavaScriptEncoder { get => throw null; } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public ScriptTagHelper(Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, Microsoft.AspNetCore.Mvc.Razor.Infrastructure.TagHelperMemoryCacheProvider cacheProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.IFileVersionProvider fileVersionProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.JavaScriptEncoder javaScriptEncoder, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory) : base(default(Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory), default(System.Text.Encodings.Web.HtmlEncoder)) => throw null; - public string Src { get => throw null; set => throw null; } - public string SrcExclude { get => throw null; set => throw null; } - public string SrcInclude { get => throw null; set => throw null; } - public bool SuppressFallbackIntegrity { get => throw null; set => throw null; } + public string Src { get => throw null; set { } } + public string SrcExclude { get => throw null; set { } } + public string SrcInclude { get => throw null; set { } } + public bool SuppressFallbackIntegrity { get => throw null; set { } } } - public class SelectTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } + public SelectTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public override void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; - public System.Collections.Generic.IEnumerable Items { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } + public System.Collections.Generic.IEnumerable Items { get => throw null; set { } } + public string Name { get => throw null; set { } } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public SelectTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - - public static class TagHelperOutputExtensions + public static partial class TagHelperOutputExtensions { public static void AddClass(this Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput tagHelperOutput, string classValue, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; public static void CopyHtmlAttribute(this Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput tagHelperOutput, string attributeName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; @@ -300,94 +325,33 @@ public static class TagHelperOutputExtensions public static void RemoveClass(this Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput tagHelperOutput, string classValue, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; public static void RemoveRange(this Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput tagHelperOutput, System.Collections.Generic.IEnumerable attributes) => throw null; } - public class TextAreaTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } + public TextAreaTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public TextAreaTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class ValidationMessageTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set => throw null; } + public ValidationMessageTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression For { get => throw null; set { } } protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public override int Order { get => throw null; } public override System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public ValidationMessageTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } - public class ValidationSummaryTagHelper : Microsoft.AspNetCore.Razor.TagHelpers.TagHelper { + public ValidationSummaryTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; protected Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator Generator { get => throw null; } public override int Order { get => throw null; } public override void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ValidationSummary ValidationSummary { get => throw null; set => throw null; } - public ValidationSummaryTagHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } - } - - namespace Cache - { - public class CacheTagKey : System.IEquatable - { - public CacheTagKey(Microsoft.AspNetCore.Mvc.TagHelpers.CacheTagHelper tagHelper, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; - public CacheTagKey(Microsoft.AspNetCore.Mvc.TagHelpers.DistributedCacheTagHelper tagHelper) => throw null; - public bool Equals(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey other) => throw null; - public override bool Equals(object obj) => throw null; - public string GenerateHashedKey() => throw null; - public string GenerateKey() => throw null; - public override int GetHashCode() => throw null; - } - - public class DistributedCacheTagHelperFormatter : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperFormatter - { - public System.Threading.Tasks.Task DeserializeAsync(System.Byte[] value) => throw null; - public DistributedCacheTagHelperFormatter() => throw null; - public System.Threading.Tasks.Task SerializeAsync(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.DistributedCacheTagHelperFormattingContext context) => throw null; - } - - public class DistributedCacheTagHelperFormattingContext - { - public DistributedCacheTagHelperFormattingContext() => throw null; - public Microsoft.AspNetCore.Html.HtmlString Html { get => throw null; set => throw null; } - } - - public class DistributedCacheTagHelperService : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperService - { - public DistributedCacheTagHelperService(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperStorage storage, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperFormatter formatter, System.Text.Encodings.Web.HtmlEncoder HtmlEncoder, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public System.Threading.Tasks.Task ProcessContentAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey key, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; - } - - public class DistributedCacheTagHelperStorage : Microsoft.AspNetCore.Mvc.TagHelpers.Cache.IDistributedCacheTagHelperStorage - { - public DistributedCacheTagHelperStorage(Microsoft.Extensions.Caching.Distributed.IDistributedCache distributedCache) => throw null; - public System.Threading.Tasks.Task GetAsync(string key) => throw null; - public System.Threading.Tasks.Task SetAsync(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; - } - - public interface IDistributedCacheTagHelperFormatter - { - System.Threading.Tasks.Task DeserializeAsync(System.Byte[] value); - System.Threading.Tasks.Task SerializeAsync(Microsoft.AspNetCore.Mvc.TagHelpers.Cache.DistributedCacheTagHelperFormattingContext context); - } - - public interface IDistributedCacheTagHelperService - { - System.Threading.Tasks.Task ProcessContentAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output, Microsoft.AspNetCore.Mvc.TagHelpers.Cache.CacheTagKey key, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); - } - - public interface IDistributedCacheTagHelperStorage - { - System.Threading.Tasks.Task GetAsync(string key); - System.Threading.Tasks.Task SetAsync(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); - } - + public Microsoft.AspNetCore.Mvc.Rendering.ValidationSummary ValidationSummary { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } } } } @@ -396,13 +360,12 @@ namespace Extensions { namespace DependencyInjection { - public static class TagHelperServicesExtensions + public static partial class TagHelperServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCacheTagHelper(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddCacheTagHelperLimits(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action configure) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCacheTagHelperLimits(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs index 11c24558c6ec..98bbf1e83d89 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc.ViewFeatures, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,13 +8,12 @@ namespace Mvc { public class AutoValidateAntiforgeryTokenAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { - public AutoValidateAntiforgeryTokenAttribute() => throw null; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public AutoValidateAntiforgeryTokenAttribute() => throw null; public bool IsReusable { get => throw null; } - public int Order { get => throw null; set => throw null; } + public int Order { get => throw null; set { } } } - - public abstract class Controller : Microsoft.AspNetCore.Mvc.ControllerBase, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, System.IDisposable + public abstract class Controller : Microsoft.AspNetCore.Mvc.ControllerBase, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, System.IDisposable { protected Controller() => throw null; public void Dispose() => throw null; @@ -26,325 +24,218 @@ public abstract class Controller : Microsoft.AspNetCore.Mvc.ControllerBase, Micr public virtual void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context) => throw null; public virtual System.Threading.Tasks.Task OnActionExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ActionExecutionDelegate next) => throw null; public virtual Microsoft.AspNetCore.Mvc.PartialViewResult PartialView() => throw null; - public virtual Microsoft.AspNetCore.Mvc.PartialViewResult PartialView(object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.PartialViewResult PartialView(string viewName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.PartialViewResult PartialView(object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.PartialViewResult PartialView(string viewName, object model) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } public virtual Microsoft.AspNetCore.Mvc.ViewResult View() => throw null; - public virtual Microsoft.AspNetCore.Mvc.ViewResult View(object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewResult View(string viewName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ViewResult View(object model) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewResult View(string viewName, object model) => throw null; public dynamic ViewBag { get => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; - public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName) => throw null; + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(string componentName, object arguments) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.Mvc.ViewComponentResult ViewComponent(System.Type componentType, object arguments) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } } - public class CookieTempDataProviderOptions { - public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set { } } public CookieTempDataProviderOptions() => throw null; } - - public interface IViewComponentHelper - { - System.Threading.Tasks.Task InvokeAsync(System.Type componentType, object arguments); - System.Threading.Tasks.Task InvokeAsync(string name, object arguments); - } - - public interface IViewComponentResult - { - void Execute(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); - System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); - } - - public class IgnoreAntiforgeryTokenAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.ViewFeatures.IAntiforgeryPolicy - { - public IgnoreAntiforgeryTokenAttribute() => throw null; - public int Order { get => throw null; set => throw null; } - } - - public class MvcViewOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable - { - public System.Collections.Generic.IList ClientModelValidatorProviders { get => throw null; } - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelperOptions HtmlHelperOptions { get => throw null; set => throw null; } - public MvcViewOptions() => throw null; - public System.Collections.Generic.IList ViewEngines { get => throw null; } - } - - public class PageRemoteAttribute : Microsoft.AspNetCore.Mvc.RemoteAttributeBase - { - protected override string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; - public string PageHandler { get => throw null; set => throw null; } - public string PageName { get => throw null; set => throw null; } - public PageRemoteAttribute() => throw null; - } - - public class PartialViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public string ContentType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public object Model { get => throw null; } - public PartialViewResult() => throw null; - public int? StatusCode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set => throw null; } - public string ViewName { get => throw null; set => throw null; } - } - - public class RemoteAttribute : Microsoft.AspNetCore.Mvc.RemoteAttributeBase - { - protected override string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; - protected RemoteAttribute() => throw null; - public RemoteAttribute(string routeName) => throw null; - public RemoteAttribute(string action, string controller) => throw null; - public RemoteAttribute(string action, string controller, string areaName) => throw null; - protected string RouteName { get => throw null; set => throw null; } - } - - public abstract class RemoteAttributeBase : System.ComponentModel.DataAnnotations.ValidationAttribute, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator - { - public virtual void AddValidation(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; - public string AdditionalFields { get => throw null; set => throw null; } - public string FormatAdditionalFieldsForClientValidation(string property) => throw null; - public override string FormatErrorMessage(string name) => throw null; - public static string FormatPropertyForClientValidation(string property) => throw null; - protected abstract string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context); - public string HttpMethod { get => throw null; set => throw null; } - public override bool IsValid(object value) => throw null; - protected RemoteAttributeBase() => throw null; - protected Microsoft.AspNetCore.Routing.RouteValueDictionary RouteData { get => throw null; } - } - - public class SkipStatusCodePagesAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.ISkipStatusCodePagesMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter - { - public void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context) => throw null; - public void OnResourceExecuting(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context) => throw null; - public SkipStatusCodePagesAttribute() => throw null; - } - - public class TempDataAttribute : System.Attribute - { - public string Key { get => throw null; set => throw null; } - public TempDataAttribute() => throw null; - } - - public class ValidateAntiForgeryTokenAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter - { - public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; } - public int Order { get => throw null; set => throw null; } - public ValidateAntiForgeryTokenAttribute() => throw null; - } - - public abstract class ViewComponent - { - public Microsoft.AspNetCore.Mvc.ViewComponents.ContentViewComponentResult Content(string content) => throw null; - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } - public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; } - public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set => throw null; } - public System.Security.Principal.IPrincipal User { get => throw null; } - public System.Security.Claims.ClaimsPrincipal UserClaimsPrincipal { get => throw null; } - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View() => throw null; - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(string viewName) => throw null; - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(TModel model) => throw null; - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(string viewName, TModel model) => throw null; - public dynamic ViewBag { get => throw null; } - protected ViewComponent() => throw null; - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } - public Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine ViewEngine { get => throw null; set => throw null; } - } - - public class ViewComponentAttribute : System.Attribute - { - public string Name { get => throw null; set => throw null; } - public ViewComponentAttribute() => throw null; - } - - public class ViewComponentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public object Arguments { get => throw null; set => throw null; } - public string ContentType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public object Model { get => throw null; } - public int? StatusCode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - public string ViewComponentName { get => throw null; set => throw null; } - public ViewComponentResult() => throw null; - public System.Type ViewComponentType { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - } - - public class ViewDataAttribute : System.Attribute - { - public string Key { get => throw null; set => throw null; } - public ViewDataAttribute() => throw null; - } - - public class ViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult - { - public string ContentType { get => throw null; set => throw null; } - public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; - public object Model { get => throw null; } - public int? StatusCode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set => throw null; } - public string ViewName { get => throw null; set => throw null; } - public ViewResult() => throw null; - } - namespace Diagnostics { - public class AfterViewComponentEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterViewComponentEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public AfterViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.IViewComponentResult viewComponentResult, object viewComponent) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.IViewComponentResult viewComponentResult, object viewComponent) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public object ViewComponent { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } public Microsoft.AspNetCore.Mvc.IViewComponentResult ViewComponentResult { get => throw null; } } - - public class AfterViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class AfterViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { - public AfterViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public AfterViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } } - - public class BeforeViewComponentEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeViewComponentEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } - public BeforeViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, object viewComponent) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, object viewComponent) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public object ViewComponent { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } } - - public class BeforeViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class BeforeViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { - public BeforeViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; protected override int Count { get => throw null; } - public const string EventName = default; + public BeforeViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } } - - public class ViewComponentAfterViewExecuteEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class ViewComponentAfterViewExecuteEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public ViewComponentAfterViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } - public ViewComponentAfterViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } } - - public class ViewComponentBeforeViewExecuteEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class ViewComponentBeforeViewExecuteEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public ViewComponentBeforeViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; + public static string EventName; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } - public ViewComponentBeforeViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } } - - public class ViewFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class ViewFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public ViewFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; + public static string EventName; public bool IsMainPage { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } - public ViewFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; public string ViewName { get => throw null; } } - - public class ViewNotFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData + public sealed class ViewNotFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics.EventData { public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } - public const string EventName = default; + public ViewNotFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, System.Collections.Generic.IEnumerable searchedLocations) => throw null; + public static string EventName; public bool IsMainPage { get => throw null; } - protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } public System.Collections.Generic.IEnumerable SearchedLocations { get => throw null; } + protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public string ViewName { get => throw null; } - public ViewNotFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, System.Collections.Generic.IEnumerable searchedLocations) => throw null; } - + } + public class IgnoreAntiforgeryTokenAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ViewFeatures.IAntiforgeryPolicy, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public IgnoreAntiforgeryTokenAttribute() => throw null; + public int Order { get => throw null; set { } } + } + public interface IViewComponentHelper + { + System.Threading.Tasks.Task InvokeAsync(string name, object arguments); + System.Threading.Tasks.Task InvokeAsync(System.Type componentType, object arguments); + } + public interface IViewComponentResult + { + void Execute(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); + System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); } namespace ModelBinding { - public static class ModelStateDictionaryExtensions + public static partial class ModelStateDictionaryExtensions { - public static void AddModelError(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; public static void AddModelError(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression, string errorMessage) => throw null; + public static void AddModelError(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; public static bool Remove(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression) => throw null; public static void RemoveAll(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression) => throw null; public static void TryAddModelException(this Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Linq.Expressions.Expression> expression, System.Exception exception) => throw null; } - + } + public class MvcViewOptions : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public System.Collections.Generic.IList ClientModelValidatorProviders { get => throw null; } + public MvcViewOptions() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelperOptions HtmlHelperOptions { get => throw null; set { } } + public System.Collections.Generic.IList ViewEngines { get => throw null; } + } + public class PageRemoteAttribute : Microsoft.AspNetCore.Mvc.RemoteAttributeBase + { + public PageRemoteAttribute() => throw null; + protected override string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; + public string PageHandler { get => throw null; set { } } + public string PageName { get => throw null; set { } } + } + public class PartialViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public string ContentType { get => throw null; set { } } + public PartialViewResult() => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public object Model { get => throw null; } + public int? StatusCode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set { } } + public string ViewName { get => throw null; set { } } + } + public class RemoteAttribute : Microsoft.AspNetCore.Mvc.RemoteAttributeBase + { + protected RemoteAttribute() => throw null; + public RemoteAttribute(string routeName) => throw null; + public RemoteAttribute(string action, string controller) => throw null; + public RemoteAttribute(string action, string controller, string areaName) => throw null; + protected override string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; + protected string RouteName { get => throw null; set { } } + } + public abstract class RemoteAttributeBase : System.ComponentModel.DataAnnotations.ValidationAttribute, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.IClientModelValidator + { + public string AdditionalFields { get => throw null; set { } } + public virtual void AddValidation(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context) => throw null; + protected RemoteAttributeBase() => throw null; + public string FormatAdditionalFieldsForClientValidation(string property) => throw null; + public override string FormatErrorMessage(string name) => throw null; + public static string FormatPropertyForClientValidation(string property) => throw null; + protected abstract string GetUrl(Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientModelValidationContext context); + public string HttpMethod { get => throw null; set { } } + public override bool IsValid(object value) => throw null; + protected Microsoft.AspNetCore.Routing.RouteValueDictionary RouteData { get => throw null; } } namespace Rendering { - public enum CheckBoxHiddenInputRenderMode : int + public enum CheckBoxHiddenInputRenderMode { - EndOfForm = 2, - Inline = 1, None = 0, + Inline = 1, + EndOfForm = 2, } - - public enum FormInputRenderMode : int + public enum FormInputRenderMode { - AlwaysUseCurrentCulture = 1, DetectCultureFromInputType = 0, + AlwaysUseCurrentCulture = 1, } - - public enum FormMethod : int + public enum FormMethod { Get = 0, Post = 1, } - - public enum Html5DateRenderingMode : int + public enum Html5DateRenderingMode { - CurrentCulture = 1, Rfc3339 = 0, + CurrentCulture = 1, } - - public static class HtmlHelperComponentExtensions + public static partial class HtmlHelperComponentExtensions { - public static System.Threading.Tasks.Task RenderComponentAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Type componentType, Microsoft.AspNetCore.Mvc.Rendering.RenderMode renderMode, object parameters) => throw null; public static System.Threading.Tasks.Task RenderComponentAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.RenderMode renderMode) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; public static System.Threading.Tasks.Task RenderComponentAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.RenderMode renderMode, object parameters) where TComponent : Microsoft.AspNetCore.Components.IComponent => throw null; + public static System.Threading.Tasks.Task RenderComponentAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Type componentType, Microsoft.AspNetCore.Mvc.Rendering.RenderMode renderMode, object parameters) => throw null; } - - public static class HtmlHelperDisplayExtensions + public static partial class HtmlHelperDisplayExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent Display(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent Display(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object additionalViewData) => throw null; @@ -363,14 +254,12 @@ public static class HtmlHelperDisplayExtensions public static Microsoft.AspNetCore.Html.IHtmlContent DisplayForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string templateName, string htmlFieldName) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DisplayForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string templateName, string htmlFieldName, object additionalViewData) => throw null; } - - public static class HtmlHelperDisplayNameExtensions + public static partial class HtmlHelperDisplayNameExtensions { public static string DisplayNameFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper> htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; public static string DisplayNameForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; } - - public static class HtmlHelperEditorExtensions + public static partial class HtmlHelperEditorExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent Editor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent Editor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object additionalViewData) => throw null; @@ -389,31 +278,29 @@ public static class HtmlHelperEditorExtensions public static Microsoft.AspNetCore.Html.IHtmlContent EditorForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string templateName, string htmlFieldName) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent EditorForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string templateName, string htmlFieldName, object additionalViewData) => throw null; } - - public static class HtmlHelperFormExtensions + public static partial class HtmlHelperFormExtensions { public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool? antiforgery) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, bool? antiforgery, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, object htmlAttributes) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool? antiforgery) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, bool? antiforgery, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, object routeValues) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, object routeValues) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, object routeValues, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string actionName, string controllerName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, object routeValues) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, object routeValues, bool? antiforgery) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; - public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, bool? antiforgery) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, object routeValues) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, object routeValues, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; + public static Microsoft.AspNetCore.Mvc.Rendering.MvcForm BeginRouteForm(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string routeName, Microsoft.AspNetCore.Mvc.Rendering.FormMethod method, object htmlAttributes) => throw null; } - - public static class HtmlHelperInputExtensions + public static partial class HtmlHelperInputExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent CheckBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent CheckBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, bool isChecked) => throw null; @@ -426,8 +313,8 @@ public static class HtmlHelperInputExtensions public static Microsoft.AspNetCore.Html.IHtmlContent Password(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent PasswordFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RadioButton(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent RadioButton(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, bool isChecked) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RadioButton(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, object htmlAttributes) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent RadioButton(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, bool isChecked) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RadioButtonFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object value) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextArea(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextArea(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object htmlAttributes) => throw null; @@ -437,27 +324,25 @@ public static class HtmlHelperInputExtensions public static Microsoft.AspNetCore.Html.IHtmlContent TextAreaFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent TextBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, string format) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent TextBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object value, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextBoxFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent TextBoxFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent TextBoxFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, string format) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent TextBoxFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; } - - public static class HtmlHelperLabelExtensions + public static partial class HtmlHelperLabelExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent Label(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent Label(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string labelText) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent LabelFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent LabelFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent LabelFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, string labelText) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent LabelFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent LabelForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent LabelForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent LabelForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string labelText) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent LabelForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent LabelForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string labelText, object htmlAttributes) => throw null; } - - public static class HtmlHelperLinkExtensions + public static partial class HtmlHelperLinkExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent ActionLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper helper, string linkText, string actionName) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ActionLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper helper, string linkText, string actionName, object routeValues) => throw null; @@ -466,19 +351,17 @@ public static class HtmlHelperLinkExtensions public static Microsoft.AspNetCore.Html.IHtmlContent ActionLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper helper, string linkText, string actionName, string controllerName, object routeValues) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ActionLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper helper, string linkText, string actionName, string controllerName, object routeValues, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, object routeValues) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, object routeValues, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, string routeName) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, string routeName, object routeValues) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, object routeValues, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent RouteLink(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string linkText, string routeName, object routeValues, object htmlAttributes) => throw null; } - - public static class HtmlHelperNameExtensions + public static partial class HtmlHelperNameExtensions { public static string IdForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; public static string NameForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; } - - public static class HtmlHelperPartialExtensions + public static partial class HtmlHelperPartialExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent Partial(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string partialViewName) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent Partial(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string partialViewName, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData) => throw null; @@ -495,14 +378,13 @@ public static class HtmlHelperPartialExtensions public static System.Threading.Tasks.Task RenderPartialAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string partialViewName, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData) => throw null; public static System.Threading.Tasks.Task RenderPartialAsync(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string partialViewName, object model) => throw null; } - - public static class HtmlHelperSelectExtensions + public static partial class HtmlHelperSelectExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string optionLabel) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, System.Collections.Generic.IEnumerable selectList) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, System.Collections.Generic.IEnumerable selectList, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, System.Collections.Generic.IEnumerable selectList, string optionLabel) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent DropDownList(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string optionLabel) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownListFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, System.Collections.Generic.IEnumerable selectList) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownListFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, System.Collections.Generic.IEnumerable selectList, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent DropDownListFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, System.Collections.Generic.IEnumerable selectList, string optionLabel) => throw null; @@ -510,37 +392,34 @@ public static class HtmlHelperSelectExtensions public static Microsoft.AspNetCore.Html.IHtmlContent ListBox(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, System.Collections.Generic.IEnumerable selectList) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ListBoxFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, System.Collections.Generic.IEnumerable selectList) => throw null; } - - public static class HtmlHelperValidationExtensions + public static partial class HtmlHelperValidationExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string message) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string message, object htmlAttributes) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string message, string tag) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessage(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression, string message, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessageFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessageFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, string message) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessageFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, string message, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationMessageFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression, string message, string tag) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message, object htmlAttributes) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message, string tag) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string message) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string message, string tag) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string message, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string message, object htmlAttributes, string tag) => throw null; - public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string message, string tag) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message, string tag) => throw null; + public static Microsoft.AspNetCore.Html.IHtmlContent ValidationSummary(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, bool excludePropertyErrors, string message, object htmlAttributes) => throw null; } - - public static class HtmlHelperValueExtensions + public static partial class HtmlHelperValueExtensions { public static string Value(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string expression) => throw null; public static string ValueFor(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, System.Linq.Expressions.Expression> expression) => throw null; public static string ValueForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper) => throw null; public static string ValueForModel(this Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper htmlHelper, string format) => throw null; } - public interface IHtmlHelper { Microsoft.AspNetCore.Html.IHtmlContent ActionLink(string linkText, string actionName, string controllerName, string protocol, string hostname, string fragment, object routeValues, object htmlAttributes); @@ -558,8 +437,8 @@ public interface IHtmlHelper void EndForm(); string FormatValue(object value, string format); string GenerateIdFromName(string fullName); - System.Collections.Generic.IEnumerable GetEnumSelectList(System.Type enumType); System.Collections.Generic.IEnumerable GetEnumSelectList() where TEnum : struct; + System.Collections.Generic.IEnumerable GetEnumSelectList(System.Type enumType); Microsoft.AspNetCore.Html.IHtmlContent Hidden(string expression, object value, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get; set; } string Id(string expression); @@ -571,8 +450,8 @@ public interface IHtmlHelper System.Threading.Tasks.Task PartialAsync(string partialViewName, object model, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData); Microsoft.AspNetCore.Html.IHtmlContent Password(string expression, object value, object htmlAttributes); Microsoft.AspNetCore.Html.IHtmlContent RadioButton(string expression, object value, bool? isChecked, object htmlAttributes); - Microsoft.AspNetCore.Html.IHtmlContent Raw(object value); Microsoft.AspNetCore.Html.IHtmlContent Raw(string value); + Microsoft.AspNetCore.Html.IHtmlContent Raw(object value); System.Threading.Tasks.Task RenderPartialAsync(string partialViewName, object model, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData); Microsoft.AspNetCore.Html.IHtmlContent RouteLink(string linkText, string routeName, string protocol, string hostName, string fragment, object routeValues, object htmlAttributes); Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get; } @@ -586,7 +465,6 @@ public interface IHtmlHelper Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get; } Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get; } } - public interface IHtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper { Microsoft.AspNetCore.Html.IHtmlContent CheckBoxFor(System.Linq.Expressions.Expression> expression, object htmlAttributes); @@ -613,45 +491,40 @@ public interface IHtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlH string ValueFor(System.Linq.Expressions.Expression> expression, string format); Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get; } } - public interface IJsonHelper { Microsoft.AspNetCore.Html.IHtmlContent Serialize(object value); } - public class MultiSelectList : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public MultiSelectList(System.Collections.IEnumerable items) => throw null; + public MultiSelectList(System.Collections.IEnumerable items, System.Collections.IEnumerable selectedValues) => throw null; + public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField) => throw null; + public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField, System.Collections.IEnumerable selectedValues) => throw null; + public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField, System.Collections.IEnumerable selectedValues, string dataGroupField) => throw null; public string DataGroupField { get => throw null; } public string DataTextField { get => throw null; } public string DataValueField { get => throw null; } public virtual System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public System.Collections.IEnumerable Items { get => throw null; } - public MultiSelectList(System.Collections.IEnumerable items) => throw null; - public MultiSelectList(System.Collections.IEnumerable items, System.Collections.IEnumerable selectedValues) => throw null; - public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField) => throw null; - public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField, System.Collections.IEnumerable selectedValues) => throw null; - public MultiSelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField, System.Collections.IEnumerable selectedValues, string dataGroupField) => throw null; public System.Collections.IEnumerable SelectedValues { get => throw null; } } - public class MvcForm : System.IDisposable { + public MvcForm(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; public void Dispose() => throw null; public void EndForm() => throw null; protected virtual void GenerateEndForm() => throw null; - public MvcForm(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, System.Text.Encodings.Web.HtmlEncoder htmlEncoder) => throw null; } - - public enum RenderMode : int + public enum RenderMode { + Static = 1, Server = 2, ServerPrerendered = 3, - Static = 1, WebAssembly = 4, WebAssemblyPrerendered = 5, } - public class SelectList : Microsoft.AspNetCore.Mvc.Rendering.MultiSelectList { public SelectList(System.Collections.IEnumerable items) : base(default(System.Collections.IEnumerable)) => throw null; @@ -661,32 +534,31 @@ public class SelectList : Microsoft.AspNetCore.Mvc.Rendering.MultiSelectList public SelectList(System.Collections.IEnumerable items, string dataValueField, string dataTextField, object selectedValue, string dataGroupField) : base(default(System.Collections.IEnumerable)) => throw null; public object SelectedValue { get => throw null; } } - public class SelectListGroup { - public bool Disabled { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } public SelectListGroup() => throw null; + public bool Disabled { get => throw null; set { } } + public string Name { get => throw null; set { } } } - public class SelectListItem { - public bool Disabled { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.SelectListGroup Group { get => throw null; set => throw null; } public SelectListItem() => throw null; public SelectListItem(string text, string value) => throw null; public SelectListItem(string text, string value, bool selected) => throw null; public SelectListItem(string text, string value, bool selected, bool disabled) => throw null; - public bool Selected { get => throw null; set => throw null; } - public string Text { get => throw null; set => throw null; } - public string Value { get => throw null; set => throw null; } + public bool Disabled { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.SelectListGroup Group { get => throw null; set { } } + public bool Selected { get => throw null; set { } } + public string Text { get => throw null; set { } } + public string Value { get => throw null; set { } } } - public class TagBuilder : Microsoft.AspNetCore.Html.IHtmlContent { public void AddCssClass(string value) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.AttributeDictionary Attributes { get => throw null; } public static string CreateSanitizedId(string name, string invalidCharReplacement) => throw null; + public TagBuilder(string tagName) => throw null; + public TagBuilder(Microsoft.AspNetCore.Mvc.Rendering.TagBuilder tagBuilder) => throw null; public void GenerateId(string name, string invalidCharReplacement) => throw null; public bool HasInnerHtml { get => throw null; } public Microsoft.AspNetCore.Html.IHtmlContentBuilder InnerHtml { get => throw null; } @@ -698,49 +570,101 @@ public class TagBuilder : Microsoft.AspNetCore.Html.IHtmlContent public Microsoft.AspNetCore.Html.IHtmlContent RenderEndTag() => throw null; public Microsoft.AspNetCore.Html.IHtmlContent RenderSelfClosingTag() => throw null; public Microsoft.AspNetCore.Html.IHtmlContent RenderStartTag() => throw null; - public TagBuilder(Microsoft.AspNetCore.Mvc.Rendering.TagBuilder tagBuilder) => throw null; - public TagBuilder(string tagName) => throw null; public string TagName { get => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.TagRenderMode TagRenderMode { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.TagRenderMode TagRenderMode { get => throw null; set { } } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public enum TagRenderMode : int + public enum TagRenderMode { - EndTag = 2, Normal = 0, - SelfClosing = 3, StartTag = 1, + EndTag = 2, + SelfClosing = 3, } - - public static class ViewComponentHelperExtensions + public static partial class ViewComponentHelperExtensions { - public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper, System.Type componentType) => throw null; public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper, string name) => throw null; - public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper) => throw null; + public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper, System.Type componentType) => throw null; public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper, object arguments) => throw null; + public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.Mvc.IViewComponentHelper helper) => throw null; } - public class ViewContext : Microsoft.AspNetCore.Mvc.ActionContext { - public Microsoft.AspNetCore.Mvc.Rendering.CheckBoxHiddenInputRenderMode CheckBoxHiddenInputRenderMode { get => throw null; set => throw null; } - public bool ClientValidationEnabled { get => throw null; set => throw null; } - public string ExecutingFilePath { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Mvc.ViewFeatures.FormContext FormContext { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.FormContext GetFormContextForClientValidation() => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - public string ValidationMessageElement { get => throw null; set => throw null; } - public string ValidationSummaryMessageElement { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; set => throw null; } - public dynamic ViewBag { get => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.CheckBoxHiddenInputRenderMode CheckBoxHiddenInputRenderMode { get => throw null; set { } } + public bool ClientValidationEnabled { get => throw null; set { } } public ViewContext() => throw null; public ViewContext(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary tempData, System.IO.TextWriter writer, Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelperOptions htmlHelperOptions) => throw null; public ViewContext(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, System.IO.TextWriter writer) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - public System.IO.TextWriter Writer { get => throw null; set => throw null; } + public string ExecutingFilePath { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Mvc.ViewFeatures.FormContext FormContext { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.FormContext GetFormContextForClientValidation() => throw null; + public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + public string ValidationMessageElement { get => throw null; set { } } + public string ValidationSummaryMessageElement { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; set { } } + public dynamic ViewBag { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } + public System.IO.TextWriter Writer { get => throw null; set { } } } - + } + public class SkipStatusCodePagesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Http.Metadata.ISkipStatusCodePagesMetadata + { + public SkipStatusCodePagesAttribute() => throw null; + public void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context) => throw null; + public void OnResourceExecuting(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext context) => throw null; + } + public sealed class TempDataAttribute : System.Attribute + { + public TempDataAttribute() => throw null; + public string Key { get => throw null; set { } } + } + public class ValidateAntiForgeryTokenAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + { + public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; + public ValidateAntiForgeryTokenAttribute() => throw null; + public bool IsReusable { get => throw null; } + public int Order { get => throw null; set { } } + } + public abstract class ViewComponent + { + public Microsoft.AspNetCore.Mvc.ViewComponents.ContentViewComponentResult Content(string content) => throw null; + protected ViewComponent() => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } + public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } + public Microsoft.AspNetCore.Http.HttpRequest Request { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; } + public Microsoft.AspNetCore.Mvc.IUrlHelper Url { get => throw null; set { } } + public System.Security.Principal.IPrincipal User { get => throw null; } + public System.Security.Claims.ClaimsPrincipal UserClaimsPrincipal { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View() => throw null; + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(string viewName) => throw null; + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(TModel model) => throw null; + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewViewComponentResult View(string viewName, TModel model) => throw null; + public dynamic ViewBag { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine ViewEngine { get => throw null; set { } } + } + public class ViewComponentAttribute : System.Attribute + { + public ViewComponentAttribute() => throw null; + public string Name { get => throw null; set { } } + } + public class ViewComponentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public object Arguments { get => throw null; set { } } + public string ContentType { get => throw null; set { } } + public ViewComponentResult() => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public object Model { get => throw null; } + public int? StatusCode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + public string ViewComponentName { get => throw null; set { } } + public System.Type ViewComponentType { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } } namespace ViewComponents { @@ -751,20 +675,17 @@ public class ContentViewComponentResult : Microsoft.AspNetCore.Mvc.IViewComponen public void Execute(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; } - public class DefaultViewComponentDescriptorCollectionProvider : Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentDescriptorCollectionProvider { public DefaultViewComponentDescriptorCollectionProvider(Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentDescriptorProvider descriptorProvider) => throw null; public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptorCollection ViewComponents { get => throw null; } } - public class DefaultViewComponentDescriptorProvider : Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentDescriptorProvider { public DefaultViewComponentDescriptorProvider(Microsoft.AspNetCore.Mvc.ApplicationParts.ApplicationPartManager partManager) => throw null; protected virtual System.Collections.Generic.IEnumerable GetCandidateTypes() => throw null; public virtual System.Collections.Generic.IEnumerable GetViewComponents() => throw null; } - public class DefaultViewComponentFactory : Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentFactory { public object CreateViewComponent(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; @@ -772,93 +693,79 @@ public class DefaultViewComponentFactory : Microsoft.AspNetCore.Mvc.ViewComponen public void ReleaseViewComponent(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object component) => throw null; public System.Threading.Tasks.ValueTask ReleaseViewComponentAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object component) => throw null; } - public class DefaultViewComponentHelper : Microsoft.AspNetCore.Mvc.IViewComponentHelper, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware { public void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; public DefaultViewComponentHelper(Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentDescriptorCollectionProvider descriptorProvider, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentSelector selector, Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentInvokerFactory invokerFactory, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope viewBufferScope) => throw null; - public System.Threading.Tasks.Task InvokeAsync(System.Type componentType, object arguments) => throw null; public System.Threading.Tasks.Task InvokeAsync(string name, object arguments) => throw null; + public System.Threading.Tasks.Task InvokeAsync(System.Type componentType, object arguments) => throw null; } - public class DefaultViewComponentSelector : Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentSelector { public DefaultViewComponentSelector(Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentDescriptorCollectionProvider descriptorProvider) => throw null; public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptor SelectComponent(string componentName) => throw null; } - public class HtmlContentViewComponentResult : Microsoft.AspNetCore.Mvc.IViewComponentResult { + public HtmlContentViewComponentResult(Microsoft.AspNetCore.Html.IHtmlContent encodedContent) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent EncodedContent { get => throw null; } public void Execute(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; - public HtmlContentViewComponentResult(Microsoft.AspNetCore.Html.IHtmlContent encodedContent) => throw null; } - public interface IViewComponentActivator { object Create(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); void Release(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object viewComponent); - System.Threading.Tasks.ValueTask ReleaseAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object viewComponent) => throw null; + virtual System.Threading.Tasks.ValueTask ReleaseAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object viewComponent) => throw null; } - public interface IViewComponentDescriptorCollectionProvider { Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptorCollection ViewComponents { get; } } - public interface IViewComponentDescriptorProvider { System.Collections.Generic.IEnumerable GetViewComponents(); } - public interface IViewComponentFactory { object CreateViewComponent(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); void ReleaseViewComponent(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object component); - System.Threading.Tasks.ValueTask ReleaseViewComponentAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object component) => throw null; + virtual System.Threading.Tasks.ValueTask ReleaseViewComponentAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object component) => throw null; } - public interface IViewComponentInvoker { System.Threading.Tasks.Task InvokeAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); } - public interface IViewComponentInvokerFactory { Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentInvoker CreateInstance(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context); } - public interface IViewComponentSelector { Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptor SelectComponent(string componentName); } - public class ServiceBasedViewComponentActivator : Microsoft.AspNetCore.Mvc.ViewComponents.IViewComponentActivator { public object Create(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; - public virtual void Release(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object viewComponent) => throw null; public ServiceBasedViewComponentActivator() => throw null; + public virtual void Release(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context, object viewComponent) => throw null; } - public class ViewComponentContext { - public System.Collections.Generic.IDictionary Arguments { get => throw null; set => throw null; } - public System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; } + public System.Collections.Generic.IDictionary Arguments { get => throw null; set { } } public ViewComponentContext() => throw null; public ViewComponentContext(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptor viewComponentDescriptor, System.Collections.Generic.IDictionary arguments, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, System.IO.TextWriter writer) => throw null; - public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptor ViewComponentDescriptor { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set => throw null; } + public System.Text.Encodings.Web.HtmlEncoder HtmlEncoder { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; } + public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentDescriptor ViewComponentDescriptor { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } public System.IO.TextWriter Writer { get => throw null; } } - public class ViewComponentContextAttribute : System.Attribute { public ViewComponentContextAttribute() => throw null; } - public static class ViewComponentConventions { public static string GetComponentFullName(System.Reflection.TypeInfo componentType) => throw null; @@ -866,49 +773,48 @@ public static class ViewComponentConventions public static bool IsComponent(System.Reflection.TypeInfo typeInfo) => throw null; public static string ViewComponentSuffix; } - public class ViewComponentDescriptor { - public string DisplayName { get => throw null; set => throw null; } - public string FullName { get => throw null; set => throw null; } - public string Id { get => throw null; set => throw null; } - public System.Reflection.MethodInfo MethodInfo { get => throw null; set => throw null; } - public System.Collections.Generic.IReadOnlyList Parameters { get => throw null; set => throw null; } - public string ShortName { get => throw null; set => throw null; } - public System.Reflection.TypeInfo TypeInfo { get => throw null; set => throw null; } public ViewComponentDescriptor() => throw null; + public string DisplayName { get => throw null; set { } } + public string FullName { get => throw null; set { } } + public string Id { get => throw null; set { } } + public System.Reflection.MethodInfo MethodInfo { get => throw null; set { } } + public System.Collections.Generic.IReadOnlyList Parameters { get => throw null; set { } } + public string ShortName { get => throw null; set { } } + public System.Reflection.TypeInfo TypeInfo { get => throw null; set { } } } - public class ViewComponentDescriptorCollection { + public ViewComponentDescriptorCollection(System.Collections.Generic.IEnumerable items, int version) => throw null; public System.Collections.Generic.IReadOnlyList Items { get => throw null; } public int Version { get => throw null; } - public ViewComponentDescriptorCollection(System.Collections.Generic.IEnumerable items, int version) => throw null; } - public class ViewComponentFeature { public ViewComponentFeature() => throw null; public System.Collections.Generic.IList ViewComponents { get => throw null; } } - - public class ViewComponentFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider + public class ViewComponentFeatureProvider : Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider, Microsoft.AspNetCore.Mvc.ApplicationParts.IApplicationFeatureProvider { - public void PopulateFeature(System.Collections.Generic.IEnumerable parts, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentFeature feature) => throw null; public ViewComponentFeatureProvider() => throw null; + public void PopulateFeature(System.Collections.Generic.IEnumerable parts, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentFeature feature) => throw null; } - public class ViewViewComponentResult : Microsoft.AspNetCore.Mvc.IViewComponentResult { + public ViewViewComponentResult() => throw null; public void Execute(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext context) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set => throw null; } - public string ViewName { get => throw null; set => throw null; } - public ViewViewComponentResult() => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set { } } + public string ViewName { get => throw null; set { } } } - + } + public sealed class ViewDataAttribute : System.Attribute + { + public ViewDataAttribute() => throw null; + public string Key { get => throw null; set { } } } namespace ViewEngines { @@ -919,24 +825,20 @@ public class CompositeViewEngine : Microsoft.AspNetCore.Mvc.ViewEngines.IComposi public Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult GetView(string executingFilePath, string viewPath, bool isMainPage) => throw null; public System.Collections.Generic.IReadOnlyList ViewEngines { get => throw null; } } - public interface ICompositeViewEngine : Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine { System.Collections.Generic.IReadOnlyList ViewEngines { get; } } - public interface IView { string Path { get; } System.Threading.Tasks.Task RenderAsync(Microsoft.AspNetCore.Mvc.Rendering.ViewContext context); } - public interface IViewEngine { Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult FindView(Microsoft.AspNetCore.Mvc.ActionContext context, string viewName, bool isMainPage); Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult GetView(string executingFilePath, string viewPath, bool isMainPage); } - public class ViewEngineResult { public Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult EnsureSuccessful(System.Collections.Generic.IEnumerable originalLocations) => throw null; @@ -947,51 +849,60 @@ public class ViewEngineResult public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public string ViewName { get => throw null; } } - } namespace ViewFeatures { - public static class AntiforgeryExtensions + public static partial class AntiforgeryExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent GetHtml(this Microsoft.AspNetCore.Antiforgery.IAntiforgery antiforgery, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - - public class AttributeDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.IEnumerable + public class AttributeDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> { + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; + public void Add(string key, string value) => throw null; + public void Clear() => throw null; + public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public bool ContainsKey(string key) => throw null; + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public AttributeDictionary() => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable { + public Enumerator(Microsoft.AspNetCore.Mvc.ViewFeatures.AttributeDictionary attributes) => throw null; public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(Microsoft.AspNetCore.Mvc.ViewFeatures.AttributeDictionary attributes) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; - public void Add(string key, string value) => throw null; - public AttributeDictionary() => throw null; - public void Clear() => throw null; - public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; - public bool ContainsKey(string key) => throw null; - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewFeatures.AttributeDictionary.Enumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public string this[string key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string key) => throw null; + public string this[string key] { get => throw null; set { } } public bool TryGetValue(string key, out string value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } } - + namespace Buffers + { + public interface IViewBufferScope + { + System.IO.TextWriter CreateWriter(System.IO.TextWriter writer); + Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.ViewBufferValue[] GetPage(int pageSize); + void ReturnSegment(Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.ViewBufferValue[] segment); + } + public struct ViewBufferValue + { + public ViewBufferValue(string value) => throw null; + public ViewBufferValue(Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; + public object Value { get => throw null; } + } + } public class CookieTempDataProvider : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataProvider { public static string CookieName; @@ -999,7 +910,6 @@ public class CookieTempDataProvider : Microsoft.AspNetCore.Mvc.ViewFeatures.ITem public System.Collections.Generic.IDictionary LoadTempData(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public void SaveTempData(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IDictionary values) => throw null; } - public class DefaultHtmlGenerator : Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator { protected virtual void AddMaxLengthAttribute(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, Microsoft.AspNetCore.Mvc.Rendering.TagBuilder tagBuilder, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression) => throw null; @@ -1007,8 +917,8 @@ public class DefaultHtmlGenerator : Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlG protected virtual void AddValidationAttributes(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Rendering.TagBuilder tagBuilder, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression) => throw null; protected bool AllowRenderingMaxLengthAttribute { get => throw null; } public DefaultHtmlGenerator(Microsoft.AspNetCore.Antiforgery.IAntiforgery antiforgery, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.Routing.IUrlHelperFactory urlHelperFactory, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.ViewFeatures.ValidationHtmlAttributeProvider validationAttributeProvider) => throw null; - public string Encode(object value) => throw null; public string Encode(string value) => throw null; + public string Encode(object value) => throw null; public string FormatValue(object value, string format) => throw null; public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateActionLink(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string linkText, string actionName, string controllerName, string protocol, string hostname, string fragment, object routeValues, object htmlAttributes) => throw null; public virtual Microsoft.AspNetCore.Html.IHtmlContent GenerateAntiforgery(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; @@ -1027,8 +937,8 @@ public class DefaultHtmlGenerator : Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlG public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRadioButton(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, object value, bool? isChecked, object htmlAttributes) => throw null; public Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRouteForm(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string routeName, object routeValues, string method, object htmlAttributes) => throw null; public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRouteLink(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string linkText, string routeName, string protocol, string hostName, string fragment, object routeValues, object htmlAttributes) => throw null; - public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, System.Collections.Generic.ICollection currentValues, bool allowMultiple, object htmlAttributes) => throw null; public Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, bool allowMultiple, object htmlAttributes) => throw null; + public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, System.Collections.Generic.ICollection currentValues, bool allowMultiple, object htmlAttributes) => throw null; public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateTextArea(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, int rows, int columns, object htmlAttributes) => throw null; public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateTextBox(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, object value, string format, object htmlAttributes) => throw null; public virtual Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateValidationMessage(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, string message, string tag, object htmlAttributes) => throw null; @@ -1036,32 +946,28 @@ public class DefaultHtmlGenerator : Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlG public virtual System.Collections.Generic.ICollection GetCurrentValues(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, bool allowMultiple) => throw null; public string IdAttributeDotReplacement { get => throw null; } } - - public static class DefaultHtmlGeneratorExtensions + public static partial class DefaultHtmlGeneratorExtensions { public static Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateForm(this Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string actionName, string controllerName, string fragment, object routeValues, string method, object htmlAttributes) => throw null; public static Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRouteForm(this Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator generator, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string routeName, object routeValues, string fragment, string method, object htmlAttributes) => throw null; } - public class DefaultValidationHtmlAttributeProvider : Microsoft.AspNetCore.Mvc.ViewFeatures.ValidationHtmlAttributeProvider { public override void AddValidationAttributes(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, System.Collections.Generic.IDictionary attributes) => throw null; public DefaultValidationHtmlAttributeProvider(Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ClientValidatorCache clientValidatorCache) => throw null; } - public class FormContext { - public bool CanRenderAtEndOfForm { get => throw null; set => throw null; } - public System.Collections.Generic.IList EndOfFormContent { get => throw null; } + public bool CanRenderAtEndOfForm { get => throw null; set { } } public FormContext() => throw null; + public System.Collections.Generic.IList EndOfFormContent { get => throw null; } public System.Collections.Generic.IDictionary FormData { get => throw null; } - public bool HasAntiforgeryToken { get => throw null; set => throw null; } + public bool HasAntiforgeryToken { get => throw null; set { } } public bool HasEndOfFormContent { get => throw null; } public bool HasFormData { get => throw null; } public bool RenderedField(string fieldName) => throw null; public void RenderedField(string fieldName, bool value) => throw null; } - public class HtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware { public Microsoft.AspNetCore.Html.IHtmlContent ActionLink(string linkText, string actionName, string controllerName, string protocol, string hostname, string fragment, object routeValues, object htmlAttributes) => throw null; @@ -1072,13 +978,14 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Micros public Microsoft.AspNetCore.Html.IHtmlContent CheckBox(string expression, bool? isChecked, object htmlAttributes) => throw null; public virtual void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; protected virtual Microsoft.AspNetCore.Mvc.Rendering.MvcForm CreateForm() => throw null; + public HtmlHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator htmlGenerator, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope bufferScope, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.UrlEncoder urlEncoder) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent Display(string expression, string templateName, string htmlFieldName, object additionalViewData) => throw null; public string DisplayName(string expression) => throw null; public string DisplayText(string expression) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent DropDownList(string expression, System.Collections.Generic.IEnumerable selectList, string optionLabel, object htmlAttributes) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent Editor(string expression, string templateName, string htmlFieldName, object additionalViewData) => throw null; - public string Encode(object value) => throw null; public string Encode(string value) => throw null; + public string Encode(object value) => throw null; public void EndForm() => throw null; public string FormatValue(object value, string format) => throw null; protected virtual Microsoft.AspNetCore.Html.IHtmlContent GenerateCheckBox(Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, bool? isChecked, object htmlAttributes) => throw null; @@ -1102,13 +1009,12 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Micros protected virtual Microsoft.AspNetCore.Html.IHtmlContent GenerateValidationMessage(Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, string message, string tag, object htmlAttributes) => throw null; protected virtual Microsoft.AspNetCore.Html.IHtmlContent GenerateValidationSummary(bool excludePropertyErrors, string message, object htmlAttributes, string tag) => throw null; protected virtual string GenerateValue(string expression, object value, string format, bool useViewData) => throw null; - protected virtual System.Collections.Generic.IEnumerable GetEnumSelectList(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; - public System.Collections.Generic.IEnumerable GetEnumSelectList(System.Type enumType) => throw null; public System.Collections.Generic.IEnumerable GetEnumSelectList() where TEnum : struct => throw null; + public System.Collections.Generic.IEnumerable GetEnumSelectList(System.Type enumType) => throw null; + protected virtual System.Collections.Generic.IEnumerable GetEnumSelectList(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; public static string GetFormMethodString(Microsoft.AspNetCore.Mvc.Rendering.FormMethod method) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent Hidden(string expression, object value, object htmlAttributes) => throw null; - public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set => throw null; } - public HtmlHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator htmlGenerator, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope bufferScope, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.UrlEncoder urlEncoder) => throw null; + public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set { } } public string Id(string expression) => throw null; public string IdAttributeDotReplacement { get => throw null; } public Microsoft.AspNetCore.Html.IHtmlContent Label(string expression, string labelText, object htmlAttributes) => throw null; @@ -1119,8 +1025,8 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Micros public System.Threading.Tasks.Task PartialAsync(string partialViewName, object model, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent Password(string expression, object value, object htmlAttributes) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent RadioButton(string expression, object value, bool? isChecked, object htmlAttributes) => throw null; - public Microsoft.AspNetCore.Html.IHtmlContent Raw(object value) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent Raw(string value) => throw null; + public Microsoft.AspNetCore.Html.IHtmlContent Raw(object value) => throw null; public System.Threading.Tasks.Task RenderPartialAsync(string partialViewName, object model, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData) => throw null; protected virtual System.Threading.Tasks.Task RenderPartialCoreAsync(string partialViewName, object model, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, System.IO.TextWriter writer) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent RouteLink(string linkText, string routeName, string protocol, string hostName, string fragment, object routeValues, object htmlAttributes) => throw null; @@ -1141,11 +1047,11 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Micros public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } } - - public class HtmlHelper : Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelper, Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper + public class HtmlHelper : Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelper, Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper, Microsoft.AspNetCore.Mvc.Rendering.IHtmlHelper { public Microsoft.AspNetCore.Html.IHtmlContent CheckBoxFor(System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; public override void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; + public HtmlHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator htmlGenerator, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope bufferScope, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.UrlEncoder urlEncoder, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpressionProvider modelExpressionProvider) : base(default(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider), default(Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope), default(System.Text.Encodings.Web.HtmlEncoder), default(System.Text.Encodings.Web.UrlEncoder)) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent DisplayFor(System.Linq.Expressions.Expression> expression, string templateName, string htmlFieldName, object additionalViewData) => throw null; public string DisplayNameFor(System.Linq.Expressions.Expression> expression) => throw null; public string DisplayNameForInnerType(System.Linq.Expressions.Expression> expression) => throw null; @@ -1155,7 +1061,6 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelp protected string GetExpressionName(System.Linq.Expressions.Expression> expression) => throw null; protected Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetModelExplorer(System.Linq.Expressions.Expression> expression) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent HiddenFor(System.Linq.Expressions.Expression> expression, object htmlAttributes) => throw null; - public HtmlHelper(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator htmlGenerator, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope bufferScope, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, System.Text.Encodings.Web.UrlEncoder urlEncoder, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpressionProvider modelExpressionProvider) : base(default(Microsoft.AspNetCore.Mvc.ViewFeatures.IHtmlGenerator), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider), default(Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.IViewBufferScope), default(System.Text.Encodings.Web.HtmlEncoder), default(System.Text.Encodings.Web.UrlEncoder)) => throw null; public string IdFor(System.Linq.Expressions.Expression> expression) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent LabelFor(System.Linq.Expressions.Expression> expression, string labelText, object htmlAttributes) => throw null; public Microsoft.AspNetCore.Html.IHtmlContent ListBoxFor(System.Linq.Expressions.Expression> expression, System.Collections.Generic.IEnumerable selectList, object htmlAttributes) => throw null; @@ -1168,32 +1073,28 @@ public class HtmlHelper : Microsoft.AspNetCore.Mvc.ViewFeatures.HtmlHelp public string ValueFor(System.Linq.Expressions.Expression> expression, string format) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; } } - public class HtmlHelperOptions { - public Microsoft.AspNetCore.Mvc.Rendering.CheckBoxHiddenInputRenderMode CheckBoxHiddenInputRenderMode { get => throw null; set => throw null; } - public bool ClientValidationEnabled { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.FormInputRenderMode FormInputRenderMode { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.CheckBoxHiddenInputRenderMode CheckBoxHiddenInputRenderMode { get => throw null; set { } } + public bool ClientValidationEnabled { get => throw null; set { } } public HtmlHelperOptions() => throw null; - public string IdAttributeDotReplacement { get => throw null; set => throw null; } - public string ValidationMessageElement { get => throw null; set => throw null; } - public string ValidationSummaryMessageElement { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Mvc.Rendering.FormInputRenderMode FormInputRenderMode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.Rendering.Html5DateRenderingMode Html5DateRenderingMode { get => throw null; set { } } + public string IdAttributeDotReplacement { get => throw null; set { } } + public string ValidationMessageElement { get => throw null; set { } } + public string ValidationSummaryMessageElement { get => throw null; set { } } } - public interface IAntiforgeryPolicy : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - public interface IFileVersionProvider { string AddFileVersionToPath(Microsoft.AspNetCore.Http.PathString requestPathBase, string path); } - public interface IHtmlGenerator { - string Encode(object value); string Encode(string value); + string Encode(object value); string FormatValue(object value, string format); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateActionLink(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string linkText, string actionName, string controllerName, string protocol, string hostname, string fragment, object routeValues, object htmlAttributes); Microsoft.AspNetCore.Html.IHtmlContent GenerateAntiforgery(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext); @@ -1209,8 +1110,8 @@ public interface IHtmlGenerator Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRadioButton(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, object value, bool? isChecked, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRouteForm(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string routeName, object routeValues, string method, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateRouteLink(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, string linkText, string routeName, string protocol, string hostName, string fragment, object routeValues, object htmlAttributes); - Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, System.Collections.Generic.ICollection currentValues, bool allowMultiple, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, bool allowMultiple, object htmlAttributes); + Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateSelect(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string optionLabel, string expression, System.Collections.Generic.IEnumerable selectList, System.Collections.Generic.ICollection currentValues, bool allowMultiple, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateTextArea(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, int rows, int columns, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateTextBox(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, object value, string format, object htmlAttributes); Microsoft.AspNetCore.Mvc.Rendering.TagBuilder GenerateValidationMessage(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, string message, string tag, object htmlAttributes); @@ -1218,13 +1119,29 @@ public interface IHtmlGenerator System.Collections.Generic.ICollection GetCurrentValues(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, bool allowMultiple); string IdAttributeDotReplacement { get; } } - public interface IModelExpressionProvider { Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression CreateModelExpression(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, System.Linq.Expressions.Expression> expression); } - - public interface ITempDataDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + namespace Infrastructure + { + public abstract class TempDataSerializer + { + public virtual bool CanSerializeType(System.Type type) => throw null; + protected TempDataSerializer() => throw null; + public abstract System.Collections.Generic.IDictionary Deserialize(byte[] unprotectedData); + public abstract byte[] Serialize(System.Collections.Generic.IDictionary values); + } + } + public enum InputType + { + CheckBox = 0, + Hidden = 1, + Password = 2, + Radio = 3, + Text = 4, + } + public interface ITempDataDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { void Keep(); void Keep(string key); @@ -1232,188 +1149,164 @@ public interface ITempDataDictionary : System.Collections.Generic.ICollection LoadTempData(Microsoft.AspNetCore.Http.HttpContext context); void SaveTempData(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IDictionary values); } - public interface IViewContextAware { void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext); } - - public enum InputType : int - { - CheckBox = 0, - Hidden = 1, - Password = 2, - Radio = 3, - Text = 4, - } - public class ModelExplorer { public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer Container { get => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func modelAccessor) => throw null; + public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model) => throw null; + public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer container, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func modelAccessor) => throw null; + public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer container, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(System.Type modelType, object model) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(System.Type modelType, System.Func modelAccessor) => throw null; - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(System.Type modelType, object model) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForExpression(Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func modelAccessor) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForModel(object model) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForProperty(string name) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForProperty(string name, System.Func modelAccessor) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetExplorerForProperty(string name, object model) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; } public object Model { get => throw null; } - public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer container, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, System.Func modelAccessor) => throw null; - public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer container, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model) => throw null; - public ModelExplorer(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata, object model) => throw null; public System.Type ModelType { get => throw null; } public System.Collections.Generic.IEnumerable Properties { get => throw null; } } - - public static class ModelExplorerExtensions + public static partial class ModelExplorerExtensions { public static string GetSimpleDisplayText(this Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer) => throw null; } - - public class ModelExpression + public sealed class ModelExpression { + public ModelExpression(string name, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; } public object Model { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer ModelExplorer { get => throw null; } - public ModelExpression(string name, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer) => throw null; public string Name { get => throw null; } } - public class ModelExpressionProvider : Microsoft.AspNetCore.Mvc.ViewFeatures.IModelExpressionProvider { public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression CreateModelExpression(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, System.Linq.Expressions.Expression> expression) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExpression CreateModelExpression(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, string expression) => throw null; - public string GetExpressionText(System.Linq.Expressions.Expression> expression) => throw null; public ModelExpressionProvider(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) => throw null; + public string GetExpressionText(System.Linq.Expressions.Expression> expression) => throw null; } - - public static class ModelMetadataProviderExtensions + public static partial class ModelMetadataProviderExtensions { public static Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer GetModelExplorerForType(this Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider provider, System.Type modelType, object model) => throw null; } - public class PartialViewResultExecutor : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewExecutor, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { + public PartialViewResultExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.PartialViewResult viewResult) => throw null; public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.PartialViewResult result) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult FindView(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.PartialViewResult viewResult) => throw null; protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } - public PartialViewResultExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; } - public class SaveTempDataAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata CreateInstance(System.IServiceProvider serviceProvider) => throw null; - public bool IsReusable { get => throw null; } - public int Order { get => throw null; set => throw null; } public SaveTempDataAttribute() => throw null; + public bool IsReusable { get => throw null; } + public int Order { get => throw null; set { } } } - public class SessionStateTempDataProvider : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataProvider { + public SessionStateTempDataProvider(Microsoft.AspNetCore.Mvc.ViewFeatures.Infrastructure.TempDataSerializer tempDataSerializer) => throw null; public virtual System.Collections.Generic.IDictionary LoadTempData(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public virtual void SaveTempData(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IDictionary values) => throw null; - public SessionStateTempDataProvider(Microsoft.AspNetCore.Mvc.ViewFeatures.Infrastructure.TempDataSerializer tempDataSerializer) => throw null; } - public class StringHtmlContent : Microsoft.AspNetCore.Html.IHtmlContent { public StringHtmlContent(string input) => throw null; public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public class TempDataDictionary : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class TempDataDictionary : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { - void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public void Add(string key, object value) => throw null; + void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public void Clear() => throw null; bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public bool ContainsKey(string key) => throw null; public bool ContainsValue(object value) => throw null; void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int index) => throw null; public int Count { get => throw null; } + public TempDataDictionary(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataProvider provider) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } - public object this[string key] { get => throw null; set => throw null; } public void Keep() => throw null; public void Keep(string key) => throw null; public System.Collections.Generic.ICollection Keys { get => throw null; } public void Load() => throw null; public object Peek(string key) => throw null; - bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public bool Remove(string key) => throw null; + bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; public void Save() => throw null; - public TempDataDictionary(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataProvider provider) => throw null; + public object this[string key] { get => throw null; set { } } public bool TryGetValue(string key, out object value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - public class TempDataDictionaryFactory : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory { - public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary GetTempData(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public TempDataDictionaryFactory(Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataProvider provider) => throw null; + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary GetTempData(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class TemplateInfo { public bool AddVisited(object value) => throw null; - public object FormattedModelValue { get => throw null; set => throw null; } - public string GetFullHtmlFieldName(string partialFieldName) => throw null; - public string HtmlFieldPrefix { get => throw null; set => throw null; } - public int TemplateDepth { get => throw null; } public TemplateInfo() => throw null; public TemplateInfo(Microsoft.AspNetCore.Mvc.ViewFeatures.TemplateInfo original) => throw null; + public object FormattedModelValue { get => throw null; set { } } + public string GetFullHtmlFieldName(string partialFieldName) => throw null; + public string HtmlFieldPrefix { get => throw null; set { } } + public int TemplateDepth { get => throw null; } public bool Visited(Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer) => throw null; } - public delegate bool TryGetValueDelegate(object dictionary, string key, out object value); - public static class TryGetValueProvider { public static Microsoft.AspNetCore.Mvc.ViewFeatures.TryGetValueDelegate CreateInstance(System.Type targetType) => throw null; } - public abstract class ValidationHtmlAttributeProvider { public virtual void AddAndTrackValidationAttributes(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, string expression, System.Collections.Generic.IDictionary attributes) => throw null; public abstract void AddValidationAttributes(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer modelExplorer, System.Collections.Generic.IDictionary attributes); protected ValidationHtmlAttributeProvider() => throw null; } - public class ViewComponentResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { - public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ViewComponentResult result) => throw null; public ViewComponentResultExecutor(Microsoft.Extensions.Options.IOptions mvcHelperOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, System.Text.Encodings.Web.HtmlEncoder htmlEncoder, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataDictionaryFactory, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ViewComponentResult result) => throw null; } - public class ViewContextAttribute : System.Attribute { public ViewContextAttribute() => throw null; } - - public class ViewDataDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ViewDataDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string key, object value) => throw null; + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Clear() => throw null; public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; public bool ContainsKey(string key) => throw null; public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } + public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; + public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source) => throw null; + protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, System.Type declaredModelType) => throw null; + protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Type declaredModelType) => throw null; + protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, System.Type declaredModelType) => throw null; + protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, object model, System.Type declaredModelType) => throw null; public object Eval(string expression) => throw null; public string Eval(string expression, string format) => throw null; public static string FormatValue(object value, string format) => throw null; @@ -1421,66 +1314,54 @@ public class ViewDataDictionary : System.Collections.Generic.ICollection throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataInfo GetViewDataInfo(string expression) => throw null; public bool IsReadOnly { get => throw null; } - public object this[string index] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } - public object Model { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer ModelExplorer { get => throw null; set => throw null; } + public object Model { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ModelExplorer ModelExplorer { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata ModelMetadata { get => throw null; } public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary ModelState { get => throw null; } - public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; public bool Remove(string key) => throw null; + public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; protected virtual void SetModel(object value) => throw null; public Microsoft.AspNetCore.Mvc.ViewFeatures.TemplateInfo TemplateInfo { get => throw null; } + public object this[string index] { get => throw null; set { } } public bool TryGetValue(string key, out object value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } - internal ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider) => throw null; - public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) => throw null; - protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState, System.Type declaredModelType) => throw null; - protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, System.Type declaredModelType) => throw null; - public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source) => throw null; - protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, System.Type declaredModelType) => throw null; - protected ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, object model, System.Type declaredModelType) => throw null; } - public class ViewDataDictionary : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary { - public TModel Model { get => throw null; set => throw null; } - internal ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; - public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; - public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; - public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, object model) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider)) => throw null; + public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider metadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary modelState) : base(default(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary)) => throw null; + public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source) : base(default(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary)) => throw null; + public ViewDataDictionary(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary source, object model) : base(default(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary)) => throw null; + public TModel Model { get => throw null; set { } } } - public class ViewDataDictionaryAttribute : System.Attribute { public ViewDataDictionaryAttribute() => throw null; } - public class ViewDataDictionaryControllerPropertyActivator { public void Activate(Microsoft.AspNetCore.Mvc.ControllerContext actionContext, object controller) => throw null; - public System.Action GetActivatorDelegate(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor actionDescriptor) => throw null; public ViewDataDictionaryControllerPropertyActivator(Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) => throw null; + public System.Action GetActivatorDelegate(Microsoft.AspNetCore.Mvc.Controllers.ControllerActionDescriptor actionDescriptor) => throw null; } - public static class ViewDataEvaluator { public static Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataInfo Eval(Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, string expression) => throw null; public static Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataInfo Eval(object indexableObject, string expression) => throw null; } - public class ViewDataInfo { public object Container { get => throw null; } - public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } - public object Value { get => throw null; set => throw null; } + public ViewDataInfo(object container, object value) => throw null; public ViewDataInfo(object container, System.Reflection.PropertyInfo propertyInfo) => throw null; public ViewDataInfo(object container, System.Reflection.PropertyInfo propertyInfo, System.Func valueAccessor) => throw null; - public ViewDataInfo(object container, object value) => throw null; + public System.Reflection.PropertyInfo PropertyInfo { get => throw null; } + public object Value { get => throw null; set { } } } - public class ViewExecutor { + public ViewExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) => throw null; + protected ViewExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; public static string DefaultContentType; protected System.Diagnostics.DiagnosticListener DiagnosticListener { get => throw null; } public virtual System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary viewData, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary tempData, string contentType, int? statusCode) => throw null; @@ -1488,57 +1369,36 @@ public class ViewExecutor protected Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider ModelMetadataProvider { get => throw null; } protected Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory TempDataFactory { get => throw null; } protected Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; } - protected ViewExecutor(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, System.Diagnostics.DiagnosticListener diagnosticListener) => throw null; - public ViewExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) => throw null; protected Microsoft.AspNetCore.Mvc.MvcViewOptions ViewOptions { get => throw null; } protected Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory WriterFactory { get => throw null; } } - public class ViewResultExecutor : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewExecutor, Microsoft.AspNetCore.Mvc.Infrastructure.IActionResultExecutor { + public ViewResultExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Mvc.ActionContext context, Microsoft.AspNetCore.Mvc.ViewResult result) => throw null; public virtual Microsoft.AspNetCore.Mvc.ViewEngines.ViewEngineResult FindView(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.ViewResult viewResult) => throw null; protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } - public ViewResultExecutor(Microsoft.Extensions.Options.IOptions viewOptions, Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory writerFactory, Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine viewEngine, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionaryFactory tempDataFactory, System.Diagnostics.DiagnosticListener diagnosticListener, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Mvc.ModelBinding.IModelMetadataProvider modelMetadataProvider) : base(default(Microsoft.AspNetCore.Mvc.Infrastructure.IHttpResponseStreamWriterFactory), default(Microsoft.AspNetCore.Mvc.ViewEngines.ICompositeViewEngine), default(System.Diagnostics.DiagnosticListener)) => throw null; - } - - namespace Buffers - { - public interface IViewBufferScope - { - System.IO.TextWriter CreateWriter(System.IO.TextWriter writer); - Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.ViewBufferValue[] GetPage(int pageSize); - void ReturnSegment(Microsoft.AspNetCore.Mvc.ViewFeatures.Buffers.ViewBufferValue[] segment); - } - - public struct ViewBufferValue - { - public object Value { get => throw null; } - // Stub generator skipped constructor - public ViewBufferValue(Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; - public ViewBufferValue(string value) => throw null; - } - - } - namespace Infrastructure - { - public abstract class TempDataSerializer - { - public virtual bool CanSerializeType(System.Type type) => throw null; - public abstract System.Collections.Generic.IDictionary Deserialize(System.Byte[] unprotectedData); - public abstract System.Byte[] Serialize(System.Collections.Generic.IDictionary values); - protected TempDataSerializer() => throw null; - } - } } + public class ViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + { + public string ContentType { get => throw null; set { } } + public ViewResult() => throw null; + public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; + public object Model { get => throw null; } + public int? StatusCode { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary TempData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewFeatures.ViewDataDictionary ViewData { get => throw null; set { } } + public Microsoft.AspNetCore.Mvc.ViewEngines.IViewEngine ViewEngine { get => throw null; set { } } + public string ViewName { get => throw null; set { } } + } } } namespace Extensions { namespace DependencyInjection { - public static class MvcViewFeaturesMvcBuilderExtensions + public static partial class MvcViewFeaturesMvcBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddCookieTempDataProvider(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddCookieTempDataProvider(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; @@ -1546,8 +1406,7 @@ public static class MvcViewFeaturesMvcBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewComponentsAsServices(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddViewOptions(this Microsoft.Extensions.DependencyInjection.IMvcBuilder builder, System.Action setupAction) => throw null; } - - public static class MvcViewFeaturesMvcCoreBuilderExtensions + public static partial class MvcViewFeaturesMvcCoreBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCookieTempDataProvider(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddCookieTempDataProvider(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; @@ -1555,7 +1414,6 @@ public static class MvcViewFeaturesMvcCoreBuilderExtensions public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder AddViews(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder ConfigureViews(this Microsoft.Extensions.DependencyInjection.IMvcCoreBuilder builder, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.cs index d45ae8e2a0fd..d2f2724f8bef 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Mvc, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class MvcServiceCollectionExtensions + public static partial class MvcServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddControllers(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddControllers(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; @@ -18,7 +17,6 @@ public static class MvcServiceCollectionExtensions public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddRazorPages(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IMvcBuilder AddRazorPages(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.OutputCaching.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.OutputCaching.cs index 404c5e60f22e..0ad5295bbef6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.OutputCaching.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.OutputCaching.cs @@ -1,138 +1,126 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.OutputCaching, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class OutputCacheApplicationBuilderExtensions + public static partial class OutputCacheApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseOutputCache(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - } namespace OutputCaching { - public class CacheVaryByRules + public sealed class CacheVaryByRules { - public string CacheKeyPrefix { get => throw null; set => throw null; } + public string CacheKeyPrefix { get => throw null; set { } } public CacheVaryByRules() => throw null; - public Microsoft.Extensions.Primitives.StringValues HeaderNames { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringValues QueryKeys { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringValues RouteValueNames { get => throw null; set => throw null; } - public bool VaryByHost { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringValues HeaderNames { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringValues QueryKeys { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringValues RouteValueNames { get => throw null; set { } } + public bool VaryByHost { get => throw null; set { } } public System.Collections.Generic.IDictionary VaryByValues { get => throw null; } } - public interface IOutputCacheFeature { Microsoft.AspNetCore.OutputCaching.OutputCacheContext Context { get; } } - public interface IOutputCachePolicy { System.Threading.Tasks.ValueTask CacheRequestAsync(Microsoft.AspNetCore.OutputCaching.OutputCacheContext context, System.Threading.CancellationToken cancellation); System.Threading.Tasks.ValueTask ServeFromCacheAsync(Microsoft.AspNetCore.OutputCaching.OutputCacheContext context, System.Threading.CancellationToken cancellation); System.Threading.Tasks.ValueTask ServeResponseAsync(Microsoft.AspNetCore.OutputCaching.OutputCacheContext context, System.Threading.CancellationToken cancellation); } - public interface IOutputCacheStore { System.Threading.Tasks.ValueTask EvictByTagAsync(string tag, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.ValueTask GetAsync(string key, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.ValueTask SetAsync(string key, System.Byte[] value, string[] tags, System.TimeSpan validFor, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.ValueTask GetAsync(string key, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.ValueTask SetAsync(string key, byte[] value, string[] tags, System.TimeSpan validFor, System.Threading.CancellationToken cancellationToken); } - - public class OutputCacheAttribute : System.Attribute + public sealed class OutputCacheAttribute : System.Attribute { - public int Duration { get => throw null; set => throw null; } - public bool NoStore { get => throw null; set => throw null; } public OutputCacheAttribute() => throw null; - public string PolicyName { get => throw null; set => throw null; } - public string[] VaryByHeaderNames { get => throw null; set => throw null; } - public string[] VaryByQueryKeys { get => throw null; set => throw null; } - public string[] VaryByRouteValueNames { get => throw null; set => throw null; } + public int Duration { get => throw null; set { } } + public bool NoStore { get => throw null; set { } } + public string PolicyName { get => throw null; set { } } + public string[] VaryByHeaderNames { get => throw null; set { } } + public string[] VaryByQueryKeys { get => throw null; set { } } + public string[] VaryByRouteValueNames { get => throw null; set { } } } - - public class OutputCacheContext + public sealed class OutputCacheContext { - public bool AllowCacheLookup { get => throw null; set => throw null; } - public bool AllowCacheStorage { get => throw null; set => throw null; } - public bool AllowLocking { get => throw null; set => throw null; } + public bool AllowCacheLookup { get => throw null; set { } } + public bool AllowCacheStorage { get => throw null; set { } } + public bool AllowLocking { get => throw null; set { } } public Microsoft.AspNetCore.OutputCaching.CacheVaryByRules CacheVaryByRules { get => throw null; } - public bool EnableOutputCaching { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } public OutputCacheContext() => throw null; - public System.TimeSpan? ResponseExpirationTimeSpan { get => throw null; set => throw null; } - public System.DateTimeOffset? ResponseTime { get => throw null; set => throw null; } + public bool EnableOutputCaching { get => throw null; set { } } + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public System.TimeSpan? ResponseExpirationTimeSpan { get => throw null; set { } } + public System.DateTimeOffset? ResponseTime { get => throw null; set { } } public System.Collections.Generic.HashSet Tags { get => throw null; } } - public class OutputCacheOptions { + public void AddBasePolicy(Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) => throw null; public void AddBasePolicy(System.Action build) => throw null; public void AddBasePolicy(System.Action build, bool excludeDefaultPolicy) => throw null; - public void AddBasePolicy(Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) => throw null; + public void AddPolicy(string name, Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) => throw null; public void AddPolicy(string name, System.Action build) => throw null; public void AddPolicy(string name, System.Action build, bool excludeDefaultPolicy) => throw null; - public void AddPolicy(string name, Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) => throw null; - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } - public System.TimeSpan DefaultExpirationTimeSpan { get => throw null; set => throw null; } - public System.Int64 MaximumBodySize { get => throw null; set => throw null; } + public System.IServiceProvider ApplicationServices { get => throw null; } public OutputCacheOptions() => throw null; - public System.Int64 SizeLimit { get => throw null; set => throw null; } - public bool UseCaseSensitivePaths { get => throw null; set => throw null; } + public System.TimeSpan DefaultExpirationTimeSpan { get => throw null; set { } } + public long MaximumBodySize { get => throw null; set { } } + public long SizeLimit { get => throw null; set { } } + public bool UseCaseSensitivePaths { get => throw null; set { } } } - - public class OutputCachePolicyBuilder + public sealed class OutputCachePolicyBuilder { public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder AddPolicy(System.Type policyType) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder AddPolicy() where T : Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder Cache() => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder Expire(System.TimeSpan expiration) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder NoCache() => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetCacheKeyPrefix(System.Func> keyPrefix) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetCacheKeyPrefix(System.Func keyPrefix) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetCacheKeyPrefix(string keyPrefix) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetCacheKeyPrefix(System.Func keyPrefix) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetCacheKeyPrefix(System.Func> keyPrefix) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetLocking(bool enabled) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByHeader(string[] headerNames) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByHeader(string headerName, params string[] headerNames) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByHeader(string[] headerNames) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByHost(bool enabled) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByQuery(string[] queryKeys) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByQuery(string queryKey, params string[] queryKeys) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByRouteValue(string[] routeValueNames) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByQuery(string[] queryKeys) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByRouteValue(string routeValueName, params string[] routeValueNames) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder SetVaryByRouteValue(string[] routeValueNames) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder Tag(params string[] tags) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder VaryByValue(System.Func>> varyBy) => throw null; - public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder VaryByValue(System.Func> varyBy) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder VaryByValue(string key, string value) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder VaryByValue(System.Func> varyBy) => throw null; + public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder VaryByValue(System.Func>> varyBy) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder With(System.Func> predicate) => throw null; public Microsoft.AspNetCore.OutputCaching.OutputCachePolicyBuilder With(System.Func predicate) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class OutputCacheConventionBuilderExtensions + public static partial class OutputCacheConventionBuilderExtensions { public static TBuilder CacheOutput(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder CacheOutput(this TBuilder builder, Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder CacheOutput(this TBuilder builder, System.Action policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder CacheOutput(this TBuilder builder, System.Action policy, bool excludeDefaultPolicy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder CacheOutput(this TBuilder builder, Microsoft.AspNetCore.OutputCaching.IOutputCachePolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder CacheOutput(this TBuilder builder, string policyName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - - public static class OutputCacheServiceCollectionExtensions + public static partial class OutputCacheServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddOutputCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddOutputCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RateLimiting.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RateLimiting.cs index 0bb4d3b987e9..6fa8fb2c1156 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RateLimiting.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RateLimiting.cs @@ -1,76 +1,66 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.RateLimiting, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class RateLimiterApplicationBuilderExtensions + public static partial class RateLimiterApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRateLimiter(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRateLimiter(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.RateLimiting.RateLimiterOptions options) => throw null; } - - public static class RateLimiterEndpointConventionBuilderExtensions + public static partial class RateLimiterEndpointConventionBuilderExtensions { public static TBuilder DisableRateLimiting(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder RequireRateLimiting(this TBuilder builder, Microsoft.AspNetCore.RateLimiting.IRateLimiterPolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder RequireRateLimiting(this TBuilder builder, string policyName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder RequireRateLimiting(this TBuilder builder, Microsoft.AspNetCore.RateLimiting.IRateLimiterPolicy policy) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - - public static class RateLimiterServiceCollectionExtensions + public static partial class RateLimiterServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRateLimiter(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } namespace RateLimiting { - public class DisableRateLimitingAttribute : System.Attribute + public sealed class DisableRateLimitingAttribute : System.Attribute { public DisableRateLimitingAttribute() => throw null; } - - public class EnableRateLimitingAttribute : System.Attribute + public sealed class EnableRateLimitingAttribute : System.Attribute { public EnableRateLimitingAttribute(string policyName) => throw null; public string PolicyName { get => throw null; } } - public interface IRateLimiterPolicy { System.Threading.RateLimiting.RateLimitPartition GetPartition(Microsoft.AspNetCore.Http.HttpContext httpContext); System.Func OnRejected { get; } } - - public class OnRejectedContext + public sealed class OnRejectedContext { - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } - public System.Threading.RateLimiting.RateLimitLease Lease { get => throw null; set => throw null; } public OnRejectedContext() => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public System.Threading.RateLimiting.RateLimitLease Lease { get => throw null; set { } } } - - public class RateLimiterOptions + public sealed class RateLimiterOptions { - public Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddPolicy(string policyName) where TPolicy : Microsoft.AspNetCore.RateLimiting.IRateLimiterPolicy => throw null; public Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddPolicy(string policyName, System.Func> partitioner) => throw null; + public Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddPolicy(string policyName) where TPolicy : Microsoft.AspNetCore.RateLimiting.IRateLimiterPolicy => throw null; public Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddPolicy(string policyName, Microsoft.AspNetCore.RateLimiting.IRateLimiterPolicy policy) => throw null; - public System.Threading.RateLimiting.PartitionedRateLimiter GlobalLimiter { get => throw null; set => throw null; } - public System.Func OnRejected { get => throw null; set => throw null; } public RateLimiterOptions() => throw null; - public int RejectionStatusCode { get => throw null; set => throw null; } + public System.Threading.RateLimiting.PartitionedRateLimiter GlobalLimiter { get => throw null; set { } } + public System.Func OnRejected { get => throw null; set { } } + public int RejectionStatusCode { get => throw null; set { } } } - - public static class RateLimiterOptionsExtensions + public static partial class RateLimiterOptionsExtensions { public static Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddConcurrencyLimiter(this Microsoft.AspNetCore.RateLimiting.RateLimiterOptions options, string policyName, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddFixedWindowLimiter(this Microsoft.AspNetCore.RateLimiting.RateLimiterOptions options, string policyName, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddSlidingWindowLimiter(this Microsoft.AspNetCore.RateLimiting.RateLimiterOptions options, string policyName, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.RateLimiting.RateLimiterOptions AddTokenBucketLimiter(this Microsoft.AspNetCore.RateLimiting.RateLimiterOptions options, string policyName, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.Runtime.cs index fddb3de9a745..58ade22f1eb5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.Runtime.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.Runtime.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Razor.Runtime, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -15,71 +14,61 @@ public interface IRazorSourceChecksumMetadata string ChecksumAlgorithm { get; } string Identifier { get; } } - public abstract class RazorCompiledItem { + protected RazorCompiledItem() => throw null; public abstract string Identifier { get; } public abstract string Kind { get; } public abstract System.Collections.Generic.IReadOnlyList Metadata { get; } - protected RazorCompiledItem() => throw null; public abstract System.Type Type { get; } } - - public class RazorCompiledItemAttribute : System.Attribute + public sealed class RazorCompiledItemAttribute : System.Attribute { + public RazorCompiledItemAttribute(System.Type type, string kind, string identifier) => throw null; public string Identifier { get => throw null; } public string Kind { get => throw null; } - public RazorCompiledItemAttribute(System.Type type, string kind, string identifier) => throw null; public System.Type Type { get => throw null; } } - - public static class RazorCompiledItemExtensions + public static partial class RazorCompiledItemExtensions { public static System.Collections.Generic.IReadOnlyList GetChecksumMetadata(this Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem item) => throw null; } - public class RazorCompiledItemLoader { protected virtual Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItem CreateItem(Microsoft.AspNetCore.Razor.Hosting.RazorCompiledItemAttribute attribute) => throw null; + public RazorCompiledItemLoader() => throw null; protected System.Collections.Generic.IEnumerable LoadAttributes(System.Reflection.Assembly assembly) => throw null; public virtual System.Collections.Generic.IReadOnlyList LoadItems(System.Reflection.Assembly assembly) => throw null; - public RazorCompiledItemLoader() => throw null; } - - public class RazorCompiledItemMetadataAttribute : System.Attribute + public sealed class RazorCompiledItemMetadataAttribute : System.Attribute { - public string Key { get => throw null; } public RazorCompiledItemMetadataAttribute(string key, string value) => throw null; + public string Key { get => throw null; } public string Value { get => throw null; } } - - public class RazorConfigurationNameAttribute : System.Attribute + public sealed class RazorConfigurationNameAttribute : System.Attribute { public string ConfigurationName { get => throw null; } public RazorConfigurationNameAttribute(string configurationName) => throw null; } - - public class RazorExtensionAssemblyNameAttribute : System.Attribute + public sealed class RazorExtensionAssemblyNameAttribute : System.Attribute { public string AssemblyName { get => throw null; } - public string ExtensionName { get => throw null; } public RazorExtensionAssemblyNameAttribute(string extensionName, string assemblyName) => throw null; + public string ExtensionName { get => throw null; } } - - public class RazorLanguageVersionAttribute : System.Attribute + public sealed class RazorLanguageVersionAttribute : System.Attribute { - public string LanguageVersion { get => throw null; } public RazorLanguageVersionAttribute(string languageVersion) => throw null; + public string LanguageVersion { get => throw null; } } - - public class RazorSourceChecksumAttribute : System.Attribute, Microsoft.AspNetCore.Razor.Hosting.IRazorSourceChecksumMetadata + public sealed class RazorSourceChecksumAttribute : System.Attribute, Microsoft.AspNetCore.Razor.Hosting.IRazorSourceChecksumMetadata { public string Checksum { get => throw null; } public string ChecksumAlgorithm { get => throw null; } - public string Identifier { get => throw null; } public RazorSourceChecksumAttribute(string checksumAlgorithm, string checksum, string identifier) => throw null; + public string Identifier { get => throw null; } } - } namespace Runtime { @@ -88,33 +77,30 @@ namespace TagHelpers public class TagHelperExecutionContext { public void Add(Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper tagHelper) => throw null; - public void AddHtmlAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public void AddHtmlAttribute(string name, object value, Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle valueStyle) => throw null; - public void AddTagHelperAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; + public void AddHtmlAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public void AddTagHelperAttribute(string name, object value, Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle valueStyle) => throw null; + public void AddTagHelperAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public bool ChildContentRetrieved { get => throw null; } public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext Context { get => throw null; } + public TagHelperExecutionContext(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagMode tagMode, System.Collections.Generic.IDictionary items, string uniqueId, System.Func executeChildContentAsync, System.Action startTagHelperWritingScope, System.Func endTagHelperWritingScope) => throw null; public System.Collections.Generic.IDictionary Items { get => throw null; } - public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput Output { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput Output { get => throw null; } public void Reinitialize(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagMode tagMode, System.Collections.Generic.IDictionary items, string uniqueId, System.Func executeChildContentAsync) => throw null; public System.Threading.Tasks.Task SetOutputContentAsync() => throw null; - public TagHelperExecutionContext(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagMode tagMode, System.Collections.Generic.IDictionary items, string uniqueId, System.Func executeChildContentAsync, System.Action startTagHelperWritingScope, System.Func endTagHelperWritingScope) => throw null; public System.Collections.Generic.IList TagHelpers { get => throw null; } } - public class TagHelperRunner { - public System.Threading.Tasks.Task RunAsync(Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext executionContext) => throw null; public TagHelperRunner() => throw null; + public System.Threading.Tasks.Task RunAsync(Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext executionContext) => throw null; } - public class TagHelperScopeManager { public Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext Begin(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagMode tagMode, string uniqueId, System.Func executeChildContentAsync) => throw null; - public Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext End() => throw null; public TagHelperScopeManager(System.Action startTagHelperWritingScope, System.Func endTagHelperWritingScope) => throw null; + public Microsoft.AspNetCore.Razor.Runtime.TagHelpers.TagHelperExecutionContext End() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs index e0237fcaff47..0f28ce7578b7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Razor, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -25,152 +24,138 @@ public class DefaultTagHelperContent : Microsoft.AspNetCore.Razor.TagHelpers.Tag public override void Reinitialize() => throw null; public override void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public class HtmlAttributeNameAttribute : System.Attribute + public sealed class HtmlAttributeNameAttribute : System.Attribute { - public string DictionaryAttributePrefix { get => throw null; set => throw null; } - public bool DictionaryAttributePrefixSet { get => throw null; } public HtmlAttributeNameAttribute() => throw null; public HtmlAttributeNameAttribute(string name) => throw null; + public string DictionaryAttributePrefix { get => throw null; set { } } + public bool DictionaryAttributePrefixSet { get => throw null; } public string Name { get => throw null; } } - - public class HtmlAttributeNotBoundAttribute : System.Attribute + public sealed class HtmlAttributeNotBoundAttribute : System.Attribute { public HtmlAttributeNotBoundAttribute() => throw null; } - - public enum HtmlAttributeValueStyle : int + public enum HtmlAttributeValueStyle { DoubleQuotes = 0, - Minimized = 3, - NoQuotes = 2, SingleQuotes = 1, + NoQuotes = 2, + Minimized = 3, } - - public class HtmlTargetElementAttribute : System.Attribute + public sealed class HtmlTargetElementAttribute : System.Attribute { - public string Attributes { get => throw null; set => throw null; } - public const string ElementCatchAllTarget = default; + public string Attributes { get => throw null; set { } } public HtmlTargetElementAttribute() => throw null; public HtmlTargetElementAttribute(string tag) => throw null; - public string ParentTag { get => throw null; set => throw null; } + public static string ElementCatchAllTarget; + public string ParentTag { get => throw null; set { } } public string Tag { get => throw null; } - public Microsoft.AspNetCore.Razor.TagHelpers.TagStructure TagStructure { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Razor.TagHelpers.TagStructure TagStructure { get => throw null; set { } } } - public interface ITagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelperComponent { } - public interface ITagHelperComponent { void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context); int Order { get; } System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output); } - - public class NullHtmlEncoder : System.Text.Encodings.Web.HtmlEncoder + public sealed class NullHtmlEncoder : System.Text.Encodings.Web.HtmlEncoder { public static Microsoft.AspNetCore.Razor.TagHelpers.NullHtmlEncoder Default { get => throw null; } - public override void Encode(System.IO.TextWriter output, System.Char[] value, int startIndex, int characterCount) => throw null; - public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; public override string Encode(string value) => throw null; - unsafe public override int FindFirstCharacterToEncode(System.Char* text, int textLength) => throw null; + public override void Encode(System.IO.TextWriter output, char[] value, int startIndex, int characterCount) => throw null; + public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public override unsafe int FindFirstCharacterToEncode(char* text, int textLength) => throw null; public override int MaxOutputCharactersPerInputCharacter { get => throw null; } - unsafe public override bool TryEncodeUnicodeScalar(int unicodeScalar, System.Char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; + public override unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; public override bool WillEncode(int unicodeScalar) => throw null; } - - public class OutputElementHintAttribute : System.Attribute + public sealed class OutputElementHintAttribute : System.Attribute { - public string OutputElement { get => throw null; } public OutputElementHintAttribute(string outputElement) => throw null; + public string OutputElement { get => throw null; } } - public abstract class ReadOnlyTagHelperAttributeList : System.Collections.ObjectModel.ReadOnlyCollection { public bool ContainsName(string name) => throw null; - public int IndexOfName(string name) => throw null; - public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute this[string name] { get => throw null; } - protected static bool NameEquals(string name, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; protected ReadOnlyTagHelperAttributeList() : base(default(System.Collections.Generic.IList)) => throw null; public ReadOnlyTagHelperAttributeList(System.Collections.Generic.IList attributes) : base(default(System.Collections.Generic.IList)) => throw null; + public int IndexOfName(string name) => throw null; + protected static bool NameEquals(string name, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; + public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute this[string name] { get => throw null; } public bool TryGetAttribute(string name, out Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public bool TryGetAttributes(string name, out System.Collections.Generic.IReadOnlyList attributes) => throw null; } - - public class RestrictChildrenAttribute : System.Attribute + public sealed class RestrictChildrenAttribute : System.Attribute { public System.Collections.Generic.IEnumerable ChildTags { get => throw null; } public RestrictChildrenAttribute(string childTag, params string[] childTags) => throw null; } - public abstract class TagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelper, Microsoft.AspNetCore.Razor.TagHelpers.ITagHelperComponent { + protected TagHelper() => throw null; public virtual void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; public virtual int Order { get => throw null; } public virtual void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; public virtual System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - protected TagHelper() => throw null; } - - public class TagHelperAttribute : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer + public class TagHelperAttribute : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent { public void CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; + public TagHelperAttribute(string name) => throw null; + public TagHelperAttribute(string name, object value) => throw null; + public TagHelperAttribute(string name, object value, Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle valueStyle) => throw null; public bool Equals(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute other) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public void MoveTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; public string Name { get => throw null; } - public TagHelperAttribute(string name) => throw null; - public TagHelperAttribute(string name, object value) => throw null; - public TagHelperAttribute(string name, object value, Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle valueStyle) => throw null; public object Value { get => throw null; } public Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle ValueStyle { get => throw null; } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public class TagHelperAttributeList : Microsoft.AspNetCore.Razor.TagHelpers.ReadOnlyTagHelperAttributeList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + public class TagHelperAttributeList : Microsoft.AspNetCore.Razor.TagHelpers.ReadOnlyTagHelperAttributeList, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public void Add(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public void Add(string name, object value) => throw null; + public void Add(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public void Clear() => throw null; + public TagHelperAttributeList() => throw null; + public TagHelperAttributeList(System.Collections.Generic.IEnumerable attributes) => throw null; + public TagHelperAttributeList(System.Collections.Generic.List attributes) => throw null; public void Insert(int index, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute this[int index] { get => throw null; set => throw null; } public bool Remove(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public bool RemoveAll(string name) => throw null; public void RemoveAt(int index) => throw null; - public void SetAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; public void SetAttribute(string name, object value) => throw null; - public TagHelperAttributeList() => throw null; - public TagHelperAttributeList(System.Collections.Generic.IEnumerable attributes) => throw null; - public TagHelperAttributeList(System.Collections.Generic.List attributes) => throw null; + public void SetAttribute(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; + public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute this[int index] { get => throw null; set { } } } - public abstract class TagHelperComponent : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelperComponent { + protected TagHelperComponent() => throw null; public virtual void Init(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context) => throw null; public virtual int Order { get => throw null; } public virtual void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; public virtual System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; - protected TagHelperComponent() => throw null; } - - public abstract class TagHelperContent : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer + public abstract class TagHelperContent : Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent { public abstract Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Append(string unencoded); Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.Append(string unencoded) => throw null; - public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent AppendFormat(System.IFormatProvider provider, string format, params object[] args) => throw null; public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent AppendFormat(string format, params object[] args) => throw null; + public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent AppendFormat(System.IFormatProvider provider, string format, params object[] args) => throw null; public abstract Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent htmlContent); - Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; public abstract Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent AppendHtml(string encoded); + Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent content) => throw null; Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.AppendHtml(string encoded) => throw null; public abstract Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Clear(); Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.Clear() => throw null; public abstract void CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination); + protected TagHelperContent() => throw null; public abstract string GetContent(); public abstract string GetContent(System.Text.Encodings.Web.HtmlEncoder encoder); public abstract bool IsEmptyOrWhiteSpace { get; } @@ -180,30 +165,28 @@ public abstract class TagHelperContent : Microsoft.AspNetCore.Html.IHtmlContent, public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent SetContent(string unencoded) => throw null; public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent SetHtmlContent(Microsoft.AspNetCore.Html.IHtmlContent htmlContent) => throw null; public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent SetHtmlContent(string encoded) => throw null; - protected TagHelperContent() => throw null; public abstract void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder); } - public class TagHelperContext { public Microsoft.AspNetCore.Razor.TagHelpers.ReadOnlyTagHelperAttributeList AllAttributes { get => throw null; } + public TagHelperContext(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList allAttributes, System.Collections.Generic.IDictionary items, string uniqueId) => throw null; + public TagHelperContext(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList allAttributes, System.Collections.Generic.IDictionary items, string uniqueId) => throw null; public System.Collections.Generic.IDictionary Items { get => throw null; } - public void Reinitialize(System.Collections.Generic.IDictionary items, string uniqueId) => throw null; public void Reinitialize(string tagName, System.Collections.Generic.IDictionary items, string uniqueId) => throw null; - public TagHelperContext(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList allAttributes, System.Collections.Generic.IDictionary items, string uniqueId) => throw null; - public TagHelperContext(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList allAttributes, System.Collections.Generic.IDictionary items, string uniqueId) => throw null; + public void Reinitialize(System.Collections.Generic.IDictionary items, string uniqueId) => throw null; public string TagName { get => throw null; } public string UniqueId { get => throw null; } } - - public class TagHelperOutput : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer + public class TagHelperOutput : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent { public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList Attributes { get => throw null; } - public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Content { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Content { get => throw null; set { } } void Microsoft.AspNetCore.Html.IHtmlContentContainer.CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; + public TagHelperOutput(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList attributes, System.Func> getChildContentAsync) => throw null; public System.Threading.Tasks.Task GetChildContentAsync() => throw null; - public System.Threading.Tasks.Task GetChildContentAsync(System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; public System.Threading.Tasks.Task GetChildContentAsync(bool useCachedResult) => throw null; + public System.Threading.Tasks.Task GetChildContentAsync(System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; public System.Threading.Tasks.Task GetChildContentAsync(bool useCachedResult, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; public bool IsContentModified { get => throw null; } void Microsoft.AspNetCore.Html.IHtmlContentContainer.MoveTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; @@ -213,26 +196,22 @@ public class TagHelperOutput : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent PreElement { get => throw null; } public void Reinitialize(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagMode tagMode) => throw null; public void SuppressOutput() => throw null; - public TagHelperOutput(string tagName, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList attributes, System.Func> getChildContentAsync) => throw null; - public Microsoft.AspNetCore.Razor.TagHelpers.TagMode TagMode { get => throw null; set => throw null; } - public string TagName { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Razor.TagHelpers.TagMode TagMode { get => throw null; set { } } + public string TagName { get => throw null; set { } } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - - public enum TagMode : int + public enum TagMode { - SelfClosing = 1, StartTagAndEndTag = 0, + SelfClosing = 1, StartTagOnly = 2, } - - public enum TagStructure : int + public enum TagStructure { - NormalOrSelfClosing = 1, Unspecified = 0, + NormalOrSelfClosing = 1, WithoutEndTag = 2, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RequestDecompression.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RequestDecompression.cs index 1d9dbeeaa9ad..b10d05167b06 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RequestDecompression.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.RequestDecompression.cs @@ -1,17 +1,15 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.RequestDecompression, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class RequestDecompressionBuilderExtensions + public static partial class RequestDecompressionBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRequestDecompression(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder) => throw null; } - } namespace RequestDecompression { @@ -19,30 +17,26 @@ public interface IDecompressionProvider { System.IO.Stream GetDecompressionStream(System.IO.Stream stream); } - public interface IRequestDecompressionProvider { System.IO.Stream GetDecompressionStream(Microsoft.AspNetCore.Http.HttpContext context); } - - public class RequestDecompressionOptions + public sealed class RequestDecompressionOptions { - public System.Collections.Generic.IDictionary DecompressionProviders { get => throw null; } public RequestDecompressionOptions() => throw null; + public System.Collections.Generic.IDictionary DecompressionProviders { get => throw null; } } - } } namespace Extensions { namespace DependencyInjection { - public static class RequestDecompressionServiceExtensions + public static partial class RequestDecompressionServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRequestDecompression(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRequestDecompression(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.Abstractions.cs index 3221fa5aba74..8710c555a080 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.ResponseCaching.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,7 +10,6 @@ public interface IResponseCachingFeature { string[] VaryByQueryKeys { get; set; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.cs index 90b2a5cc97dd..0285ed3d5b79 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCaching.cs @@ -1,52 +1,46 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.ResponseCaching, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class ResponseCachingExtensions + public static partial class ResponseCachingExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseResponseCaching(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; } - } namespace ResponseCaching { public class ResponseCachingFeature : Microsoft.AspNetCore.ResponseCaching.IResponseCachingFeature { public ResponseCachingFeature() => throw null; - public string[] VaryByQueryKeys { get => throw null; set => throw null; } + public string[] VaryByQueryKeys { get => throw null; set { } } } - public class ResponseCachingMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public ResponseCachingMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.ObjectPool.ObjectPoolProvider poolProvider) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - public class ResponseCachingOptions { - public System.Int64 MaximumBodySize { get => throw null; set => throw null; } public ResponseCachingOptions() => throw null; - public System.Int64 SizeLimit { get => throw null; set => throw null; } - public bool UseCaseSensitivePaths { get => throw null; set => throw null; } + public long MaximumBodySize { get => throw null; set { } } + public long SizeLimit { get => throw null; set { } } + public bool UseCaseSensitivePaths { get => throw null; set { } } } - } } namespace Extensions { namespace DependencyInjection { - public static class ResponseCachingServicesExtensions + public static partial class ResponseCachingServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddResponseCaching(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddResponseCaching(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCompression.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCompression.cs index 3e1947b46f2e..de463c5e6b52 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCompression.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.ResponseCompression.cs @@ -1,106 +1,92 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.ResponseCompression, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class ResponseCompressionBuilderExtensions + public static partial class ResponseCompressionBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseResponseCompression(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder) => throw null; } - - public static class ResponseCompressionServicesExtensions + public static partial class ResponseCompressionServicesExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddResponseCompression(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddResponseCompression(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } namespace ResponseCompression { public class BrotliCompressionProvider : Microsoft.AspNetCore.ResponseCompression.ICompressionProvider { - public BrotliCompressionProvider(Microsoft.Extensions.Options.IOptions options) => throw null; public System.IO.Stream CreateStream(System.IO.Stream outputStream) => throw null; + public BrotliCompressionProvider(Microsoft.Extensions.Options.IOptions options) => throw null; public string EncodingName { get => throw null; } public bool SupportsFlush { get => throw null; } } - public class BrotliCompressionProviderOptions : Microsoft.Extensions.Options.IOptions { public BrotliCompressionProviderOptions() => throw null; - public System.IO.Compression.CompressionLevel Level { get => throw null; set => throw null; } + public System.IO.Compression.CompressionLevel Level { get => throw null; set { } } Microsoft.AspNetCore.ResponseCompression.BrotliCompressionProviderOptions Microsoft.Extensions.Options.IOptions.Value { get => throw null; } } - public class CompressionProviderCollection : System.Collections.ObjectModel.Collection { - public void Add(System.Type providerType) => throw null; public void Add() where TCompressionProvider : Microsoft.AspNetCore.ResponseCompression.ICompressionProvider => throw null; + public void Add(System.Type providerType) => throw null; public CompressionProviderCollection() => throw null; } - public class GzipCompressionProvider : Microsoft.AspNetCore.ResponseCompression.ICompressionProvider { public System.IO.Stream CreateStream(System.IO.Stream outputStream) => throw null; - public string EncodingName { get => throw null; } public GzipCompressionProvider(Microsoft.Extensions.Options.IOptions options) => throw null; + public string EncodingName { get => throw null; } public bool SupportsFlush { get => throw null; } } - public class GzipCompressionProviderOptions : Microsoft.Extensions.Options.IOptions { public GzipCompressionProviderOptions() => throw null; - public System.IO.Compression.CompressionLevel Level { get => throw null; set => throw null; } + public System.IO.Compression.CompressionLevel Level { get => throw null; set { } } Microsoft.AspNetCore.ResponseCompression.GzipCompressionProviderOptions Microsoft.Extensions.Options.IOptions.Value { get => throw null; } } - public interface ICompressionProvider { System.IO.Stream CreateStream(System.IO.Stream outputStream); string EncodingName { get; } bool SupportsFlush { get; } } - public interface IResponseCompressionProvider { bool CheckRequestAcceptsCompression(Microsoft.AspNetCore.Http.HttpContext context); Microsoft.AspNetCore.ResponseCompression.ICompressionProvider GetCompressionProvider(Microsoft.AspNetCore.Http.HttpContext context); bool ShouldCompressResponse(Microsoft.AspNetCore.Http.HttpContext context); } - public class ResponseCompressionDefaults { - public static System.Collections.Generic.IEnumerable MimeTypes; public ResponseCompressionDefaults() => throw null; + public static System.Collections.Generic.IEnumerable MimeTypes; } - public class ResponseCompressionMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public ResponseCompressionMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.ResponseCompression.IResponseCompressionProvider provider) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class ResponseCompressionOptions { - public bool EnableForHttps { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable ExcludedMimeTypes { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable MimeTypes { get => throw null; set => throw null; } - public Microsoft.AspNetCore.ResponseCompression.CompressionProviderCollection Providers { get => throw null; } public ResponseCompressionOptions() => throw null; + public bool EnableForHttps { get => throw null; set { } } + public System.Collections.Generic.IEnumerable ExcludedMimeTypes { get => throw null; set { } } + public System.Collections.Generic.IEnumerable MimeTypes { get => throw null; set { } } + public Microsoft.AspNetCore.ResponseCompression.CompressionProviderCollection Providers { get => throw null; } } - public class ResponseCompressionProvider : Microsoft.AspNetCore.ResponseCompression.IResponseCompressionProvider { public bool CheckRequestAcceptsCompression(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public virtual Microsoft.AspNetCore.ResponseCompression.ICompressionProvider GetCompressionProvider(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public ResponseCompressionProvider(System.IServiceProvider services, Microsoft.Extensions.Options.IOptions options) => throw null; + public virtual Microsoft.AspNetCore.ResponseCompression.ICompressionProvider GetCompressionProvider(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public virtual bool ShouldCompressResponse(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Rewrite.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Rewrite.cs index d5e6f4d527f1..c9fe0b0571d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Rewrite.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Rewrite.cs @@ -1,64 +1,56 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Rewrite, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class RewriteBuilderExtensions + public static partial class RewriteBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRewriter(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRewriter(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; } - } namespace Rewrite { - public static class ApacheModRewriteOptionsExtensions + public static partial class ApacheModRewriteOptionsExtensions { public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddApacheModRewrite(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, Microsoft.Extensions.FileProviders.IFileProvider fileProvider, string filePath) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddApacheModRewrite(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, System.IO.TextReader reader) => throw null; } - - public static class IISUrlRewriteOptionsExtensions + public static partial class IISUrlRewriteOptionsExtensions { public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddIISUrlRewrite(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, Microsoft.Extensions.FileProviders.IFileProvider fileProvider, string filePath, bool alwaysUseManagedServerVariables = default(bool)) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddIISUrlRewrite(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, System.IO.TextReader reader, bool alwaysUseManagedServerVariables = default(bool)) => throw null; } - public interface IRule { void ApplyRule(Microsoft.AspNetCore.Rewrite.RewriteContext context); } - public class RewriteContext { - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set => throw null; } - public Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Rewrite.RuleResult Result { get => throw null; set => throw null; } public RewriteContext() => throw null; - public Microsoft.Extensions.FileProviders.IFileProvider StaticFileProvider { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; set { } } + public Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set { } } + public Microsoft.AspNetCore.Rewrite.RuleResult Result { get => throw null; set { } } + public Microsoft.Extensions.FileProviders.IFileProvider StaticFileProvider { get => throw null; set { } } } - public class RewriteMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public RewriteMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class RewriteOptions { public RewriteOptions() => throw null; public System.Collections.Generic.IList Rules { get => throw null; } - public Microsoft.Extensions.FileProviders.IFileProvider StaticFileProvider { get => throw null; set => throw null; } + public Microsoft.Extensions.FileProviders.IFileProvider StaticFileProvider { get => throw null; set { } } } - - public static class RewriteOptionsExtensions + public static partial class RewriteOptionsExtensions { - public static Microsoft.AspNetCore.Rewrite.RewriteOptions Add(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, System.Action applyRule) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions Add(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, Microsoft.AspNetCore.Rewrite.IRule rule) => throw null; + public static Microsoft.AspNetCore.Rewrite.RewriteOptions Add(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, System.Action applyRule) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirect(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, string regex, string replacement) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirect(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, string regex, string replacement, int statusCode) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToHttps(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; @@ -66,27 +58,25 @@ public static class RewriteOptionsExtensions public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToHttps(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, int statusCode, int? sslPort) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToHttpsPermanent(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; + public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, int statusCode) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, int statusCode, params string[] domains) => throw null; - public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWwwPermanent(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToNonWwwPermanent(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; + public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, int statusCode) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, int statusCode, params string[] domains) => throw null; - public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWww(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWwwPermanent(this Microsoft.AspNetCore.Rewrite.RewriteOptions options) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRedirectToWwwPermanent(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, params string[] domains) => throw null; public static Microsoft.AspNetCore.Rewrite.RewriteOptions AddRewrite(this Microsoft.AspNetCore.Rewrite.RewriteOptions options, string regex, string replacement, bool skipRemainingRules) => throw null; } - - public enum RuleResult : int + public enum RuleResult { ContinueRules = 0, EndResponse = 1, SkipRemainingRules = 2, } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.Abstractions.cs index 55aaed4c900f..c5ccb70470b7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Routing.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -11,107 +10,90 @@ public interface IOutboundParameterTransformer : Microsoft.AspNetCore.Routing.IP { string TransformOutbound(object value); } - public interface IParameterPolicy { } - public interface IRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy { bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection); } - public interface IRouteHandler { Microsoft.AspNetCore.Http.RequestDelegate GetRequestHandler(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData); } - public interface IRouter { Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context); System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context); } - public interface IRoutingFeature { Microsoft.AspNetCore.Routing.RouteData RouteData { get; set; } } - public abstract class LinkGenerator { + protected LinkGenerator() => throw null; public abstract string GetPathByAddress(Microsoft.AspNetCore.Http.HttpContext httpContext, TAddress address, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteValueDictionary ambientValues = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)); public abstract string GetPathByAddress(TAddress address, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)); public abstract string GetUriByAddress(Microsoft.AspNetCore.Http.HttpContext httpContext, TAddress address, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteValueDictionary ambientValues = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)); public abstract string GetUriByAddress(TAddress address, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)); - protected LinkGenerator() => throw null; } - public class LinkOptions { - public bool? AppendTrailingSlash { get => throw null; set => throw null; } + public bool? AppendTrailingSlash { get => throw null; set { } } public LinkOptions() => throw null; - public bool? LowercaseQueryStrings { get => throw null; set => throw null; } - public bool? LowercaseUrls { get => throw null; set => throw null; } + public bool? LowercaseQueryStrings { get => throw null; set { } } + public bool? LowercaseUrls { get => throw null; set { } } } - public class RouteContext { - public Microsoft.AspNetCore.Http.RequestDelegate Handler { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public RouteContext(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.RequestDelegate Handler { get => throw null; set { } } + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set { } } } - public class RouteData { + public RouteData() => throw null; + public RouteData(Microsoft.AspNetCore.Routing.RouteData other) => throw null; + public RouteData(Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteData.RouteDataSnapshot PushState(Microsoft.AspNetCore.Routing.IRouter router, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens) => throw null; public struct RouteDataSnapshot { - public void Restore() => throw null; - // Stub generator skipped constructor public RouteDataSnapshot(Microsoft.AspNetCore.Routing.RouteData routeData, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens, System.Collections.Generic.IList routers, Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; + public void Restore() => throw null; } - - - public Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteData.RouteDataSnapshot PushState(Microsoft.AspNetCore.Routing.IRouter router, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens) => throw null; - public RouteData() => throw null; - public RouteData(Microsoft.AspNetCore.Routing.RouteData other) => throw null; - public RouteData(Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; public System.Collections.Generic.IList Routers { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary Values { get => throw null; } } - - public enum RouteDirection : int + public enum RouteDirection { IncomingRequest = 0, UrlGeneration = 1, } - - public static class RoutingHttpContextExtensions + public static partial class RoutingHttpContextExtensions { public static Microsoft.AspNetCore.Routing.RouteData GetRouteData(this Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static object GetRouteValue(this Microsoft.AspNetCore.Http.HttpContext httpContext, string key) => throw null; } - public class VirtualPathContext { public Microsoft.AspNetCore.Routing.RouteValueDictionary AmbientValues { get => throw null; } - public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } - public string RouteName { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary Values { get => throw null; set => throw null; } public VirtualPathContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteValueDictionary ambientValues, Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; public VirtualPathContext(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteValueDictionary ambientValues, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string routeName) => throw null; + public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } + public string RouteName { get => throw null; } + public Microsoft.AspNetCore.Routing.RouteValueDictionary Values { get => throw null; set { } } } - public class VirtualPathData { - public Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; } - public Microsoft.AspNetCore.Routing.IRouter Router { get => throw null; set => throw null; } - public string VirtualPath { get => throw null; set => throw null; } public VirtualPathData(Microsoft.AspNetCore.Routing.IRouter router, string virtualPath) => throw null; public VirtualPathData(Microsoft.AspNetCore.Routing.IRouter router, string virtualPath, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens) => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; } + public Microsoft.AspNetCore.Routing.IRouter Router { get => throw null; set { } } + public string VirtualPath { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs index 4122a512cec8..800973d97881 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs @@ -1,121 +1,110 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Routing, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class EndpointRouteBuilderExtensions + public static partial class EndpointRouteBuilderExtensions { - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Routing.Patterns.RoutePattern pattern, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Routing.Patterns.RoutePattern pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; - public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapDelete(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Map(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Routing.Patterns.RoutePattern pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapDelete(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapDelete(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapFallback(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapFallback(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapGet(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapGet(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - public static Microsoft.AspNetCore.Routing.RouteGroupBuilder MapGroup(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Routing.Patterns.RoutePattern prefix) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapGet(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Routing.RouteGroupBuilder MapGroup(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string prefix) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapMethods(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Collections.Generic.IEnumerable httpMethods, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.RouteGroupBuilder MapGroup(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Routing.Patterns.RoutePattern prefix) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapMethods(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Collections.Generic.IEnumerable httpMethods, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPatch(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapMethods(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Collections.Generic.IEnumerable httpMethods, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapPatch(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPost(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPatch(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapPost(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPut(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPost(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapPut(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder MapPut(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Delegate handler) => throw null; } - - public static class EndpointRoutingApplicationBuilderExtensions + public static partial class EndpointRoutingApplicationBuilderExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseEndpoints(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, System.Action configure) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRouting(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder) => throw null; } - - public static class FallbackEndpointRouteBuilderExtensions + public static partial class FallbackEndpointRouteBuilderExtensions { public static string DefaultPattern; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallback(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallback(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; } - - public static class MapRouteRouteBuilderExtensions + public static partial class MapRouteRouteBuilderExtensions { public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string template) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string template, object defaults) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string template, object defaults, object constraints) => throw null; public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder routeBuilder, string name, string template, object defaults, object constraints, object dataTokens) => throw null; } - - public class RouteHandlerBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class RouteHandlerBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; - public void Finally(System.Action finalConvention) => throw null; public RouteHandlerBuilder(System.Collections.Generic.IEnumerable endpointConventionBuilders) => throw null; + public void Finally(System.Action finalConvention) => throw null; } - public class RouterMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public RouterMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Routing.IRouter router) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - - public static class RoutingBuilderExtensions + public static partial class RoutingBuilderExtensions { - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRouter(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, System.Action action) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRouter(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, Microsoft.AspNetCore.Routing.IRouter router) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseRouter(this Microsoft.AspNetCore.Builder.IApplicationBuilder builder, System.Action action) => throw null; } - - public static class RoutingEndpointConventionBuilderExtensions + public static partial class RoutingEndpointConventionBuilderExtensions { public static TBuilder RequireHost(this TBuilder builder, params string[] hosts) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static TBuilder WithDisplayName(this TBuilder builder, System.Func func) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder WithDisplayName(this TBuilder builder, string displayName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static TBuilder WithDisplayName(this TBuilder builder, System.Func func) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder WithGroupName(this TBuilder builder, string endpointGroupName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder WithMetadata(this TBuilder builder, params object[] items) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder WithName(this TBuilder builder, string endpointName) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - } namespace Http { - public static class EndpointFilterExtensions + public static partial class EndpointFilterExtensions { - public static TBuilder AddEndpointFilter(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder where TFilterType : Microsoft.AspNetCore.Http.IEndpointFilter => throw null; - public static TBuilder AddEndpointFilter(this TBuilder builder, System.Func> routeHandlerFilter) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder AddEndpointFilter(this TBuilder builder, Microsoft.AspNetCore.Http.IEndpointFilter filter) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static Microsoft.AspNetCore.Routing.RouteGroupBuilder AddEndpointFilter(this Microsoft.AspNetCore.Routing.RouteGroupBuilder builder) where TFilterType : Microsoft.AspNetCore.Http.IEndpointFilter => throw null; + public static TBuilder AddEndpointFilter(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder where TFilterType : Microsoft.AspNetCore.Http.IEndpointFilter => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder AddEndpointFilter(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder) where TFilterType : Microsoft.AspNetCore.Http.IEndpointFilter => throw null; + public static Microsoft.AspNetCore.Routing.RouteGroupBuilder AddEndpointFilter(this Microsoft.AspNetCore.Routing.RouteGroupBuilder builder) where TFilterType : Microsoft.AspNetCore.Http.IEndpointFilter => throw null; + public static TBuilder AddEndpointFilter(this TBuilder builder, System.Func> routeHandlerFilter) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder AddEndpointFilterFactory(this TBuilder builder, System.Func filterFactory) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; } - - public static class OpenApiRouteHandlerBuilderExtensions + public static partial class OpenApiRouteHandlerBuilderExtensions { - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, System.Type requestType, bool isOptional, string contentType, params string[] additionalContentTypes) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, System.Type requestType, string contentType, params string[] additionalContentTypes) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, bool isOptional, string contentType, params string[] additionalContentTypes) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, string contentType, params string[] additionalContentTypes) => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder ExcludeFromDescription(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, bool isOptional, string contentType, params string[] additionalContentTypes) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, System.Type requestType, string contentType, params string[] additionalContentTypes) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Accepts(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, System.Type requestType, bool isOptional, string contentType, params string[] additionalContentTypes) => throw null; public static TBuilder ExcludeFromDescription(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Produces(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, int statusCode, System.Type responseType = default(System.Type), string contentType = default(string), params string[] additionalContentTypes) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder ExcludeFromDescription(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Produces(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, int statusCode = default(int), string contentType = default(string), params string[] additionalContentTypes) => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder Produces(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, int statusCode, System.Type responseType = default(System.Type), string contentType = default(string), params string[] additionalContentTypes) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder ProducesProblem(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, int statusCode, string contentType = default(string)) => throw null; public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder ProducesValidationProblem(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, int statusCode = default(int), string contentType = default(string)) => throw null; public static TBuilder WithDescription(this TBuilder builder, string description) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; public static TBuilder WithSummary(this TBuilder builder, string summary) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; - public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder WithTags(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, params string[] tags) => throw null; public static TBuilder WithTags(this TBuilder builder, params string[] tags) where TBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder => throw null; + public static Microsoft.AspNetCore.Builder.RouteHandlerBuilder WithTags(this Microsoft.AspNetCore.Builder.RouteHandlerBuilder builder, params string[] tags) => throw null; } - } namespace Routing { - public class CompositeEndpointDataSource : Microsoft.AspNetCore.Routing.EndpointDataSource, System.IDisposable + public sealed class CompositeEndpointDataSource : Microsoft.AspNetCore.Routing.EndpointDataSource, System.IDisposable { public CompositeEndpointDataSource(System.Collections.Generic.IEnumerable endpointDataSources) => throw null; public System.Collections.Generic.IEnumerable DataSources { get => throw null; } @@ -124,485 +113,74 @@ public class CompositeEndpointDataSource : Microsoft.AspNetCore.Routing.Endpoint public override Microsoft.Extensions.Primitives.IChangeToken GetChangeToken() => throw null; public override System.Collections.Generic.IReadOnlyList GetGroupedEndpoints(Microsoft.AspNetCore.Routing.RouteGroupContext context) => throw null; } - - public class DataTokensMetadata : Microsoft.AspNetCore.Routing.IDataTokensMetadata - { - public System.Collections.Generic.IReadOnlyDictionary DataTokens { get => throw null; } - public DataTokensMetadata(System.Collections.Generic.IReadOnlyDictionary dataTokens) => throw null; - } - - public class DefaultEndpointDataSource : Microsoft.AspNetCore.Routing.EndpointDataSource - { - public DefaultEndpointDataSource(System.Collections.Generic.IEnumerable endpoints) => throw null; - public DefaultEndpointDataSource(params Microsoft.AspNetCore.Http.Endpoint[] endpoints) => throw null; - public override System.Collections.Generic.IReadOnlyList Endpoints { get => throw null; } - public override Microsoft.Extensions.Primitives.IChangeToken GetChangeToken() => throw null; - } - - public class DefaultInlineConstraintResolver : Microsoft.AspNetCore.Routing.IInlineConstraintResolver - { - public DefaultInlineConstraintResolver(Microsoft.Extensions.Options.IOptions routeOptions, System.IServiceProvider serviceProvider) => throw null; - public virtual Microsoft.AspNetCore.Routing.IRouteConstraint ResolveConstraint(string inlineConstraint) => throw null; - } - - public abstract class EndpointDataSource - { - protected EndpointDataSource() => throw null; - public abstract System.Collections.Generic.IReadOnlyList Endpoints { get; } - public abstract Microsoft.Extensions.Primitives.IChangeToken GetChangeToken(); - public virtual System.Collections.Generic.IReadOnlyList GetGroupedEndpoints(Microsoft.AspNetCore.Routing.RouteGroupContext context) => throw null; - } - - public class EndpointGroupNameAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IEndpointGroupNameMetadata - { - public string EndpointGroupName { get => throw null; } - public EndpointGroupNameAttribute(string endpointGroupName) => throw null; - } - - public class EndpointNameAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IEndpointNameMetadata - { - public string EndpointName { get => throw null; } - public EndpointNameAttribute(string endpointName) => throw null; - } - - public class EndpointNameMetadata : Microsoft.AspNetCore.Routing.IEndpointNameMetadata - { - public string EndpointName { get => throw null; } - public EndpointNameMetadata(string endpointName) => throw null; - } - - public class ExcludeFromDescriptionAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IExcludeFromDescriptionMetadata - { - public bool ExcludeFromDescription { get => throw null; } - public ExcludeFromDescriptionAttribute() => throw null; - } - - public class HostAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IHostMetadata - { - public HostAttribute(params string[] hosts) => throw null; - public HostAttribute(string host) => throw null; - public System.Collections.Generic.IReadOnlyList Hosts { get => throw null; } - } - - public class HttpMethodMetadata : Microsoft.AspNetCore.Routing.IHttpMethodMetadata - { - public bool AcceptCorsPreflight { get => throw null; set => throw null; } - public HttpMethodMetadata(System.Collections.Generic.IEnumerable httpMethods) => throw null; - public HttpMethodMetadata(System.Collections.Generic.IEnumerable httpMethods, bool acceptCorsPreflight) => throw null; - public System.Collections.Generic.IReadOnlyList HttpMethods { get => throw null; } - } - - public interface IDataTokensMetadata - { - System.Collections.Generic.IReadOnlyDictionary DataTokens { get; } - } - - public interface IDynamicEndpointMetadata - { - bool IsDynamic { get; } - } - - public interface IEndpointAddressScheme - { - System.Collections.Generic.IEnumerable FindEndpoints(TAddress address); - } - - public interface IEndpointGroupNameMetadata - { - string EndpointGroupName { get; } - } - - public interface IEndpointNameMetadata - { - string EndpointName { get; } - } - - public interface IEndpointRouteBuilder - { - Microsoft.AspNetCore.Builder.IApplicationBuilder CreateApplicationBuilder(); - System.Collections.Generic.ICollection DataSources { get; } - System.IServiceProvider ServiceProvider { get; } - } - - public interface IExcludeFromDescriptionMetadata - { - bool ExcludeFromDescription { get; } - } - - public interface IHostMetadata - { - System.Collections.Generic.IReadOnlyList Hosts { get; } - } - - public interface IHttpMethodMetadata - { - bool AcceptCorsPreflight { get => throw null; set => throw null; } - System.Collections.Generic.IReadOnlyList HttpMethods { get; } - } - - public interface IInlineConstraintResolver - { - Microsoft.AspNetCore.Routing.IRouteConstraint ResolveConstraint(string inlineConstraint); - } - - public interface INamedRouter : Microsoft.AspNetCore.Routing.IRouter - { - string Name { get; } - } - - public interface IRouteBuilder - { - Microsoft.AspNetCore.Builder.IApplicationBuilder ApplicationBuilder { get; } - Microsoft.AspNetCore.Routing.IRouter Build(); - Microsoft.AspNetCore.Routing.IRouter DefaultHandler { get; set; } - System.Collections.Generic.IList Routes { get; } - System.IServiceProvider ServiceProvider { get; } - } - - public interface IRouteCollection : Microsoft.AspNetCore.Routing.IRouter - { - void Add(Microsoft.AspNetCore.Routing.IRouter router); - } - - public interface IRouteNameMetadata - { - string RouteName { get; } - } - - public interface ISuppressLinkGenerationMetadata - { - bool SuppressLinkGeneration { get; } - } - - public interface ISuppressMatchingMetadata - { - bool SuppressMatching { get; } - } - - public static class InlineRouteParameterParser - { - public static Microsoft.AspNetCore.Routing.Template.TemplatePart ParseRouteParameter(string routeParameter) => throw null; - } - - public static class LinkGeneratorEndpointNameAddressExtensions - { - public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, object values, Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, object values, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, object values, string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - } - - public static class LinkGeneratorRouteValuesAddressExtensions - { - public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, object values, Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, object values, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, object values, string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; - } - - public abstract class LinkParser - { - protected LinkParser() => throw null; - public abstract Microsoft.AspNetCore.Routing.RouteValueDictionary ParsePathByAddress(TAddress address, Microsoft.AspNetCore.Http.PathString path); - } - - public static class LinkParserEndpointNameAddressExtensions - { - public static Microsoft.AspNetCore.Routing.RouteValueDictionary ParsePathByEndpointName(this Microsoft.AspNetCore.Routing.LinkParser parser, string endpointName, Microsoft.AspNetCore.Http.PathString path) => throw null; - } - - public abstract class MatcherPolicy - { - protected static bool ContainsDynamicEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; - protected MatcherPolicy() => throw null; - public abstract int Order { get; } - } - - public abstract class ParameterPolicyFactory - { - public abstract Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, Microsoft.AspNetCore.Routing.IParameterPolicy parameterPolicy); - public Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference reference) => throw null; - public abstract Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, string inlineText); - protected ParameterPolicyFactory() => throw null; - } - - public static class RequestDelegateRouteBuilderExtensions - { - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewarePost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewarePut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, System.Action action) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, System.Func handler) => throw null; - public static Microsoft.AspNetCore.Routing.IRouteBuilder MapVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; - } - - public class Route : Microsoft.AspNetCore.Routing.RouteBase - { - protected override System.Threading.Tasks.Task OnRouteMatched(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; - protected override Microsoft.AspNetCore.Routing.VirtualPathData OnVirtualPathGenerated(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; - public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeTemplate, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; - public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; - public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeName, string routeTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; - public string RouteTemplate { get => throw null; } - } - - public abstract class RouteBase : Microsoft.AspNetCore.Routing.INamedRouter, Microsoft.AspNetCore.Routing.IRouter - { - protected virtual Microsoft.AspNetCore.Routing.IInlineConstraintResolver ConstraintResolver { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IDictionary Constraints { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; set => throw null; } - public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set => throw null; } - protected static System.Collections.Generic.IDictionary GetConstraints(Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver, Microsoft.AspNetCore.Routing.Template.RouteTemplate parsedTemplate, System.Collections.Generic.IDictionary constraints) => throw null; - protected static Microsoft.AspNetCore.Routing.RouteValueDictionary GetDefaults(Microsoft.AspNetCore.Routing.Template.RouteTemplate parsedTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults) => throw null; - public virtual Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; - public virtual string Name { get => throw null; set => throw null; } - protected abstract System.Threading.Tasks.Task OnRouteMatched(Microsoft.AspNetCore.Routing.RouteContext context); - protected abstract Microsoft.AspNetCore.Routing.VirtualPathData OnVirtualPathGenerated(Microsoft.AspNetCore.Routing.VirtualPathContext context); - public virtual Microsoft.AspNetCore.Routing.Template.RouteTemplate ParsedTemplate { get => throw null; set => throw null; } - public virtual System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; - public RouteBase(string template, string name, Microsoft.AspNetCore.Routing.IInlineConstraintResolver constraintResolver, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens) => throw null; - public override string ToString() => throw null; - } - - public class RouteBuilder : Microsoft.AspNetCore.Routing.IRouteBuilder - { - public Microsoft.AspNetCore.Builder.IApplicationBuilder ApplicationBuilder { get => throw null; } - public Microsoft.AspNetCore.Routing.IRouter Build() => throw null; - public Microsoft.AspNetCore.Routing.IRouter DefaultHandler { get => throw null; set => throw null; } - public RouteBuilder(Microsoft.AspNetCore.Builder.IApplicationBuilder applicationBuilder) => throw null; - public RouteBuilder(Microsoft.AspNetCore.Builder.IApplicationBuilder applicationBuilder, Microsoft.AspNetCore.Routing.IRouter defaultHandler) => throw null; - public System.Collections.Generic.IList Routes { get => throw null; } - public System.IServiceProvider ServiceProvider { get => throw null; } - } - - public class RouteCollection : Microsoft.AspNetCore.Routing.IRouteCollection, Microsoft.AspNetCore.Routing.IRouter - { - public void Add(Microsoft.AspNetCore.Routing.IRouter router) => throw null; - public int Count { get => throw null; } - public virtual Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; - public Microsoft.AspNetCore.Routing.IRouter this[int index] { get => throw null; } - public virtual System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; - public RouteCollection() => throw null; - } - - public class RouteConstraintBuilder - { - public void AddConstraint(string key, object value) => throw null; - public void AddResolvedConstraint(string key, string constraintText) => throw null; - public System.Collections.Generic.IDictionary Build() => throw null; - public RouteConstraintBuilder(Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver, string displayName) => throw null; - public void SetOptional(string key) => throw null; - } - - public static class RouteConstraintMatcher - { - public static bool Match(System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary routeValues, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, Microsoft.AspNetCore.Routing.RouteDirection routeDirection, Microsoft.Extensions.Logging.ILogger logger) => throw null; - } - - public class RouteCreationException : System.Exception - { - public RouteCreationException(string message) => throw null; - public RouteCreationException(string message, System.Exception innerException) => throw null; - } - - public class RouteEndpoint : Microsoft.AspNetCore.Http.Endpoint - { - public int Order { get => throw null; } - public RouteEndpoint(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, Microsoft.AspNetCore.Routing.Patterns.RoutePattern routePattern, int order, Microsoft.AspNetCore.Http.EndpointMetadataCollection metadata, string displayName) : base(default(Microsoft.AspNetCore.Http.RequestDelegate), default(Microsoft.AspNetCore.Http.EndpointMetadataCollection), default(string)) => throw null; - public Microsoft.AspNetCore.Routing.Patterns.RoutePattern RoutePattern { get => throw null; } - } - - public class RouteEndpointBuilder : Microsoft.AspNetCore.Builder.EndpointBuilder - { - public override Microsoft.AspNetCore.Http.Endpoint Build() => throw null; - public int Order { get => throw null; set => throw null; } - public RouteEndpointBuilder(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, Microsoft.AspNetCore.Routing.Patterns.RoutePattern routePattern, int order) => throw null; - public Microsoft.AspNetCore.Routing.Patterns.RoutePattern RoutePattern { get => throw null; set => throw null; } - } - - public class RouteGroupBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder - { - void Microsoft.AspNetCore.Builder.IEndpointConventionBuilder.Add(System.Action convention) => throw null; - Microsoft.AspNetCore.Builder.IApplicationBuilder Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.CreateApplicationBuilder() => throw null; - System.Collections.Generic.ICollection Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.DataSources { get => throw null; } - void Microsoft.AspNetCore.Builder.IEndpointConventionBuilder.Finally(System.Action finalConvention) => throw null; - System.IServiceProvider Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.ServiceProvider { get => throw null; } - } - - public class RouteGroupContext - { - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } - public System.Collections.Generic.IReadOnlyList> Conventions { get => throw null; set => throw null; } - public System.Collections.Generic.IReadOnlyList> FinallyConventions { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.Patterns.RoutePattern Prefix { get => throw null; set => throw null; } - public RouteGroupContext() => throw null; - } - - public class RouteHandler : Microsoft.AspNetCore.Routing.IRouteHandler, Microsoft.AspNetCore.Routing.IRouter - { - public Microsoft.AspNetCore.Http.RequestDelegate GetRequestHandler(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; - public Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; - public System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; - public RouteHandler(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; - } - - public class RouteHandlerOptions - { - public RouteHandlerOptions() => throw null; - public bool ThrowOnBadRequest { get => throw null; set => throw null; } - } - - public class RouteNameMetadata : Microsoft.AspNetCore.Routing.IRouteNameMetadata - { - public string RouteName { get => throw null; } - public RouteNameMetadata(string routeName) => throw null; - } - - public class RouteOptions - { - public bool AppendTrailingSlash { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary ConstraintMap { get => throw null; set => throw null; } - public bool LowercaseQueryStrings { get => throw null; set => throw null; } - public bool LowercaseUrls { get => throw null; set => throw null; } - public RouteOptions() => throw null; - public void SetParameterPolicy(string token, System.Type type) => throw null; - public void SetParameterPolicy(string token) where T : Microsoft.AspNetCore.Routing.IParameterPolicy => throw null; - public bool SuppressCheckForUnhandledSecurityMetadata { get => throw null; set => throw null; } - } - - public class RouteValueEqualityComparer : System.Collections.Generic.IEqualityComparer - { - public static Microsoft.AspNetCore.Routing.RouteValueEqualityComparer Default; - public bool Equals(object x, object y) => throw null; - public int GetHashCode(object obj) => throw null; - public RouteValueEqualityComparer() => throw null; - } - - public class RouteValuesAddress - { - public Microsoft.AspNetCore.Routing.RouteValueDictionary AmbientValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary ExplicitValues { get => throw null; set => throw null; } - public string RouteName { get => throw null; set => throw null; } - public RouteValuesAddress() => throw null; - public override string ToString() => throw null; - } - - public class RoutingFeature : Microsoft.AspNetCore.Routing.IRoutingFeature - { - public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set => throw null; } - public RoutingFeature() => throw null; - } - - public class SuppressLinkGenerationMetadata : Microsoft.AspNetCore.Routing.ISuppressLinkGenerationMetadata - { - public bool SuppressLinkGeneration { get => throw null; } - public SuppressLinkGenerationMetadata() => throw null; - } - - public class SuppressMatchingMetadata : Microsoft.AspNetCore.Routing.ISuppressMatchingMetadata - { - public bool SuppressMatching { get => throw null; } - public SuppressMatchingMetadata() => throw null; - } - namespace Constraints { public class AlphaRouteConstraint : Microsoft.AspNetCore.Routing.Constraints.RegexRouteConstraint { public AlphaRouteConstraint() : base(default(System.Text.RegularExpressions.Regex)) => throw null; } - - public class BoolRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class BoolRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public BoolRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class CompositeRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class CompositeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { - public CompositeRouteConstraint(System.Collections.Generic.IEnumerable constraints) => throw null; public System.Collections.Generic.IEnumerable Constraints { get => throw null; } + public CompositeRouteConstraint(System.Collections.Generic.IEnumerable constraints) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class DateTimeRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DateTimeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public DateTimeRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class DecimalRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DecimalRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public DecimalRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class DoubleRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DoubleRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public DoubleRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class FileNameRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class FileNameRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public FileNameRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class FloatRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class FloatRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public FloatRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class GuidRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class GuidRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public GuidRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class HttpMethodRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint + public class HttpMethodRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy { public System.Collections.Generic.IList AllowedMethods { get => throw null; } public HttpMethodRouteConstraint(params string[] allowedMethods) => throw null; public virtual bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - - public class IntRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class IntRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public IntRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public LengthRouteConstraint(int length) => throw null; public LengthRouteConstraint(int minLength, int maxLength) => throw null; @@ -611,225 +189,370 @@ public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPoli public int MaxLength { get => throw null; } public int MinLength { get => throw null; } } - - public class LongRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class LongRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public LongRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class MaxLengthRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MaxLengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public MaxLengthRouteConstraint(int maxLength) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public int MaxLength { get => throw null; } - public MaxLengthRouteConstraint(int maxLength) => throw null; } - - public class MaxRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MaxRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public MaxRouteConstraint(long max) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; - public System.Int64 Max { get => throw null; } - public MaxRouteConstraint(System.Int64 max) => throw null; + public long Max { get => throw null; } } - - public class MinLengthRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MinLengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public MinLengthRouteConstraint(int minLength) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public int MinLength { get => throw null; } - public MinLengthRouteConstraint(int minLength) => throw null; } - - public class MinRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MinRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public MinRouteConstraint(long min) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; - public System.Int64 Min { get => throw null; } - public MinRouteConstraint(System.Int64 min) => throw null; + public long Min { get => throw null; } } - - public class NonFileNameRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class NonFileNameRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public NonFileNameRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; - public NonFileNameRouteConstraint() => throw null; } - - public class OptionalRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint + public class OptionalRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy { + public OptionalRouteConstraint(Microsoft.AspNetCore.Routing.IRouteConstraint innerConstraint) => throw null; public Microsoft.AspNetCore.Routing.IRouteConstraint InnerConstraint { get => throw null; } public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; - public OptionalRouteConstraint(Microsoft.AspNetCore.Routing.IRouteConstraint innerConstraint) => throw null; } - - public class RangeRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class RangeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public RangeRouteConstraint(long min, long max) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; - public System.Int64 Max { get => throw null; } - public System.Int64 Min { get => throw null; } - public RangeRouteConstraint(System.Int64 min, System.Int64 max) => throw null; + public long Max { get => throw null; } + public long Min { get => throw null; } } - public class RegexInlineRouteConstraint : Microsoft.AspNetCore.Routing.Constraints.RegexRouteConstraint { public RegexInlineRouteConstraint(string regexPattern) : base(default(System.Text.RegularExpressions.Regex)) => throw null; } - - public class RegexRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class RegexRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { public System.Text.RegularExpressions.Regex Constraint { get => throw null; } - public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; - bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public RegexRouteConstraint(System.Text.RegularExpressions.Regex regex) => throw null; public RegexRouteConstraint(string regexPattern) => throw null; + public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; + bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - - public class RequiredRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint + public class RequiredRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy { - public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; public RequiredRouteConstraint() => throw null; + public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - - public class StringRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class StringRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy { + public StringRouteConstraint(string value) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; - public StringRouteConstraint(string value) => throw null; } - } - namespace Internal + public sealed class DataTokensMetadata : Microsoft.AspNetCore.Routing.IDataTokensMetadata + { + public DataTokensMetadata(System.Collections.Generic.IReadOnlyDictionary dataTokens) => throw null; + public System.Collections.Generic.IReadOnlyDictionary DataTokens { get => throw null; } + } + public sealed class DefaultEndpointDataSource : Microsoft.AspNetCore.Routing.EndpointDataSource + { + public DefaultEndpointDataSource(params Microsoft.AspNetCore.Http.Endpoint[] endpoints) => throw null; + public DefaultEndpointDataSource(System.Collections.Generic.IEnumerable endpoints) => throw null; + public override System.Collections.Generic.IReadOnlyList Endpoints { get => throw null; } + public override Microsoft.Extensions.Primitives.IChangeToken GetChangeToken() => throw null; + } + public class DefaultInlineConstraintResolver : Microsoft.AspNetCore.Routing.IInlineConstraintResolver + { + public DefaultInlineConstraintResolver(Microsoft.Extensions.Options.IOptions routeOptions, System.IServiceProvider serviceProvider) => throw null; + public virtual Microsoft.AspNetCore.Routing.IRouteConstraint ResolveConstraint(string inlineConstraint) => throw null; + } + public abstract class EndpointDataSource + { + protected EndpointDataSource() => throw null; + public abstract System.Collections.Generic.IReadOnlyList Endpoints { get; } + public abstract Microsoft.Extensions.Primitives.IChangeToken GetChangeToken(); + public virtual System.Collections.Generic.IReadOnlyList GetGroupedEndpoints(Microsoft.AspNetCore.Routing.RouteGroupContext context) => throw null; + } + public sealed class EndpointGroupNameAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IEndpointGroupNameMetadata + { + public EndpointGroupNameAttribute(string endpointGroupName) => throw null; + public string EndpointGroupName { get => throw null; } + } + public sealed class EndpointNameAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IEndpointNameMetadata + { + public EndpointNameAttribute(string endpointName) => throw null; + public string EndpointName { get => throw null; } + } + public class EndpointNameMetadata : Microsoft.AspNetCore.Routing.IEndpointNameMetadata + { + public EndpointNameMetadata(string endpointName) => throw null; + public string EndpointName { get => throw null; } + } + public sealed class ExcludeFromDescriptionAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IExcludeFromDescriptionMetadata + { + public ExcludeFromDescriptionAttribute() => throw null; + public bool ExcludeFromDescription { get => throw null; } + } + public sealed class HostAttribute : System.Attribute, Microsoft.AspNetCore.Routing.IHostMetadata + { + public HostAttribute(string host) => throw null; + public HostAttribute(params string[] hosts) => throw null; + public System.Collections.Generic.IReadOnlyList Hosts { get => throw null; } + } + public sealed class HttpMethodMetadata : Microsoft.AspNetCore.Routing.IHttpMethodMetadata + { + public bool AcceptCorsPreflight { get => throw null; set { } } + public HttpMethodMetadata(System.Collections.Generic.IEnumerable httpMethods) => throw null; + public HttpMethodMetadata(System.Collections.Generic.IEnumerable httpMethods, bool acceptCorsPreflight) => throw null; + public System.Collections.Generic.IReadOnlyList HttpMethods { get => throw null; } + } + public interface IDataTokensMetadata + { + System.Collections.Generic.IReadOnlyDictionary DataTokens { get; } + } + public interface IDynamicEndpointMetadata + { + bool IsDynamic { get; } + } + public interface IEndpointAddressScheme + { + System.Collections.Generic.IEnumerable FindEndpoints(TAddress address); + } + public interface IEndpointGroupNameMetadata + { + string EndpointGroupName { get; } + } + public interface IEndpointNameMetadata + { + string EndpointName { get; } + } + public interface IEndpointRouteBuilder + { + Microsoft.AspNetCore.Builder.IApplicationBuilder CreateApplicationBuilder(); + System.Collections.Generic.ICollection DataSources { get; } + System.IServiceProvider ServiceProvider { get; } + } + public interface IExcludeFromDescriptionMetadata + { + bool ExcludeFromDescription { get; } + } + public interface IHostMetadata + { + System.Collections.Generic.IReadOnlyList Hosts { get; } + } + public interface IHttpMethodMetadata + { + virtual bool AcceptCorsPreflight { get => throw null; set { } } + System.Collections.Generic.IReadOnlyList HttpMethods { get; } + } + public interface IInlineConstraintResolver + { + Microsoft.AspNetCore.Routing.IRouteConstraint ResolveConstraint(string inlineConstraint); + } + public interface INamedRouter : Microsoft.AspNetCore.Routing.IRouter + { + string Name { get; } + } + public static class InlineRouteParameterParser + { + public static Microsoft.AspNetCore.Routing.Template.TemplatePart ParseRouteParameter(string routeParameter) => throw null; + } + namespace Internal + { + public class DfaGraphWriter + { + public DfaGraphWriter(System.IServiceProvider services) => throw null; + public void Write(Microsoft.AspNetCore.Routing.EndpointDataSource dataSource, System.IO.TextWriter writer) => throw null; + } + } + public interface IRouteBuilder + { + Microsoft.AspNetCore.Builder.IApplicationBuilder ApplicationBuilder { get; } + Microsoft.AspNetCore.Routing.IRouter Build(); + Microsoft.AspNetCore.Routing.IRouter DefaultHandler { get; set; } + System.Collections.Generic.IList Routes { get; } + System.IServiceProvider ServiceProvider { get; } + } + public interface IRouteCollection : Microsoft.AspNetCore.Routing.IRouter + { + void Add(Microsoft.AspNetCore.Routing.IRouter router); + } + public interface IRouteNameMetadata + { + string RouteName { get; } + } + public interface ISuppressLinkGenerationMetadata + { + bool SuppressLinkGeneration { get; } + } + public interface ISuppressMatchingMetadata + { + bool SuppressMatching { get; } + } + public static partial class LinkGeneratorEndpointNameAddressExtensions { - public class DfaGraphWriter - { - public DfaGraphWriter(System.IServiceProvider services) => throw null; - public void Write(Microsoft.AspNetCore.Routing.EndpointDataSource dataSource, System.IO.TextWriter writer) => throw null; - } - + public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, object values, Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, object values, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, object values, string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByName(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string endpointName, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + } + public static partial class LinkGeneratorRouteValuesAddressExtensions + { + public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, object values, Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, object values, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetPathByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, object values, string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, Microsoft.AspNetCore.Http.HttpContext httpContext, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values = default(Microsoft.AspNetCore.Routing.RouteValueDictionary), string scheme = default(string), Microsoft.AspNetCore.Http.HostString? host = default(Microsoft.AspNetCore.Http.HostString?), Microsoft.AspNetCore.Http.PathString? pathBase = default(Microsoft.AspNetCore.Http.PathString?), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, object values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + public static string GetUriByRouteValues(this Microsoft.AspNetCore.Routing.LinkGenerator generator, string routeName, Microsoft.AspNetCore.Routing.RouteValueDictionary values, string scheme, Microsoft.AspNetCore.Http.HostString host, Microsoft.AspNetCore.Http.PathString pathBase = default(Microsoft.AspNetCore.Http.PathString), Microsoft.AspNetCore.Http.FragmentString fragment = default(Microsoft.AspNetCore.Http.FragmentString), Microsoft.AspNetCore.Routing.LinkOptions options = default(Microsoft.AspNetCore.Routing.LinkOptions)) => throw null; + } + public abstract class LinkParser + { + protected LinkParser() => throw null; + public abstract Microsoft.AspNetCore.Routing.RouteValueDictionary ParsePathByAddress(TAddress address, Microsoft.AspNetCore.Http.PathString path); + } + public static partial class LinkParserEndpointNameAddressExtensions + { + public static Microsoft.AspNetCore.Routing.RouteValueDictionary ParsePathByEndpointName(this Microsoft.AspNetCore.Routing.LinkParser parser, string endpointName, Microsoft.AspNetCore.Http.PathString path) => throw null; + } + public abstract class MatcherPolicy + { + protected static bool ContainsDynamicEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; + protected MatcherPolicy() => throw null; + public abstract int Order { get; } } namespace Matching { - public class CandidateSet + public sealed class CandidateSet { - public CandidateSet(Microsoft.AspNetCore.Http.Endpoint[] endpoints, Microsoft.AspNetCore.Routing.RouteValueDictionary[] values, int[] scores) => throw null; public int Count { get => throw null; } + public CandidateSet(Microsoft.AspNetCore.Http.Endpoint[] endpoints, Microsoft.AspNetCore.Routing.RouteValueDictionary[] values, int[] scores) => throw null; public void ExpandEndpoint(int index, System.Collections.Generic.IReadOnlyList endpoints, System.Collections.Generic.IComparer comparer) => throw null; public bool IsValidCandidate(int index) => throw null; - public Microsoft.AspNetCore.Routing.Matching.CandidateState this[int index] { get => throw null; } public void ReplaceEndpoint(int index, Microsoft.AspNetCore.Http.Endpoint endpoint, Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; public void SetValidity(int index, bool value) => throw null; + public Microsoft.AspNetCore.Routing.Matching.CandidateState this[int index] { get => throw null; } } - public struct CandidateState { - // Stub generator skipped constructor public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; } public int Score { get => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary Values { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.RouteValueDictionary Values { get => throw null; } } - - public class EndpointMetadataComparer : System.Collections.Generic.IComparer + public sealed class EndpointMetadataComparer : System.Collections.Generic.IComparer { int System.Collections.Generic.IComparer.Compare(Microsoft.AspNetCore.Http.Endpoint x, Microsoft.AspNetCore.Http.Endpoint y) => throw null; } - public abstract class EndpointMetadataComparer : System.Collections.Generic.IComparer where TMetadata : class { public int Compare(Microsoft.AspNetCore.Http.Endpoint x, Microsoft.AspNetCore.Http.Endpoint y) => throw null; protected virtual int CompareMetadata(TMetadata x, TMetadata y) => throw null; - public static Microsoft.AspNetCore.Routing.Matching.EndpointMetadataComparer Default; protected EndpointMetadataComparer() => throw null; + public static Microsoft.AspNetCore.Routing.Matching.EndpointMetadataComparer Default; protected virtual TMetadata GetMetadata(Microsoft.AspNetCore.Http.Endpoint endpoint) => throw null; } - public abstract class EndpointSelector { protected EndpointSelector() => throw null; public abstract System.Threading.Tasks.Task SelectAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.Matching.CandidateSet candidates); } - - public class HostMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy + public sealed class HostMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy { - bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; bool Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; + bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public System.Threading.Tasks.Task ApplyAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.Matching.CandidateSet candidates) => throw null; public Microsoft.AspNetCore.Routing.Matching.PolicyJumpTable BuildJumpTable(int exitDestination, System.Collections.Generic.IReadOnlyList edges) => throw null; public System.Collections.Generic.IComparer Comparer { get => throw null; } - public System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public HostMatcherPolicy() => throw null; + public System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public override int Order { get => throw null; } } - - public class HttpMethodMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy + public sealed class HttpMethodMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy { - bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; bool Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; + bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public System.Threading.Tasks.Task ApplyAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.Matching.CandidateSet candidates) => throw null; public Microsoft.AspNetCore.Routing.Matching.PolicyJumpTable BuildJumpTable(int exitDestination, System.Collections.Generic.IReadOnlyList edges) => throw null; public System.Collections.Generic.IComparer Comparer { get => throw null; } - public System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public HttpMethodMatcherPolicy() => throw null; + public System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public override int Order { get => throw null; } } - public interface IEndpointComparerPolicy { System.Collections.Generic.IComparer Comparer { get; } } - public interface IEndpointSelectorPolicy { bool AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints); System.Threading.Tasks.Task ApplyAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.Matching.CandidateSet candidates); } - public interface INodeBuilderPolicy { bool AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints); Microsoft.AspNetCore.Routing.Matching.PolicyJumpTable BuildJumpTable(int exitDestination, System.Collections.Generic.IReadOnlyList edges); System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints); } - public interface IParameterLiteralNodeMatchingPolicy : Microsoft.AspNetCore.Routing.IParameterPolicy { bool MatchesLiteral(string parameterName, string literal); } - public abstract class PolicyJumpTable { - public abstract int GetDestination(Microsoft.AspNetCore.Http.HttpContext httpContext); protected PolicyJumpTable() => throw null; + public abstract int GetDestination(Microsoft.AspNetCore.Http.HttpContext httpContext); } - public struct PolicyJumpTableEdge { - public int Destination { get => throw null; } - // Stub generator skipped constructor public PolicyJumpTableEdge(object state, int destination) => throw null; + public int Destination { get => throw null; } public object State { get => throw null; } } - public struct PolicyNodeEdge { - public System.Collections.Generic.IReadOnlyList Endpoints { get => throw null; } - // Stub generator skipped constructor public PolicyNodeEdge(object state, System.Collections.Generic.IReadOnlyList endpoints) => throw null; + public System.Collections.Generic.IReadOnlyList Endpoints { get => throw null; } public object State { get => throw null; } } - + } + public abstract class ParameterPolicyFactory + { + public abstract Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, string inlineText); + public abstract Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, Microsoft.AspNetCore.Routing.IParameterPolicy parameterPolicy); + public Microsoft.AspNetCore.Routing.IParameterPolicy Create(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart parameter, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference reference) => throw null; + protected ParameterPolicyFactory() => throw null; } namespace Patterns { - public class RoutePattern + public sealed class RoutePattern { public System.Collections.Generic.IReadOnlyDictionary Defaults { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart GetParameter(string name) => throw null; - public System.Decimal InboundPrecedence { get => throw null; } - public System.Decimal OutboundPrecedence { get => throw null; } + public decimal InboundPrecedence { get => throw null; } + public decimal OutboundPrecedence { get => throw null; } public System.Collections.Generic.IReadOnlyDictionary> ParameterPolicies { get => throw null; } public System.Collections.Generic.IReadOnlyList Parameters { get => throw null; } public System.Collections.Generic.IReadOnlyList PathSegments { get => throw null; } @@ -837,19 +560,17 @@ public class RoutePattern public static object RequiredValueAny; public System.Collections.Generic.IReadOnlyDictionary RequiredValues { get => throw null; } } - - public class RoutePatternException : System.Exception + public sealed class RoutePatternException : System.Exception { + public RoutePatternException(string pattern, string message) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public string Pattern { get => throw null; } - public RoutePatternException(string pattern, string message) => throw null; } - public static class RoutePatternFactory { public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Combine(Microsoft.AspNetCore.Routing.Patterns.RoutePattern left, Microsoft.AspNetCore.Routing.Patterns.RoutePattern right) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference Constraint(Microsoft.AspNetCore.Routing.IRouteConstraint constraint) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference Constraint(object constraint) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference Constraint(Microsoft.AspNetCore.Routing.IRouteConstraint constraint) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference Constraint(string constraint) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternLiteralPart LiteralPart(string content) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPart ParameterPart(string parameterName) => throw null; @@ -860,41 +581,37 @@ public static class RoutePatternFactory public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference ParameterPolicy(Microsoft.AspNetCore.Routing.IParameterPolicy parameterPolicy) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference ParameterPolicy(string parameterPolicy) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, Microsoft.AspNetCore.Routing.RouteValueDictionary requiredValues) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, object defaults, object parameterPolicies) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, object defaults, object parameterPolicies, object requiredValues) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Parse(string pattern, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, Microsoft.AspNetCore.Routing.RouteValueDictionary requiredValues) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(object defaults, object parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(object defaults, object parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(object defaults, object parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, object defaults, object parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; - public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, object defaults, object parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, System.Collections.Generic.IEnumerable segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(object defaults, object parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, object defaults, object parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; + public static Microsoft.AspNetCore.Routing.Patterns.RoutePattern Pattern(string rawText, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, Microsoft.AspNetCore.Routing.RouteValueDictionary parameterPolicies, params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment[] segments) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment Segment(System.Collections.Generic.IEnumerable parts) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment Segment(params Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart[] parts) => throw null; public static Microsoft.AspNetCore.Routing.Patterns.RoutePatternSeparatorPart SeparatorPart(string content) => throw null; } - - public class RoutePatternLiteralPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart + public sealed class RoutePatternLiteralPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart { public string Content { get => throw null; } - internal RoutePatternLiteralPart(string content) : base(default(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind)) => throw null; } - - public enum RoutePatternParameterKind : int + public enum RoutePatternParameterKind { - CatchAll = 2, - Optional = 1, Standard = 0, + Optional = 1, + CatchAll = 2, } - - public class RoutePatternParameterPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart + public sealed class RoutePatternParameterPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart { public object Default { get => throw null; } public bool EncodeSlashes { get => throw null; } @@ -903,79 +620,234 @@ public class RoutePatternParameterPart : Microsoft.AspNetCore.Routing.Patterns.R public string Name { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterKind ParameterKind { get => throw null; } public System.Collections.Generic.IReadOnlyList ParameterPolicies { get => throw null; } - internal RoutePatternParameterPart(string parameterName, object @default, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterKind parameterKind, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference[] parameterPolicies) : base(default(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind)) => throw null; - internal RoutePatternParameterPart(string parameterName, object @default, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterKind parameterKind, Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference[] parameterPolicies, bool encodeSlashes) : base(default(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind)) => throw null; } - - public class RoutePatternParameterPolicyReference + public sealed class RoutePatternParameterPolicyReference { public string Content { get => throw null; } public Microsoft.AspNetCore.Routing.IParameterPolicy ParameterPolicy { get => throw null; } } - public abstract class RoutePatternPart { public bool IsLiteral { get => throw null; } public bool IsParameter { get => throw null; } public bool IsSeparator { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind PartKind { get => throw null; } - protected private RoutePatternPart(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind partKind) => throw null; } - - public enum RoutePatternPartKind : int + public enum RoutePatternPartKind { Literal = 0, Parameter = 1, Separator = 2, } - - public class RoutePatternPathSegment + public sealed class RoutePatternPathSegment { public bool IsSimple { get => throw null; } public System.Collections.Generic.IReadOnlyList Parts { get => throw null; } } - - public class RoutePatternSeparatorPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart + public sealed class RoutePatternSeparatorPart : Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart { public string Content { get => throw null; } - internal RoutePatternSeparatorPart(string content) : base(default(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPartKind)) => throw null; } - public abstract class RoutePatternTransformer { protected RoutePatternTransformer() => throw null; - public virtual Microsoft.AspNetCore.Routing.Patterns.RoutePattern SubstituteRequiredValues(Microsoft.AspNetCore.Routing.Patterns.RoutePattern original, Microsoft.AspNetCore.Routing.RouteValueDictionary requiredValues) => throw null; public abstract Microsoft.AspNetCore.Routing.Patterns.RoutePattern SubstituteRequiredValues(Microsoft.AspNetCore.Routing.Patterns.RoutePattern original, object requiredValues); + public virtual Microsoft.AspNetCore.Routing.Patterns.RoutePattern SubstituteRequiredValues(Microsoft.AspNetCore.Routing.Patterns.RoutePattern original, Microsoft.AspNetCore.Routing.RouteValueDictionary requiredValues) => throw null; } - + } + public static partial class RequestDelegateRouteBuilderExtensions + { + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareDelete(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareGet(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewarePost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewarePut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapMiddlewareVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, System.Action action) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPost(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapPut(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, System.Func handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapRoute(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, System.Func handler) => throw null; + public static Microsoft.AspNetCore.Routing.IRouteBuilder MapVerb(this Microsoft.AspNetCore.Routing.IRouteBuilder builder, string verb, string template, Microsoft.AspNetCore.Http.RequestDelegate handler) => throw null; + } + public class Route : Microsoft.AspNetCore.Routing.RouteBase + { + public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeTemplate, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; + public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; + public Route(Microsoft.AspNetCore.Routing.IRouter target, string routeName, string routeTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens, Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver) : base(default(string), default(string), default(Microsoft.AspNetCore.Routing.IInlineConstraintResolver), default(Microsoft.AspNetCore.Routing.RouteValueDictionary), default(System.Collections.Generic.IDictionary), default(Microsoft.AspNetCore.Routing.RouteValueDictionary)) => throw null; + protected override System.Threading.Tasks.Task OnRouteMatched(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; + protected override Microsoft.AspNetCore.Routing.VirtualPathData OnVirtualPathGenerated(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; + public string RouteTemplate { get => throw null; } + } + public abstract class RouteBase : Microsoft.AspNetCore.Routing.IRouter, Microsoft.AspNetCore.Routing.INamedRouter + { + protected virtual Microsoft.AspNetCore.Routing.IInlineConstraintResolver ConstraintResolver { get => throw null; set { } } + public virtual System.Collections.Generic.IDictionary Constraints { get => throw null; set { } } + public RouteBase(string template, string name, Microsoft.AspNetCore.Routing.IInlineConstraintResolver constraintResolver, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults, System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary dataTokens) => throw null; + public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary DataTokens { get => throw null; set { } } + public virtual Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set { } } + protected static System.Collections.Generic.IDictionary GetConstraints(Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver, Microsoft.AspNetCore.Routing.Template.RouteTemplate parsedTemplate, System.Collections.Generic.IDictionary constraints) => throw null; + protected static Microsoft.AspNetCore.Routing.RouteValueDictionary GetDefaults(Microsoft.AspNetCore.Routing.Template.RouteTemplate parsedTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults) => throw null; + public virtual Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; + public virtual string Name { get => throw null; set { } } + protected abstract System.Threading.Tasks.Task OnRouteMatched(Microsoft.AspNetCore.Routing.RouteContext context); + protected abstract Microsoft.AspNetCore.Routing.VirtualPathData OnVirtualPathGenerated(Microsoft.AspNetCore.Routing.VirtualPathContext context); + public virtual Microsoft.AspNetCore.Routing.Template.RouteTemplate ParsedTemplate { get => throw null; set { } } + public virtual System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; + public override string ToString() => throw null; + } + public class RouteBuilder : Microsoft.AspNetCore.Routing.IRouteBuilder + { + public Microsoft.AspNetCore.Builder.IApplicationBuilder ApplicationBuilder { get => throw null; } + public Microsoft.AspNetCore.Routing.IRouter Build() => throw null; + public RouteBuilder(Microsoft.AspNetCore.Builder.IApplicationBuilder applicationBuilder) => throw null; + public RouteBuilder(Microsoft.AspNetCore.Builder.IApplicationBuilder applicationBuilder, Microsoft.AspNetCore.Routing.IRouter defaultHandler) => throw null; + public Microsoft.AspNetCore.Routing.IRouter DefaultHandler { get => throw null; set { } } + public System.Collections.Generic.IList Routes { get => throw null; } + public System.IServiceProvider ServiceProvider { get => throw null; } + } + public class RouteCollection : Microsoft.AspNetCore.Routing.IRouteCollection, Microsoft.AspNetCore.Routing.IRouter + { + public void Add(Microsoft.AspNetCore.Routing.IRouter router) => throw null; + public int Count { get => throw null; } + public RouteCollection() => throw null; + public virtual Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; + public virtual System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; + public Microsoft.AspNetCore.Routing.IRouter this[int index] { get => throw null; } + } + public class RouteConstraintBuilder + { + public void AddConstraint(string key, object value) => throw null; + public void AddResolvedConstraint(string key, string constraintText) => throw null; + public System.Collections.Generic.IDictionary Build() => throw null; + public RouteConstraintBuilder(Microsoft.AspNetCore.Routing.IInlineConstraintResolver inlineConstraintResolver, string displayName) => throw null; + public void SetOptional(string key) => throw null; + } + public static class RouteConstraintMatcher + { + public static bool Match(System.Collections.Generic.IDictionary constraints, Microsoft.AspNetCore.Routing.RouteValueDictionary routeValues, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, Microsoft.AspNetCore.Routing.RouteDirection routeDirection, Microsoft.Extensions.Logging.ILogger logger) => throw null; + } + public class RouteCreationException : System.Exception + { + public RouteCreationException(string message) => throw null; + public RouteCreationException(string message, System.Exception innerException) => throw null; + } + public sealed class RouteEndpoint : Microsoft.AspNetCore.Http.Endpoint + { + public RouteEndpoint(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, Microsoft.AspNetCore.Routing.Patterns.RoutePattern routePattern, int order, Microsoft.AspNetCore.Http.EndpointMetadataCollection metadata, string displayName) : base(default(Microsoft.AspNetCore.Http.RequestDelegate), default(Microsoft.AspNetCore.Http.EndpointMetadataCollection), default(string)) => throw null; + public int Order { get => throw null; } + public Microsoft.AspNetCore.Routing.Patterns.RoutePattern RoutePattern { get => throw null; } + } + public sealed class RouteEndpointBuilder : Microsoft.AspNetCore.Builder.EndpointBuilder + { + public override Microsoft.AspNetCore.Http.Endpoint Build() => throw null; + public RouteEndpointBuilder(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate, Microsoft.AspNetCore.Routing.Patterns.RoutePattern routePattern, int order) => throw null; + public int Order { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Patterns.RoutePattern RoutePattern { get => throw null; set { } } + } + public sealed class RouteGroupBuilder : Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + { + void Microsoft.AspNetCore.Builder.IEndpointConventionBuilder.Add(System.Action convention) => throw null; + Microsoft.AspNetCore.Builder.IApplicationBuilder Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.CreateApplicationBuilder() => throw null; + System.Collections.Generic.ICollection Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.DataSources { get => throw null; } + void Microsoft.AspNetCore.Builder.IEndpointConventionBuilder.Finally(System.Action finalConvention) => throw null; + System.IServiceProvider Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.ServiceProvider { get => throw null; } + } + public sealed class RouteGroupContext + { + public System.IServiceProvider ApplicationServices { get => throw null; set { } } + public System.Collections.Generic.IReadOnlyList> Conventions { get => throw null; set { } } + public RouteGroupContext() => throw null; + public System.Collections.Generic.IReadOnlyList> FinallyConventions { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Patterns.RoutePattern Prefix { get => throw null; set { } } + } + public class RouteHandler : Microsoft.AspNetCore.Routing.IRouteHandler, Microsoft.AspNetCore.Routing.IRouter + { + public RouteHandler(Microsoft.AspNetCore.Http.RequestDelegate requestDelegate) => throw null; + public Microsoft.AspNetCore.Http.RequestDelegate GetRequestHandler(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; + public Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; + public System.Threading.Tasks.Task RouteAsync(Microsoft.AspNetCore.Routing.RouteContext context) => throw null; + } + public sealed class RouteHandlerOptions + { + public RouteHandlerOptions() => throw null; + public bool ThrowOnBadRequest { get => throw null; set { } } + } + public sealed class RouteNameMetadata : Microsoft.AspNetCore.Routing.IRouteNameMetadata + { + public RouteNameMetadata(string routeName) => throw null; + public string RouteName { get => throw null; } + } + public class RouteOptions + { + public bool AppendTrailingSlash { get => throw null; set { } } + public System.Collections.Generic.IDictionary ConstraintMap { get => throw null; set { } } + public RouteOptions() => throw null; + public bool LowercaseQueryStrings { get => throw null; set { } } + public bool LowercaseUrls { get => throw null; set { } } + public void SetParameterPolicy(string token) where T : Microsoft.AspNetCore.Routing.IParameterPolicy => throw null; + public void SetParameterPolicy(string token, System.Type type) => throw null; + public bool SuppressCheckForUnhandledSecurityMetadata { get => throw null; set { } } + } + public class RouteValueEqualityComparer : System.Collections.Generic.IEqualityComparer + { + public RouteValueEqualityComparer() => throw null; + public static Microsoft.AspNetCore.Routing.RouteValueEqualityComparer Default; + public bool Equals(object x, object y) => throw null; + public int GetHashCode(object obj) => throw null; + } + public class RouteValuesAddress + { + public Microsoft.AspNetCore.Routing.RouteValueDictionary AmbientValues { get => throw null; set { } } + public RouteValuesAddress() => throw null; + public Microsoft.AspNetCore.Routing.RouteValueDictionary ExplicitValues { get => throw null; set { } } + public string RouteName { get => throw null; set { } } + public override string ToString() => throw null; + } + public class RoutingFeature : Microsoft.AspNetCore.Routing.IRoutingFeature + { + public RoutingFeature() => throw null; + public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; set { } } + } + public sealed class SuppressLinkGenerationMetadata : Microsoft.AspNetCore.Routing.ISuppressLinkGenerationMetadata + { + public SuppressLinkGenerationMetadata() => throw null; + public bool SuppressLinkGeneration { get => throw null; } + } + public sealed class SuppressMatchingMetadata : Microsoft.AspNetCore.Routing.ISuppressMatchingMetadata + { + public SuppressMatchingMetadata() => throw null; + public bool SuppressMatching { get => throw null; } } namespace Template { public class InlineConstraint { public string Constraint { get => throw null; } - public InlineConstraint(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference other) => throw null; public InlineConstraint(string constraint) => throw null; + public InlineConstraint(Microsoft.AspNetCore.Routing.Patterns.RoutePatternParameterPolicyReference other) => throw null; } - public static class RoutePrecedence { - public static System.Decimal ComputeInbound(Microsoft.AspNetCore.Routing.Template.RouteTemplate template) => throw null; - public static System.Decimal ComputeOutbound(Microsoft.AspNetCore.Routing.Template.RouteTemplate template) => throw null; + public static decimal ComputeInbound(Microsoft.AspNetCore.Routing.Template.RouteTemplate template) => throw null; + public static decimal ComputeOutbound(Microsoft.AspNetCore.Routing.Template.RouteTemplate template) => throw null; } - public class RouteTemplate { + public RouteTemplate(Microsoft.AspNetCore.Routing.Patterns.RoutePattern other) => throw null; + public RouteTemplate(string template, System.Collections.Generic.List segments) => throw null; public Microsoft.AspNetCore.Routing.Template.TemplatePart GetParameter(string name) => throw null; public Microsoft.AspNetCore.Routing.Template.TemplateSegment GetSegment(int index) => throw null; public System.Collections.Generic.IList Parameters { get => throw null; } - public RouteTemplate(Microsoft.AspNetCore.Routing.Patterns.RoutePattern other) => throw null; - public RouteTemplate(string template, System.Collections.Generic.List segments) => throw null; public System.Collections.Generic.IList Segments { get => throw null; } public string TemplateText { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePattern ToRoutePattern() => throw null; } - public class TemplateBinder { public string BindValues(Microsoft.AspNetCore.Routing.RouteValueDictionary acceptedValues) => throw null; @@ -983,104 +855,93 @@ public class TemplateBinder public static bool RoutePartsEqual(object a, object b) => throw null; public bool TryProcessConstraints(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteValueDictionary combinedValues, out string parameterName, out Microsoft.AspNetCore.Routing.IRouteConstraint constraint) => throw null; } - public abstract class TemplateBinderFactory { - public abstract Microsoft.AspNetCore.Routing.Template.TemplateBinder Create(Microsoft.AspNetCore.Routing.Patterns.RoutePattern pattern); public abstract Microsoft.AspNetCore.Routing.Template.TemplateBinder Create(Microsoft.AspNetCore.Routing.Template.RouteTemplate template, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults); + public abstract Microsoft.AspNetCore.Routing.Template.TemplateBinder Create(Microsoft.AspNetCore.Routing.Patterns.RoutePattern pattern); protected TemplateBinderFactory() => throw null; } - public class TemplateMatcher { + public TemplateMatcher(Microsoft.AspNetCore.Routing.Template.RouteTemplate template, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults) => throw null; public Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; } public Microsoft.AspNetCore.Routing.Template.RouteTemplate Template { get => throw null; } - public TemplateMatcher(Microsoft.AspNetCore.Routing.Template.RouteTemplate template, Microsoft.AspNetCore.Routing.RouteValueDictionary defaults) => throw null; public bool TryMatch(Microsoft.AspNetCore.Http.PathString path, Microsoft.AspNetCore.Routing.RouteValueDictionary values) => throw null; } - public static class TemplateParser { public static Microsoft.AspNetCore.Routing.Template.RouteTemplate Parse(string routeTemplate) => throw null; } - public class TemplatePart { public static Microsoft.AspNetCore.Routing.Template.TemplatePart CreateLiteral(string text) => throw null; public static Microsoft.AspNetCore.Routing.Template.TemplatePart CreateParameter(string name, bool isCatchAll, bool isOptional, object defaultValue, System.Collections.Generic.IEnumerable inlineConstraints) => throw null; + public TemplatePart() => throw null; + public TemplatePart(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart other) => throw null; public object DefaultValue { get => throw null; } public System.Collections.Generic.IEnumerable InlineConstraints { get => throw null; } public bool IsCatchAll { get => throw null; } public bool IsLiteral { get => throw null; } public bool IsOptional { get => throw null; } - public bool IsOptionalSeperator { get => throw null; set => throw null; } + public bool IsOptionalSeperator { get => throw null; set { } } public bool IsParameter { get => throw null; } public string Name { get => throw null; } - public TemplatePart() => throw null; - public TemplatePart(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart other) => throw null; public string Text { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePatternPart ToRoutePatternPart() => throw null; } - public class TemplateSegment { - public bool IsSimple { get => throw null; } - public System.Collections.Generic.List Parts { get => throw null; } public TemplateSegment() => throw null; public TemplateSegment(Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment other) => throw null; + public bool IsSimple { get => throw null; } + public System.Collections.Generic.List Parts { get => throw null; } public Microsoft.AspNetCore.Routing.Patterns.RoutePatternPathSegment ToRoutePatternPathSegment() => throw null; } - public class TemplateValuesResult { - public Microsoft.AspNetCore.Routing.RouteValueDictionary AcceptedValues { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary CombinedValues { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.RouteValueDictionary AcceptedValues { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary CombinedValues { get => throw null; set { } } public TemplateValuesResult() => throw null; } - } namespace Tree { public class InboundMatch { - public Microsoft.AspNetCore.Routing.Tree.InboundRouteEntry Entry { get => throw null; set => throw null; } public InboundMatch() => throw null; - public Microsoft.AspNetCore.Routing.Template.TemplateMatcher TemplateMatcher { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.Tree.InboundRouteEntry Entry { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Template.TemplateMatcher TemplateMatcher { get => throw null; set { } } } - public class InboundRouteEntry { - public System.Collections.Generic.IDictionary Constraints { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.IRouter Handler { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary Constraints { get => throw null; set { } } public InboundRouteEntry() => throw null; - public int Order { get => throw null; set => throw null; } - public System.Decimal Precedence { get => throw null; set => throw null; } - public string RouteName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.Template.RouteTemplate RouteTemplate { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.IRouter Handler { get => throw null; set { } } + public int Order { get => throw null; set { } } + public decimal Precedence { get => throw null; set { } } + public string RouteName { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Template.RouteTemplate RouteTemplate { get => throw null; set { } } } - public class OutboundMatch { - public Microsoft.AspNetCore.Routing.Tree.OutboundRouteEntry Entry { get => throw null; set => throw null; } public OutboundMatch() => throw null; - public Microsoft.AspNetCore.Routing.Template.TemplateBinder TemplateBinder { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.Tree.OutboundRouteEntry Entry { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Template.TemplateBinder TemplateBinder { get => throw null; set { } } } - public class OutboundRouteEntry { - public System.Collections.Generic.IDictionary Constraints { get => throw null; set => throw null; } - public object Data { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.IRouter Handler { get => throw null; set => throw null; } - public int Order { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary Constraints { get => throw null; set { } } public OutboundRouteEntry() => throw null; - public System.Decimal Precedence { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.RouteValueDictionary RequiredLinkValues { get => throw null; set => throw null; } - public string RouteName { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.Template.RouteTemplate RouteTemplate { get => throw null; set => throw null; } + public object Data { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary Defaults { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.IRouter Handler { get => throw null; set { } } + public int Order { get => throw null; set { } } + public decimal Precedence { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.RouteValueDictionary RequiredLinkValues { get => throw null; set { } } + public string RouteName { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Template.RouteTemplate RouteTemplate { get => throw null; set { } } } - public class TreeRouteBuilder { public Microsoft.AspNetCore.Routing.Tree.TreeRouter Build() => throw null; @@ -1091,7 +952,6 @@ public class TreeRouteBuilder public Microsoft.AspNetCore.Routing.Tree.OutboundRouteEntry MapOutbound(Microsoft.AspNetCore.Routing.IRouter handler, Microsoft.AspNetCore.Routing.Template.RouteTemplate routeTemplate, Microsoft.AspNetCore.Routing.RouteValueDictionary requiredLinkValues, string routeName, int order) => throw null; public System.Collections.Generic.IList OutboundEntries { get => throw null; } } - public class TreeRouter : Microsoft.AspNetCore.Routing.IRouter { public Microsoft.AspNetCore.Routing.VirtualPathData GetVirtualPath(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; @@ -1099,27 +959,24 @@ public class TreeRouter : Microsoft.AspNetCore.Routing.IRouter public static string RouteGroupKey; public int Version { get => throw null; } } - public class UrlMatchingNode { - public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode CatchAlls { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode ConstrainedCatchAlls { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode ConstrainedParameters { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode CatchAlls { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode ConstrainedCatchAlls { get => throw null; set { } } + public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode ConstrainedParameters { get => throw null; set { } } + public UrlMatchingNode(int length) => throw null; public int Depth { get => throw null; } - public bool IsCatchAll { get => throw null; set => throw null; } + public bool IsCatchAll { get => throw null; set { } } public System.Collections.Generic.Dictionary Literals { get => throw null; } public System.Collections.Generic.List Matches { get => throw null; } - public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode Parameters { get => throw null; set => throw null; } - public UrlMatchingNode(int length) => throw null; + public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode Parameters { get => throw null; set { } } } - public class UrlMatchingTree { + public UrlMatchingTree(int order) => throw null; public int Order { get => throw null; } public Microsoft.AspNetCore.Routing.Tree.UrlMatchingNode Root { get => throw null; } - public UrlMatchingTree(int order) => throw null; } - } } } @@ -1127,12 +984,11 @@ namespace Extensions { namespace DependencyInjection { - public static class RoutingServiceCollectionExtensions + public static partial class RoutingServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRouting(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddRouting(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs index d378a4e99853..89e93f1a6b79 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs @@ -1,131 +1,116 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.HttpSys, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { - public static class WebHostBuilderHttpSysExtensions + public static partial class WebHostBuilderHttpSysExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseHttpSys(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseHttpSys(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action options) => throw null; } - } namespace Server { namespace HttpSys { - public class AuthenticationManager + public sealed class AuthenticationManager { - public bool AllowAnonymous { get => throw null; set => throw null; } - public string AuthenticationDisplayName { get => throw null; set => throw null; } - public bool AutomaticAuthentication { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.HttpSys.AuthenticationSchemes Schemes { get => throw null; set => throw null; } + public bool AllowAnonymous { get => throw null; set { } } + public string AuthenticationDisplayName { get => throw null; set { } } + public bool AutomaticAuthentication { get => throw null; set { } } + public Microsoft.AspNetCore.Server.HttpSys.AuthenticationSchemes Schemes { get => throw null; set { } } } - [System.Flags] - public enum AuthenticationSchemes : int + public enum AuthenticationSchemes { + None = 0, Basic = 1, - Kerberos = 16, NTLM = 4, Negotiate = 8, - None = 0, + Kerberos = 16, } - - public enum ClientCertificateMethod : int + public enum ClientCertificateMethod { + NoCertificate = 0, AllowCertificate = 1, AllowRenegotation = 2, - NoCertificate = 0, } - public class DelegationRule : System.IDisposable { public void Dispose() => throw null; public string QueueName { get => throw null; } public string UrlPrefix { get => throw null; } } - public enum Http503VerbosityLevel : long { Basic = 0, - Full = 2, Limited = 1, + Full = 2, } - public static class HttpSysDefaults { - public const string AuthenticationScheme = default; + public static string AuthenticationScheme; } - public class HttpSysException : System.ComponentModel.Win32Exception { public override int ErrorCode { get => throw null; } } - public class HttpSysOptions { - public bool AllowSynchronousIO { get => throw null; set => throw null; } + public bool AllowSynchronousIO { get => throw null; set { } } public Microsoft.AspNetCore.Server.HttpSys.AuthenticationManager Authentication { get => throw null; } - public Microsoft.AspNetCore.Server.HttpSys.ClientCertificateMethod ClientCertificateMethod { get => throw null; set => throw null; } - public bool EnableResponseCaching { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.HttpSys.Http503VerbosityLevel Http503Verbosity { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Server.HttpSys.ClientCertificateMethod ClientCertificateMethod { get => throw null; set { } } public HttpSysOptions() => throw null; - public int MaxAccepts { get => throw null; set => throw null; } - public System.Int64? MaxConnections { get => throw null; set => throw null; } - public System.Int64? MaxRequestBodySize { get => throw null; set => throw null; } - public System.Int64 RequestQueueLimit { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.HttpSys.RequestQueueMode RequestQueueMode { get => throw null; set => throw null; } - public string RequestQueueName { get => throw null; set => throw null; } - public bool ThrowWriteExceptions { get => throw null; set => throw null; } + public bool EnableResponseCaching { get => throw null; set { } } + public Microsoft.AspNetCore.Server.HttpSys.Http503VerbosityLevel Http503Verbosity { get => throw null; set { } } + public int MaxAccepts { get => throw null; set { } } + public long? MaxConnections { get => throw null; set { } } + public long? MaxRequestBodySize { get => throw null; set { } } + public long RequestQueueLimit { get => throw null; set { } } + public Microsoft.AspNetCore.Server.HttpSys.RequestQueueMode RequestQueueMode { get => throw null; set { } } + public string RequestQueueName { get => throw null; set { } } + public bool ThrowWriteExceptions { get => throw null; set { } } public Microsoft.AspNetCore.Server.HttpSys.TimeoutManager Timeouts { get => throw null; } - public bool UnsafePreferInlineScheduling { get => throw null; set => throw null; } + public bool UnsafePreferInlineScheduling { get => throw null; set { } } public Microsoft.AspNetCore.Server.HttpSys.UrlPrefixCollection UrlPrefixes { get => throw null; } - public bool UseLatin1RequestHeaders { get => throw null; set => throw null; } + public bool UseLatin1RequestHeaders { get => throw null; set { } } } - public interface IHttpSysRequestDelegationFeature { bool CanDelegate { get; } void DelegateRequest(Microsoft.AspNetCore.Server.HttpSys.DelegationRule destination); } - public interface IHttpSysRequestInfoFeature { - System.Collections.Generic.IReadOnlyDictionary> RequestInfo { get; } + System.Collections.Generic.IReadOnlyDictionary> RequestInfo { get; } } - public interface IServerDelegationFeature { Microsoft.AspNetCore.Server.HttpSys.DelegationRule CreateDelegationRule(string queueName, string urlPrefix); } - - public enum RequestQueueMode : int + public enum RequestQueueMode { - Attach = 1, Create = 0, + Attach = 1, CreateOrAttach = 2, } - - public class TimeoutManager + public sealed class TimeoutManager { - public System.TimeSpan DrainEntityBody { get => throw null; set => throw null; } - public System.TimeSpan EntityBody { get => throw null; set => throw null; } - public System.TimeSpan HeaderWait { get => throw null; set => throw null; } - public System.TimeSpan IdleConnection { get => throw null; set => throw null; } - public System.Int64 MinSendBytesPerSecond { get => throw null; set => throw null; } - public System.TimeSpan RequestQueue { get => throw null; set => throw null; } + public System.TimeSpan DrainEntityBody { get => throw null; set { } } + public System.TimeSpan EntityBody { get => throw null; set { } } + public System.TimeSpan HeaderWait { get => throw null; set { } } + public System.TimeSpan IdleConnection { get => throw null; set { } } + public long MinSendBytesPerSecond { get => throw null; set { } } + public System.TimeSpan RequestQueue { get => throw null; set { } } } - public class UrlPrefix { - public static Microsoft.AspNetCore.Server.HttpSys.UrlPrefix Create(string prefix) => throw null; - public static Microsoft.AspNetCore.Server.HttpSys.UrlPrefix Create(string scheme, string host, int? portValue, string path) => throw null; public static Microsoft.AspNetCore.Server.HttpSys.UrlPrefix Create(string scheme, string host, string port, string path) => throw null; + public static Microsoft.AspNetCore.Server.HttpSys.UrlPrefix Create(string scheme, string host, int? portValue, string path) => throw null; + public static Microsoft.AspNetCore.Server.HttpSys.UrlPrefix Create(string prefix) => throw null; public override bool Equals(object obj) => throw null; public string FullPrefix { get => throw null; } public override int GetHashCode() => throw null; @@ -137,11 +122,10 @@ public class UrlPrefix public string Scheme { get => throw null; } public override string ToString() => throw null; } - public class UrlPrefixCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public void Add(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix item) => throw null; public void Add(string prefix) => throw null; + public void Add(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix item) => throw null; public void Clear() => throw null; public bool Contains(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix item) => throw null; public void CopyTo(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix[] array, int arrayIndex) => throw null; @@ -149,10 +133,9 @@ public class UrlPrefixCollection : System.Collections.Generic.ICollection GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public bool Remove(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix item) => throw null; public bool Remove(string prefix) => throw null; + public bool Remove(Microsoft.AspNetCore.Server.HttpSys.UrlPrefix item) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs index 55673f87da0a..06c0700496c0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.IIS, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,14 +8,13 @@ namespace Builder { public class IISServerOptions { - public bool AllowSynchronousIO { get => throw null; set => throw null; } - public string AuthenticationDisplayName { get => throw null; set => throw null; } - public bool AutomaticAuthentication { get => throw null; set => throw null; } + public bool AllowSynchronousIO { get => throw null; set { } } + public string AuthenticationDisplayName { get => throw null; set { } } + public bool AutomaticAuthentication { get => throw null; set { } } public IISServerOptions() => throw null; - public int MaxRequestBodyBufferSize { get => throw null; set => throw null; } - public System.Int64? MaxRequestBodySize { get => throw null; set => throw null; } + public int MaxRequestBodyBufferSize { get => throw null; set { } } + public long? MaxRequestBodySize { get => throw null; set { } } } - } namespace Hosting { @@ -24,70 +22,59 @@ public static partial class WebHostBuilderIISExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseIIS(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) => throw null; } - } namespace Server { namespace IIS { - public class BadHttpRequestException : Microsoft.AspNetCore.Http.BadHttpRequestException + public sealed class BadHttpRequestException : Microsoft.AspNetCore.Http.BadHttpRequestException { - internal BadHttpRequestException(string message, int statusCode, Microsoft.AspNetCore.Server.IIS.RequestRejectionReason reason) : base(default(string)) => throw null; public int StatusCode { get => throw null; } + internal BadHttpRequestException() : base(default(string)) { } } - - public static class HttpContextExtensions - { - public static string GetIISServerVariable(this Microsoft.AspNetCore.Http.HttpContext context, string variableName) => throw null; - } - - public class IISServerDefaults - { - public const string AuthenticationScheme = default; - public IISServerDefaults() => throw null; - } - - internal enum RequestRejectionReason : int - { - } - namespace Core { public class IISServerAuthenticationHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler { public System.Threading.Tasks.Task AuthenticateAsync() => throw null; public System.Threading.Tasks.Task ChallengeAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; - public System.Threading.Tasks.Task ForbidAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public IISServerAuthenticationHandler() => throw null; + public System.Threading.Tasks.Task ForbidAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; public System.Threading.Tasks.Task InitializeAsync(Microsoft.AspNetCore.Authentication.AuthenticationScheme scheme, Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class ThrowingWasUpgradedWriteOnlyStream : Microsoft.AspNetCore.Server.IIS.Core.WriteOnlyStream { - public override void Flush() => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; public ThrowingWasUpgradedWriteOnlyStream() => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override void Flush() => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; } - public abstract class WriteOnlyStream : System.IO.Stream { public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; - public override int ReadTimeout { get => throw null; set => throw null; } - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; protected WriteOnlyStream() => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override int ReadTimeout { get => throw null; set { } } + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; } - + } + public static partial class HttpContextExtensions + { + public static string GetIISServerVariable(this Microsoft.AspNetCore.Http.HttpContext context, string variableName) => throw null; + } + public class IISServerDefaults + { + public static string AuthenticationScheme; + public IISServerDefaults() => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs index 6ce7423ade81..e5721275127e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.IISIntegration, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,12 +8,11 @@ namespace Builder { public class IISOptions { - public string AuthenticationDisplayName { get => throw null; set => throw null; } - public bool AutomaticAuthentication { get => throw null; set => throw null; } - public bool ForwardClientCertificate { get => throw null; set => throw null; } + public string AuthenticationDisplayName { get => throw null; set { } } + public bool AutomaticAuthentication { get => throw null; set { } } public IISOptions() => throw null; + public bool ForwardClientCertificate { get => throw null; set { } } } - } namespace Hosting { @@ -22,7 +20,6 @@ public static partial class WebHostBuilderIISExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseIISIntegration(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) => throw null; } - } namespace Server { @@ -30,25 +27,22 @@ namespace IISIntegration { public class IISDefaults { - public const string AuthenticationScheme = default; + public static string AuthenticationScheme; public IISDefaults() => throw null; - public const string Negotiate = default; - public const string Ntlm = default; + public static string Negotiate; + public static string Ntlm; } - public class IISHostingStartup : Microsoft.AspNetCore.Hosting.IHostingStartup { public void Configure(Microsoft.AspNetCore.Hosting.IWebHostBuilder builder) => throw null; public IISHostingStartup() => throw null; } - public class IISMiddleware { public IISMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options, string pairingToken, Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider authentication, Microsoft.Extensions.Hosting.IHostApplicationLifetime applicationLifetime) => throw null; public IISMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.Extensions.Options.IOptions options, string pairingToken, bool isWebsocketsSupported, Microsoft.AspNetCore.Authentication.IAuthenticationSchemeProvider authentication, Microsoft.Extensions.Hosting.IHostApplicationLifetime applicationLifetime) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs index f2d392840f8b..2514cedba106 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs @@ -1,205 +1,51 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.Kestrel.Core, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { - public static class KestrelServerOptionsSystemdExtensions + public static partial class KestrelServerOptionsSystemdExtensions { public static Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions UseSystemd(this Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions options) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions UseSystemd(this Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions options, System.Action configure) => throw null; } - - public static class ListenOptionsConnectionLoggingExtensions + public static partial class ListenOptionsConnectionLoggingExtensions { public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseConnectionLogging(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseConnectionLogging(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string loggerName) => throw null; } - - public static class ListenOptionsHttpsExtensions + public static partial class ListenOptionsHttpsExtensions { public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Action configureOptions) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, Microsoft.AspNetCore.Server.Kestrel.Https.HttpsConnectionAdapterOptions httpsOptions) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Net.Security.ServerOptionsSelectionCallback serverOptionsSelectionCallback, object state) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Net.Security.ServerOptionsSelectionCallback serverOptionsSelectionCallback, object state, System.TimeSpan handshakeTimeout) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName, string password) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName, string password, System.Action configureOptions) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.StoreName storeName, string subject) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.StoreName storeName, string subject, bool allowInvalid) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.StoreName storeName, string subject, bool allowInvalid, System.Security.Cryptography.X509Certificates.StoreLocation location) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.StoreName storeName, string subject, bool allowInvalid, System.Security.Cryptography.X509Certificates.StoreLocation location, System.Action configureOptions) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, Microsoft.AspNetCore.Server.Kestrel.Https.TlsHandshakeCallbackOptions callbackOptions) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.X509Certificate2 serverCertificate) => throw null; public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Security.Cryptography.X509Certificates.X509Certificate2 serverCertificate, System.Action configureOptions) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName, string password) => throw null; - public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, string fileName, string password, System.Action configureOptions) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Action configureOptions) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, Microsoft.AspNetCore.Server.Kestrel.Https.HttpsConnectionAdapterOptions httpsOptions) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Net.Security.ServerOptionsSelectionCallback serverOptionsSelectionCallback, object state) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, System.Net.Security.ServerOptionsSelectionCallback serverOptionsSelectionCallback, object state, System.TimeSpan handshakeTimeout) => throw null; + public static Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions UseHttps(this Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions listenOptions, Microsoft.AspNetCore.Server.Kestrel.Https.TlsHandshakeCallbackOptions callbackOptions) => throw null; } - } namespace Server { namespace Kestrel { - public class EndpointConfiguration - { - public Microsoft.Extensions.Configuration.IConfigurationSection ConfigSection { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Https.HttpsConnectionAdapterOptions HttpsOptions { get => throw null; } - public bool IsHttps { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions ListenOptions { get => throw null; } - } - - public class KestrelConfigurationLoader - { - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader AnyIPEndpoint(int port) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader AnyIPEndpoint(int port, System.Action configure) => throw null; - public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPAddress address, int port) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPAddress address, int port, System.Action configure) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPEndPoint endPoint) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPEndPoint endPoint, System.Action configure) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(string name, System.Action configureOptions) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader HandleEndpoint(System.UInt64 handle) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader HandleEndpoint(System.UInt64 handle, System.Action configure) => throw null; - public void Load() => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader LocalhostEndpoint(int port) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader LocalhostEndpoint(int port, System.Action configure) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions Options { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader UnixSocketEndpoint(string socketPath) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader UnixSocketEndpoint(string socketPath, System.Action configure) => throw null; - } - namespace Core { - public class BadHttpRequestException : Microsoft.AspNetCore.Http.BadHttpRequestException + public sealed class BadHttpRequestException : Microsoft.AspNetCore.Http.BadHttpRequestException { - internal BadHttpRequestException(string message, int statusCode, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.RequestRejectionReason reason) : base(default(string)) => throw null; - internal BadHttpRequestException(string message, int statusCode, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.RequestRejectionReason reason, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpMethod? requiredMethod) : base(default(string)) => throw null; public int StatusCode { get => throw null; } + internal BadHttpRequestException() : base(default(string)) { } } - - public class Http2Limits - { - public int HeaderTableSize { get => throw null; set => throw null; } - public Http2Limits() => throw null; - public int InitialConnectionWindowSize { get => throw null; set => throw null; } - public int InitialStreamWindowSize { get => throw null; set => throw null; } - public System.TimeSpan KeepAlivePingDelay { get => throw null; set => throw null; } - public System.TimeSpan KeepAlivePingTimeout { get => throw null; set => throw null; } - public int MaxFrameSize { get => throw null; set => throw null; } - public int MaxRequestHeaderFieldSize { get => throw null; set => throw null; } - public int MaxStreamsPerConnection { get => throw null; set => throw null; } - } - - public class Http3Limits - { - public Http3Limits() => throw null; - public int MaxRequestHeaderFieldSize { get => throw null; set => throw null; } - } - - [System.Flags] - public enum HttpProtocols : int - { - Http1 = 1, - Http1AndHttp2 = 3, - Http1AndHttp2AndHttp3 = 7, - Http2 = 2, - Http3 = 4, - None = 0, - } - - public class KestrelServer : Microsoft.AspNetCore.Hosting.Server.IServer, System.IDisposable - { - public void Dispose() => throw null; - public Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } - public KestrelServer(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Connections.IConnectionListenerFactory transportFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions Options { get => throw null; } - public System.Threading.Tasks.Task StartAsync(Microsoft.AspNetCore.Hosting.Server.IHttpApplication application, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken) => throw null; - } - - public class KestrelServerLimits - { - public Microsoft.AspNetCore.Server.Kestrel.Core.Http2Limits Http2 { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.Http3Limits Http3 { get => throw null; } - public System.TimeSpan KeepAliveTimeout { get => throw null; set => throw null; } - public KestrelServerLimits() => throw null; - public System.Int64? MaxConcurrentConnections { get => throw null; set => throw null; } - public System.Int64? MaxConcurrentUpgradedConnections { get => throw null; set => throw null; } - public System.Int64? MaxRequestBodySize { get => throw null; set => throw null; } - public System.Int64? MaxRequestBufferSize { get => throw null; set => throw null; } - public int MaxRequestHeaderCount { get => throw null; set => throw null; } - public int MaxRequestHeadersTotalSize { get => throw null; set => throw null; } - public int MaxRequestLineSize { get => throw null; set => throw null; } - public System.Int64? MaxResponseBufferSize { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinRequestBodyDataRate { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinResponseDataRate { get => throw null; set => throw null; } - public System.TimeSpan RequestHeadersTimeout { get => throw null; set => throw null; } - } - - public class KestrelServerOptions - { - public bool AddServerHeader { get => throw null; set => throw null; } - public bool AllowAlternateSchemes { get => throw null; set => throw null; } - public bool AllowResponseHeaderCompression { get => throw null; set => throw null; } - public bool AllowSynchronousIO { get => throw null; set => throw null; } - public System.IServiceProvider ApplicationServices { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader ConfigurationLoader { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure() => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure(Microsoft.Extensions.Configuration.IConfiguration config) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure(Microsoft.Extensions.Configuration.IConfiguration config, bool reloadOnChange) => throw null; - public void ConfigureEndpointDefaults(System.Action configureOptions) => throw null; - public void ConfigureHttpsDefaults(System.Action configureOptions) => throw null; - public bool DisableStringReuse { get => throw null; set => throw null; } - public bool EnableAltSvc { get => throw null; set => throw null; } - public KestrelServerOptions() => throw null; - public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerLimits Limits { get => throw null; } - public void Listen(System.Net.EndPoint endPoint) => throw null; - public void Listen(System.Net.EndPoint endPoint, System.Action configure) => throw null; - public void Listen(System.Net.IPAddress address, int port) => throw null; - public void Listen(System.Net.IPAddress address, int port, System.Action configure) => throw null; - public void Listen(System.Net.IPEndPoint endPoint) => throw null; - public void Listen(System.Net.IPEndPoint endPoint, System.Action configure) => throw null; - public void ListenAnyIP(int port) => throw null; - public void ListenAnyIP(int port, System.Action configure) => throw null; - public void ListenHandle(System.UInt64 handle) => throw null; - public void ListenHandle(System.UInt64 handle, System.Action configure) => throw null; - public void ListenLocalhost(int port) => throw null; - public void ListenLocalhost(int port, System.Action configure) => throw null; - public void ListenUnixSocket(string socketPath) => throw null; - public void ListenUnixSocket(string socketPath, System.Action configure) => throw null; - public System.Func RequestHeaderEncodingSelector { get => throw null; set => throw null; } - public System.Func ResponseHeaderEncodingSelector { get => throw null; set => throw null; } - } - - public class ListenOptions : Microsoft.AspNetCore.Connections.IConnectionBuilder, Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder - { - public System.IServiceProvider ApplicationServices { get => throw null; } - public Microsoft.AspNetCore.Connections.ConnectionDelegate Build() => throw null; - Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder.Build() => throw null; - public bool DisableAltSvcHeader { get => throw null; set => throw null; } - public System.Net.EndPoint EndPoint { get => throw null; set => throw null; } - public System.UInt64 FileHandle { get => throw null; } - public System.Net.IPEndPoint IPEndPoint { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions KestrelServerOptions { get => throw null; set => throw null; } - internal ListenOptions(System.Net.EndPoint endPoint) => throw null; - public Microsoft.AspNetCore.Server.Kestrel.Core.HttpProtocols Protocols { get => throw null; set => throw null; } - public string SocketPath { get => throw null; } - public override string ToString() => throw null; - public Microsoft.AspNetCore.Connections.IConnectionBuilder Use(System.Func middleware) => throw null; - Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder.Use(System.Func middleware) => throw null; - } - - public class MinDataRate - { - public double BytesPerSecond { get => throw null; } - public System.TimeSpan GracePeriod { get => throw null; } - public MinDataRate(double bytesPerSecond, System.TimeSpan gracePeriod) => throw null; - public override string ToString() => throw null; - } - namespace Features { public interface IConnectionTimeoutFeature @@ -208,32 +54,53 @@ public interface IConnectionTimeoutFeature void ResetTimeout(System.TimeSpan timeSpan); void SetTimeout(System.TimeSpan timeSpan); } - public interface IDecrementConcurrentConnectionCountFeature { void ReleaseConnection(); } - public interface IHttp2StreamIdFeature { int StreamId { get; } } - public interface IHttpMinRequestBodyDataRateFeature { Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinDataRate { get; set; } } - public interface IHttpMinResponseDataRateFeature { Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinDataRate { get; set; } } - public interface ITlsApplicationProtocolFeature { - System.ReadOnlyMemory ApplicationProtocol { get; } + System.ReadOnlyMemory ApplicationProtocol { get; } } - + } + public class Http2Limits + { + public Http2Limits() => throw null; + public int HeaderTableSize { get => throw null; set { } } + public int InitialConnectionWindowSize { get => throw null; set { } } + public int InitialStreamWindowSize { get => throw null; set { } } + public System.TimeSpan KeepAlivePingDelay { get => throw null; set { } } + public System.TimeSpan KeepAlivePingTimeout { get => throw null; set { } } + public int MaxFrameSize { get => throw null; set { } } + public int MaxRequestHeaderFieldSize { get => throw null; set { } } + public int MaxStreamsPerConnection { get => throw null; set { } } + } + public class Http3Limits + { + public Http3Limits() => throw null; + public int MaxRequestHeaderFieldSize { get => throw null; set { } } + } + [System.Flags] + public enum HttpProtocols + { + None = 0, + Http1 = 1, + Http2 = 2, + Http1AndHttp2 = 3, + Http3 = 4, + Http1AndHttp2AndHttp3 = 7, } namespace Internal { @@ -241,84 +108,157 @@ namespace Http { public enum HttpMethod : byte { - Connect = 7, - Custom = 9, - Delete = 2, Get = 0, - Head = 4, - None = 255, - Options = 8, - Patch = 6, - Post = 3, Put = 1, + Delete = 2, + Post = 3, + Head = 4, Trace = 5, + Patch = 6, + Connect = 7, + Options = 8, + Custom = 9, + None = 255, } - public class HttpParser where TRequestHandler : Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.IHttpHeadersHandler, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.IHttpRequestLineHandler { public HttpParser() => throw null; public HttpParser(bool showErrorDetails) => throw null; - public bool ParseHeaders(TRequestHandler handler, ref System.Buffers.SequenceReader reader) => throw null; - public bool ParseRequestLine(TRequestHandler handler, ref System.Buffers.SequenceReader reader) => throw null; + public bool ParseHeaders(TRequestHandler handler, ref System.Buffers.SequenceReader reader) => throw null; + public bool ParseRequestLine(TRequestHandler handler, ref System.Buffers.SequenceReader reader) => throw null; } - - public enum HttpScheme : int + public enum HttpScheme { + Unknown = -1, Http = 0, Https = 1, - Unknown = -1, } - public enum HttpVersion : sbyte { + Unknown = -1, Http10 = 0, Http11 = 1, Http2 = 2, Http3 = 3, - Unknown = -1, } - public struct HttpVersionAndMethod { - // Stub generator skipped constructor public HttpVersionAndMethod(Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpMethod method, int methodEnd) => throw null; public Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpMethod Method { get => throw null; } public int MethodEnd { get => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpVersion Version { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpVersion Version { get => throw null; set { } } } - public interface IHttpHeadersHandler { - void OnHeader(System.ReadOnlySpan name, System.ReadOnlySpan value); + void OnHeader(System.ReadOnlySpan name, System.ReadOnlySpan value); void OnHeadersComplete(bool endStream); void OnStaticIndexedHeader(int index); - void OnStaticIndexedHeader(int index, System.ReadOnlySpan value); + void OnStaticIndexedHeader(int index, System.ReadOnlySpan value); } - - internal interface IHttpParser where TRequestHandler : Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.IHttpHeadersHandler, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.IHttpRequestLineHandler - { - } - public interface IHttpRequestLineHandler { - void OnStartLine(Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpVersionAndMethod versionAndMethod, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.TargetOffsetPathLength targetPath, System.Span startLine); - } - - internal enum RequestRejectionReason : int - { + void OnStartLine(Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.HttpVersionAndMethod versionAndMethod, Microsoft.AspNetCore.Server.Kestrel.Core.Internal.Http.TargetOffsetPathLength targetPath, System.Span startLine); } - public struct TargetOffsetPathLength { + public TargetOffsetPathLength(int offset, int length, bool isEncoded) => throw null; public bool IsEncoded { get => throw null; } public int Length { get => throw null; } public int Offset { get => throw null; } - // Stub generator skipped constructor - public TargetOffsetPathLength(int offset, int length, bool isEncoded) => throw null; } - } } + public class KestrelServer : Microsoft.AspNetCore.Hosting.Server.IServer, System.IDisposable + { + public KestrelServer(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Connections.IConnectionListenerFactory transportFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public void Dispose() => throw null; + public Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions Options { get => throw null; } + public System.Threading.Tasks.Task StartAsync(Microsoft.AspNetCore.Hosting.Server.IHttpApplication application, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + public class KestrelServerLimits + { + public KestrelServerLimits() => throw null; + public Microsoft.AspNetCore.Server.Kestrel.Core.Http2Limits Http2 { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.Http3Limits Http3 { get => throw null; } + public System.TimeSpan KeepAliveTimeout { get => throw null; set { } } + public long? MaxConcurrentConnections { get => throw null; set { } } + public long? MaxConcurrentUpgradedConnections { get => throw null; set { } } + public long? MaxRequestBodySize { get => throw null; set { } } + public long? MaxRequestBufferSize { get => throw null; set { } } + public int MaxRequestHeaderCount { get => throw null; set { } } + public int MaxRequestHeadersTotalSize { get => throw null; set { } } + public int MaxRequestLineSize { get => throw null; set { } } + public long? MaxResponseBufferSize { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinRequestBodyDataRate { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.Core.MinDataRate MinResponseDataRate { get => throw null; set { } } + public System.TimeSpan RequestHeadersTimeout { get => throw null; set { } } + } + public class KestrelServerOptions + { + public bool AddServerHeader { get => throw null; set { } } + public bool AllowAlternateSchemes { get => throw null; set { } } + public bool AllowResponseHeaderCompression { get => throw null; set { } } + public bool AllowSynchronousIO { get => throw null; set { } } + public System.IServiceProvider ApplicationServices { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader ConfigurationLoader { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure() => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure(Microsoft.Extensions.Configuration.IConfiguration config) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Configure(Microsoft.Extensions.Configuration.IConfiguration config, bool reloadOnChange) => throw null; + public void ConfigureEndpointDefaults(System.Action configureOptions) => throw null; + public void ConfigureHttpsDefaults(System.Action configureOptions) => throw null; + public KestrelServerOptions() => throw null; + public bool DisableStringReuse { get => throw null; set { } } + public bool EnableAltSvc { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerLimits Limits { get => throw null; } + public void Listen(System.Net.IPAddress address, int port) => throw null; + public void Listen(System.Net.IPAddress address, int port, System.Action configure) => throw null; + public void Listen(System.Net.IPEndPoint endPoint) => throw null; + public void Listen(System.Net.EndPoint endPoint) => throw null; + public void Listen(System.Net.IPEndPoint endPoint, System.Action configure) => throw null; + public void Listen(System.Net.EndPoint endPoint, System.Action configure) => throw null; + public void ListenAnyIP(int port) => throw null; + public void ListenAnyIP(int port, System.Action configure) => throw null; + public void ListenHandle(ulong handle) => throw null; + public void ListenHandle(ulong handle, System.Action configure) => throw null; + public void ListenLocalhost(int port) => throw null; + public void ListenLocalhost(int port, System.Action configure) => throw null; + public void ListenUnixSocket(string socketPath) => throw null; + public void ListenUnixSocket(string socketPath, System.Action configure) => throw null; + public System.Func RequestHeaderEncodingSelector { get => throw null; set { } } + public System.Func ResponseHeaderEncodingSelector { get => throw null; set { } } + } + public class ListenOptions : Microsoft.AspNetCore.Connections.IConnectionBuilder, Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder + { + public System.IServiceProvider ApplicationServices { get => throw null; } + public Microsoft.AspNetCore.Connections.ConnectionDelegate Build() => throw null; + Microsoft.AspNetCore.Connections.MultiplexedConnectionDelegate Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder.Build() => throw null; + public bool DisableAltSvcHeader { get => throw null; set { } } + public System.Net.EndPoint EndPoint { get => throw null; } + public ulong FileHandle { get => throw null; } + public System.Net.IPEndPoint IPEndPoint { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions KestrelServerOptions { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.HttpProtocols Protocols { get => throw null; set { } } + public string SocketPath { get => throw null; } + public override string ToString() => throw null; + public Microsoft.AspNetCore.Connections.IConnectionBuilder Use(System.Func middleware) => throw null; + Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder Microsoft.AspNetCore.Connections.IMultiplexedConnectionBuilder.Use(System.Func middleware) => throw null; + } + public class MinDataRate + { + public double BytesPerSecond { get => throw null; } + public MinDataRate(double bytesPerSecond, System.TimeSpan gracePeriod) => throw null; + public System.TimeSpan GracePeriod { get => throw null; } + public override string ToString() => throw null; + } + } + public class EndpointConfiguration + { + public Microsoft.Extensions.Configuration.IConfigurationSection ConfigSection { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Https.HttpsConnectionAdapterOptions HttpsOptions { get => throw null; } + public bool IsHttps { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.Core.ListenOptions ListenOptions { get => throw null; } } namespace Https { @@ -326,49 +266,63 @@ public static class CertificateLoader { public static System.Security.Cryptography.X509Certificates.X509Certificate2 LoadFromStoreCert(string subject, string storeName, System.Security.Cryptography.X509Certificates.StoreLocation storeLocation, bool allowInvalid) => throw null; } - - public enum ClientCertificateMode : int + public enum ClientCertificateMode { - AllowCertificate = 1, - DelayCertificate = 3, NoCertificate = 0, + AllowCertificate = 1, RequireCertificate = 2, + DelayCertificate = 3, } - public class HttpsConnectionAdapterOptions { public void AllowAnyClientCertificate() => throw null; - public bool CheckCertificateRevocation { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Server.Kestrel.Https.ClientCertificateMode ClientCertificateMode { get => throw null; set => throw null; } - public System.Func ClientCertificateValidation { get => throw null; set => throw null; } - public System.TimeSpan HandshakeTimeout { get => throw null; set => throw null; } + public bool CheckCertificateRevocation { get => throw null; set { } } + public Microsoft.AspNetCore.Server.Kestrel.Https.ClientCertificateMode ClientCertificateMode { get => throw null; set { } } + public System.Func ClientCertificateValidation { get => throw null; set { } } public HttpsConnectionAdapterOptions() => throw null; - public System.Action OnAuthenticate { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509Certificate2 ServerCertificate { get => throw null; set => throw null; } - public System.Security.Cryptography.X509Certificates.X509Certificate2Collection ServerCertificateChain { get => throw null; set => throw null; } - public System.Func ServerCertificateSelector { get => throw null; set => throw null; } - public System.Security.Authentication.SslProtocols SslProtocols { get => throw null; set => throw null; } + public System.TimeSpan HandshakeTimeout { get => throw null; set { } } + public System.Action OnAuthenticate { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509Certificate2 ServerCertificate { get => throw null; set { } } + public System.Security.Cryptography.X509Certificates.X509Certificate2Collection ServerCertificateChain { get => throw null; set { } } + public System.Func ServerCertificateSelector { get => throw null; set { } } + public System.Security.Authentication.SslProtocols SslProtocols { get => throw null; set { } } } - public class TlsHandshakeCallbackContext { - public bool AllowDelayedClientCertificateNegotation { get => throw null; set => throw null; } - public System.Threading.CancellationToken CancellationToken { get => throw null; set => throw null; } - public System.Net.Security.SslClientHelloInfo ClientHelloInfo { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Connections.ConnectionContext Connection { get => throw null; set => throw null; } - public System.Net.Security.SslStream SslStream { get => throw null; set => throw null; } - public object State { get => throw null; set => throw null; } + public bool AllowDelayedClientCertificateNegotation { get => throw null; set { } } + public System.Threading.CancellationToken CancellationToken { get => throw null; } + public System.Net.Security.SslClientHelloInfo ClientHelloInfo { get => throw null; } + public Microsoft.AspNetCore.Connections.ConnectionContext Connection { get => throw null; } public TlsHandshakeCallbackContext() => throw null; + public System.Net.Security.SslStream SslStream { get => throw null; } + public object State { get => throw null; } } - public class TlsHandshakeCallbackOptions { - public System.TimeSpan HandshakeTimeout { get => throw null; set => throw null; } - public System.Func> OnConnection { get => throw null; set => throw null; } - public object OnConnectionState { get => throw null; set => throw null; } public TlsHandshakeCallbackOptions() => throw null; + public System.TimeSpan HandshakeTimeout { get => throw null; set { } } + public System.Func> OnConnection { get => throw null; set { } } + public object OnConnectionState { get => throw null; set { } } } - + } + public class KestrelConfigurationLoader + { + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader AnyIPEndpoint(int port) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader AnyIPEndpoint(int port, System.Action configure) => throw null; + public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(string name, System.Action configureOptions) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPAddress address, int port) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPAddress address, int port, System.Action configure) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPEndPoint endPoint) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader Endpoint(System.Net.IPEndPoint endPoint, System.Action configure) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader HandleEndpoint(ulong handle) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader HandleEndpoint(ulong handle, System.Action configure) => throw null; + public void Load() => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader LocalhostEndpoint(int port) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader LocalhostEndpoint(int port, System.Action configure) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.Core.KestrelServerOptions Options { get => throw null; } + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader UnixSocketEndpoint(string socketPath) => throw null; + public Microsoft.AspNetCore.Server.Kestrel.KestrelConfigurationLoader UnixSocketEndpoint(string socketPath, System.Action configure) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Quic.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Quic.cs index d5561036f80d..501a8a12ae04 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Quic.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Quic.cs @@ -1,18 +1,16 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.Kestrel.Transport.Quic, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { - public static class WebHostBuilderQuicExtensions + public static partial class WebHostBuilderQuicExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseQuic(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseQuic(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureOptions) => throw null; } - } namespace Server { @@ -22,18 +20,17 @@ namespace Transport { namespace Quic { - public class QuicTransportOptions + public sealed class QuicTransportOptions { - public int Backlog { get => throw null; set => throw null; } - public System.Int64 DefaultCloseErrorCode { get => throw null; set => throw null; } - public System.Int64 DefaultStreamErrorCode { get => throw null; set => throw null; } - public int MaxBidirectionalStreamCount { get => throw null; set => throw null; } - public System.Int64? MaxReadBufferSize { get => throw null; set => throw null; } - public int MaxUnidirectionalStreamCount { get => throw null; set => throw null; } - public System.Int64? MaxWriteBufferSize { get => throw null; set => throw null; } + public int Backlog { get => throw null; set { } } public QuicTransportOptions() => throw null; + public long DefaultCloseErrorCode { get => throw null; set { } } + public long DefaultStreamErrorCode { get => throw null; set { } } + public int MaxBidirectionalStreamCount { get => throw null; set { } } + public long? MaxReadBufferSize { get => throw null; set { } } + public int MaxUnidirectionalStreamCount { get => throw null; set { } } + public long? MaxWriteBufferSize { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets.cs index 7ad604b14b30..692fb263b710 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets.cs @@ -1,18 +1,16 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { - public static class WebHostBuilderSocketExtensions + public static partial class WebHostBuilderSocketExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseSockets(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseSockets(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureOptions) => throw null; } - } namespace Server { @@ -22,43 +20,39 @@ namespace Transport { namespace Sockets { - public class SocketConnectionContextFactory : System.IDisposable + public sealed class SocketConnectionContextFactory : System.IDisposable { public Microsoft.AspNetCore.Connections.ConnectionContext Create(System.Net.Sockets.Socket socket) => throw null; - public void Dispose() => throw null; public SocketConnectionContextFactory(Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets.SocketConnectionFactoryOptions options, Microsoft.Extensions.Logging.ILogger logger) => throw null; + public void Dispose() => throw null; } - public class SocketConnectionFactoryOptions { - public int IOQueueCount { get => throw null; set => throw null; } - public System.Int64? MaxReadBufferSize { get => throw null; set => throw null; } - public System.Int64? MaxWriteBufferSize { get => throw null; set => throw null; } public SocketConnectionFactoryOptions() => throw null; - public bool UnsafePreferInlineScheduling { get => throw null; set => throw null; } - public bool WaitForDataBeforeAllocatingBuffer { get => throw null; set => throw null; } + public int IOQueueCount { get => throw null; set { } } + public long? MaxReadBufferSize { get => throw null; set { } } + public long? MaxWriteBufferSize { get => throw null; set { } } + public bool UnsafePreferInlineScheduling { get => throw null; set { } } + public bool WaitForDataBeforeAllocatingBuffer { get => throw null; set { } } } - - public class SocketTransportFactory : Microsoft.AspNetCore.Connections.IConnectionListenerFactory + public sealed class SocketTransportFactory : Microsoft.AspNetCore.Connections.IConnectionListenerFactory { public System.Threading.Tasks.ValueTask BindAsync(System.Net.EndPoint endpoint, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public SocketTransportFactory(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class SocketTransportOptions { - public int Backlog { get => throw null; set => throw null; } - public System.Func CreateBoundListenSocket { get => throw null; set => throw null; } + public int Backlog { get => throw null; set { } } + public System.Func CreateBoundListenSocket { get => throw null; set { } } public static System.Net.Sockets.Socket CreateDefaultBoundListenSocket(System.Net.EndPoint endpoint) => throw null; - public int IOQueueCount { get => throw null; set => throw null; } - public System.Int64? MaxReadBufferSize { get => throw null; set => throw null; } - public System.Int64? MaxWriteBufferSize { get => throw null; set => throw null; } - public bool NoDelay { get => throw null; set => throw null; } public SocketTransportOptions() => throw null; - public bool UnsafePreferInlineScheduling { get => throw null; set => throw null; } - public bool WaitForDataBeforeAllocatingBuffer { get => throw null; set => throw null; } + public int IOQueueCount { get => throw null; set { } } + public long? MaxReadBufferSize { get => throw null; set { } } + public long? MaxWriteBufferSize { get => throw null; set { } } + public bool NoDelay { get => throw null; set { } } + public bool UnsafePreferInlineScheduling { get => throw null; set { } } + public bool WaitForDataBeforeAllocatingBuffer { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.cs index c823cee8ba80..eebc2225fc26 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Server.Kestrel, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Hosting { - public static class WebHostBuilderKestrelExtensions + public static partial class WebHostBuilderKestrelExtensions { public static Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureKestrel(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action options) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureKestrel(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureOptions) => throw null; @@ -15,7 +14,6 @@ public static class WebHostBuilderKestrelExtensions public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseKestrel(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action options) => throw null; public static Microsoft.AspNetCore.Hosting.IWebHostBuilder UseKestrel(this Microsoft.AspNetCore.Hosting.IWebHostBuilder hostBuilder, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Session.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Session.cs index 28e8d10f1644..31fd3bc742b3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Session.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Session.cs @@ -1,26 +1,23 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.Session, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class SessionMiddlewareExtensions + public static partial class SessionMiddlewareExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseSession(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseSession(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.SessionOptions options) => throw null; } - public class SessionOptions { - public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set => throw null; } - public System.TimeSpan IOTimeout { get => throw null; set => throw null; } - public System.TimeSpan IdleTimeout { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Http.CookieBuilder Cookie { get => throw null; set { } } public SessionOptions() => throw null; + public System.TimeSpan IdleTimeout { get => throw null; set { } } + public System.TimeSpan IOTimeout { get => throw null; set { } } } - } namespace Session { @@ -34,51 +31,44 @@ public class DistributedSession : Microsoft.AspNetCore.Http.ISession public System.Collections.Generic.IEnumerable Keys { get => throw null; } public System.Threading.Tasks.Task LoadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public void Remove(string key) => throw null; - public void Set(string key, System.Byte[] value) => throw null; - public bool TryGetValue(string key, out System.Byte[] value) => throw null; + public void Set(string key, byte[] value) => throw null; + public bool TryGetValue(string key, out byte[] value) => throw null; } - public class DistributedSessionStore : Microsoft.AspNetCore.Session.ISessionStore { public Microsoft.AspNetCore.Http.ISession Create(string sessionKey, System.TimeSpan idleTimeout, System.TimeSpan ioTimeout, System.Func tryEstablishSession, bool isNewSessionKey) => throw null; public DistributedSessionStore(Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public interface ISessionStore { Microsoft.AspNetCore.Http.ISession Create(string sessionKey, System.TimeSpan idleTimeout, System.TimeSpan ioTimeout, System.Func tryEstablishSession, bool isNewSessionKey); } - public static class SessionDefaults { public static string CookieName; public static string CookiePath; } - public class SessionFeature : Microsoft.AspNetCore.Http.Features.ISessionFeature { - public Microsoft.AspNetCore.Http.ISession Session { get => throw null; set => throw null; } public SessionFeature() => throw null; + public Microsoft.AspNetCore.Http.ISession Session { get => throw null; set { } } } - public class SessionMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public SessionMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider dataProtectionProvider, Microsoft.AspNetCore.Session.ISessionStore sessionStore, Microsoft.Extensions.Options.IOptions options) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - } } namespace Extensions { namespace DependencyInjection { - public static class SessionServiceCollectionExtensions + public static partial class SessionServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSession(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSession(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs index 3cd6eb28f509..d008cbd0a901 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.SignalR.Common, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -10,31 +9,27 @@ namespace SignalR public class HubException : System.Exception { public HubException() => throw null; - public HubException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public HubException(string message) => throw null; public HubException(string message, System.Exception innerException) => throw null; + public HubException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - public interface IInvocationBinder { System.Collections.Generic.IReadOnlyList GetParameterTypes(string methodName); System.Type GetReturnType(string invocationId); System.Type GetStreamItemType(string streamId); - string GetTarget(System.ReadOnlySpan utf8Bytes) => throw null; + virtual string GetTarget(System.ReadOnlySpan utf8Bytes) => throw null; } - public interface ISignalRBuilder { Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - namespace Protocol { public class CancelInvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvocationMessage { public CancelInvocationMessage(string invocationId) : base(default(string)) => throw null; } - public class CloseMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { public bool AllowReconnect { get => throw null; } @@ -43,7 +38,6 @@ public class CloseMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage public static Microsoft.AspNetCore.SignalR.Protocol.CloseMessage Empty; public string Error { get => throw null; } } - public class CompletionMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvocationMessage { public CompletionMessage(string invocationId, string error, object result, bool hasResult) : base(default(string)) => throw null; @@ -55,85 +49,74 @@ public class CompletionMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvoca public static Microsoft.AspNetCore.SignalR.Protocol.CompletionMessage WithError(string invocationId, string error) => throw null; public static Microsoft.AspNetCore.SignalR.Protocol.CompletionMessage WithResult(string invocationId, object payload) => throw null; } - public static class HandshakeProtocol { - public static System.ReadOnlySpan GetSuccessfulHandshake(Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol protocol) => throw null; - public static bool TryParseRequestMessage(ref System.Buffers.ReadOnlySequence buffer, out Microsoft.AspNetCore.SignalR.Protocol.HandshakeRequestMessage requestMessage) => throw null; - public static bool TryParseResponseMessage(ref System.Buffers.ReadOnlySequence buffer, out Microsoft.AspNetCore.SignalR.Protocol.HandshakeResponseMessage responseMessage) => throw null; - public static void WriteRequestMessage(Microsoft.AspNetCore.SignalR.Protocol.HandshakeRequestMessage requestMessage, System.Buffers.IBufferWriter output) => throw null; - public static void WriteResponseMessage(Microsoft.AspNetCore.SignalR.Protocol.HandshakeResponseMessage responseMessage, System.Buffers.IBufferWriter output) => throw null; + public static System.ReadOnlySpan GetSuccessfulHandshake(Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol protocol) => throw null; + public static bool TryParseRequestMessage(ref System.Buffers.ReadOnlySequence buffer, out Microsoft.AspNetCore.SignalR.Protocol.HandshakeRequestMessage requestMessage) => throw null; + public static bool TryParseResponseMessage(ref System.Buffers.ReadOnlySequence buffer, out Microsoft.AspNetCore.SignalR.Protocol.HandshakeResponseMessage responseMessage) => throw null; + public static void WriteRequestMessage(Microsoft.AspNetCore.SignalR.Protocol.HandshakeRequestMessage requestMessage, System.Buffers.IBufferWriter output) => throw null; + public static void WriteResponseMessage(Microsoft.AspNetCore.SignalR.Protocol.HandshakeResponseMessage responseMessage, System.Buffers.IBufferWriter output) => throw null; } - public class HandshakeRequestMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { public HandshakeRequestMessage(string protocol, int version) => throw null; public string Protocol { get => throw null; } public int Version { get => throw null; } } - public class HandshakeResponseMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { + public HandshakeResponseMessage(string error) => throw null; public static Microsoft.AspNetCore.SignalR.Protocol.HandshakeResponseMessage Empty; public string Error { get => throw null; } - public HandshakeResponseMessage(string error) => throw null; } - public abstract class HubInvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { - public System.Collections.Generic.IDictionary Headers { get => throw null; set => throw null; } protected HubInvocationMessage(string invocationId) => throw null; + public System.Collections.Generic.IDictionary Headers { get => throw null; set { } } public string InvocationId { get => throw null; } } - public abstract class HubMessage { protected HubMessage() => throw null; } - public abstract class HubMethodInvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvocationMessage { public object[] Arguments { get => throw null; } - protected HubMethodInvocationMessage(string invocationId, string target, object[] arguments) : base(default(string)) => throw null; protected HubMethodInvocationMessage(string invocationId, string target, object[] arguments, string[] streamIds) : base(default(string)) => throw null; + protected HubMethodInvocationMessage(string invocationId, string target, object[] arguments) : base(default(string)) => throw null; public string[] StreamIds { get => throw null; } public string Target { get => throw null; } } - public static class HubProtocolConstants { - public const int CancelInvocationMessageType = default; - public const int CloseMessageType = default; - public const int CompletionMessageType = default; - public const int InvocationMessageType = default; - public const int PingMessageType = default; - public const int StreamInvocationMessageType = default; - public const int StreamItemMessageType = default; + public static int CancelInvocationMessageType; + public static int CloseMessageType; + public static int CompletionMessageType; + public static int InvocationMessageType; + public static int PingMessageType; + public static int StreamInvocationMessageType; + public static int StreamItemMessageType; } - - public static class HubProtocolExtensions + public static partial class HubProtocolExtensions { - public static System.Byte[] GetMessageBytes(this Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol hubProtocol, Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; + public static byte[] GetMessageBytes(this Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol hubProtocol, Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; } - public interface IHubProtocol { - System.ReadOnlyMemory GetMessageBytes(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message); + System.ReadOnlyMemory GetMessageBytes(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message); bool IsVersionSupported(int version); string Name { get; } Microsoft.AspNetCore.Connections.TransferFormat TransferFormat { get; } - bool TryParseMessage(ref System.Buffers.ReadOnlySequence input, Microsoft.AspNetCore.SignalR.IInvocationBinder binder, out Microsoft.AspNetCore.SignalR.Protocol.HubMessage message); + bool TryParseMessage(ref System.Buffers.ReadOnlySequence input, Microsoft.AspNetCore.SignalR.IInvocationBinder binder, out Microsoft.AspNetCore.SignalR.Protocol.HubMessage message); int Version { get; } - void WriteMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message, System.Buffers.IBufferWriter output); + void WriteMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message, System.Buffers.IBufferWriter output); } - public class InvocationBindingFailureMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvocationMessage { public System.Runtime.ExceptionServices.ExceptionDispatchInfo BindingFailure { get => throw null; } public InvocationBindingFailureMessage(string invocationId, string target, System.Runtime.ExceptionServices.ExceptionDispatchInfo bindingFailure) : base(default(string)) => throw null; public string Target { get => throw null; } } - public class InvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMethodInvocationMessage { public InvocationMessage(string target, object[] arguments) : base(default(string), default(string), default(object[])) => throw null; @@ -141,39 +124,33 @@ public class InvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMethod public InvocationMessage(string invocationId, string target, object[] arguments, string[] streamIds) : base(default(string), default(string), default(object[])) => throw null; public override string ToString() => throw null; } - public class PingMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { public static Microsoft.AspNetCore.SignalR.Protocol.PingMessage Instance; } - - public class RawResult + public sealed class RawResult { - public RawResult(System.Buffers.ReadOnlySequence rawBytes) => throw null; - public System.Buffers.ReadOnlySequence RawSerializedData { get => throw null; } + public RawResult(System.Buffers.ReadOnlySequence rawBytes) => throw null; + public System.Buffers.ReadOnlySequence RawSerializedData { get => throw null; } } - public class StreamBindingFailureMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMessage { public System.Runtime.ExceptionServices.ExceptionDispatchInfo BindingFailure { get => throw null; } - public string Id { get => throw null; } public StreamBindingFailureMessage(string id, System.Runtime.ExceptionServices.ExceptionDispatchInfo bindingFailure) => throw null; + public string Id { get => throw null; } } - public class StreamInvocationMessage : Microsoft.AspNetCore.SignalR.Protocol.HubMethodInvocationMessage { public StreamInvocationMessage(string invocationId, string target, object[] arguments) : base(default(string), default(string), default(object[])) => throw null; public StreamInvocationMessage(string invocationId, string target, object[] arguments, string[] streamIds) : base(default(string), default(string), default(object[])) => throw null; public override string ToString() => throw null; } - public class StreamItemMessage : Microsoft.AspNetCore.SignalR.Protocol.HubInvocationMessage { - public object Item { get => throw null; set => throw null; } public StreamItemMessage(string invocationId, object item) : base(default(string)) => throw null; + public object Item { get => throw null; set { } } public override string ToString() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs index 2858ce517d6c..de43a674da12 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.SignalR.Core, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace SignalR { - public static class ClientProxyExtensions + public static partial class ClientProxyExtensions { public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.SignalR.ISingleClientProxy clientProxy, string method, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task InvokeAsync(this Microsoft.AspNetCore.SignalR.ISingleClientProxy clientProxy, string method, object arg1, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32,7 +31,6 @@ public static class ClientProxyExtensions public static System.Threading.Tasks.Task SendAsync(this Microsoft.AspNetCore.SignalR.IClientProxy clientProxy, string method, object arg1, object arg2, object arg3, object arg4, object arg5, object arg6, object arg7, object arg8, object arg9, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task SendAsync(this Microsoft.AspNetCore.SignalR.IClientProxy clientProxy, string method, object arg1, object arg2, object arg3, object arg4, object arg5, object arg6, object arg7, object arg8, object arg9, object arg10, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class DefaultHubLifetimeManager : Microsoft.AspNetCore.SignalR.HubLifetimeManager where THub : Microsoft.AspNetCore.SignalR.Hub { public override System.Threading.Tasks.Task AddToGroupAsync(string connectionId, string groupName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; @@ -53,19 +51,16 @@ public class DefaultHubLifetimeManager : Microsoft.AspNetCore.SignalR.HubL public override System.Threading.Tasks.Task SetConnectionResultAsync(string connectionId, Microsoft.AspNetCore.SignalR.Protocol.CompletionMessage result) => throw null; public override bool TryGetReturnType(string invocationId, out System.Type type) => throw null; } - public class DefaultUserIdProvider : Microsoft.AspNetCore.SignalR.IUserIdProvider { public DefaultUserIdProvider() => throw null; public virtual string GetUserId(Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; } - public abstract class DynamicHub : Microsoft.AspNetCore.SignalR.Hub { - public Microsoft.AspNetCore.SignalR.DynamicHubClients Clients { get => throw null; set => throw null; } + public Microsoft.AspNetCore.SignalR.DynamicHubClients Clients { get => throw null; set { } } protected DynamicHub() => throw null; } - public class DynamicHubClients { public dynamic All { get => throw null; } @@ -82,40 +77,35 @@ public class DynamicHubClients public dynamic User(string userId) => throw null; public dynamic Users(System.Collections.Generic.IReadOnlyList userIds) => throw null; } - public abstract class Hub : System.IDisposable { - public Microsoft.AspNetCore.SignalR.IHubCallerClients Clients { get => throw null; set => throw null; } - public Microsoft.AspNetCore.SignalR.HubCallerContext Context { get => throw null; set => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public Microsoft.AspNetCore.SignalR.IGroupManager Groups { get => throw null; set => throw null; } + public Microsoft.AspNetCore.SignalR.IHubCallerClients Clients { get => throw null; set { } } + public Microsoft.AspNetCore.SignalR.HubCallerContext Context { get => throw null; set { } } protected Hub() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public void Dispose() => throw null; + public Microsoft.AspNetCore.SignalR.IGroupManager Groups { get => throw null; set { } } public virtual System.Threading.Tasks.Task OnConnectedAsync() => throw null; public virtual System.Threading.Tasks.Task OnDisconnectedAsync(System.Exception exception) => throw null; } - public abstract class Hub : Microsoft.AspNetCore.SignalR.Hub where T : class { - public Microsoft.AspNetCore.SignalR.IHubCallerClients Clients { get => throw null; set => throw null; } + public Microsoft.AspNetCore.SignalR.IHubCallerClients Clients { get => throw null; set { } } protected Hub() => throw null; } - public abstract class HubCallerContext { public abstract void Abort(); public abstract System.Threading.CancellationToken ConnectionAborted { get; } public abstract string ConnectionId { get; } - public abstract Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } protected HubCallerContext() => throw null; + public abstract Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get; } public abstract System.Collections.Generic.IDictionary Items { get; } public abstract System.Security.Claims.ClaimsPrincipal User { get; } public abstract string UserIdentifier { get; } } - - public static class HubClientsExtensions + public static partial class HubClientsExtensions { - public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable excludedConnectionIds) => throw null; public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1) => throw null; public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1, string excludedConnectionId2) => throw null; public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3) => throw null; @@ -124,7 +114,7 @@ public static class HubClientsExtensions public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6) => throw null; public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6, string excludedConnectionId7) => throw null; public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6, string excludedConnectionId7, string excludedConnectionId8) => throw null; - public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable connectionIds) => throw null; + public static T AllExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable excludedConnectionIds) => throw null; public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1) => throw null; public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1, string connection2) => throw null; public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1, string connection2, string connection3) => throw null; @@ -133,7 +123,7 @@ public static class HubClientsExtensions public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1, string connection2, string connection3, string connection4, string connection5, string connection6) => throw null; public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1, string connection2, string connection3, string connection4, string connection5, string connection6, string connection7) => throw null; public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string connection1, string connection2, string connection3, string connection4, string connection5, string connection6, string connection7, string connection8) => throw null; - public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, System.Collections.Generic.IEnumerable excludedConnectionIds) => throw null; + public static T Clients(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable connectionIds) => throw null; public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1) => throw null; public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1, string excludedConnectionId2) => throw null; public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3) => throw null; @@ -142,7 +132,7 @@ public static class HubClientsExtensions public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6) => throw null; public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6, string excludedConnectionId7) => throw null; public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, string excludedConnectionId1, string excludedConnectionId2, string excludedConnectionId3, string excludedConnectionId4, string excludedConnectionId5, string excludedConnectionId6, string excludedConnectionId7, string excludedConnectionId8) => throw null; - public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable groupNames) => throw null; + public static T GroupExcept(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string groupName, System.Collections.Generic.IEnumerable excludedConnectionIds) => throw null; public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1) => throw null; public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1, string group2) => throw null; public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1, string group2, string group3) => throw null; @@ -151,7 +141,7 @@ public static class HubClientsExtensions public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1, string group2, string group3, string group4, string group5, string group6) => throw null; public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1, string group2, string group3, string group4, string group5, string group6, string group7) => throw null; public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string group1, string group2, string group3, string group4, string group5, string group6, string group7, string group8) => throw null; - public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable userIds) => throw null; + public static T Groups(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable groupNames) => throw null; public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1) => throw null; public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1, string user2) => throw null; public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1, string user2, string user3) => throw null; @@ -160,80 +150,71 @@ public static class HubClientsExtensions public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1, string user2, string user3, string user4, string user5, string user6) => throw null; public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1, string user2, string user3, string user4, string user5, string user6, string user7) => throw null; public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, string user1, string user2, string user3, string user4, string user5, string user6, string user7, string user8) => throw null; + public static T Users(this Microsoft.AspNetCore.SignalR.IHubClients hubClients, System.Collections.Generic.IEnumerable userIds) => throw null; } - public class HubConnectionContext { public virtual void Abort() => throw null; public virtual System.Threading.CancellationToken ConnectionAborted { get => throw null; } public virtual string ConnectionId { get => throw null; } - public virtual Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } public HubConnectionContext(Microsoft.AspNetCore.Connections.ConnectionContext connectionContext, Microsoft.AspNetCore.SignalR.HubConnectionContextOptions contextOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public virtual Microsoft.AspNetCore.Http.Features.IFeatureCollection Features { get => throw null; } public virtual System.Collections.Generic.IDictionary Items { get => throw null; } - public virtual Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol Protocol { get => throw null; set => throw null; } + public virtual Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol Protocol { get => throw null; set { } } public virtual System.Security.Claims.ClaimsPrincipal User { get => throw null; } - public string UserIdentifier { get => throw null; set => throw null; } + public string UserIdentifier { get => throw null; set { } } public virtual System.Threading.Tasks.ValueTask WriteAsync(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.ValueTask WriteAsync(Microsoft.AspNetCore.SignalR.SerializedHubMessage message, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class HubConnectionContextOptions { - public System.TimeSpan ClientTimeoutInterval { get => throw null; set => throw null; } + public System.TimeSpan ClientTimeoutInterval { get => throw null; set { } } public HubConnectionContextOptions() => throw null; - public System.TimeSpan KeepAliveInterval { get => throw null; set => throw null; } - public int MaximumParallelInvocations { get => throw null; set => throw null; } - public System.Int64? MaximumReceiveMessageSize { get => throw null; set => throw null; } - public int StreamBufferCapacity { get => throw null; set => throw null; } + public System.TimeSpan KeepAliveInterval { get => throw null; set { } } + public int MaximumParallelInvocations { get => throw null; set { } } + public long? MaximumReceiveMessageSize { get => throw null; set { } } + public int StreamBufferCapacity { get => throw null; set { } } } - public class HubConnectionHandler : Microsoft.AspNetCore.Connections.ConnectionHandler where THub : Microsoft.AspNetCore.SignalR.Hub { public HubConnectionHandler(Microsoft.AspNetCore.SignalR.HubLifetimeManager lifetimeManager, Microsoft.AspNetCore.SignalR.IHubProtocolResolver protocolResolver, Microsoft.Extensions.Options.IOptions globalHubOptions, Microsoft.Extensions.Options.IOptions> hubOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.SignalR.IUserIdProvider userIdProvider, Microsoft.Extensions.DependencyInjection.IServiceScopeFactory serviceScopeFactory) => throw null; public override System.Threading.Tasks.Task OnConnectedAsync(Microsoft.AspNetCore.Connections.ConnectionContext connection) => throw null; } - public class HubConnectionStore { + public void Add(Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; + public int Count { get => throw null; } + public HubConnectionStore() => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public Enumerator(Microsoft.AspNetCore.SignalR.HubConnectionStore hubConnectionList) => throw null; public Microsoft.AspNetCore.SignalR.HubConnectionContext Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(Microsoft.AspNetCore.SignalR.HubConnectionStore hubConnectionList) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - - public void Add(Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; - public int Count { get => throw null; } public Microsoft.AspNetCore.SignalR.HubConnectionStore.Enumerator GetEnumerator() => throw null; - public HubConnectionStore() => throw null; - public Microsoft.AspNetCore.SignalR.HubConnectionContext this[string connectionId] { get => throw null; } public void Remove(Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; + public Microsoft.AspNetCore.SignalR.HubConnectionContext this[string connectionId] { get => throw null; } } - public class HubInvocationContext { public Microsoft.AspNetCore.SignalR.HubCallerContext Context { get => throw null; } - public Microsoft.AspNetCore.SignalR.Hub Hub { get => throw null; } public HubInvocationContext(Microsoft.AspNetCore.SignalR.HubCallerContext context, System.IServiceProvider serviceProvider, Microsoft.AspNetCore.SignalR.Hub hub, System.Reflection.MethodInfo hubMethod, System.Collections.Generic.IReadOnlyList hubMethodArguments) => throw null; + public Microsoft.AspNetCore.SignalR.Hub Hub { get => throw null; } public System.Reflection.MethodInfo HubMethod { get => throw null; } public System.Collections.Generic.IReadOnlyList HubMethodArguments { get => throw null; } public string HubMethodName { get => throw null; } public System.IServiceProvider ServiceProvider { get => throw null; } } - - public class HubLifetimeContext + public sealed class HubLifetimeContext { public Microsoft.AspNetCore.SignalR.HubCallerContext Context { get => throw null; } - public Microsoft.AspNetCore.SignalR.Hub Hub { get => throw null; } public HubLifetimeContext(Microsoft.AspNetCore.SignalR.HubCallerContext context, System.IServiceProvider serviceProvider, Microsoft.AspNetCore.SignalR.Hub hub) => throw null; + public Microsoft.AspNetCore.SignalR.Hub Hub { get => throw null; } public System.IServiceProvider ServiceProvider { get => throw null; } } - public abstract class HubLifetimeManager where THub : Microsoft.AspNetCore.SignalR.Hub { public abstract System.Threading.Tasks.Task AddToGroupAsync(string connectionId, string groupName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); @@ -254,92 +235,78 @@ public abstract class HubLifetimeManager where THub : Microsoft.AspNetCore public virtual System.Threading.Tasks.Task SetConnectionResultAsync(string connectionId, Microsoft.AspNetCore.SignalR.Protocol.CompletionMessage result) => throw null; public virtual bool TryGetReturnType(string invocationId, out System.Type type) => throw null; } - public class HubMetadata { public HubMetadata(System.Type hubType) => throw null; public System.Type HubType { get => throw null; } } - public class HubMethodNameAttribute : System.Attribute { public HubMethodNameAttribute(string name) => throw null; public string Name { get => throw null; } } - public class HubOptions { - public System.TimeSpan? ClientTimeoutInterval { get => throw null; set => throw null; } - public bool DisableImplicitFromServicesParameters { get => throw null; set => throw null; } - public bool? EnableDetailedErrors { get => throw null; set => throw null; } - public System.TimeSpan? HandshakeTimeout { get => throw null; set => throw null; } + public System.TimeSpan? ClientTimeoutInterval { get => throw null; set { } } public HubOptions() => throw null; - public System.TimeSpan? KeepAliveInterval { get => throw null; set => throw null; } - public int MaximumParallelInvocationsPerClient { get => throw null; set => throw null; } - public System.Int64? MaximumReceiveMessageSize { get => throw null; set => throw null; } - public int? StreamBufferCapacity { get => throw null; set => throw null; } - public System.Collections.Generic.IList SupportedProtocols { get => throw null; set => throw null; } + public bool DisableImplicitFromServicesParameters { get => throw null; set { } } + public bool? EnableDetailedErrors { get => throw null; set { } } + public System.TimeSpan? HandshakeTimeout { get => throw null; set { } } + public System.TimeSpan? KeepAliveInterval { get => throw null; set { } } + public int MaximumParallelInvocationsPerClient { get => throw null; set { } } + public long? MaximumReceiveMessageSize { get => throw null; set { } } + public int? StreamBufferCapacity { get => throw null; set { } } + public System.Collections.Generic.IList SupportedProtocols { get => throw null; set { } } } - public class HubOptions : Microsoft.AspNetCore.SignalR.HubOptions where THub : Microsoft.AspNetCore.SignalR.Hub { public HubOptions() => throw null; } - - public static class HubOptionsExtensions + public static partial class HubOptionsExtensions { public static void AddFilter(this Microsoft.AspNetCore.SignalR.HubOptions options, Microsoft.AspNetCore.SignalR.IHubFilter hubFilter) => throw null; - public static void AddFilter(this Microsoft.AspNetCore.SignalR.HubOptions options, System.Type filterType) => throw null; public static void AddFilter(this Microsoft.AspNetCore.SignalR.HubOptions options) where TFilter : Microsoft.AspNetCore.SignalR.IHubFilter => throw null; + public static void AddFilter(this Microsoft.AspNetCore.SignalR.HubOptions options, System.Type filterType) => throw null; } - public class HubOptionsSetup : Microsoft.Extensions.Options.IConfigureOptions { public void Configure(Microsoft.AspNetCore.SignalR.HubOptions options) => throw null; public HubOptionsSetup(System.Collections.Generic.IEnumerable protocols) => throw null; } - public class HubOptionsSetup : Microsoft.Extensions.Options.IConfigureOptions> where THub : Microsoft.AspNetCore.SignalR.Hub { public void Configure(Microsoft.AspNetCore.SignalR.HubOptions options) => throw null; public HubOptionsSetup(Microsoft.Extensions.Options.IOptions options) => throw null; } - public interface IClientProxy { System.Threading.Tasks.Task SendCoreAsync(string method, object[] args, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IGroupManager { System.Threading.Tasks.Task AddToGroupAsync(string connectionId, string groupName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task RemoveFromGroupAsync(string connectionId, string groupName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IHubActivator where THub : Microsoft.AspNetCore.SignalR.Hub { THub Create(); void Release(THub hub); } - public interface IHubCallerClients : Microsoft.AspNetCore.SignalR.IHubCallerClients, Microsoft.AspNetCore.SignalR.IHubClients { - Microsoft.AspNetCore.SignalR.ISingleClientProxy Caller { get => throw null; } - Microsoft.AspNetCore.SignalR.ISingleClientProxy Client(string connectionId) => throw null; + virtual Microsoft.AspNetCore.SignalR.ISingleClientProxy Caller { get => throw null; } + virtual Microsoft.AspNetCore.SignalR.ISingleClientProxy Client(string connectionId) => throw null; } - public interface IHubCallerClients : Microsoft.AspNetCore.SignalR.IHubClients { T Caller { get; } T Others { get; } T OthersInGroup(string groupName); } - public interface IHubClients : Microsoft.AspNetCore.SignalR.IHubClients { - Microsoft.AspNetCore.SignalR.ISingleClientProxy Client(string connectionId) => throw null; + virtual Microsoft.AspNetCore.SignalR.ISingleClientProxy Client(string connectionId) => throw null; } - public interface IHubClients { T All { get; } @@ -352,73 +319,60 @@ public interface IHubClients T User(string userId); T Users(System.Collections.Generic.IReadOnlyList userIds); } - public interface IHubContext { Microsoft.AspNetCore.SignalR.IHubClients Clients { get; } Microsoft.AspNetCore.SignalR.IGroupManager Groups { get; } } - - public interface IHubContext where T : class where THub : Microsoft.AspNetCore.SignalR.Hub + public interface IHubContext where THub : Microsoft.AspNetCore.SignalR.Hub { - Microsoft.AspNetCore.SignalR.IHubClients Clients { get; } + Microsoft.AspNetCore.SignalR.IHubClients Clients { get; } Microsoft.AspNetCore.SignalR.IGroupManager Groups { get; } } - - public interface IHubContext where THub : Microsoft.AspNetCore.SignalR.Hub + public interface IHubContext where THub : Microsoft.AspNetCore.SignalR.Hub where T : class { - Microsoft.AspNetCore.SignalR.IHubClients Clients { get; } + Microsoft.AspNetCore.SignalR.IHubClients Clients { get; } Microsoft.AspNetCore.SignalR.IGroupManager Groups { get; } } - public interface IHubFilter { - System.Threading.Tasks.ValueTask InvokeMethodAsync(Microsoft.AspNetCore.SignalR.HubInvocationContext invocationContext, System.Func> next) => throw null; - System.Threading.Tasks.Task OnConnectedAsync(Microsoft.AspNetCore.SignalR.HubLifetimeContext context, System.Func next) => throw null; - System.Threading.Tasks.Task OnDisconnectedAsync(Microsoft.AspNetCore.SignalR.HubLifetimeContext context, System.Exception exception, System.Func next) => throw null; + virtual System.Threading.Tasks.ValueTask InvokeMethodAsync(Microsoft.AspNetCore.SignalR.HubInvocationContext invocationContext, System.Func> next) => throw null; + virtual System.Threading.Tasks.Task OnConnectedAsync(Microsoft.AspNetCore.SignalR.HubLifetimeContext context, System.Func next) => throw null; + virtual System.Threading.Tasks.Task OnDisconnectedAsync(Microsoft.AspNetCore.SignalR.HubLifetimeContext context, System.Exception exception, System.Func next) => throw null; } - public interface IHubProtocolResolver { System.Collections.Generic.IReadOnlyList AllProtocols { get; } Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol GetProtocol(string protocolName, System.Collections.Generic.IReadOnlyList supportedProtocols); } - public interface ISignalRServerBuilder : Microsoft.AspNetCore.SignalR.ISignalRBuilder { } - public interface ISingleClientProxy : Microsoft.AspNetCore.SignalR.IClientProxy { System.Threading.Tasks.Task InvokeCoreAsync(string method, object[] args, System.Threading.CancellationToken cancellationToken); } - public interface IUserIdProvider { string GetUserId(Microsoft.AspNetCore.SignalR.HubConnectionContext connection); } - public class SerializedHubMessage { - public System.ReadOnlyMemory GetSerializedMessage(Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol protocol) => throw null; - public Microsoft.AspNetCore.SignalR.Protocol.HubMessage Message { get => throw null; } - public SerializedHubMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; public SerializedHubMessage(System.Collections.Generic.IReadOnlyList messages) => throw null; + public SerializedHubMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; + public System.ReadOnlyMemory GetSerializedMessage(Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol protocol) => throw null; + public Microsoft.AspNetCore.SignalR.Protocol.HubMessage Message { get => throw null; } } - public struct SerializedMessage { + public SerializedMessage(string protocolName, System.ReadOnlyMemory serialized) => throw null; public string ProtocolName { get => throw null; } - public System.ReadOnlyMemory Serialized { get => throw null; } - // Stub generator skipped constructor - public SerializedMessage(string protocolName, System.ReadOnlyMemory serialized) => throw null; + public System.ReadOnlyMemory Serialized { get => throw null; } } - - public static class SignalRConnectionBuilderExtensions + public static partial class SignalRConnectionBuilderExtensions { public static Microsoft.AspNetCore.Connections.IConnectionBuilder UseHub(this Microsoft.AspNetCore.Connections.IConnectionBuilder connectionBuilder) where THub : Microsoft.AspNetCore.SignalR.Hub => throw null; } - } } namespace Extensions @@ -429,7 +383,6 @@ public static partial class SignalRDependencyInjectionExtensions { public static Microsoft.AspNetCore.SignalR.ISignalRServerBuilder AddSignalRCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Protocols.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Protocols.Json.cs index ff4830b57eec..a73662074372 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Protocols.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Protocols.Json.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.SignalR.Protocols.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -10,24 +9,22 @@ namespace SignalR public class JsonHubProtocolOptions { public JsonHubProtocolOptions() => throw null; - public System.Text.Json.JsonSerializerOptions PayloadSerializerOptions { get => throw null; set => throw null; } + public System.Text.Json.JsonSerializerOptions PayloadSerializerOptions { get => throw null; set { } } } - namespace Protocol { - public class JsonHubProtocol : Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol + public sealed class JsonHubProtocol : Microsoft.AspNetCore.SignalR.Protocol.IHubProtocol { - public System.ReadOnlyMemory GetMessageBytes(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; - public bool IsVersionSupported(int version) => throw null; public JsonHubProtocol() => throw null; public JsonHubProtocol(Microsoft.Extensions.Options.IOptions options) => throw null; + public System.ReadOnlyMemory GetMessageBytes(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; + public bool IsVersionSupported(int version) => throw null; public string Name { get => throw null; } public Microsoft.AspNetCore.Connections.TransferFormat TransferFormat { get => throw null; } - public bool TryParseMessage(ref System.Buffers.ReadOnlySequence input, Microsoft.AspNetCore.SignalR.IInvocationBinder binder, out Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; + public bool TryParseMessage(ref System.Buffers.ReadOnlySequence input, Microsoft.AspNetCore.SignalR.IInvocationBinder binder, out Microsoft.AspNetCore.SignalR.Protocol.HubMessage message) => throw null; public int Version { get => throw null; } - public void WriteMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message, System.Buffers.IBufferWriter output) => throw null; + public void WriteMessage(Microsoft.AspNetCore.SignalR.Protocol.HubMessage message, System.Buffers.IBufferWriter output) => throw null; } - } } } @@ -35,12 +32,11 @@ namespace Extensions { namespace DependencyInjection { - public static class JsonProtocolDependencyInjectionExtensions + public static partial class JsonProtocolDependencyInjectionExtensions { public static TBuilder AddJsonProtocol(this TBuilder builder) where TBuilder : Microsoft.AspNetCore.SignalR.ISignalRBuilder => throw null; public static TBuilder AddJsonProtocol(this TBuilder builder, System.Action configure) where TBuilder : Microsoft.AspNetCore.SignalR.ISignalRBuilder => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs index 9eb2652e6dc3..23935f02f58e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs @@ -1,37 +1,32 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.SignalR, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public class HubEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder + public sealed class HubEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; } - - public static class HubEndpointRouteBuilderExtensions + public static partial class HubEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.HubEndpointConventionBuilder MapHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern) where THub : Microsoft.AspNetCore.SignalR.Hub => throw null; public static Microsoft.AspNetCore.Builder.HubEndpointConventionBuilder MapHub(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, System.Action configureOptions) where THub : Microsoft.AspNetCore.SignalR.Hub => throw null; } - public interface IHubEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder { } - } namespace SignalR { - public static class GetHttpContextExtensions + public static partial class GetHttpContextExtensions { public static Microsoft.AspNetCore.Http.HttpContext GetHttpContext(this Microsoft.AspNetCore.SignalR.HubCallerContext connection) => throw null; public static Microsoft.AspNetCore.Http.HttpContext GetHttpContext(this Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; } - } } namespace Extensions @@ -44,7 +39,6 @@ public static partial class SignalRDependencyInjectionExtensions public static Microsoft.AspNetCore.SignalR.ISignalRServerBuilder AddSignalR(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.AspNetCore.SignalR.ISignalRServerBuilder AddSignalR(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.StaticFiles.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.StaticFiles.cs index 6e68ef66b368..8abfa95de4e2 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.StaticFiles.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.StaticFiles.cs @@ -1,84 +1,74 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.StaticFiles, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class DefaultFilesExtensions + public static partial class DefaultFilesExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDefaultFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDefaultFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.DefaultFilesOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDefaultFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string requestPath) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDefaultFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.DefaultFilesOptions options) => throw null; } - public class DefaultFilesOptions : Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptionsBase { - public System.Collections.Generic.IList DefaultFileNames { get => throw null; set => throw null; } public DefaultFilesOptions() : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; public DefaultFilesOptions(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions sharedOptions) : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; + public System.Collections.Generic.IList DefaultFileNames { get => throw null; set { } } } - - public static class DirectoryBrowserExtensions + public static partial class DirectoryBrowserExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDirectoryBrowser(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDirectoryBrowser(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.DirectoryBrowserOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDirectoryBrowser(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string requestPath) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseDirectoryBrowser(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.DirectoryBrowserOptions options) => throw null; } - public class DirectoryBrowserOptions : Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptionsBase { public DirectoryBrowserOptions() : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; public DirectoryBrowserOptions(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions sharedOptions) : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; - public Microsoft.AspNetCore.StaticFiles.IDirectoryFormatter Formatter { get => throw null; set => throw null; } + public Microsoft.AspNetCore.StaticFiles.IDirectoryFormatter Formatter { get => throw null; set { } } } - - public static class FileServerExtensions + public static partial class FileServerExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseFileServer(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseFileServer(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.FileServerOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseFileServer(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, bool enableDirectoryBrowsing) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseFileServer(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string requestPath) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseFileServer(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.FileServerOptions options) => throw null; } - public class FileServerOptions : Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptionsBase { + public FileServerOptions() : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; public Microsoft.AspNetCore.Builder.DefaultFilesOptions DefaultFilesOptions { get => throw null; } public Microsoft.AspNetCore.Builder.DirectoryBrowserOptions DirectoryBrowserOptions { get => throw null; } - public bool EnableDefaultFiles { get => throw null; set => throw null; } - public bool EnableDirectoryBrowsing { get => throw null; set => throw null; } - public FileServerOptions() : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; + public bool EnableDefaultFiles { get => throw null; set { } } + public bool EnableDirectoryBrowsing { get => throw null; set { } } public Microsoft.AspNetCore.Builder.StaticFileOptions StaticFileOptions { get => throw null; } } - - public static class StaticFileExtensions + public static partial class StaticFileExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStaticFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; - public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStaticFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.StaticFileOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStaticFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, string requestPath) => throw null; + public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseStaticFiles(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.StaticFileOptions options) => throw null; } - public class StaticFileOptions : Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptionsBase { - public Microsoft.AspNetCore.StaticFiles.IContentTypeProvider ContentTypeProvider { get => throw null; set => throw null; } - public string DefaultContentType { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.Features.HttpsCompressionMode HttpsCompression { get => throw null; set => throw null; } - public System.Action OnPrepareResponse { get => throw null; set => throw null; } - public bool ServeUnknownFileTypes { get => throw null; set => throw null; } + public Microsoft.AspNetCore.StaticFiles.IContentTypeProvider ContentTypeProvider { get => throw null; set { } } public StaticFileOptions() : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; public StaticFileOptions(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions sharedOptions) : base(default(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions)) => throw null; + public string DefaultContentType { get => throw null; set { } } + public Microsoft.AspNetCore.Http.Features.HttpsCompressionMode HttpsCompression { get => throw null; set { } } + public System.Action OnPrepareResponse { get => throw null; set { } } + public bool ServeUnknownFileTypes { get => throw null; set { } } } - - public static class StaticFilesEndpointRouteBuilderExtensions + public static partial class StaticFilesEndpointRouteBuilderExtensions { public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToFile(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string filePath) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToFile(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string filePath, Microsoft.AspNetCore.Builder.StaticFileOptions options) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToFile(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, string filePath) => throw null; public static Microsoft.AspNetCore.Builder.IEndpointConventionBuilder MapFallbackToFile(this Microsoft.AspNetCore.Routing.IEndpointRouteBuilder endpoints, string pattern, string filePath, Microsoft.AspNetCore.Builder.StaticFileOptions options) => throw null; } - } namespace StaticFiles { @@ -87,14 +77,12 @@ public class DefaultFilesMiddleware public DefaultFilesMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class DirectoryBrowserMiddleware { - public DirectoryBrowserMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, System.Text.Encodings.Web.HtmlEncoder encoder, Microsoft.Extensions.Options.IOptions options) => throw null; public DirectoryBrowserMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, Microsoft.Extensions.Options.IOptions options) => throw null; + public DirectoryBrowserMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, System.Text.Encodings.Web.HtmlEncoder encoder, Microsoft.Extensions.Options.IOptions options) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class FileExtensionContentTypeProvider : Microsoft.AspNetCore.StaticFiles.IContentTypeProvider { public FileExtensionContentTypeProvider() => throw null; @@ -102,55 +90,47 @@ public class FileExtensionContentTypeProvider : Microsoft.AspNetCore.StaticFiles public System.Collections.Generic.IDictionary Mappings { get => throw null; } public bool TryGetContentType(string subpath, out string contentType) => throw null; } - public class HtmlDirectoryFormatter : Microsoft.AspNetCore.StaticFiles.IDirectoryFormatter { - public virtual System.Threading.Tasks.Task GenerateContentAsync(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IEnumerable contents) => throw null; public HtmlDirectoryFormatter(System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; + public virtual System.Threading.Tasks.Task GenerateContentAsync(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IEnumerable contents) => throw null; } - public interface IContentTypeProvider { bool TryGetContentType(string subpath, out string contentType); } - public interface IDirectoryFormatter { System.Threading.Tasks.Task GenerateContentAsync(Microsoft.AspNetCore.Http.HttpContext context, System.Collections.Generic.IEnumerable contents); } - - public class StaticFileMiddleware - { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; - public StaticFileMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; - } - - public class StaticFileResponseContext - { - public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } - public Microsoft.Extensions.FileProviders.IFileInfo File { get => throw null; } - public StaticFileResponseContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.Extensions.FileProviders.IFileInfo file) => throw null; - } - namespace Infrastructure { public class SharedOptions { - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public bool RedirectToAppendTrailingSlash { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString RequestPath { get => throw null; set => throw null; } public SharedOptions() => throw null; + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } + public bool RedirectToAppendTrailingSlash { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString RequestPath { get => throw null; set { } } } - public abstract class SharedOptionsBase { - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public bool RedirectToAppendTrailingSlash { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Http.PathString RequestPath { get => throw null; set => throw null; } - protected Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions SharedOptions { get => throw null; } protected SharedOptionsBase(Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions sharedOptions) => throw null; + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } + public bool RedirectToAppendTrailingSlash { get => throw null; set { } } + public Microsoft.AspNetCore.Http.PathString RequestPath { get => throw null; set { } } + protected Microsoft.AspNetCore.StaticFiles.Infrastructure.SharedOptions SharedOptions { get => throw null; } } - + } + public class StaticFileMiddleware + { + public StaticFileMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnv, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; + } + public class StaticFileResponseContext + { + public Microsoft.AspNetCore.Http.HttpContext Context { get => throw null; } + public StaticFileResponseContext(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.Extensions.FileProviders.IFileInfo file) => throw null; + public Microsoft.Extensions.FileProviders.IFileInfo File { get => throw null; } } } } @@ -158,11 +138,10 @@ namespace Extensions { namespace DependencyInjection { - public static class DirectoryBrowserServiceExtensions + public static partial class DirectoryBrowserServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddDirectoryBrowser(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebSockets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebSockets.cs index 72f1e6ca3ca8..607b765eaf07 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebSockets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebSockets.cs @@ -1,48 +1,42 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.WebSockets, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { namespace Builder { - public static class WebSocketMiddlewareExtensions + public static partial class WebSocketMiddlewareExtensions { public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWebSockets(this Microsoft.AspNetCore.Builder.IApplicationBuilder app) => throw null; public static Microsoft.AspNetCore.Builder.IApplicationBuilder UseWebSockets(this Microsoft.AspNetCore.Builder.IApplicationBuilder app, Microsoft.AspNetCore.Builder.WebSocketOptions options) => throw null; } - public class WebSocketOptions { public System.Collections.Generic.IList AllowedOrigins { get => throw null; } - public System.TimeSpan KeepAliveInterval { get => throw null; set => throw null; } - public int ReceiveBufferSize { get => throw null; set => throw null; } public WebSocketOptions() => throw null; + public System.TimeSpan KeepAliveInterval { get => throw null; set { } } + public int ReceiveBufferSize { get => throw null; set { } } } - } namespace WebSockets { public class ExtendedWebSocketAcceptContext : Microsoft.AspNetCore.Http.WebSocketAcceptContext { public ExtendedWebSocketAcceptContext() => throw null; - public System.TimeSpan? KeepAliveInterval { get => throw null; set => throw null; } - public int? ReceiveBufferSize { get => throw null; set => throw null; } - public override string SubProtocol { get => throw null; set => throw null; } + public System.TimeSpan? KeepAliveInterval { get => throw null; set { } } + public int? ReceiveBufferSize { get => throw null; set { } } + public override string SubProtocol { get => throw null; set { } } } - public class WebSocketMiddleware { - public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; public WebSocketMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - - public static class WebSocketsDependencyInjectionExtensions + public static partial class WebSocketsDependencyInjectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddWebSockets(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs index 8ffc0cbc62e8..65605e9e4d92 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore.WebUtilities, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,19 +8,18 @@ namespace WebUtilities { public static class Base64UrlTextEncoder { - public static System.Byte[] Decode(string text) => throw null; - public static string Encode(System.Byte[] data) => throw null; + public static byte[] Decode(string text) => throw null; + public static string Encode(byte[] data) => throw null; } - public class BufferedReadStream : System.IO.Stream { - public System.ArraySegment BufferedData { get => throw null; } - public BufferedReadStream(System.IO.Stream inner, int bufferSize) => throw null; - public BufferedReadStream(System.IO.Stream inner, int bufferSize, System.Buffers.ArrayPool bytePool) => throw null; + public System.ArraySegment BufferedData { get => throw null; } public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanTimeout { get => throw null; } public override bool CanWrite { get => throw null; } + public BufferedReadStream(System.IO.Stream inner, int bufferSize) => throw null; + public BufferedReadStream(System.IO.Stream inner, int bufferSize, System.Buffers.ArrayPool bytePool) => throw null; protected override void Dispose(bool disposing) => throw null; public bool EnsureBuffered() => throw null; public bool EnsureBuffered(int minCount) => throw null; @@ -29,75 +27,72 @@ public class BufferedReadStream : System.IO.Stream public System.Threading.Tasks.Task EnsureBufferedAsync(int minCount, System.Threading.CancellationToken cancellationToken) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override long Length { get => throw null; } + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; public string ReadLine(int lengthLimit) => throw null; public System.Threading.Tasks.Task ReadLineAsync(int lengthLimit, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; } - public class FileBufferingReadStream : System.IO.Stream { public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } public override System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, int bufferSize, System.Threading.CancellationToken cancellationToken) => throw null; + public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold) => throw null; + public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, long? bufferLimit, System.Func tempFileDirectoryAccessor) => throw null; + public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, long? bufferLimit, System.Func tempFileDirectoryAccessor, System.Buffers.ArrayPool bytePool) => throw null; + public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, long? bufferLimit, string tempFileDirectory) => throw null; + public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, long? bufferLimit, string tempFileDirectory, System.Buffers.ArrayPool bytePool) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold) => throw null; - public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, System.Int64? bufferLimit, System.Func tempFileDirectoryAccessor) => throw null; - public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, System.Int64? bufferLimit, System.Func tempFileDirectoryAccessor, System.Buffers.ArrayPool bytePool) => throw null; - public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, System.Int64? bufferLimit, string tempFileDirectory) => throw null; - public FileBufferingReadStream(System.IO.Stream inner, int memoryThreshold, System.Int64? bufferLimit, string tempFileDirectory, System.Buffers.ArrayPool bytePool) => throw null; public override void Flush() => throw null; public bool InMemory { get => throw null; } - public override System.Int64 Length { get => throw null; } + public override long Length { get => throw null; } public int MemoryThreshold { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; + public override long Position { get => throw null; set { } } + public override int Read(System.Span buffer) => throw null; + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; public string TempFileName { get => throw null; } - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; } - - public class FileBufferingWriteStream : System.IO.Stream + public sealed class FileBufferingWriteStream : System.IO.Stream { public override bool CanRead { get => throw null; } public override bool CanSeek { get => throw null; } public override bool CanWrite { get => throw null; } + public FileBufferingWriteStream(int memoryThreshold = default(int), long? bufferLimit = default(long?), System.Func tempFileDirectoryAccessor = default(System.Func)) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - public System.Threading.Tasks.Task DrainBufferAsync(System.IO.Pipelines.PipeWriter destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task DrainBufferAsync(System.IO.Stream destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public FileBufferingWriteStream(int memoryThreshold = default(int), System.Int64? bufferLimit = default(System.Int64?), System.Func tempFileDirectoryAccessor = default(System.Func)) => throw null; + public System.Threading.Tasks.Task DrainBufferAsync(System.IO.Pipelines.PipeWriter destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Length { get => throw null; } + public override long Length { get => throw null; } public int MemoryThreshold { get => throw null; } - public override System.Int64 Position { get => throw null; set => throw null; } - public override int Read(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 Seek(System.Int64 offset, System.IO.SeekOrigin origin) => throw null; - public override void SetLength(System.Int64 value) => throw null; - public override void Write(System.Byte[] buffer, int offset, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override long Position { get => throw null; set { } } + public override int Read(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task ReadAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken) => throw null; + public override long Seek(long offset, System.IO.SeekOrigin origin) => throw null; + public override void SetLength(long value) => throw null; + public override void Write(byte[] buffer, int offset, int count) => throw null; + public override System.Threading.Tasks.Task WriteAsync(byte[] buffer, int offset, int count, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class FileMultipartSection { public FileMultipartSection(Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; @@ -107,7 +102,6 @@ public class FileMultipartSection public string Name { get => throw null; } public Microsoft.AspNetCore.WebUtilities.MultipartSection Section { get => throw null; } } - public class FormMultipartSection { public FormMultipartSection(Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; @@ -117,185 +111,162 @@ public class FormMultipartSection public string Name { get => throw null; } public Microsoft.AspNetCore.WebUtilities.MultipartSection Section { get => throw null; } } - public class FormPipeReader { public FormPipeReader(System.IO.Pipelines.PipeReader pipeReader) => throw null; public FormPipeReader(System.IO.Pipelines.PipeReader pipeReader, System.Text.Encoding encoding) => throw null; - public int KeyLengthLimit { get => throw null; set => throw null; } + public int KeyLengthLimit { get => throw null; set { } } public System.Threading.Tasks.Task> ReadFormAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public int ValueCountLimit { get => throw null; set => throw null; } - public int ValueLengthLimit { get => throw null; set => throw null; } + public int ValueCountLimit { get => throw null; set { } } + public int ValueLengthLimit { get => throw null; set { } } } - public class FormReader : System.IDisposable { - public const int DefaultKeyLengthLimit = default; - public const int DefaultValueCountLimit = default; - public const int DefaultValueLengthLimit = default; - public void Dispose() => throw null; + public FormReader(string data) => throw null; + public FormReader(string data, System.Buffers.ArrayPool charPool) => throw null; public FormReader(System.IO.Stream stream) => throw null; public FormReader(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; - public FormReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Buffers.ArrayPool charPool) => throw null; - public FormReader(string data) => throw null; - public FormReader(string data, System.Buffers.ArrayPool charPool) => throw null; - public int KeyLengthLimit { get => throw null; set => throw null; } + public FormReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Buffers.ArrayPool charPool) => throw null; + public static int DefaultKeyLengthLimit; + public static int DefaultValueCountLimit; + public static int DefaultValueLengthLimit; + public void Dispose() => throw null; + public int KeyLengthLimit { get => throw null; set { } } public System.Collections.Generic.Dictionary ReadForm() => throw null; public System.Threading.Tasks.Task> ReadFormAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Collections.Generic.KeyValuePair? ReadNextPair() => throw null; public System.Threading.Tasks.Task?> ReadNextPairAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public int ValueCountLimit { get => throw null; set => throw null; } - public int ValueLengthLimit { get => throw null; set => throw null; } + public int ValueCountLimit { get => throw null; set { } } + public int ValueLengthLimit { get => throw null; set { } } } - public class HttpRequestStreamReader : System.IO.TextReader { - protected override void Dispose(bool disposing) => throw null; public HttpRequestStreamReader(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; public HttpRequestStreamReader(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize) => throw null; - public HttpRequestStreamReader(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize, System.Buffers.ArrayPool bytePool, System.Buffers.ArrayPool charPool) => throw null; + public HttpRequestStreamReader(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize, System.Buffers.ArrayPool bytePool, System.Buffers.ArrayPool charPool) => throw null; + protected override void Dispose(bool disposing) => throw null; public override int Peek() => throw null; public override int Read() => throw null; - public override int Read(System.Char[] buffer, int index, int count) => throw null; - public override int Read(System.Span buffer) => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Char[] buffer, int index, int count) => throw null; - public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int Read(char[] buffer, int index, int count) => throw null; + public override int Read(System.Span buffer) => throw null; + public override System.Threading.Tasks.Task ReadAsync(char[] buffer, int index, int count) => throw null; + public override System.Threading.Tasks.ValueTask ReadAsync(System.Memory buffer, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public override string ReadLine() => throw null; public override System.Threading.Tasks.Task ReadLineAsync() => throw null; public override System.Threading.Tasks.Task ReadToEndAsync() => throw null; } - public class HttpResponseStreamWriter : System.IO.TextWriter { + public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; + public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize) => throw null; + public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize, System.Buffers.ArrayPool bytePool, System.Buffers.ArrayPool charPool) => throw null; protected override void Dispose(bool disposing) => throw null; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override System.Text.Encoding Encoding { get => throw null; } public override void Flush() => throw null; public override System.Threading.Tasks.Task FlushAsync() => throw null; - public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; - public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize) => throw null; - public HttpResponseStreamWriter(System.IO.Stream stream, System.Text.Encoding encoding, int bufferSize, System.Buffers.ArrayPool bytePool, System.Buffers.ArrayPool charPool) => throw null; - public override void Write(System.Char[] values, int index, int count) => throw null; - public override void Write(System.ReadOnlySpan value) => throw null; - public override void Write(System.Char value) => throw null; + public override void Write(char value) => throw null; + public override void Write(char[] values, int index, int count) => throw null; + public override void Write(System.ReadOnlySpan value) => throw null; public override void Write(string value) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char[] values, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteAsync(System.Char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(char[] values, int index, int count) => throw null; public override System.Threading.Tasks.Task WriteAsync(string value) => throw null; - public override void WriteLine(System.ReadOnlySpan value) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char[] values, int index, int count) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task WriteLineAsync(System.Char value) => throw null; + public override System.Threading.Tasks.Task WriteAsync(System.ReadOnlyMemory value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void WriteLine(System.ReadOnlySpan value) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(System.ReadOnlyMemory value, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char[] values, int index, int count) => throw null; + public override System.Threading.Tasks.Task WriteLineAsync(char value) => throw null; public override System.Threading.Tasks.Task WriteLineAsync(string value) => throw null; } - public struct KeyValueAccumulator { public void Append(string key, string value) => throw null; public System.Collections.Generic.Dictionary GetResults() => throw null; public bool HasValues { get => throw null; } public int KeyCount { get => throw null; } - // Stub generator skipped constructor public int ValueCount { get => throw null; } } - public class MultipartReader { - public System.Int64? BodyLengthLimit { get => throw null; set => throw null; } - public const int DefaultHeadersCountLimit = default; - public const int DefaultHeadersLengthLimit = default; - public int HeadersCountLimit { get => throw null; set => throw null; } - public int HeadersLengthLimit { get => throw null; set => throw null; } + public long? BodyLengthLimit { get => throw null; set { } } public MultipartReader(string boundary, System.IO.Stream stream) => throw null; public MultipartReader(string boundary, System.IO.Stream stream, int bufferSize) => throw null; + public static int DefaultHeadersCountLimit; + public static int DefaultHeadersLengthLimit; + public int HeadersCountLimit { get => throw null; set { } } + public int HeadersLengthLimit { get => throw null; set { } } public System.Threading.Tasks.Task ReadNextSectionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class MultipartSection { - public System.Int64? BaseStreamOffset { get => throw null; set => throw null; } - public System.IO.Stream Body { get => throw null; set => throw null; } + public long? BaseStreamOffset { get => throw null; set { } } + public System.IO.Stream Body { get => throw null; set { } } public string ContentDisposition { get => throw null; } public string ContentType { get => throw null; } - public System.Collections.Generic.Dictionary Headers { get => throw null; set => throw null; } public MultipartSection() => throw null; + public System.Collections.Generic.Dictionary Headers { get => throw null; set { } } } - - public static class MultipartSectionConverterExtensions + public static partial class MultipartSectionConverterExtensions { public static Microsoft.AspNetCore.WebUtilities.FileMultipartSection AsFileSection(this Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; public static Microsoft.AspNetCore.WebUtilities.FormMultipartSection AsFormDataSection(this Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; public static Microsoft.Net.Http.Headers.ContentDispositionHeaderValue GetContentDispositionHeader(this Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; } - - public static class MultipartSectionStreamExtensions + public static partial class MultipartSectionStreamExtensions { public static System.Threading.Tasks.Task ReadAsStringAsync(this Microsoft.AspNetCore.WebUtilities.MultipartSection section) => throw null; public static System.Threading.Tasks.ValueTask ReadAsStringAsync(this Microsoft.AspNetCore.WebUtilities.MultipartSection section, System.Threading.CancellationToken cancellationToken) => throw null; } - public static class QueryHelpers { + public static string AddQueryString(string uri, string name, string value) => throw null; public static string AddQueryString(string uri, System.Collections.Generic.IDictionary queryString) => throw null; public static string AddQueryString(string uri, System.Collections.Generic.IEnumerable> queryString) => throw null; public static string AddQueryString(string uri, System.Collections.Generic.IEnumerable> queryString) => throw null; - public static string AddQueryString(string uri, string name, string value) => throw null; public static System.Collections.Generic.Dictionary ParseNullableQuery(string queryString) => throw null; public static System.Collections.Generic.Dictionary ParseQuery(string queryString) => throw null; } - public struct QueryStringEnumerable { + public QueryStringEnumerable(string queryString) => throw null; + public QueryStringEnumerable(System.ReadOnlyMemory queryString) => throw null; public struct EncodedNameValuePair { - public System.ReadOnlyMemory DecodeName() => throw null; - public System.ReadOnlyMemory DecodeValue() => throw null; - public System.ReadOnlyMemory EncodedName { get => throw null; } - // Stub generator skipped constructor - public System.ReadOnlyMemory EncodedValue { get => throw null; } + public System.ReadOnlyMemory DecodeName() => throw null; + public System.ReadOnlyMemory DecodeValue() => throw null; + public System.ReadOnlyMemory EncodedName { get => throw null; } + public System.ReadOnlyMemory EncodedValue { get => throw null; } } - - public struct Enumerator { public Microsoft.AspNetCore.WebUtilities.QueryStringEnumerable.EncodedNameValuePair Current { get => throw null; } - // Stub generator skipped constructor public bool MoveNext() => throw null; } - - public Microsoft.AspNetCore.WebUtilities.QueryStringEnumerable.Enumerator GetEnumerator() => throw null; - // Stub generator skipped constructor - public QueryStringEnumerable(System.ReadOnlyMemory queryString) => throw null; - public QueryStringEnumerable(string queryString) => throw null; } - public static class ReasonPhrases { public static string GetReasonPhrase(int statusCode) => throw null; } - - public static class StreamHelperExtensions + public static partial class StreamHelperExtensions { - public static System.Threading.Tasks.Task DrainAsync(this System.IO.Stream stream, System.Buffers.ArrayPool bytePool, System.Int64? limit, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task DrainAsync(this System.IO.Stream stream, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task DrainAsync(this System.IO.Stream stream, System.Int64? limit, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task DrainAsync(this System.IO.Stream stream, long? limit, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task DrainAsync(this System.IO.Stream stream, System.Buffers.ArrayPool bytePool, long? limit, System.Threading.CancellationToken cancellationToken) => throw null; } - public static class WebEncoders { - public static System.Byte[] Base64UrlDecode(string input) => throw null; - public static System.Byte[] Base64UrlDecode(string input, int offset, System.Char[] buffer, int bufferOffset, int count) => throw null; - public static System.Byte[] Base64UrlDecode(string input, int offset, int count) => throw null; - public static string Base64UrlEncode(System.Byte[] input) => throw null; - public static int Base64UrlEncode(System.Byte[] input, int offset, System.Char[] output, int outputOffset, int count) => throw null; - public static string Base64UrlEncode(System.Byte[] input, int offset, int count) => throw null; - public static string Base64UrlEncode(System.ReadOnlySpan input) => throw null; + public static byte[] Base64UrlDecode(string input) => throw null; + public static byte[] Base64UrlDecode(string input, int offset, int count) => throw null; + public static byte[] Base64UrlDecode(string input, int offset, char[] buffer, int bufferOffset, int count) => throw null; + public static string Base64UrlEncode(byte[] input) => throw null; + public static string Base64UrlEncode(byte[] input, int offset, int count) => throw null; + public static int Base64UrlEncode(byte[] input, int offset, char[] output, int outputOffset, int count) => throw null; + public static string Base64UrlEncode(System.ReadOnlySpan input) => throw null; public static int GetArraySizeRequiredToDecode(int count) => throw null; public static int GetArraySizeRequiredToEncode(int count) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs index be27bb030ef2..07b15f99f01a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs @@ -1,26 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.AspNetCore, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore { - public static class WebHost - { - public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder() => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder(string[] args) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder(string[] args) where TStartup : class => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost Start(System.Action routeBuilder) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost Start(Microsoft.AspNetCore.Http.RequestDelegate app) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost Start(string url, System.Action routeBuilder) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost Start(string url, Microsoft.AspNetCore.Http.RequestDelegate app) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost StartWith(System.Action app) => throw null; - public static Microsoft.AspNetCore.Hosting.IWebHost StartWith(string url, System.Action app) => throw null; - } - namespace Builder { - public class ConfigureHostBuilder : Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsConfigureWebHost, Microsoft.Extensions.Hosting.IHostBuilder + public sealed class ConfigureHostBuilder : Microsoft.Extensions.Hosting.IHostBuilder, Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsConfigureWebHost { Microsoft.Extensions.Hosting.IHost Microsoft.Extensions.Hosting.IHostBuilder.Build() => throw null; public Microsoft.Extensions.Hosting.IHostBuilder ConfigureAppConfiguration(System.Action configureDelegate) => throw null; @@ -29,27 +15,25 @@ public class ConfigureHostBuilder : Microsoft.AspNetCore.Hosting.Infrastructure. public Microsoft.Extensions.Hosting.IHostBuilder ConfigureServices(System.Action configureDelegate) => throw null; Microsoft.Extensions.Hosting.IHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsConfigureWebHost.ConfigureWebHost(System.Action configure, System.Action configureOptions) => throw null; public System.Collections.Generic.IDictionary Properties { get => throw null; } - public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory) => throw null; public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory) => throw null; + public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory) => throw null; } - - public class ConfigureWebHostBuilder : Microsoft.AspNetCore.Hosting.IWebHostBuilder, Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup + public sealed class ConfigureWebHostBuilder : Microsoft.AspNetCore.Hosting.IWebHostBuilder, Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup { Microsoft.AspNetCore.Hosting.IWebHost Microsoft.AspNetCore.Hosting.IWebHostBuilder.Build() => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.Configure(System.Action configure) => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.Configure(System.Action configure) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureAppConfiguration(System.Action configureDelegate) => throw null; - public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureServices(System.Action configureServices) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureServices(System.Action configureServices) => throw null; + public Microsoft.AspNetCore.Hosting.IWebHostBuilder ConfigureServices(System.Action configureServices) => throw null; public string GetSetting(string key) => throw null; public Microsoft.AspNetCore.Hosting.IWebHostBuilder UseSetting(string key, string value) => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.UseStartup(System.Type startupType) => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.UseStartup(System.Func startupFactory) => throw null; } - - public class WebApplication : Microsoft.AspNetCore.Builder.IApplicationBuilder, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, Microsoft.Extensions.Hosting.IHost, System.IAsyncDisposable, System.IDisposable + public sealed class WebApplication : Microsoft.Extensions.Hosting.IHost, System.IDisposable, Microsoft.AspNetCore.Builder.IApplicationBuilder, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, System.IAsyncDisposable { - System.IServiceProvider Microsoft.AspNetCore.Builder.IApplicationBuilder.ApplicationServices { get => throw null; set => throw null; } + System.IServiceProvider Microsoft.AspNetCore.Builder.IApplicationBuilder.ApplicationServices { get => throw null; set { } } Microsoft.AspNetCore.Http.RequestDelegate Microsoft.AspNetCore.Builder.IApplicationBuilder.Build() => throw null; public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; } public static Microsoft.AspNetCore.Builder.WebApplication Create(string[] args = default(string[])) => throw null; @@ -75,8 +59,7 @@ public class WebApplication : Microsoft.AspNetCore.Builder.IApplicationBuilder, public System.Collections.Generic.ICollection Urls { get => throw null; } public Microsoft.AspNetCore.Builder.IApplicationBuilder Use(System.Func middleware) => throw null; } - - public class WebApplicationBuilder + public sealed class WebApplicationBuilder { public Microsoft.AspNetCore.Builder.WebApplication Build() => throw null; public Microsoft.Extensions.Configuration.ConfigurationManager Configuration { get => throw null; } @@ -86,29 +69,38 @@ public class WebApplicationBuilder public Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } public Microsoft.AspNetCore.Builder.ConfigureWebHostBuilder WebHost { get => throw null; } } - public class WebApplicationOptions { - public string ApplicationName { get => throw null; set => throw null; } - public string[] Args { get => throw null; set => throw null; } - public string ContentRootPath { get => throw null; set => throw null; } - public string EnvironmentName { get => throw null; set => throw null; } + public string ApplicationName { get => throw null; set { } } + public string[] Args { get => throw null; set { } } + public string ContentRootPath { get => throw null; set { } } public WebApplicationOptions() => throw null; - public string WebRootPath { get => throw null; set => throw null; } + public string EnvironmentName { get => throw null; set { } } + public string WebRootPath { get => throw null; set { } } } - + } + public static class WebHost + { + public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder() => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder(string[] args) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHostBuilder CreateDefaultBuilder(string[] args) where TStartup : class => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost Start(Microsoft.AspNetCore.Http.RequestDelegate app) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost Start(string url, Microsoft.AspNetCore.Http.RequestDelegate app) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost Start(System.Action routeBuilder) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost Start(string url, System.Action routeBuilder) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost StartWith(System.Action app) => throw null; + public static Microsoft.AspNetCore.Hosting.IWebHost StartWith(string url, System.Action app) => throw null; } } namespace Extensions { namespace Hosting { - public static class GenericHostBuilderExtensions + public static partial class GenericHostBuilderExtensions { public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHostDefaults(this Microsoft.Extensions.Hosting.IHostBuilder builder, System.Action configure) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureWebHostDefaults(this Microsoft.Extensions.Hosting.IHostBuilder builder, System.Action configure, System.Action configureOptions) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Abstractions.cs index 0dd4639daa73..6cc1ad40b97a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Caching.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -9,49 +8,45 @@ namespace Caching { namespace Distributed { - public static class DistributedCacheEntryExtensions + public static partial class DistributedCacheEntryExtensions { public static Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions SetAbsoluteExpiration(this Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.DateTimeOffset absolute) => throw null; public static Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions SetAbsoluteExpiration(this Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.TimeSpan relative) => throw null; public static Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions SetSlidingExpiration(this Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.TimeSpan offset) => throw null; } - public class DistributedCacheEntryOptions { - public System.DateTimeOffset? AbsoluteExpiration { get => throw null; set => throw null; } - public System.TimeSpan? AbsoluteExpirationRelativeToNow { get => throw null; set => throw null; } + public System.DateTimeOffset? AbsoluteExpiration { get => throw null; set { } } + public System.TimeSpan? AbsoluteExpirationRelativeToNow { get => throw null; set { } } public DistributedCacheEntryOptions() => throw null; - public System.TimeSpan? SlidingExpiration { get => throw null; set => throw null; } + public System.TimeSpan? SlidingExpiration { get => throw null; set { } } } - - public static class DistributedCacheExtensions + public static partial class DistributedCacheExtensions { public static string GetString(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key) => throw null; public static System.Threading.Tasks.Task GetStringAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; - public static void Set(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, System.Byte[] value) => throw null; - public static System.Threading.Tasks.Task SetAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, System.Byte[] value, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; + public static void Set(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, byte[] value) => throw null; + public static System.Threading.Tasks.Task SetAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, byte[] value, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; public static void SetString(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, string value) => throw null; public static void SetString(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, string value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; - public static System.Threading.Tasks.Task SetStringAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, string value, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.Task SetStringAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, string value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SetStringAsync(this Microsoft.Extensions.Caching.Distributed.IDistributedCache cache, string key, string value, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; } - public interface IDistributedCache { - System.Byte[] Get(string key); - System.Threading.Tasks.Task GetAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); + byte[] Get(string key); + System.Threading.Tasks.Task GetAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); void Refresh(string key); System.Threading.Tasks.Task RefreshAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); void Remove(string key); System.Threading.Tasks.Task RemoveAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); - void Set(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); - System.Threading.Tasks.Task SetAsync(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); + void Set(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options); + System.Threading.Tasks.Task SetAsync(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)); } - } namespace Memory { - public static class CacheEntryExtensions + public static partial class CacheEntryExtensions { public static Microsoft.Extensions.Caching.Memory.ICacheEntry AddExpirationToken(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, Microsoft.Extensions.Primitives.IChangeToken expirationToken) => throw null; public static Microsoft.Extensions.Caching.Memory.ICacheEntry RegisterPostEvictionCallback(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, Microsoft.Extensions.Caching.Memory.PostEvictionDelegate callback) => throw null; @@ -60,43 +55,39 @@ public static class CacheEntryExtensions public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetAbsoluteExpiration(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, System.TimeSpan relative) => throw null; public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetOptions(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options) => throw null; public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetPriority(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, Microsoft.Extensions.Caching.Memory.CacheItemPriority priority) => throw null; - public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetSize(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, System.Int64 size) => throw null; + public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetSize(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, long size) => throw null; public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetSlidingExpiration(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, System.TimeSpan offset) => throw null; public static Microsoft.Extensions.Caching.Memory.ICacheEntry SetValue(this Microsoft.Extensions.Caching.Memory.ICacheEntry entry, object value) => throw null; } - - public static class CacheExtensions + public static partial class CacheExtensions { public static object Get(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key) => throw null; public static TItem Get(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key) => throw null; public static TItem GetOrCreate(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, System.Func factory) => throw null; public static System.Threading.Tasks.Task GetOrCreateAsync(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, System.Func> factory) => throw null; public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value) => throw null; - public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, System.DateTimeOffset absoluteExpiration) => throw null; - public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, Microsoft.Extensions.Primitives.IChangeToken expirationToken) => throw null; public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options) => throw null; + public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, Microsoft.Extensions.Primitives.IChangeToken expirationToken) => throw null; + public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, System.DateTimeOffset absoluteExpiration) => throw null; public static TItem Set(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, TItem value, System.TimeSpan absoluteExpirationRelativeToNow) => throw null; public static bool TryGetValue(this Microsoft.Extensions.Caching.Memory.IMemoryCache cache, object key, out TItem value) => throw null; } - - public enum CacheItemPriority : int + public enum CacheItemPriority { - High = 2, Low = 0, - NeverRemove = 3, Normal = 1, + High = 2, + NeverRemove = 3, } - - public enum EvictionReason : int + public enum EvictionReason { - Capacity = 5, - Expired = 3, None = 0, Removed = 1, Replaced = 2, + Expired = 3, TokenExpired = 4, + Capacity = 5, } - public interface ICacheEntry : System.IDisposable { System.DateTimeOffset? AbsoluteExpiration { get; set; } @@ -105,20 +96,18 @@ public interface ICacheEntry : System.IDisposable object Key { get; } System.Collections.Generic.IList PostEvictionCallbacks { get; } Microsoft.Extensions.Caching.Memory.CacheItemPriority Priority { get; set; } - System.Int64? Size { get; set; } + long? Size { get; set; } System.TimeSpan? SlidingExpiration { get; set; } object Value { get; set; } } - public interface IMemoryCache : System.IDisposable { Microsoft.Extensions.Caching.Memory.ICacheEntry CreateEntry(object key); - Microsoft.Extensions.Caching.Memory.MemoryCacheStatistics GetCurrentStatistics() => throw null; + virtual Microsoft.Extensions.Caching.Memory.MemoryCacheStatistics GetCurrentStatistics() => throw null; void Remove(object key); bool TryGetValue(object key, out object value); } - - public static class MemoryCacheEntryExtensions + public static partial class MemoryCacheEntryExtensions { public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions AddExpirationToken(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, Microsoft.Extensions.Primitives.IChangeToken expirationToken) => throw null; public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions RegisterPostEvictionCallback(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, Microsoft.Extensions.Caching.Memory.PostEvictionDelegate callback) => throw null; @@ -126,40 +115,35 @@ public static class MemoryCacheEntryExtensions public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetAbsoluteExpiration(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, System.DateTimeOffset absolute) => throw null; public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetAbsoluteExpiration(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, System.TimeSpan relative) => throw null; public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetPriority(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, Microsoft.Extensions.Caching.Memory.CacheItemPriority priority) => throw null; - public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetSize(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, System.Int64 size) => throw null; + public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetSize(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, long size) => throw null; public static Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions SetSlidingExpiration(this Microsoft.Extensions.Caching.Memory.MemoryCacheEntryOptions options, System.TimeSpan offset) => throw null; } - public class MemoryCacheEntryOptions { - public System.DateTimeOffset? AbsoluteExpiration { get => throw null; set => throw null; } - public System.TimeSpan? AbsoluteExpirationRelativeToNow { get => throw null; set => throw null; } - public System.Collections.Generic.IList ExpirationTokens { get => throw null; } + public System.DateTimeOffset? AbsoluteExpiration { get => throw null; set { } } + public System.TimeSpan? AbsoluteExpirationRelativeToNow { get => throw null; set { } } public MemoryCacheEntryOptions() => throw null; + public System.Collections.Generic.IList ExpirationTokens { get => throw null; } public System.Collections.Generic.IList PostEvictionCallbacks { get => throw null; } - public Microsoft.Extensions.Caching.Memory.CacheItemPriority Priority { get => throw null; set => throw null; } - public System.Int64? Size { get => throw null; set => throw null; } - public System.TimeSpan? SlidingExpiration { get => throw null; set => throw null; } + public Microsoft.Extensions.Caching.Memory.CacheItemPriority Priority { get => throw null; set { } } + public long? Size { get => throw null; set { } } + public System.TimeSpan? SlidingExpiration { get => throw null; set { } } } - public class MemoryCacheStatistics { - public System.Int64 CurrentEntryCount { get => throw null; set => throw null; } - public System.Int64? CurrentEstimatedSize { get => throw null; set => throw null; } public MemoryCacheStatistics() => throw null; - public System.Int64 TotalHits { get => throw null; set => throw null; } - public System.Int64 TotalMisses { get => throw null; set => throw null; } + public long CurrentEntryCount { get => throw null; set { } } + public long? CurrentEstimatedSize { get => throw null; set { } } + public long TotalHits { get => throw null; set { } } + public long TotalMisses { get => throw null; set { } } } - public class PostEvictionCallbackRegistration { - public Microsoft.Extensions.Caching.Memory.PostEvictionDelegate EvictionCallback { get => throw null; set => throw null; } public PostEvictionCallbackRegistration() => throw null; - public object State { get => throw null; set => throw null; } + public Microsoft.Extensions.Caching.Memory.PostEvictionDelegate EvictionCallback { get => throw null; set { } } + public object State { get => throw null; set { } } } - public delegate void PostEvictionDelegate(object key, object value, Microsoft.Extensions.Caching.Memory.EvictionReason reason, object state); - } } namespace Internal @@ -168,13 +152,11 @@ public interface ISystemClock { System.DateTimeOffset UtcNow { get; } } - public class SystemClock : Microsoft.Extensions.Internal.ISystemClock { public SystemClock() => throw null; public System.DateTimeOffset UtcNow { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs index c6e3f69b3c5b..3e39b4a2aaac 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Caching.Memory, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -11,18 +10,17 @@ namespace Distributed { public class MemoryDistributedCache : Microsoft.Extensions.Caching.Distributed.IDistributedCache { - public System.Byte[] Get(string key) => throw null; - public System.Threading.Tasks.Task GetAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; public MemoryDistributedCache(Microsoft.Extensions.Options.IOptions optionsAccessor) => throw null; public MemoryDistributedCache(Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; + public byte[] Get(string key) => throw null; + public System.Threading.Tasks.Task GetAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; public void Refresh(string key) => throw null; public System.Threading.Tasks.Task RefreshAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; public void Remove(string key) => throw null; public System.Threading.Tasks.Task RemoveAsync(string key, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; - public void Set(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; - public System.Threading.Tasks.Task SetAsync(string key, System.Byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; + public void Set(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options) => throw null; + public System.Threading.Tasks.Task SetAsync(string key, byte[] value, Microsoft.Extensions.Caching.Distributed.DistributedCacheEntryOptions options, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; } - } namespace Memory { @@ -32,45 +30,40 @@ public class MemoryCache : Microsoft.Extensions.Caching.Memory.IMemoryCache, Sys public void Compact(double percentage) => throw null; public int Count { get => throw null; } public Microsoft.Extensions.Caching.Memory.ICacheEntry CreateEntry(object key) => throw null; + public MemoryCache(Microsoft.Extensions.Options.IOptions optionsAccessor) => throw null; + public MemoryCache(Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public Microsoft.Extensions.Caching.Memory.MemoryCacheStatistics GetCurrentStatistics() => throw null; - public MemoryCache(Microsoft.Extensions.Options.IOptions optionsAccessor) => throw null; - public MemoryCache(Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public void Remove(object key) => throw null; public bool TryGetValue(object key, out object result) => throw null; - // ERR: Stub generator didn't handle member: ~MemoryCache } - public class MemoryCacheOptions : Microsoft.Extensions.Options.IOptions { - public Microsoft.Extensions.Internal.ISystemClock Clock { get => throw null; set => throw null; } - public double CompactionPercentage { get => throw null; set => throw null; } - public System.TimeSpan ExpirationScanFrequency { get => throw null; set => throw null; } + public Microsoft.Extensions.Internal.ISystemClock Clock { get => throw null; set { } } + public double CompactionPercentage { get => throw null; set { } } public MemoryCacheOptions() => throw null; - public System.Int64? SizeLimit { get => throw null; set => throw null; } - public bool TrackLinkedCacheEntries { get => throw null; set => throw null; } - public bool TrackStatistics { get => throw null; set => throw null; } + public System.TimeSpan ExpirationScanFrequency { get => throw null; set { } } + public long? SizeLimit { get => throw null; set { } } + public bool TrackLinkedCacheEntries { get => throw null; set { } } + public bool TrackStatistics { get => throw null; set { } } Microsoft.Extensions.Caching.Memory.MemoryCacheOptions Microsoft.Extensions.Options.IOptions.Value { get => throw null; } } - public class MemoryDistributedCacheOptions : Microsoft.Extensions.Caching.Memory.MemoryCacheOptions { public MemoryDistributedCacheOptions() => throw null; } - } } namespace DependencyInjection { - public static class MemoryCacheServiceCollectionExtensions + public static partial class MemoryCacheServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddDistributedMemoryCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddDistributedMemoryCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddMemoryCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddMemoryCache(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Abstractions.cs index 8018c018121d..fb8f560a5ebc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -9,15 +8,13 @@ namespace Configuration { public struct ConfigurationDebugViewContext { - // Stub generator skipped constructor - public ConfigurationDebugViewContext(string path, string key, string value, Microsoft.Extensions.Configuration.IConfigurationProvider configurationProvider) => throw null; public Microsoft.Extensions.Configuration.IConfigurationProvider ConfigurationProvider { get => throw null; } + public ConfigurationDebugViewContext(string path, string key, string value, Microsoft.Extensions.Configuration.IConfigurationProvider configurationProvider) => throw null; public string Key { get => throw null; } public string Path { get => throw null; } public string Value { get => throw null; } } - - public static class ConfigurationExtensions + public static partial class ConfigurationExtensions { public static Microsoft.Extensions.Configuration.IConfigurationBuilder Add(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) where TSource : Microsoft.Extensions.Configuration.IConfigurationSource, new() => throw null; public static System.Collections.Generic.IEnumerable> AsEnumerable(this Microsoft.Extensions.Configuration.IConfiguration configuration) => throw null; @@ -26,13 +23,11 @@ public static class ConfigurationExtensions public static string GetConnectionString(this Microsoft.Extensions.Configuration.IConfiguration configuration, string name) => throw null; public static Microsoft.Extensions.Configuration.IConfigurationSection GetRequiredSection(this Microsoft.Extensions.Configuration.IConfiguration configuration, string key) => throw null; } - - public class ConfigurationKeyNameAttribute : System.Attribute + public sealed class ConfigurationKeyNameAttribute : System.Attribute { public ConfigurationKeyNameAttribute(string name) => throw null; public string Name { get => throw null; } } - public static class ConfigurationPath { public static string Combine(System.Collections.Generic.IEnumerable pathSegments) => throw null; @@ -41,13 +36,11 @@ public static class ConfigurationPath public static string GetSectionKey(string path) => throw null; public static string KeyDelimiter; } - - public static class ConfigurationRootExtensions + public static partial class ConfigurationRootExtensions { public static string GetDebugView(this Microsoft.Extensions.Configuration.IConfigurationRoot root) => throw null; public static string GetDebugView(this Microsoft.Extensions.Configuration.IConfigurationRoot root, System.Func processValue) => throw null; } - public interface IConfiguration { System.Collections.Generic.IEnumerable GetChildren(); @@ -55,7 +48,6 @@ public interface IConfiguration Microsoft.Extensions.Configuration.IConfigurationSection GetSection(string key); string this[string key] { get; set; } } - public interface IConfigurationBuilder { Microsoft.Extensions.Configuration.IConfigurationBuilder Add(Microsoft.Extensions.Configuration.IConfigurationSource source); @@ -63,7 +55,6 @@ public interface IConfigurationBuilder System.Collections.Generic.IDictionary Properties { get; } System.Collections.Generic.IList Sources { get; } } - public interface IConfigurationProvider { System.Collections.Generic.IEnumerable GetChildKeys(System.Collections.Generic.IEnumerable earlierKeys, string parentPath); @@ -72,25 +63,21 @@ public interface IConfigurationProvider void Set(string key, string value); bool TryGet(string key, out string value); } - public interface IConfigurationRoot : Microsoft.Extensions.Configuration.IConfiguration { System.Collections.Generic.IEnumerable Providers { get; } void Reload(); } - public interface IConfigurationSection : Microsoft.Extensions.Configuration.IConfiguration { string Key { get; } string Path { get; } string Value { get; set; } } - public interface IConfigurationSource { Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Binder.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Binder.cs index cec492894941..b1dc7c6dc5e6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Binder.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Binder.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.Binder, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -9,11 +8,10 @@ namespace Configuration { public class BinderOptions { - public bool BindNonPublicProperties { get => throw null; set => throw null; } + public bool BindNonPublicProperties { get => throw null; set { } } public BinderOptions() => throw null; - public bool ErrorOnUnknownConfiguration { get => throw null; set => throw null; } + public bool ErrorOnUnknownConfiguration { get => throw null; set { } } } - public static class ConfigurationBinder { public static void Bind(this Microsoft.Extensions.Configuration.IConfiguration configuration, object instance) => throw null; @@ -28,7 +26,6 @@ public static class ConfigurationBinder public static T GetValue(this Microsoft.Extensions.Configuration.IConfiguration configuration, string key) => throw null; public static T GetValue(this Microsoft.Extensions.Configuration.IConfiguration configuration, string key, T defaultValue) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.CommandLine.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.CommandLine.cs index 19426be86bd2..e54197deadab 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.CommandLine.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.CommandLine.cs @@ -1,19 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.CommandLine, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class CommandLineConfigurationExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string[] args) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string[] args, System.Collections.Generic.IDictionary switchMappings) => throw null; - } - namespace CommandLine { public class CommandLineConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider @@ -22,15 +14,19 @@ public class CommandLineConfigurationProvider : Microsoft.Extensions.Configurati public CommandLineConfigurationProvider(System.Collections.Generic.IEnumerable args, System.Collections.Generic.IDictionary switchMappings = default(System.Collections.Generic.IDictionary)) => throw null; public override void Load() => throw null; } - public class CommandLineConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { - public System.Collections.Generic.IEnumerable Args { get => throw null; set => throw null; } + public System.Collections.Generic.IEnumerable Args { get => throw null; set { } } public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public CommandLineConfigurationSource() => throw null; - public System.Collections.Generic.IDictionary SwitchMappings { get => throw null; set => throw null; } + public System.Collections.Generic.IDictionary SwitchMappings { get => throw null; set { } } } - + } + public static partial class CommandLineConfigurationExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string[] args) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddCommandLine(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string[] args, System.Collections.Generic.IDictionary switchMappings) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.EnvironmentVariables.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.EnvironmentVariables.cs index 532a50ee8d9c..5d136d400e7d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.EnvironmentVariables.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.EnvironmentVariables.cs @@ -1,19 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.EnvironmentVariables, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class EnvironmentVariablesExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string prefix) => throw null; - } - namespace EnvironmentVariables { public class EnvironmentVariablesConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider @@ -23,14 +15,18 @@ public class EnvironmentVariablesConfigurationProvider : Microsoft.Extensions.Co public override void Load() => throw null; public override string ToString() => throw null; } - public class EnvironmentVariablesConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public EnvironmentVariablesConfigurationSource() => throw null; - public string Prefix { get => throw null; set => throw null; } + public string Prefix { get => throw null; set { } } } - + } + public static partial class EnvironmentVariablesExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddEnvironmentVariables(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, string prefix) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.FileExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.FileExtensions.cs index e6c8244ac623..90aa06796478 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.FileExtensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.FileExtensions.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.FileExtensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class FileConfigurationExtensions + public static partial class FileConfigurationExtensions { public static System.Action GetFileLoadExceptionHandler(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public static Microsoft.Extensions.FileProviders.IFileProvider GetFileProvider(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; @@ -15,40 +14,36 @@ public static class FileConfigurationExtensions public static Microsoft.Extensions.Configuration.IConfigurationBuilder SetFileLoadExceptionHandler(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action handler) => throw null; public static Microsoft.Extensions.Configuration.IConfigurationBuilder SetFileProvider(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider fileProvider) => throw null; } - public abstract class FileConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider, System.IDisposable { + public FileConfigurationProvider(Microsoft.Extensions.Configuration.FileConfigurationSource source) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public FileConfigurationProvider(Microsoft.Extensions.Configuration.FileConfigurationSource source) => throw null; public override void Load() => throw null; public abstract void Load(System.IO.Stream stream); public Microsoft.Extensions.Configuration.FileConfigurationSource Source { get => throw null; } public override string ToString() => throw null; } - public abstract class FileConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { public abstract Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder); - public void EnsureDefaults(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; protected FileConfigurationSource() => throw null; - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public System.Action OnLoadException { get => throw null; set => throw null; } - public bool Optional { get => throw null; set => throw null; } - public string Path { get => throw null; set => throw null; } - public int ReloadDelay { get => throw null; set => throw null; } - public bool ReloadOnChange { get => throw null; set => throw null; } + public void EnsureDefaults(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } + public System.Action OnLoadException { get => throw null; set { } } + public bool Optional { get => throw null; set { } } + public string Path { get => throw null; set { } } + public int ReloadDelay { get => throw null; set { } } + public bool ReloadOnChange { get => throw null; set { } } public void ResolveFileProvider() => throw null; } - public class FileLoadExceptionContext { - public System.Exception Exception { get => throw null; set => throw null; } public FileLoadExceptionContext() => throw null; - public bool Ignore { get => throw null; set => throw null; } - public Microsoft.Extensions.Configuration.FileConfigurationProvider Provider { get => throw null; set => throw null; } + public System.Exception Exception { get => throw null; set { } } + public bool Ignore { get => throw null; set { } } + public Microsoft.Extensions.Configuration.FileConfigurationProvider Provider { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Ini.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Ini.cs index 781201b7ff32..4ca69e9175d0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Ini.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Ini.cs @@ -1,22 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.Ini, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class IniConfigurationExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; - } - namespace Ini { public class IniConfigurationProvider : Microsoft.Extensions.Configuration.FileConfigurationProvider @@ -24,26 +13,31 @@ public class IniConfigurationProvider : Microsoft.Extensions.Configuration.FileC public IniConfigurationProvider(Microsoft.Extensions.Configuration.Ini.IniConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.FileConfigurationSource)) => throw null; public override void Load(System.IO.Stream stream) => throw null; } - public class IniConfigurationSource : Microsoft.Extensions.Configuration.FileConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public IniConfigurationSource() => throw null; } - public class IniStreamConfigurationProvider : Microsoft.Extensions.Configuration.StreamConfigurationProvider { public IniStreamConfigurationProvider(Microsoft.Extensions.Configuration.Ini.IniStreamConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.StreamConfigurationSource)) => throw null; public override void Load(System.IO.Stream stream) => throw null; public static System.Collections.Generic.IDictionary Read(System.IO.Stream stream) => throw null; } - public class IniStreamConfigurationSource : Microsoft.Extensions.Configuration.StreamConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public IniStreamConfigurationSource() => throw null; } - + } + public static partial class IniConfigurationExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddIniStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Json.cs index f506e72a30f1..8862ed93e964 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Json.cs @@ -1,22 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class JsonConfigurationExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; - } - namespace Json { public class JsonConfigurationProvider : Microsoft.Extensions.Configuration.FileConfigurationProvider @@ -24,25 +13,30 @@ public class JsonConfigurationProvider : Microsoft.Extensions.Configuration.File public JsonConfigurationProvider(Microsoft.Extensions.Configuration.Json.JsonConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.FileConfigurationSource)) => throw null; public override void Load(System.IO.Stream stream) => throw null; } - public class JsonConfigurationSource : Microsoft.Extensions.Configuration.FileConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public JsonConfigurationSource() => throw null; } - public class JsonStreamConfigurationProvider : Microsoft.Extensions.Configuration.StreamConfigurationProvider { public JsonStreamConfigurationProvider(Microsoft.Extensions.Configuration.Json.JsonStreamConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.StreamConfigurationSource)) => throw null; public override void Load(System.IO.Stream stream) => throw null; } - public class JsonStreamConfigurationSource : Microsoft.Extensions.Configuration.StreamConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public JsonStreamConfigurationSource() => throw null; } - + } + public static partial class JsonConfigurationExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddJsonStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.KeyPerFile.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.KeyPerFile.cs index 44168c165bf2..cb6ebd6c8b94 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.KeyPerFile.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.KeyPerFile.cs @@ -1,43 +1,39 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.KeyPerFile, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class KeyPerFileConfigurationBuilderExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath, bool optional) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath, bool optional, bool reloadOnChange) => throw null; - } - namespace KeyPerFile { public class KeyPerFileConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider, System.IDisposable { - public void Dispose() => throw null; public KeyPerFileConfigurationProvider(Microsoft.Extensions.Configuration.KeyPerFile.KeyPerFileConfigurationSource source) => throw null; + public void Dispose() => throw null; public override void Load() => throw null; public override string ToString() => throw null; } - public class KeyPerFileConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; - public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set => throw null; } - public System.Func IgnoreCondition { get => throw null; set => throw null; } - public string IgnorePrefix { get => throw null; set => throw null; } public KeyPerFileConfigurationSource() => throw null; - public bool Optional { get => throw null; set => throw null; } - public int ReloadDelay { get => throw null; set => throw null; } - public bool ReloadOnChange { get => throw null; set => throw null; } - public string SectionDelimiter { get => throw null; set => throw null; } + public Microsoft.Extensions.FileProviders.IFileProvider FileProvider { get => throw null; set { } } + public System.Func IgnoreCondition { get => throw null; set { } } + public string IgnorePrefix { get => throw null; set { } } + public bool Optional { get => throw null; set { } } + public int ReloadDelay { get => throw null; set { } } + public bool ReloadOnChange { get => throw null; set { } } + public string SectionDelimiter { get => throw null; set { } } } - + } + public static partial class KeyPerFileConfigurationBuilderExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath, bool optional) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string directoryPath, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddKeyPerFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.UserSecrets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.UserSecrets.cs index c19f4ae08803..6dca2bc59e37 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.UserSecrets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.UserSecrets.cs @@ -1,38 +1,34 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.UserSecrets, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class UserSecretsConfigurationExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly, bool optional) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, string userSecretsId) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, string userSecretsId, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration) where T : class => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, bool optional) where T : class => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, bool optional, bool reloadOnChange) where T : class => throw null; - } - namespace UserSecrets { public class PathHelper { - public static string GetSecretsPathFromSecretsId(string userSecretsId) => throw null; public PathHelper() => throw null; + public static string GetSecretsPathFromSecretsId(string userSecretsId) => throw null; } - public class UserSecretsIdAttribute : System.Attribute { - public string UserSecretsId { get => throw null; } public UserSecretsIdAttribute(string userSecretId) => throw null; + public string UserSecretsId { get => throw null; } } - + } + public static partial class UserSecretsConfigurationExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly, bool optional) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, System.Reflection.Assembly assembly, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, string userSecretsId) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, string userSecretsId, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration) where T : class => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, bool optional) where T : class => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddUserSecrets(this Microsoft.Extensions.Configuration.IConfigurationBuilder configuration, bool optional, bool reloadOnChange) where T : class => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Xml.cs index 34bceff70a47..ff2cd3e4a181 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.Xml.cs @@ -1,57 +1,50 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration.Xml, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class XmlConfigurationExtensions - { - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; - public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; - } - namespace Xml { public class XmlConfigurationProvider : Microsoft.Extensions.Configuration.FileConfigurationProvider { - public override void Load(System.IO.Stream stream) => throw null; public XmlConfigurationProvider(Microsoft.Extensions.Configuration.Xml.XmlConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.FileConfigurationSource)) => throw null; + public override void Load(System.IO.Stream stream) => throw null; } - public class XmlConfigurationSource : Microsoft.Extensions.Configuration.FileConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public XmlConfigurationSource() => throw null; } - public class XmlDocumentDecryptor { public System.Xml.XmlReader CreateDecryptingXmlReader(System.IO.Stream input, System.Xml.XmlReaderSettings settings) => throw null; + protected XmlDocumentDecryptor() => throw null; protected virtual System.Xml.XmlReader DecryptDocumentAndCreateXmlReader(System.Xml.XmlDocument document) => throw null; public static Microsoft.Extensions.Configuration.Xml.XmlDocumentDecryptor Instance; - protected XmlDocumentDecryptor() => throw null; } - public class XmlStreamConfigurationProvider : Microsoft.Extensions.Configuration.StreamConfigurationProvider { + public XmlStreamConfigurationProvider(Microsoft.Extensions.Configuration.Xml.XmlStreamConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.StreamConfigurationSource)) => throw null; public override void Load(System.IO.Stream stream) => throw null; public static System.Collections.Generic.IDictionary Read(System.IO.Stream stream, Microsoft.Extensions.Configuration.Xml.XmlDocumentDecryptor decryptor) => throw null; - public XmlStreamConfigurationProvider(Microsoft.Extensions.Configuration.Xml.XmlStreamConfigurationSource source) : base(default(Microsoft.Extensions.Configuration.StreamConfigurationSource)) => throw null; } - public class XmlStreamConfigurationSource : Microsoft.Extensions.Configuration.StreamConfigurationSource { public override Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; public XmlStreamConfigurationSource() => throw null; } - + } + public static partial class XmlConfigurationExtensions + { + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, Microsoft.Extensions.FileProviders.IFileProvider provider, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.Action configureSource) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlFile(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, string path, bool optional, bool reloadOnChange) => throw null; + public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddXmlStream(this Microsoft.Extensions.Configuration.IConfigurationBuilder builder, System.IO.Stream stream) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.cs index 9cb343bf310e..3a4e59e0ef96 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Configuration.cs @@ -1,22 +1,20 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Configuration, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Configuration { - public static class ChainedBuilderExtensions + public static partial class ChainedBuilderExtensions { public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddConfiguration(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, Microsoft.Extensions.Configuration.IConfiguration config) => throw null; public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddConfiguration(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, Microsoft.Extensions.Configuration.IConfiguration config, bool shouldDisposeConfiguration) => throw null; } - public class ChainedConfigurationProvider : Microsoft.Extensions.Configuration.IConfigurationProvider, System.IDisposable { - public ChainedConfigurationProvider(Microsoft.Extensions.Configuration.ChainedConfigurationSource source) => throw null; public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; } + public ChainedConfigurationProvider(Microsoft.Extensions.Configuration.ChainedConfigurationSource source) => throw null; public void Dispose() => throw null; public System.Collections.Generic.IEnumerable GetChildKeys(System.Collections.Generic.IEnumerable earlierKeys, string parentPath) => throw null; public Microsoft.Extensions.Primitives.IChangeToken GetReloadToken() => throw null; @@ -24,15 +22,13 @@ public class ChainedConfigurationProvider : Microsoft.Extensions.Configuration.I public void Set(string key, string value) => throw null; public bool TryGet(string key, out string value) => throw null; } - public class ChainedConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; + public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set { } } public ChainedConfigurationSource() => throw null; - public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set => throw null; } - public bool ShouldDisposeConfiguration { get => throw null; set => throw null; } + public bool ShouldDisposeConfiguration { get => throw null; set { } } } - public class ConfigurationBuilder : Microsoft.Extensions.Configuration.IConfigurationBuilder { public Microsoft.Extensions.Configuration.IConfigurationBuilder Add(Microsoft.Extensions.Configuration.IConfigurationSource source) => throw null; @@ -41,15 +37,13 @@ public class ConfigurationBuilder : Microsoft.Extensions.Configuration.IConfigur public System.Collections.Generic.IDictionary Properties { get => throw null; } public System.Collections.Generic.IList Sources { get => throw null; } } - public class ConfigurationKeyComparer : System.Collections.Generic.IComparer { public int Compare(string x, string y) => throw null; public ConfigurationKeyComparer() => throw null; public static Microsoft.Extensions.Configuration.ConfigurationKeyComparer Instance { get => throw null; } } - - public class ConfigurationManager : Microsoft.Extensions.Configuration.IConfiguration, Microsoft.Extensions.Configuration.IConfigurationBuilder, Microsoft.Extensions.Configuration.IConfigurationRoot, System.IDisposable + public sealed class ConfigurationManager : Microsoft.Extensions.Configuration.IConfiguration, Microsoft.Extensions.Configuration.IConfigurationBuilder, Microsoft.Extensions.Configuration.IConfigurationRoot, System.IDisposable { Microsoft.Extensions.Configuration.IConfigurationBuilder Microsoft.Extensions.Configuration.IConfigurationBuilder.Add(Microsoft.Extensions.Configuration.IConfigurationSource source) => throw null; Microsoft.Extensions.Configuration.IConfigurationRoot Microsoft.Extensions.Configuration.IConfigurationBuilder.Build() => throw null; @@ -58,17 +52,16 @@ public class ConfigurationManager : Microsoft.Extensions.Configuration.IConfigur public System.Collections.Generic.IEnumerable GetChildren() => throw null; Microsoft.Extensions.Primitives.IChangeToken Microsoft.Extensions.Configuration.IConfiguration.GetReloadToken() => throw null; public Microsoft.Extensions.Configuration.IConfigurationSection GetSection(string key) => throw null; - public string this[string key] { get => throw null; set => throw null; } System.Collections.Generic.IDictionary Microsoft.Extensions.Configuration.IConfigurationBuilder.Properties { get => throw null; } System.Collections.Generic.IEnumerable Microsoft.Extensions.Configuration.IConfigurationRoot.Providers { get => throw null; } void Microsoft.Extensions.Configuration.IConfigurationRoot.Reload() => throw null; public System.Collections.Generic.IList Sources { get => throw null; } + public string this[string key] { get => throw null; set { } } } - public abstract class ConfigurationProvider : Microsoft.Extensions.Configuration.IConfigurationProvider { protected ConfigurationProvider() => throw null; - protected System.Collections.Generic.IDictionary Data { get => throw null; set => throw null; } + protected System.Collections.Generic.IDictionary Data { get => throw null; set { } } public virtual System.Collections.Generic.IEnumerable GetChildKeys(System.Collections.Generic.IEnumerable earlierKeys, string parentPath) => throw null; public Microsoft.Extensions.Primitives.IChangeToken GetReloadToken() => throw null; public virtual void Load() => throw null; @@ -77,7 +70,6 @@ public abstract class ConfigurationProvider : Microsoft.Extensions.Configuration public override string ToString() => throw null; public virtual bool TryGet(string key, out string value) => throw null; } - public class ConfigurationReloadToken : Microsoft.Extensions.Primitives.IChangeToken { public bool ActiveChangeCallbacks { get => throw null; } @@ -86,7 +78,6 @@ public class ConfigurationReloadToken : Microsoft.Extensions.Primitives.IChangeT public void OnReload() => throw null; public System.IDisposable RegisterChangeCallback(System.Action callback, object state) => throw null; } - public class ConfigurationRoot : Microsoft.Extensions.Configuration.IConfiguration, Microsoft.Extensions.Configuration.IConfigurationRoot, System.IDisposable { public ConfigurationRoot(System.Collections.Generic.IList providers) => throw null; @@ -94,61 +85,54 @@ public class ConfigurationRoot : Microsoft.Extensions.Configuration.IConfigurati public System.Collections.Generic.IEnumerable GetChildren() => throw null; public Microsoft.Extensions.Primitives.IChangeToken GetReloadToken() => throw null; public Microsoft.Extensions.Configuration.IConfigurationSection GetSection(string key) => throw null; - public string this[string key] { get => throw null; set => throw null; } public System.Collections.Generic.IEnumerable Providers { get => throw null; } public void Reload() => throw null; + public string this[string key] { get => throw null; set { } } } - public class ConfigurationSection : Microsoft.Extensions.Configuration.IConfiguration, Microsoft.Extensions.Configuration.IConfigurationSection { public ConfigurationSection(Microsoft.Extensions.Configuration.IConfigurationRoot root, string path) => throw null; public System.Collections.Generic.IEnumerable GetChildren() => throw null; public Microsoft.Extensions.Primitives.IChangeToken GetReloadToken() => throw null; public Microsoft.Extensions.Configuration.IConfigurationSection GetSection(string key) => throw null; - public string this[string key] { get => throw null; set => throw null; } public string Key { get => throw null; } public string Path { get => throw null; } - public string Value { get => throw null; set => throw null; } + public string this[string key] { get => throw null; set { } } + public string Value { get => throw null; set { } } + } + namespace Memory + { + public class MemoryConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + { + public void Add(string key, string value) => throw null; + public MemoryConfigurationProvider(Microsoft.Extensions.Configuration.Memory.MemoryConfigurationSource source) => throw null; + public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public class MemoryConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource + { + public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; + public MemoryConfigurationSource() => throw null; + public System.Collections.Generic.IEnumerable> InitialData { get => throw null; set { } } + } } - - public static class MemoryConfigurationBuilderExtensions + public static partial class MemoryConfigurationBuilderExtensions { public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddInMemoryCollection(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder) => throw null; public static Microsoft.Extensions.Configuration.IConfigurationBuilder AddInMemoryCollection(this Microsoft.Extensions.Configuration.IConfigurationBuilder configurationBuilder, System.Collections.Generic.IEnumerable> initialData) => throw null; } - public abstract class StreamConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider { + public StreamConfigurationProvider(Microsoft.Extensions.Configuration.StreamConfigurationSource source) => throw null; public override void Load() => throw null; public abstract void Load(System.IO.Stream stream); public Microsoft.Extensions.Configuration.StreamConfigurationSource Source { get => throw null; } - public StreamConfigurationProvider(Microsoft.Extensions.Configuration.StreamConfigurationSource source) => throw null; } - public abstract class StreamConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource { public abstract Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder); - public System.IO.Stream Stream { get => throw null; set => throw null; } protected StreamConfigurationSource() => throw null; - } - - namespace Memory - { - public class MemoryConfigurationProvider : Microsoft.Extensions.Configuration.ConfigurationProvider, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable - { - public void Add(string key, string value) => throw null; - public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public MemoryConfigurationProvider(Microsoft.Extensions.Configuration.Memory.MemoryConfigurationSource source) => throw null; - } - - public class MemoryConfigurationSource : Microsoft.Extensions.Configuration.IConfigurationSource - { - public Microsoft.Extensions.Configuration.IConfigurationProvider Build(Microsoft.Extensions.Configuration.IConfigurationBuilder builder) => throw null; - public System.Collections.Generic.IEnumerable> InitialData { get => throw null; set => throw null; } - public MemoryConfigurationSource() => throw null; - } - + public System.IO.Stream Stream { get => throw null; set { } } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs index 8d7706b9823e..42ec0bbdb52c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.DependencyInjection.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -15,101 +14,125 @@ public static class ActivatorUtilities public static object GetServiceOrCreateInstance(System.IServiceProvider provider, System.Type type) => throw null; public static T GetServiceOrCreateInstance(System.IServiceProvider provider) => throw null; } - public class ActivatorUtilitiesConstructorAttribute : System.Attribute { public ActivatorUtilitiesConstructorAttribute() => throw null; } - - public struct AsyncServiceScope : Microsoft.Extensions.DependencyInjection.IServiceScope, System.IAsyncDisposable, System.IDisposable + public struct AsyncServiceScope : Microsoft.Extensions.DependencyInjection.IServiceScope, System.IDisposable, System.IAsyncDisposable { - // Stub generator skipped constructor public AsyncServiceScope(Microsoft.Extensions.DependencyInjection.IServiceScope serviceScope) => throw null; public void Dispose() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public System.IServiceProvider ServiceProvider { get => throw null; } } - - public interface IServiceCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + namespace Extensions + { + public static partial class ServiceCollectionDescriptorExtensions + { + public static Microsoft.Extensions.DependencyInjection.IServiceCollection Add(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection Add(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Collections.Generic.IEnumerable descriptors) => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection RemoveAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type serviceType) => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection RemoveAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection Replace(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; + public static void TryAdd(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; + public static void TryAdd(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Collections.Generic.IEnumerable descriptors) => throw null; + public static void TryAddEnumerable(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; + public static void TryAddEnumerable(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Collections.Generic.IEnumerable descriptors) => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; + public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class where TImplementation : class, TService => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, TService instance) where TService : class => throw null; + public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class where TImplementation : class, TService => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; + public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class where TImplementation : class, TService => throw null; + } + } + public interface IServiceCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { } - public interface IServiceProviderFactory { TContainerBuilder CreateBuilder(Microsoft.Extensions.DependencyInjection.IServiceCollection services); System.IServiceProvider CreateServiceProvider(TContainerBuilder containerBuilder); } - public interface IServiceProviderIsService { bool IsService(System.Type serviceType); } - public interface IServiceScope : System.IDisposable { System.IServiceProvider ServiceProvider { get; } } - public interface IServiceScopeFactory { Microsoft.Extensions.DependencyInjection.IServiceScope CreateScope(); } - public interface ISupportRequiredService { object GetRequiredService(System.Type serviceType); } - public delegate object ObjectFactory(System.IServiceProvider serviceProvider, object[] arguments); - - public class ServiceCollection : Microsoft.Extensions.DependencyInjection.IServiceCollection, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.IEnumerable + public class ServiceCollection : Microsoft.Extensions.DependencyInjection.IServiceCollection, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { void System.Collections.Generic.ICollection.Add(Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public void Clear() => throw null; public bool Contains(Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public void CopyTo(Microsoft.Extensions.DependencyInjection.ServiceDescriptor[] array, int arrayIndex) => throw null; public int Count { get => throw null; } + public ServiceCollection() => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public int IndexOf(Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public void Insert(int index, Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public bool IsReadOnly { get => throw null; } - public Microsoft.Extensions.DependencyInjection.ServiceDescriptor this[int index] { get => throw null; set => throw null; } public void MakeReadOnly() => throw null; public bool Remove(Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public void RemoveAt(int index) => throw null; - public ServiceCollection() => throw null; + public Microsoft.Extensions.DependencyInjection.ServiceDescriptor this[int index] { get => throw null; set { } } } - - public static class ServiceCollectionServiceExtensions + public static partial class ServiceCollectionServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Func implementationFactory) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Type implementationType) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Func implementationFactory) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Type implementationType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, object implementationInstance) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Type implementationType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, TService implementationInstance) where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Func implementationFactory) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type serviceType, System.Type implementationType) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; } - public class ServiceDescriptor { + public ServiceDescriptor(System.Type serviceType, System.Func factory, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; + public ServiceDescriptor(System.Type serviceType, object instance) => throw null; + public ServiceDescriptor(System.Type serviceType, System.Type implementationType, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Describe(System.Type serviceType, System.Func implementationFactory, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Describe(System.Type serviceType, System.Type implementationType, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; public System.Func ImplementationFactory { get => throw null; } @@ -118,39 +141,34 @@ public class ServiceDescriptor public Microsoft.Extensions.DependencyInjection.ServiceLifetime Lifetime { get => throw null; } public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped(System.Type service, System.Func implementationFactory) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped(System.Type service, System.Type implementationType) => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped() where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped(System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped(System.Func implementationFactory) where TService : class => throw null; - public ServiceDescriptor(System.Type serviceType, System.Func factory, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; - public ServiceDescriptor(System.Type serviceType, System.Type implementationType, Microsoft.Extensions.DependencyInjection.ServiceLifetime lifetime) => throw null; - public ServiceDescriptor(System.Type serviceType, object instance) => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped() where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Scoped(System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; public System.Type ServiceType { get => throw null; } public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Type serviceType, System.Func implementationFactory) => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Type service, System.Type implementationType) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Type serviceType, object implementationInstance) => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton() where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Type service, System.Type implementationType) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Func implementationFactory) where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(TService implementationInstance) where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton() where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Singleton(System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; public override string ToString() => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient(System.Type service, System.Func implementationFactory) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient(System.Type service, System.Type implementationType) => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient() where TImplementation : class, TService where TService : class => throw null; - public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient(System.Func implementationFactory) where TImplementation : class, TService where TService : class => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient(System.Func implementationFactory) where TService : class => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient() where TService : class where TImplementation : class, TService => throw null; + public static Microsoft.Extensions.DependencyInjection.ServiceDescriptor Transient(System.Func implementationFactory) where TService : class where TImplementation : class, TService => throw null; } - - public enum ServiceLifetime : int + public enum ServiceLifetime { - Scoped = 1, Singleton = 0, + Scoped = 1, Transient = 2, } - - public static class ServiceProviderServiceExtensions + public static partial class ServiceProviderServiceExtensions { - public static Microsoft.Extensions.DependencyInjection.AsyncServiceScope CreateAsyncScope(this System.IServiceProvider provider) => throw null; public static Microsoft.Extensions.DependencyInjection.AsyncServiceScope CreateAsyncScope(this Microsoft.Extensions.DependencyInjection.IServiceScopeFactory serviceScopeFactory) => throw null; + public static Microsoft.Extensions.DependencyInjection.AsyncServiceScope CreateAsyncScope(this System.IServiceProvider provider) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceScope CreateScope(this System.IServiceProvider provider) => throw null; public static object GetRequiredService(this System.IServiceProvider provider, System.Type serviceType) => throw null; public static T GetRequiredService(this System.IServiceProvider provider) => throw null; @@ -158,42 +176,6 @@ public static class ServiceProviderServiceExtensions public static System.Collections.Generic.IEnumerable GetServices(this System.IServiceProvider provider, System.Type serviceType) => throw null; public static System.Collections.Generic.IEnumerable GetServices(this System.IServiceProvider provider) => throw null; } - - namespace Extensions - { - public static class ServiceCollectionDescriptorExtensions - { - public static Microsoft.Extensions.DependencyInjection.IServiceCollection Add(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Collections.Generic.IEnumerable descriptors) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection Add(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection RemoveAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type serviceType) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection RemoveAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection Replace(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; - public static void TryAdd(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Collections.Generic.IEnumerable descriptors) => throw null; - public static void TryAdd(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; - public static void TryAddEnumerable(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Collections.Generic.IEnumerable descriptors) => throw null; - public static void TryAddEnumerable(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, Microsoft.Extensions.DependencyInjection.ServiceDescriptor descriptor) => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TImplementation : class, TService where TService : class => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; - public static void TryAddScoped(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TImplementation : class, TService where TService : class => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; - public static void TryAddSingleton(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, TService instance) where TService : class => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service) => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Func implementationFactory) => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection, System.Type service, System.Type implementationType) => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TImplementation : class, TService where TService : class => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection collection) where TService : class => throw null; - public static void TryAddTransient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where TService : class => throw null; - } - - } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.cs index d0a76b8f06f7..4c92aa7e1c06 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.DependencyInjection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -14,28 +13,24 @@ public class DefaultServiceProviderFactory : Microsoft.Extensions.DependencyInje public DefaultServiceProviderFactory() => throw null; public DefaultServiceProviderFactory(Microsoft.Extensions.DependencyInjection.ServiceProviderOptions options) => throw null; } - - public static class ServiceCollectionContainerBuilderExtensions + public static partial class ServiceCollectionContainerBuilderExtensions { public static Microsoft.Extensions.DependencyInjection.ServiceProvider BuildServiceProvider(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceProvider BuildServiceProvider(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, Microsoft.Extensions.DependencyInjection.ServiceProviderOptions options) => throw null; public static Microsoft.Extensions.DependencyInjection.ServiceProvider BuildServiceProvider(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, bool validateScopes) => throw null; } - - public class ServiceProvider : System.IAsyncDisposable, System.IDisposable, System.IServiceProvider + public sealed class ServiceProvider : System.IAsyncDisposable, System.IDisposable, System.IServiceProvider { public void Dispose() => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public object GetService(System.Type serviceType) => throw null; } - public class ServiceProviderOptions { public ServiceProviderOptions() => throw null; - public bool ValidateOnBuild { get => throw null; set => throw null; } - public bool ValidateScopes { get => throw null; set => throw null; } + public bool ValidateOnBuild { get => throw null; set { } } + public bool ValidateScopes { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions.cs index 36b8d4078727..112a88637cd7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Diagnostics.HealthChecks.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -9,77 +8,67 @@ namespace Diagnostics { namespace HealthChecks { - public class HealthCheckContext + public sealed class HealthCheckContext { public HealthCheckContext() => throw null; - public Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckRegistration Registration { get => throw null; set => throw null; } + public Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckRegistration Registration { get => throw null; set { } } } - - public class HealthCheckRegistration + public sealed class HealthCheckRegistration { - public System.Func Factory { get => throw null; set => throw null; } - public Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus FailureStatus { get => throw null; set => throw null; } - public HealthCheckRegistration(string name, System.Func factory, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags) => throw null; - public HealthCheckRegistration(string name, System.Func factory, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, System.TimeSpan? timeout) => throw null; public HealthCheckRegistration(string name, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck instance, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags) => throw null; public HealthCheckRegistration(string name, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck instance, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, System.TimeSpan? timeout) => throw null; - public string Name { get => throw null; set => throw null; } + public HealthCheckRegistration(string name, System.Func factory, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags) => throw null; + public HealthCheckRegistration(string name, System.Func factory, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, System.TimeSpan? timeout) => throw null; + public System.Func Factory { get => throw null; set { } } + public Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus FailureStatus { get => throw null; set { } } + public string Name { get => throw null; set { } } public System.Collections.Generic.ISet Tags { get => throw null; } - public System.TimeSpan Timeout { get => throw null; set => throw null; } + public System.TimeSpan Timeout { get => throw null; set { } } } - public struct HealthCheckResult { + public HealthCheckResult(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description = default(string), System.Exception exception = default(System.Exception), System.Collections.Generic.IReadOnlyDictionary data = default(System.Collections.Generic.IReadOnlyDictionary)) => throw null; public System.Collections.Generic.IReadOnlyDictionary Data { get => throw null; } public static Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckResult Degraded(string description = default(string), System.Exception exception = default(System.Exception), System.Collections.Generic.IReadOnlyDictionary data = default(System.Collections.Generic.IReadOnlyDictionary)) => throw null; public string Description { get => throw null; } public System.Exception Exception { get => throw null; } - // Stub generator skipped constructor - public HealthCheckResult(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description = default(string), System.Exception exception = default(System.Exception), System.Collections.Generic.IReadOnlyDictionary data = default(System.Collections.Generic.IReadOnlyDictionary)) => throw null; public static Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckResult Healthy(string description = default(string), System.Collections.Generic.IReadOnlyDictionary data = default(System.Collections.Generic.IReadOnlyDictionary)) => throw null; public Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus Status { get => throw null; } public static Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckResult Unhealthy(string description = default(string), System.Exception exception = default(System.Exception), System.Collections.Generic.IReadOnlyDictionary data = default(System.Collections.Generic.IReadOnlyDictionary)) => throw null; } - - public class HealthReport + public sealed class HealthReport { - public System.Collections.Generic.IReadOnlyDictionary Entries { get => throw null; } - public HealthReport(System.Collections.Generic.IReadOnlyDictionary entries, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, System.TimeSpan totalDuration) => throw null; public HealthReport(System.Collections.Generic.IReadOnlyDictionary entries, System.TimeSpan totalDuration) => throw null; + public HealthReport(System.Collections.Generic.IReadOnlyDictionary entries, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, System.TimeSpan totalDuration) => throw null; + public System.Collections.Generic.IReadOnlyDictionary Entries { get => throw null; } public Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus Status { get => throw null; } public System.TimeSpan TotalDuration { get => throw null; } } - public struct HealthReportEntry { + public HealthReportEntry(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description, System.TimeSpan duration, System.Exception exception, System.Collections.Generic.IReadOnlyDictionary data) => throw null; + public HealthReportEntry(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description, System.TimeSpan duration, System.Exception exception, System.Collections.Generic.IReadOnlyDictionary data, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable)) => throw null; public System.Collections.Generic.IReadOnlyDictionary Data { get => throw null; } public string Description { get => throw null; } public System.TimeSpan Duration { get => throw null; } public System.Exception Exception { get => throw null; } - // Stub generator skipped constructor - public HealthReportEntry(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description, System.TimeSpan duration, System.Exception exception, System.Collections.Generic.IReadOnlyDictionary data) => throw null; - public HealthReportEntry(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus status, string description, System.TimeSpan duration, System.Exception exception, System.Collections.Generic.IReadOnlyDictionary data, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable)) => throw null; public Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus Status { get => throw null; } public System.Collections.Generic.IEnumerable Tags { get => throw null; } } - - public enum HealthStatus : int + public enum HealthStatus { + Unhealthy = 0, Degraded = 1, Healthy = 2, - Unhealthy = 0, } - public interface IHealthCheck { System.Threading.Tasks.Task CheckHealthAsync(Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckContext context, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IHealthCheckPublisher { System.Threading.Tasks.Task PublishAsync(Microsoft.Extensions.Diagnostics.HealthChecks.HealthReport report, System.Threading.CancellationToken cancellationToken); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.cs index 7b0dead748d9..504866e016cf 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Diagnostics.HealthChecks.cs @@ -1,74 +1,66 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Diagnostics.HealthChecks, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class HealthCheckServiceCollectionExtensions - { - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddHealthChecks(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; - } - - public static class HealthChecksBuilderAddCheckExtensions + public static partial class HealthChecksBuilderAddCheckExtensions { public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck instance, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck instance, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus = default(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus?), System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus = default(Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus?), System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, System.TimeSpan timeout, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddTypeActivatedCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, Microsoft.Extensions.Diagnostics.HealthChecks.HealthStatus? failureStatus, System.Collections.Generic.IEnumerable tags, System.TimeSpan timeout, params object[] args) where T : class, Microsoft.Extensions.Diagnostics.HealthChecks.IHealthCheck => throw null; } - - public static class HealthChecksBuilderDelegateExtensions + public static partial class HealthChecksBuilderDelegateExtensions { - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags) => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags) => throw null; - public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddAsyncCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func> check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags) => throw null; public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddCheck(this Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder builder, string name, System.Func check, System.Collections.Generic.IEnumerable tags = default(System.Collections.Generic.IEnumerable), System.TimeSpan? timeout = default(System.TimeSpan?)) => throw null; + } + public static partial class HealthCheckServiceCollectionExtensions + { + public static Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder AddHealthChecks(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; } - public interface IHealthChecksBuilder { Microsoft.Extensions.DependencyInjection.IHealthChecksBuilder Add(Microsoft.Extensions.Diagnostics.HealthChecks.HealthCheckRegistration registration); Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - } namespace Diagnostics { namespace HealthChecks { - public class HealthCheckPublisherOptions + public sealed class HealthCheckPublisherOptions { - public System.TimeSpan Delay { get => throw null; set => throw null; } public HealthCheckPublisherOptions() => throw null; - public System.TimeSpan Period { get => throw null; set => throw null; } - public System.Func Predicate { get => throw null; set => throw null; } - public System.TimeSpan Timeout { get => throw null; set => throw null; } + public System.TimeSpan Delay { get => throw null; set { } } + public System.TimeSpan Period { get => throw null; set { } } + public System.Func Predicate { get => throw null; set { } } + public System.TimeSpan Timeout { get => throw null; set { } } } - public abstract class HealthCheckService { public System.Threading.Tasks.Task CheckHealthAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public abstract System.Threading.Tasks.Task CheckHealthAsync(System.Func predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); protected HealthCheckService() => throw null; } - - public class HealthCheckServiceOptions + public sealed class HealthCheckServiceOptions { public HealthCheckServiceOptions() => throw null; public System.Collections.Generic.ICollection Registrations { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs index 69563ef43fc8..e5363a8a6b26 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Features, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,36 +11,31 @@ namespace Features public class FeatureCollection : Microsoft.AspNetCore.Http.Features.IFeatureCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public FeatureCollection() => throw null; - public FeatureCollection(Microsoft.AspNetCore.Http.Features.IFeatureCollection defaults) => throw null; public FeatureCollection(int initialCapacity) => throw null; + public FeatureCollection(Microsoft.AspNetCore.Http.Features.IFeatureCollection defaults) => throw null; public TFeature Get() => throw null; - public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public object this[System.Type key] { get => throw null; set => throw null; } public virtual int Revision { get => throw null; } public void Set(TFeature instance) => throw null; + public object this[System.Type key] { get => throw null; set { } } } - - public static class FeatureCollectionExtensions + public static partial class FeatureCollectionExtensions { - public static object GetRequiredFeature(this Microsoft.AspNetCore.Http.Features.IFeatureCollection featureCollection, System.Type key) => throw null; public static TFeature GetRequiredFeature(this Microsoft.AspNetCore.Http.Features.IFeatureCollection featureCollection) => throw null; + public static object GetRequiredFeature(this Microsoft.AspNetCore.Http.Features.IFeatureCollection featureCollection, System.Type key) => throw null; } - public struct FeatureReference { public static Microsoft.AspNetCore.Http.Features.FeatureReference Default; - // Stub generator skipped constructor public T Fetch(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; public T Update(Microsoft.AspNetCore.Http.Features.IFeatureCollection features, T feature) => throw null; } - public struct FeatureReferences { public TCache Cache; public Microsoft.AspNetCore.Http.Features.IFeatureCollection Collection { get => throw null; } - // Stub generator skipped constructor public FeatureReferences(Microsoft.AspNetCore.Http.Features.IFeatureCollection collection) => throw null; public TFeature Fetch(ref TFeature cached, TState state, System.Func factory) where TFeature : class => throw null; public TFeature Fetch(ref TFeature cached, System.Func factory) where TFeature : class => throw null; @@ -49,16 +43,14 @@ public struct FeatureReferences public void Initalize(Microsoft.AspNetCore.Http.Features.IFeatureCollection collection, int revision) => throw null; public int Revision { get => throw null; } } - public interface IFeatureCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { TFeature Get(); bool IsReadOnly { get; } - object this[System.Type key] { get; set; } int Revision { get; } void Set(TFeature instance); + object this[System.Type key] { get; set; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Abstractions.cs index f09d2e0fc08c..7aad178a5ac6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.FileProviders.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -11,46 +10,41 @@ public interface IDirectoryContents : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public NotFoundDirectoryContents() => throw null; public bool Exists { get => throw null; } public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public NotFoundDirectoryContents() => throw null; public static Microsoft.Extensions.FileProviders.NotFoundDirectoryContents Singleton { get => throw null; } } - public class NotFoundFileInfo : Microsoft.Extensions.FileProviders.IFileInfo { public System.IO.Stream CreateReadStream() => throw null; + public NotFoundFileInfo(string name) => throw null; public bool Exists { get => throw null; } public bool IsDirectory { get => throw null; } public System.DateTimeOffset LastModified { get => throw null; } - public System.Int64 Length { get => throw null; } + public long Length { get => throw null; } public string Name { get => throw null; } - public NotFoundFileInfo(string name) => throw null; public string PhysicalPath { get => throw null; } } - public class NullChangeToken : Microsoft.Extensions.Primitives.IChangeToken { public bool ActiveChangeCallbacks { get => throw null; } @@ -58,15 +52,13 @@ public class NullChangeToken : Microsoft.Extensions.Primitives.IChangeToken public System.IDisposable RegisterChangeCallback(System.Action callback, object state) => throw null; public static Microsoft.Extensions.FileProviders.NullChangeToken Singleton { get => throw null; } } - public class NullFileProvider : Microsoft.Extensions.FileProviders.IFileProvider { + public NullFileProvider() => throw null; public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; - public NullFileProvider() => throw null; public Microsoft.Extensions.Primitives.IChangeToken Watch(string filter) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Composite.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Composite.cs index de2b0bdd3fd6..b5abefb69aa6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Composite.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Composite.cs @@ -1,22 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.FileProviders.Composite, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace FileProviders { - public class CompositeFileProvider : Microsoft.Extensions.FileProviders.IFileProvider - { - public CompositeFileProvider(System.Collections.Generic.IEnumerable fileProviders) => throw null; - public CompositeFileProvider(params Microsoft.Extensions.FileProviders.IFileProvider[] fileProviders) => throw null; - public System.Collections.Generic.IEnumerable FileProviders { get => throw null; } - public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; - public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; - public Microsoft.Extensions.Primitives.IChangeToken Watch(string pattern) => throw null; - } - namespace Composite { public class CompositeDirectoryContents : Microsoft.Extensions.FileProviders.IDirectoryContents, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable @@ -26,7 +15,15 @@ public class CompositeDirectoryContents : Microsoft.Extensions.FileProviders.IDi public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - + } + public class CompositeFileProvider : Microsoft.Extensions.FileProviders.IFileProvider + { + public CompositeFileProvider(params Microsoft.Extensions.FileProviders.IFileProvider[] fileProviders) => throw null; + public CompositeFileProvider(System.Collections.Generic.IEnumerable fileProviders) => throw null; + public System.Collections.Generic.IEnumerable FileProviders { get => throw null; } + public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; + public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; + public Microsoft.Extensions.Primitives.IChangeToken Watch(string pattern) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Embedded.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Embedded.cs index 98158803de53..b9b5ca27d340 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Embedded.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Embedded.cs @@ -1,12 +1,25 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.FileProviders.Embedded, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace FileProviders { + namespace Embedded + { + public class EmbeddedResourceFileInfo : Microsoft.Extensions.FileProviders.IFileInfo + { + public System.IO.Stream CreateReadStream() => throw null; + public EmbeddedResourceFileInfo(System.Reflection.Assembly assembly, string resourcePath, string name, System.DateTimeOffset lastModified) => throw null; + public bool Exists { get => throw null; } + public bool IsDirectory { get => throw null; } + public System.DateTimeOffset LastModified { get => throw null; } + public long Length { get => throw null; } + public string Name { get => throw null; } + public string PhysicalPath { get => throw null; } + } + } public class EmbeddedFileProvider : Microsoft.Extensions.FileProviders.IFileProvider { public EmbeddedFileProvider(System.Reflection.Assembly assembly) => throw null; @@ -15,34 +28,17 @@ public class EmbeddedFileProvider : Microsoft.Extensions.FileProviders.IFileProv public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; public Microsoft.Extensions.Primitives.IChangeToken Watch(string pattern) => throw null; } - public class ManifestEmbeddedFileProvider : Microsoft.Extensions.FileProviders.IFileProvider { public System.Reflection.Assembly Assembly { get => throw null; } - public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; - public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; public ManifestEmbeddedFileProvider(System.Reflection.Assembly assembly) => throw null; public ManifestEmbeddedFileProvider(System.Reflection.Assembly assembly, string root) => throw null; public ManifestEmbeddedFileProvider(System.Reflection.Assembly assembly, string root, System.DateTimeOffset lastModified) => throw null; public ManifestEmbeddedFileProvider(System.Reflection.Assembly assembly, string root, string manifestName, System.DateTimeOffset lastModified) => throw null; + public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; + public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; public Microsoft.Extensions.Primitives.IChangeToken Watch(string filter) => throw null; } - - namespace Embedded - { - public class EmbeddedResourceFileInfo : Microsoft.Extensions.FileProviders.IFileInfo - { - public System.IO.Stream CreateReadStream() => throw null; - public EmbeddedResourceFileInfo(System.Reflection.Assembly assembly, string resourcePath, string name, System.DateTimeOffset lastModified) => throw null; - public bool Exists { get => throw null; } - public bool IsDirectory { get => throw null; } - public System.DateTimeOffset LastModified { get => throw null; } - public System.Int64 Length { get => throw null; } - public string Name { get => throw null; } - public string PhysicalPath { get => throw null; } - } - - } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs index 557246dd9f49..b4c25348be66 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs @@ -1,102 +1,91 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.FileProviders.Physical, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace FileProviders { - public class PhysicalFileProvider : Microsoft.Extensions.FileProviders.IFileProvider, System.IDisposable - { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; - public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; - public PhysicalFileProvider(string root) => throw null; - public PhysicalFileProvider(string root, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; - public string Root { get => throw null; } - public bool UseActivePolling { get => throw null; set => throw null; } - public bool UsePollingFileWatcher { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.IChangeToken Watch(string filter) => throw null; - // ERR: Stub generator didn't handle member: ~PhysicalFileProvider - } - namespace Internal { public class PhysicalDirectoryContents : Microsoft.Extensions.FileProviders.IDirectoryContents, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public PhysicalDirectoryContents(string directory) => throw null; + public PhysicalDirectoryContents(string directory, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; public bool Exists { get => throw null; } public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public PhysicalDirectoryContents(string directory) => throw null; - public PhysicalDirectoryContents(string directory, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; } - } namespace Physical { [System.Flags] - public enum ExclusionFilters : int + public enum ExclusionFilters { + None = 0, DotPrefixed = 1, Hidden = 2, - None = 0, - Sensitive = 7, System = 4, + Sensitive = 7, } - public class PhysicalDirectoryInfo : Microsoft.Extensions.FileProviders.IFileInfo { public System.IO.Stream CreateReadStream() => throw null; + public PhysicalDirectoryInfo(System.IO.DirectoryInfo info) => throw null; public bool Exists { get => throw null; } public bool IsDirectory { get => throw null; } public System.DateTimeOffset LastModified { get => throw null; } - public System.Int64 Length { get => throw null; } + public long Length { get => throw null; } public string Name { get => throw null; } - public PhysicalDirectoryInfo(System.IO.DirectoryInfo info) => throw null; public string PhysicalPath { get => throw null; } } - public class PhysicalFileInfo : Microsoft.Extensions.FileProviders.IFileInfo { public System.IO.Stream CreateReadStream() => throw null; + public PhysicalFileInfo(System.IO.FileInfo info) => throw null; public bool Exists { get => throw null; } public bool IsDirectory { get => throw null; } public System.DateTimeOffset LastModified { get => throw null; } - public System.Int64 Length { get => throw null; } + public long Length { get => throw null; } public string Name { get => throw null; } - public PhysicalFileInfo(System.IO.FileInfo info) => throw null; public string PhysicalPath { get => throw null; } } - public class PhysicalFilesWatcher : System.IDisposable { public Microsoft.Extensions.Primitives.IChangeToken CreateFileChangeToken(string filter) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; public PhysicalFilesWatcher(string root, System.IO.FileSystemWatcher fileSystemWatcher, bool pollForChanges) => throw null; public PhysicalFilesWatcher(string root, System.IO.FileSystemWatcher fileSystemWatcher, bool pollForChanges, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; - // ERR: Stub generator didn't handle member: ~PhysicalFilesWatcher + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; } - public class PollingFileChangeToken : Microsoft.Extensions.Primitives.IChangeToken { public bool ActiveChangeCallbacks { get => throw null; } - public bool HasChanged { get => throw null; } public PollingFileChangeToken(System.IO.FileInfo fileInfo) => throw null; + public bool HasChanged { get => throw null; } public System.IDisposable RegisterChangeCallback(System.Action callback, object state) => throw null; } - public class PollingWildCardChangeToken : Microsoft.Extensions.Primitives.IChangeToken { public bool ActiveChangeCallbacks { get => throw null; } + public PollingWildCardChangeToken(string root, string pattern) => throw null; protected virtual System.DateTime GetLastWriteUtc(string path) => throw null; public bool HasChanged { get => throw null; } - public PollingWildCardChangeToken(string root, string pattern) => throw null; System.IDisposable Microsoft.Extensions.Primitives.IChangeToken.RegisterChangeCallback(System.Action callback, object state) => throw null; } - + } + public class PhysicalFileProvider : Microsoft.Extensions.FileProviders.IFileProvider, System.IDisposable + { + public PhysicalFileProvider(string root) => throw null; + public PhysicalFileProvider(string root, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public Microsoft.Extensions.FileProviders.IDirectoryContents GetDirectoryContents(string subpath) => throw null; + public Microsoft.Extensions.FileProviders.IFileInfo GetFileInfo(string subpath) => throw null; + public string Root { get => throw null; } + public bool UseActivePolling { get => throw null; set { } } + public bool UsePollingFileWatcher { get => throw null; set { } } + public Microsoft.Extensions.Primitives.IChangeToken Watch(string filter) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileSystemGlobbing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileSystemGlobbing.cs index 17b83af80401..8b4f5ea98913 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileSystemGlobbing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileSystemGlobbing.cs @@ -1,62 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.FileSystemGlobbing, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace FileSystemGlobbing { - public struct FilePatternMatch : System.IEquatable - { - public bool Equals(Microsoft.Extensions.FileSystemGlobbing.FilePatternMatch other) => throw null; - public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public FilePatternMatch(string path, string stem) => throw null; - public override int GetHashCode() => throw null; - public string Path { get => throw null; } - public string Stem { get => throw null; } - } - - public class InMemoryDirectoryInfo : Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase - { - public override System.Collections.Generic.IEnumerable EnumerateFileSystemInfos() => throw null; - public override string FullName { get => throw null; } - public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase GetDirectory(string path) => throw null; - public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase GetFile(string path) => throw null; - public InMemoryDirectoryInfo(string rootDir, System.Collections.Generic.IEnumerable files) => throw null; - public override string Name { get => throw null; } - public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase ParentDirectory { get => throw null; } - } - - public class Matcher - { - public virtual Microsoft.Extensions.FileSystemGlobbing.Matcher AddExclude(string pattern) => throw null; - public virtual Microsoft.Extensions.FileSystemGlobbing.Matcher AddInclude(string pattern) => throw null; - public virtual Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Execute(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directoryInfo) => throw null; - public Matcher() => throw null; - public Matcher(System.StringComparison comparisonType) => throw null; - } - - public static class MatcherExtensions - { - public static void AddExcludePatterns(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, params System.Collections.Generic.IEnumerable[] excludePatternsGroups) => throw null; - public static void AddIncludePatterns(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, params System.Collections.Generic.IEnumerable[] includePatternsGroups) => throw null; - public static System.Collections.Generic.IEnumerable GetResultsInFullPath(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string directoryPath) => throw null; - public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, System.Collections.Generic.IEnumerable files) => throw null; - public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string file) => throw null; - public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string rootDir, System.Collections.Generic.IEnumerable files) => throw null; - public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string rootDir, string file) => throw null; - } - - public class PatternMatchingResult - { - public System.Collections.Generic.IEnumerable Files { get => throw null; set => throw null; } - public bool HasMatches { get => throw null; } - public PatternMatchingResult(System.Collections.Generic.IEnumerable files) => throw null; - public PatternMatchingResult(System.Collections.Generic.IEnumerable files, bool hasMatches) => throw null; - } - namespace Abstractions { public abstract class DirectoryInfoBase : Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileSystemInfoBase @@ -66,7 +15,6 @@ public abstract class DirectoryInfoBase : Microsoft.Extensions.FileSystemGlobbin public abstract Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase GetDirectory(string path); public abstract Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase GetFile(string path); } - public class DirectoryInfoWrapper : Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase { public DirectoryInfoWrapper(System.IO.DirectoryInfo directoryInfo) => throw null; @@ -77,12 +25,10 @@ public class DirectoryInfoWrapper : Microsoft.Extensions.FileSystemGlobbing.Abst public override string Name { get => throw null; } public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase ParentDirectory { get => throw null; } } - public abstract class FileInfoBase : Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileSystemInfoBase { protected FileInfoBase() => throw null; } - public class FileInfoWrapper : Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase { public FileInfoWrapper(System.IO.FileInfo fileInfo) => throw null; @@ -90,7 +36,6 @@ public class FileInfoWrapper : Microsoft.Extensions.FileSystemGlobbing.Abstracti public override string Name { get => throw null; } public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase ParentDirectory { get => throw null; } } - public abstract class FileSystemInfoBase { protected FileSystemInfoBase() => throw null; @@ -98,7 +43,25 @@ public abstract class FileSystemInfoBase public abstract string Name { get; } public abstract Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase ParentDirectory { get; } } - + } + public struct FilePatternMatch : System.IEquatable + { + public FilePatternMatch(string path, string stem) => throw null; + public bool Equals(Microsoft.Extensions.FileSystemGlobbing.FilePatternMatch other) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public string Path { get => throw null; } + public string Stem { get => throw null; } + } + public class InMemoryDirectoryInfo : Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase + { + public InMemoryDirectoryInfo(string rootDir, System.Collections.Generic.IEnumerable files) => throw null; + public override System.Collections.Generic.IEnumerable EnumerateFileSystemInfos() => throw null; + public override string FullName { get => throw null; } + public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase GetDirectory(string path) => throw null; + public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase GetFile(string path) => throw null; + public override string Name { get => throw null; } + public override Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase ParentDirectory { get => throw null; } } namespace Internal { @@ -106,19 +69,16 @@ public interface ILinearPattern : Microsoft.Extensions.FileSystemGlobbing.Intern { System.Collections.Generic.IList Segments { get; } } - public interface IPathSegment { bool CanProduceStem { get; } bool Match(string value); } - public interface IPattern { Microsoft.Extensions.FileSystemGlobbing.Internal.IPatternContext CreatePatternContextForExclude(); Microsoft.Extensions.FileSystemGlobbing.Internal.IPatternContext CreatePatternContextForInclude(); } - public interface IPatternContext { void Declare(System.Action onDeclare); @@ -127,7 +87,6 @@ public interface IPatternContext bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory); Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase file); } - public interface IRaggedPattern : Microsoft.Extensions.FileSystemGlobbing.Internal.IPattern { System.Collections.Generic.IList> Contains { get; } @@ -135,22 +94,11 @@ public interface IRaggedPattern : Microsoft.Extensions.FileSystemGlobbing.Intern System.Collections.Generic.IList Segments { get; } System.Collections.Generic.IList StartsWith { get; } } - public class MatcherContext { - public Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Execute() => throw null; public MatcherContext(System.Collections.Generic.IEnumerable includePatterns, System.Collections.Generic.IEnumerable excludePatterns, Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directoryInfo, System.StringComparison comparison) => throw null; + public Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Execute() => throw null; } - - public struct PatternTestResult - { - public static Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Failed; - public bool IsSuccessful { get => throw null; } - // Stub generator skipped constructor - public string Stem { get => throw null; } - public static Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Success(string stem) => throw null; - } - namespace PathSegments { public class CurrentPathSegment : Microsoft.Extensions.FileSystemGlobbing.Internal.IPathSegment @@ -159,99 +107,88 @@ public class CurrentPathSegment : Microsoft.Extensions.FileSystemGlobbing.Intern public CurrentPathSegment() => throw null; public bool Match(string value) => throw null; } - public class LiteralPathSegment : Microsoft.Extensions.FileSystemGlobbing.Internal.IPathSegment { public bool CanProduceStem { get => throw null; } + public LiteralPathSegment(string value, System.StringComparison comparisonType) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public LiteralPathSegment(string value, System.StringComparison comparisonType) => throw null; public bool Match(string value) => throw null; public string Value { get => throw null; } } - public class ParentPathSegment : Microsoft.Extensions.FileSystemGlobbing.Internal.IPathSegment { public bool CanProduceStem { get => throw null; } - public bool Match(string value) => throw null; public ParentPathSegment() => throw null; + public bool Match(string value) => throw null; } - public class RecursiveWildcardSegment : Microsoft.Extensions.FileSystemGlobbing.Internal.IPathSegment { public bool CanProduceStem { get => throw null; } - public bool Match(string value) => throw null; public RecursiveWildcardSegment() => throw null; + public bool Match(string value) => throw null; } - public class WildcardPathSegment : Microsoft.Extensions.FileSystemGlobbing.Internal.IPathSegment { public string BeginsWith { get => throw null; } public bool CanProduceStem { get => throw null; } public System.Collections.Generic.List Contains { get => throw null; } + public WildcardPathSegment(string beginsWith, System.Collections.Generic.List contains, string endsWith, System.StringComparison comparisonType) => throw null; public string EndsWith { get => throw null; } public bool Match(string value) => throw null; public static Microsoft.Extensions.FileSystemGlobbing.Internal.PathSegments.WildcardPathSegment MatchAll; - public WildcardPathSegment(string beginsWith, System.Collections.Generic.List contains, string endsWith, System.StringComparison comparisonType) => throw null; } - } namespace PatternContexts { public abstract class PatternContext : Microsoft.Extensions.FileSystemGlobbing.Internal.IPatternContext where TFrame : struct { + protected PatternContext() => throw null; public virtual void Declare(System.Action declare) => throw null; protected TFrame Frame; protected bool IsStackEmpty() => throw null; - protected PatternContext() => throw null; public virtual void PopDirectory() => throw null; protected void PushDataFrame(TFrame frame) => throw null; public abstract void PushDirectory(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory); public abstract bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory); public abstract Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase file); } - public abstract class PatternContextLinear : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContext { + protected string CalculateStem(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase matchedFile) => throw null; + public PatternContextLinear(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern pattern) => throw null; public struct FrameData { - // Stub generator skipped constructor public bool InStem; public bool IsNotApplicable; public int SegmentIndex; public string Stem { get => throw null; } public System.Collections.Generic.IList StemItems { get => throw null; } } - - - protected string CalculateStem(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase matchedFile) => throw null; protected bool IsLastSegment() => throw null; protected Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern Pattern { get => throw null; } - public PatternContextLinear(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern pattern) => throw null; public override void PushDirectory(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; public override Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase file) => throw null; protected bool TestMatchingSegment(string value) => throw null; } - public class PatternContextLinearExclude : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContextLinear { public PatternContextLinearExclude(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern pattern) : base(default(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern)) => throw null; public override bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; } - public class PatternContextLinearInclude : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContextLinear { - public override void Declare(System.Action onDeclare) => throw null; public PatternContextLinearInclude(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern pattern) : base(default(Microsoft.Extensions.FileSystemGlobbing.Internal.ILinearPattern)) => throw null; + public override void Declare(System.Action onDeclare) => throw null; public override bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; } - public abstract class PatternContextRagged : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContext { + protected string CalculateStem(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase matchedFile) => throw null; + public PatternContextRagged(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern pattern) => throw null; public struct FrameData { public int BacktrackAvailable; - // Stub generator skipped constructor public bool InStem; public bool IsNotApplicable; public System.Collections.Generic.IList SegmentGroup; @@ -260,33 +197,26 @@ public struct FrameData public string Stem { get => throw null; } public System.Collections.Generic.IList StemItems { get => throw null; } } - - - protected string CalculateStem(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase matchedFile) => throw null; protected bool IsEndingGroup() => throw null; protected bool IsStartingGroup() => throw null; protected Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern Pattern { get => throw null; } - public PatternContextRagged(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern pattern) => throw null; public override void PopDirectory() => throw null; - public override void PushDirectory(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; + public override sealed void PushDirectory(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; public override Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileInfoBase file) => throw null; protected bool TestMatchingGroup(Microsoft.Extensions.FileSystemGlobbing.Abstractions.FileSystemInfoBase value) => throw null; protected bool TestMatchingSegment(string value) => throw null; } - public class PatternContextRaggedExclude : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContextRagged { public PatternContextRaggedExclude(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern pattern) : base(default(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern)) => throw null; public override bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; } - public class PatternContextRaggedInclude : Microsoft.Extensions.FileSystemGlobbing.Internal.PatternContexts.PatternContextRagged { - public override void Declare(System.Action onDeclare) => throw null; public PatternContextRaggedInclude(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern pattern) : base(default(Microsoft.Extensions.FileSystemGlobbing.Internal.IRaggedPattern)) => throw null; + public override void Declare(System.Action onDeclare) => throw null; public override bool Test(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directory) => throw null; } - } namespace Patterns { @@ -297,8 +227,39 @@ public class PatternBuilder public PatternBuilder() => throw null; public PatternBuilder(System.StringComparison comparisonType) => throw null; } - } + public struct PatternTestResult + { + public static Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Failed; + public bool IsSuccessful { get => throw null; } + public string Stem { get => throw null; } + public static Microsoft.Extensions.FileSystemGlobbing.Internal.PatternTestResult Success(string stem) => throw null; + } + } + public class Matcher + { + public virtual Microsoft.Extensions.FileSystemGlobbing.Matcher AddExclude(string pattern) => throw null; + public virtual Microsoft.Extensions.FileSystemGlobbing.Matcher AddInclude(string pattern) => throw null; + public Matcher() => throw null; + public Matcher(System.StringComparison comparisonType) => throw null; + public virtual Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Execute(Microsoft.Extensions.FileSystemGlobbing.Abstractions.DirectoryInfoBase directoryInfo) => throw null; + } + public static partial class MatcherExtensions + { + public static void AddExcludePatterns(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, params System.Collections.Generic.IEnumerable[] excludePatternsGroups) => throw null; + public static void AddIncludePatterns(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, params System.Collections.Generic.IEnumerable[] includePatternsGroups) => throw null; + public static System.Collections.Generic.IEnumerable GetResultsInFullPath(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string directoryPath) => throw null; + public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, System.Collections.Generic.IEnumerable files) => throw null; + public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string file) => throw null; + public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string rootDir, System.Collections.Generic.IEnumerable files) => throw null; + public static Microsoft.Extensions.FileSystemGlobbing.PatternMatchingResult Match(this Microsoft.Extensions.FileSystemGlobbing.Matcher matcher, string rootDir, string file) => throw null; + } + public class PatternMatchingResult + { + public PatternMatchingResult(System.Collections.Generic.IEnumerable files) => throw null; + public PatternMatchingResult(System.Collections.Generic.IEnumerable files, bool hasMatches) => throw null; + public System.Collections.Generic.IEnumerable Files { get => throw null; set { } } + public bool HasMatches { get => throw null; } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs index 47adebded541..faff556c0120 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs @@ -1,18 +1,16 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Hosting.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class ServiceCollectionHostedServiceExtensions + public static partial class ServiceCollectionHostedServiceExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHostedService(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where THostedService : class, Microsoft.Extensions.Hosting.IHostedService => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHostedService(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func implementationFactory) where THostedService : class, Microsoft.Extensions.Hosting.IHostedService => throw null; } - } namespace Hosting { @@ -25,58 +23,50 @@ public abstract class BackgroundService : Microsoft.Extensions.Hosting.IHostedSe public virtual System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken) => throw null; public virtual System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - public static class EnvironmentName { public static string Development; public static string Production; public static string Staging; } - public static class Environments { public static string Development; public static string Production; public static string Staging; } - - public class HostAbortedException : System.Exception + public sealed class HostAbortedException : System.Exception { public HostAbortedException() => throw null; public HostAbortedException(string message) => throw null; public HostAbortedException(string message, System.Exception innerException) => throw null; } - public class HostBuilderContext { - public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set => throw null; } + public Microsoft.Extensions.Configuration.IConfiguration Configuration { get => throw null; set { } } public HostBuilderContext(System.Collections.Generic.IDictionary properties) => throw null; - public Microsoft.Extensions.Hosting.IHostEnvironment HostingEnvironment { get => throw null; set => throw null; } + public Microsoft.Extensions.Hosting.IHostEnvironment HostingEnvironment { get => throw null; set { } } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - public static class HostDefaults { public static string ApplicationKey; public static string ContentRootKey; public static string EnvironmentKey; } - - public static class HostEnvironmentEnvExtensions + public static partial class HostEnvironmentEnvExtensions { public static bool IsDevelopment(this Microsoft.Extensions.Hosting.IHostEnvironment hostEnvironment) => throw null; public static bool IsEnvironment(this Microsoft.Extensions.Hosting.IHostEnvironment hostEnvironment, string environmentName) => throw null; public static bool IsProduction(this Microsoft.Extensions.Hosting.IHostEnvironment hostEnvironment) => throw null; public static bool IsStaging(this Microsoft.Extensions.Hosting.IHostEnvironment hostEnvironment) => throw null; } - - public static class HostingAbstractionsHostBuilderExtensions + public static partial class HostingAbstractionsHostBuilderExtensions { public static Microsoft.Extensions.Hosting.IHost Start(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder) => throw null; public static System.Threading.Tasks.Task StartAsync(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - public static class HostingAbstractionsHostExtensions + public static partial class HostingAbstractionsHostExtensions { public static void Run(this Microsoft.Extensions.Hosting.IHost host) => throw null; public static System.Threading.Tasks.Task RunAsync(this Microsoft.Extensions.Hosting.IHost host, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; @@ -85,15 +75,13 @@ public static class HostingAbstractionsHostExtensions public static void WaitForShutdown(this Microsoft.Extensions.Hosting.IHost host) => throw null; public static System.Threading.Tasks.Task WaitForShutdownAsync(this Microsoft.Extensions.Hosting.IHost host, System.Threading.CancellationToken token = default(System.Threading.CancellationToken)) => throw null; } - - public static class HostingEnvironmentExtensions + public static partial class HostingEnvironmentExtensions { public static bool IsDevelopment(this Microsoft.Extensions.Hosting.IHostingEnvironment hostingEnvironment) => throw null; public static bool IsEnvironment(this Microsoft.Extensions.Hosting.IHostingEnvironment hostingEnvironment, string environmentName) => throw null; public static bool IsProduction(this Microsoft.Extensions.Hosting.IHostingEnvironment hostingEnvironment) => throw null; public static bool IsStaging(this Microsoft.Extensions.Hosting.IHostingEnvironment hostingEnvironment) => throw null; } - public interface IApplicationLifetime { System.Threading.CancellationToken ApplicationStarted { get; } @@ -101,14 +89,12 @@ public interface IApplicationLifetime System.Threading.CancellationToken ApplicationStopping { get; } void StopApplication(); } - public interface IHost : System.IDisposable { System.IServiceProvider Services { get; } System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IHostApplicationLifetime { System.Threading.CancellationToken ApplicationStarted { get; } @@ -116,7 +102,6 @@ public interface IHostApplicationLifetime System.Threading.CancellationToken ApplicationStopping { get; } void StopApplication(); } - public interface IHostBuilder { Microsoft.Extensions.Hosting.IHost Build(); @@ -125,10 +110,14 @@ public interface IHostBuilder Microsoft.Extensions.Hosting.IHostBuilder ConfigureHostConfiguration(System.Action configureDelegate); Microsoft.Extensions.Hosting.IHostBuilder ConfigureServices(System.Action configureDelegate); System.Collections.Generic.IDictionary Properties { get; } - Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory); Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory); + Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory); + } + public interface IHostedService + { + System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken); } - public interface IHostEnvironment { string ApplicationName { get; set; } @@ -136,19 +125,6 @@ public interface IHostEnvironment string ContentRootPath { get; set; } string EnvironmentName { get; set; } } - - public interface IHostLifetime - { - System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task WaitForStartAsync(System.Threading.CancellationToken cancellationToken); - } - - public interface IHostedService - { - System.Threading.Tasks.Task StartAsync(System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken); - } - public interface IHostingEnvironment { string ApplicationName { get; set; } @@ -156,7 +132,11 @@ public interface IHostingEnvironment string ContentRootPath { get; set; } string EnvironmentName { get; set; } } - + public interface IHostLifetime + { + System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task WaitForStartAsync(System.Threading.CancellationToken cancellationToken); + } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs index 8e078972865e..d4e20dfa358c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs @@ -1,32 +1,28 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Hosting, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class OptionsBuilderExtensions + public static partial class OptionsBuilderExtensions { public static Microsoft.Extensions.Options.OptionsBuilder ValidateOnStart(this Microsoft.Extensions.Options.OptionsBuilder optionsBuilder) where TOptions : class => throw null; } - } namespace Hosting { - public enum BackgroundServiceExceptionBehavior : int + public enum BackgroundServiceExceptionBehavior { - Ignore = 1, StopHost = 0, + Ignore = 1, } - public class ConsoleLifetimeOptions { public ConsoleLifetimeOptions() => throw null; - public bool SuppressStatusMessages { get => throw null; set => throw null; } + public bool SuppressStatusMessages { get => throw null; set { } } } - public static class Host { public static Microsoft.Extensions.Hosting.HostApplicationBuilder CreateApplicationBuilder() => throw null; @@ -34,31 +30,28 @@ public static class Host public static Microsoft.Extensions.Hosting.IHostBuilder CreateDefaultBuilder() => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder CreateDefaultBuilder(string[] args) => throw null; } - - public class HostApplicationBuilder + public sealed class HostApplicationBuilder { public Microsoft.Extensions.Hosting.IHost Build() => throw null; public Microsoft.Extensions.Configuration.ConfigurationManager Configuration { get => throw null; } public void ConfigureContainer(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory, System.Action configure = default(System.Action)) => throw null; - public Microsoft.Extensions.Hosting.IHostEnvironment Environment { get => throw null; } public HostApplicationBuilder() => throw null; public HostApplicationBuilder(Microsoft.Extensions.Hosting.HostApplicationBuilderSettings settings) => throw null; public HostApplicationBuilder(string[] args) => throw null; + public Microsoft.Extensions.Hosting.IHostEnvironment Environment { get => throw null; } public Microsoft.Extensions.Logging.ILoggingBuilder Logging { get => throw null; } public Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } } - - public class HostApplicationBuilderSettings + public sealed class HostApplicationBuilderSettings { - public string ApplicationName { get => throw null; set => throw null; } - public string[] Args { get => throw null; set => throw null; } - public Microsoft.Extensions.Configuration.ConfigurationManager Configuration { get => throw null; set => throw null; } - public string ContentRootPath { get => throw null; set => throw null; } - public bool DisableDefaults { get => throw null; set => throw null; } - public string EnvironmentName { get => throw null; set => throw null; } + public string ApplicationName { get => throw null; set { } } + public string[] Args { get => throw null; set { } } + public Microsoft.Extensions.Configuration.ConfigurationManager Configuration { get => throw null; set { } } + public string ContentRootPath { get => throw null; set { } } public HostApplicationBuilderSettings() => throw null; + public bool DisableDefaults { get => throw null; set { } } + public string EnvironmentName { get => throw null; set { } } } - public class HostBuilder : Microsoft.Extensions.Hosting.IHostBuilder { public Microsoft.Extensions.Hosting.IHost Build() => throw null; @@ -68,18 +61,10 @@ public class HostBuilder : Microsoft.Extensions.Hosting.IHostBuilder public Microsoft.Extensions.Hosting.IHostBuilder ConfigureServices(System.Action configureDelegate) => throw null; public HostBuilder() => throw null; public System.Collections.Generic.IDictionary Properties { get => throw null; } - public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory) => throw null; public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory) => throw null; + public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory) => throw null; } - - public class HostOptions - { - public Microsoft.Extensions.Hosting.BackgroundServiceExceptionBehavior BackgroundServiceExceptionBehavior { get => throw null; set => throw null; } - public HostOptions() => throw null; - public System.TimeSpan ShutdownTimeout { get => throw null; set => throw null; } - } - - public static class HostingHostBuilderExtensions + public static partial class HostingHostBuilderExtensions { public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureAppConfiguration(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configureDelegate) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder ConfigureContainer(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configureDelegate) => throw null; @@ -94,24 +79,28 @@ public static class HostingHostBuilderExtensions public static Microsoft.Extensions.Hosting.IHostBuilder UseConsoleLifetime(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder UseConsoleLifetime(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configureOptions) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder UseContentRoot(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, string contentRoot) => throw null; - public static Microsoft.Extensions.Hosting.IHostBuilder UseDefaultServiceProvider(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configure) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder UseDefaultServiceProvider(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configure) => throw null; + public static Microsoft.Extensions.Hosting.IHostBuilder UseDefaultServiceProvider(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, System.Action configure) => throw null; public static Microsoft.Extensions.Hosting.IHostBuilder UseEnvironment(this Microsoft.Extensions.Hosting.IHostBuilder hostBuilder, string environment) => throw null; } - + public class HostOptions + { + public Microsoft.Extensions.Hosting.BackgroundServiceExceptionBehavior BackgroundServiceExceptionBehavior { get => throw null; set { } } + public HostOptions() => throw null; + public System.TimeSpan ShutdownTimeout { get => throw null; set { } } + } namespace Internal { public class ApplicationLifetime : Microsoft.Extensions.Hosting.IApplicationLifetime, Microsoft.Extensions.Hosting.IHostApplicationLifetime { - public ApplicationLifetime(Microsoft.Extensions.Logging.ILogger logger) => throw null; public System.Threading.CancellationToken ApplicationStarted { get => throw null; } public System.Threading.CancellationToken ApplicationStopped { get => throw null; } public System.Threading.CancellationToken ApplicationStopping { get => throw null; } + public ApplicationLifetime(Microsoft.Extensions.Logging.ILogger logger) => throw null; public void NotifyStarted() => throw null; public void NotifyStopped() => throw null; public void StopApplication() => throw null; } - public class ConsoleLifetime : Microsoft.Extensions.Hosting.IHostLifetime, System.IDisposable { public ConsoleLifetime(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Hosting.IHostEnvironment environment, Microsoft.Extensions.Hosting.IHostApplicationLifetime applicationLifetime, Microsoft.Extensions.Options.IOptions hostOptions) => throw null; @@ -120,16 +109,14 @@ public class ConsoleLifetime : Microsoft.Extensions.Hosting.IHostLifetime, Syste public System.Threading.Tasks.Task StopAsync(System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task WaitForStartAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - public class HostingEnvironment : Microsoft.Extensions.Hosting.IHostEnvironment, Microsoft.Extensions.Hosting.IHostingEnvironment { - public string ApplicationName { get => throw null; set => throw null; } - public Microsoft.Extensions.FileProviders.IFileProvider ContentRootFileProvider { get => throw null; set => throw null; } - public string ContentRootPath { get => throw null; set => throw null; } - public string EnvironmentName { get => throw null; set => throw null; } + public string ApplicationName { get => throw null; set { } } + public Microsoft.Extensions.FileProviders.IFileProvider ContentRootFileProvider { get => throw null; set { } } + public string ContentRootPath { get => throw null; set { } } public HostingEnvironment() => throw null; + public string EnvironmentName { get => throw null; set { } } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Http.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Http.cs index 64f9e39c7872..94e2236de5d4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Http.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Http.cs @@ -1,112 +1,102 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Http, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class HttpClientBuilderExtensions + public static partial class HttpClientBuilderExtensions { - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder) where THandler : System.Net.Http.DelegatingHandler => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddTypedClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddTypedClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder) where TClient : class => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddTypedClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func factory) where TClient : class => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddTypedClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func factory) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigureHttpClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Action configureClient) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddTypedClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigureHttpClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Action configureClient) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigureHttpClient(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Action configureClient) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigureHttpMessageHandlerBuilder(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Action configureBuilder) => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigurePrimaryHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigurePrimaryHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigurePrimaryHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func configureHandler) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder ConfigurePrimaryHttpMessageHandler(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder) where THandler : System.Net.Http.HttpMessageHandler => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder RedactLoggedHeaders(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func shouldRedactHeaderValue) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder RedactLoggedHeaders(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Collections.Generic.IEnumerable redactedLoggedHeaderNames) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder RedactLoggedHeaders(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.Func shouldRedactHeaderValue) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder SetHandlerLifetime(this Microsoft.Extensions.DependencyInjection.IHttpClientBuilder builder, System.TimeSpan handlerLifetime) => throw null; } - - public static class HttpClientFactoryServiceCollectionExtensions + public static partial class HttpClientFactoryServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name) => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TClient : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name) where TClient : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TClient : class where TImplementation : class, TClient => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func factory) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Func factory) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name) where TClient : class where TImplementation : class, TClient => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; + public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Func factory) where TClient : class where TImplementation : class, TClient => throw null; public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Func factory) where TClient : class where TImplementation : class, TClient => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureClient) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IHttpClientBuilder AddHttpClient(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureClient) where TClient : class => throw null; } - public interface IHttpClientBuilder { string Name { get; } Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - } namespace Http { public class HttpClientFactoryOptions { - public System.TimeSpan HandlerLifetime { get => throw null; set => throw null; } - public System.Collections.Generic.IList> HttpClientActions { get => throw null; } public HttpClientFactoryOptions() => throw null; + public System.TimeSpan HandlerLifetime { get => throw null; set { } } + public System.Collections.Generic.IList> HttpClientActions { get => throw null; } public System.Collections.Generic.IList> HttpMessageHandlerBuilderActions { get => throw null; } - public System.Func ShouldRedactHeaderValue { get => throw null; set => throw null; } - public bool SuppressHandlerScope { get => throw null; set => throw null; } + public System.Func ShouldRedactHeaderValue { get => throw null; set { } } + public bool SuppressHandlerScope { get => throw null; set { } } } - public abstract class HttpMessageHandlerBuilder { public abstract System.Collections.Generic.IList AdditionalHandlers { get; } public abstract System.Net.Http.HttpMessageHandler Build(); - protected internal static System.Net.Http.HttpMessageHandler CreateHandlerPipeline(System.Net.Http.HttpMessageHandler primaryHandler, System.Collections.Generic.IEnumerable additionalHandlers) => throw null; + protected static System.Net.Http.HttpMessageHandler CreateHandlerPipeline(System.Net.Http.HttpMessageHandler primaryHandler, System.Collections.Generic.IEnumerable additionalHandlers) => throw null; protected HttpMessageHandlerBuilder() => throw null; public abstract string Name { get; set; } public abstract System.Net.Http.HttpMessageHandler PrimaryHandler { get; set; } public virtual System.IServiceProvider Services { get => throw null; } } - public interface IHttpMessageHandlerBuilderFilter { System.Action Configure(System.Action next); } - public interface ITypedHttpClientFactory { TClient CreateClient(System.Net.Http.HttpClient httpClient); } - namespace Logging { public class LoggingHttpMessageHandler : System.Net.Http.DelegatingHandler { public LoggingHttpMessageHandler(Microsoft.Extensions.Logging.ILogger logger) => throw null; public LoggingHttpMessageHandler(Microsoft.Extensions.Logging.ILogger logger, Microsoft.Extensions.Http.HttpClientFactoryOptions options) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; } - public class LoggingScopeHttpMessageHandler : System.Net.Http.DelegatingHandler { public LoggingScopeHttpMessageHandler(Microsoft.Extensions.Logging.ILogger logger) => throw null; public LoggingScopeHttpMessageHandler(Microsoft.Extensions.Logging.ILogger logger, Microsoft.Extensions.Http.HttpClientFactoryOptions options) => throw null; - protected internal override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task SendAsync(System.Net.Http.HttpRequestMessage request, System.Threading.CancellationToken cancellationToken) => throw null; } - } } } @@ -117,26 +107,22 @@ namespace Net { namespace Http { - public static class HttpClientFactoryExtensions + public static partial class HttpClientFactoryExtensions { public static System.Net.Http.HttpClient CreateClient(this System.Net.Http.IHttpClientFactory factory) => throw null; } - - public static class HttpMessageHandlerFactoryExtensions + public static partial class HttpMessageHandlerFactoryExtensions { public static System.Net.Http.HttpMessageHandler CreateHandler(this System.Net.Http.IHttpMessageHandlerFactory factory) => throw null; } - public interface IHttpClientFactory { System.Net.Http.HttpClient CreateClient(string name); } - public interface IHttpMessageHandlerFactory { System.Net.Http.HttpMessageHandler CreateHandler(string name); } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs index f4ad09fbca6e..8c05a35db0f4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Identity.Core, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -9,99 +8,158 @@ namespace Identity { public class AuthenticatorTokenProvider : Microsoft.AspNetCore.Identity.IUserTwoFactorTokenProvider where TUser : class { - public AuthenticatorTokenProvider() => throw null; public virtual System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; + public AuthenticatorTokenProvider() => throw null; public virtual System.Threading.Tasks.Task GenerateAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; public virtual System.Threading.Tasks.Task ValidateAsync(string purpose, string token, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - public class ClaimsIdentityOptions { public ClaimsIdentityOptions() => throw null; - public string EmailClaimType { get => throw null; set => throw null; } - public string RoleClaimType { get => throw null; set => throw null; } - public string SecurityStampClaimType { get => throw null; set => throw null; } - public string UserIdClaimType { get => throw null; set => throw null; } - public string UserNameClaimType { get => throw null; set => throw null; } + public string EmailClaimType { get => throw null; set { } } + public string RoleClaimType { get => throw null; set { } } + public string SecurityStampClaimType { get => throw null; set { } } + public string UserIdClaimType { get => throw null; set { } } + public string UserNameClaimType { get => throw null; set { } } } - public class DefaultPersonalDataProtector : Microsoft.AspNetCore.Identity.IPersonalDataProtector { public DefaultPersonalDataProtector(Microsoft.AspNetCore.Identity.ILookupProtectorKeyRing keyRing, Microsoft.AspNetCore.Identity.ILookupProtector protector) => throw null; public virtual string Protect(string data) => throw null; public virtual string Unprotect(string data) => throw null; } - public class DefaultUserConfirmation : Microsoft.AspNetCore.Identity.IUserConfirmation where TUser : class { public DefaultUserConfirmation() => throw null; public virtual System.Threading.Tasks.Task IsConfirmedAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - public class EmailTokenProvider : Microsoft.AspNetCore.Identity.TotpSecurityStampBasedTokenProvider where TUser : class { public override System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; public EmailTokenProvider() => throw null; public override System.Threading.Tasks.Task GetUserModifierAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - + public class IdentityBuilder + { + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddClaimsPrincipalFactory() where TFactory : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddErrorDescriber() where TDescriber : Microsoft.AspNetCore.Identity.IdentityErrorDescriber => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddPasswordValidator() where TValidator : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddPersonalDataProtection() where TProtector : class, Microsoft.AspNetCore.Identity.ILookupProtector where TKeyRing : class, Microsoft.AspNetCore.Identity.ILookupProtectorKeyRing => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleManager() where TRoleManager : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoles() where TRole : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleStore() where TStore : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleValidator() where TRole : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddTokenProvider(string providerName) where TProvider : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddTokenProvider(string providerName, System.Type provider) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserConfirmation() where TUserConfirmation : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserManager() where TUserManager : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserStore() where TStore : class => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserValidator() where TValidator : class => throw null; + public IdentityBuilder(System.Type user, Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; + public IdentityBuilder(System.Type user, System.Type role, Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; + public System.Type RoleType { get => throw null; } + public Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } + public System.Type UserType { get => throw null; } + } + public class IdentityError + { + public string Code { get => throw null; set { } } + public IdentityError() => throw null; + public string Description { get => throw null; set { } } + } + public class IdentityErrorDescriber + { + public virtual Microsoft.AspNetCore.Identity.IdentityError ConcurrencyFailure() => throw null; + public IdentityErrorDescriber() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError DefaultError() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateEmail(string email) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateRoleName(string role) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateUserName(string userName) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidEmail(string email) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidRoleName(string role) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidToken() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidUserName(string userName) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError LoginAlreadyAssociated() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordMismatch() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresDigit() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresLower() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresNonAlphanumeric() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresUniqueChars(int uniqueChars) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresUpper() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordTooShort(int length) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError RecoveryCodeRedemptionFailed() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError UserAlreadyHasPassword() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError UserAlreadyInRole(string role) => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError UserLockoutNotEnabled() => throw null; + public virtual Microsoft.AspNetCore.Identity.IdentityError UserNotInRole(string role) => throw null; + } + public class IdentityOptions + { + public Microsoft.AspNetCore.Identity.ClaimsIdentityOptions ClaimsIdentity { get => throw null; set { } } + public IdentityOptions() => throw null; + public Microsoft.AspNetCore.Identity.LockoutOptions Lockout { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.PasswordOptions Password { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.SignInOptions SignIn { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.StoreOptions Stores { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.TokenOptions Tokens { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.UserOptions User { get => throw null; set { } } + } + public class IdentityResult + { + public IdentityResult() => throw null; + public System.Collections.Generic.IEnumerable Errors { get => throw null; } + public static Microsoft.AspNetCore.Identity.IdentityResult Failed(params Microsoft.AspNetCore.Identity.IdentityError[] errors) => throw null; + public bool Succeeded { get => throw null; set { } } + public static Microsoft.AspNetCore.Identity.IdentityResult Success { get => throw null; } + public override string ToString() => throw null; + } public interface ILookupNormalizer { string NormalizeEmail(string email); string NormalizeName(string name); } - public interface ILookupProtector { string Protect(string keyId, string data); string Unprotect(string keyId, string data); } - public interface ILookupProtectorKeyRing { string CurrentKeyId { get; } System.Collections.Generic.IEnumerable GetAllKeyIds(); string this[string keyId] { get; } } - public interface IPasswordHasher where TUser : class { string HashPassword(TUser user, string password); Microsoft.AspNetCore.Identity.PasswordVerificationResult VerifyHashedPassword(TUser user, string hashedPassword, string providedPassword); } - public interface IPasswordValidator where TUser : class { System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user, string password); } - public interface IPersonalDataProtector { string Protect(string data); string Unprotect(string data); } - public interface IProtectedUserStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { } - public interface IQueryableRoleStore : Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable where TRole : class { System.Linq.IQueryable Roles { get; } } - public interface IQueryableUserStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Linq.IQueryable Users { get; } } - public interface IRoleClaimStore : Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable where TRole : class { System.Threading.Tasks.Task AddClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task> GetClaimsAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task RemoveClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IRoleStore : System.IDisposable where TRole : class { System.Threading.Tasks.Task CreateAsync(TRole role, System.Threading.CancellationToken cancellationToken); @@ -115,25 +173,25 @@ public interface IRoleStore : System.IDisposable where TRole : class System.Threading.Tasks.Task SetRoleNameAsync(TRole role, string roleName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task UpdateAsync(TRole role, System.Threading.CancellationToken cancellationToken); } - public interface IRoleValidator where TRole : class { System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.RoleManager manager, TRole role); } - public interface IUserAuthenticationTokenStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetTokenAsync(TUser user, string loginProvider, string name, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveTokenAsync(TUser user, string loginProvider, string name, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetTokenAsync(TUser user, string loginProvider, string name, string value, System.Threading.CancellationToken cancellationToken); } - public interface IUserAuthenticatorKeyStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetAuthenticatorKeyAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetAuthenticatorKeyAsync(TUser user, string key, System.Threading.CancellationToken cancellationToken); } - + public interface IUserClaimsPrincipalFactory where TUser : class + { + System.Threading.Tasks.Task CreateAsync(TUser user); + } public interface IUserClaimStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task AddClaimsAsync(TUser user, System.Collections.Generic.IEnumerable claims, System.Threading.CancellationToken cancellationToken); @@ -142,17 +200,10 @@ public interface IUserClaimStore : Microsoft.AspNetCore.Identity.IUserSto System.Threading.Tasks.Task RemoveClaimsAsync(TUser user, System.Collections.Generic.IEnumerable claims, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task ReplaceClaimAsync(TUser user, System.Security.Claims.Claim claim, System.Security.Claims.Claim newClaim, System.Threading.CancellationToken cancellationToken); } - - public interface IUserClaimsPrincipalFactory where TUser : class - { - System.Threading.Tasks.Task CreateAsync(TUser user); - } - public interface IUserConfirmation where TUser : class { System.Threading.Tasks.Task IsConfirmedAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user); } - public interface IUserEmailStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task FindByEmailAsync(string normalizedEmail, System.Threading.CancellationToken cancellationToken); @@ -163,7 +214,6 @@ public interface IUserEmailStore : Microsoft.AspNetCore.Identity.IUserSto System.Threading.Tasks.Task SetEmailConfirmedAsync(TUser user, bool confirmed, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetNormalizedEmailAsync(TUser user, string normalizedEmail, System.Threading.CancellationToken cancellationToken); } - public interface IUserLockoutStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetAccessFailedCountAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -174,7 +224,6 @@ public interface IUserLockoutStore : Microsoft.AspNetCore.Identity.IUserS System.Threading.Tasks.Task SetLockoutEnabledAsync(TUser user, bool enabled, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetLockoutEndDateAsync(TUser user, System.DateTimeOffset? lockoutEnd, System.Threading.CancellationToken cancellationToken); } - public interface IUserLoginStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task AddLoginAsync(TUser user, Microsoft.AspNetCore.Identity.UserLoginInfo login, System.Threading.CancellationToken cancellationToken); @@ -182,14 +231,12 @@ public interface IUserLoginStore : Microsoft.AspNetCore.Identity.IUserSto System.Threading.Tasks.Task> GetLoginsAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveLoginAsync(TUser user, string loginProvider, string providerKey, System.Threading.CancellationToken cancellationToken); } - public interface IUserPasswordStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetPasswordHashAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task HasPasswordAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetPasswordHashAsync(TUser user, string passwordHash, System.Threading.CancellationToken cancellationToken); } - public interface IUserPhoneNumberStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetPhoneNumberAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -197,7 +244,6 @@ public interface IUserPhoneNumberStore : Microsoft.AspNetCore.Identity.IU System.Threading.Tasks.Task SetPhoneNumberAsync(TUser user, string phoneNumber, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetPhoneNumberConfirmedAsync(TUser user, bool confirmed, System.Threading.CancellationToken cancellationToken); } - public interface IUserRoleStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task AddToRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); @@ -206,13 +252,11 @@ public interface IUserRoleStore : Microsoft.AspNetCore.Identity.IUserStor System.Threading.Tasks.Task IsInRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveFromRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); } - public interface IUserSecurityStampStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetSecurityStampAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetSecurityStampAsync(TUser user, string stamp, System.Threading.CancellationToken cancellationToken); } - public interface IUserStore : System.IDisposable where TUser : class { System.Threading.Tasks.Task CreateAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -226,207 +270,113 @@ public interface IUserStore : System.IDisposable where TUser : class System.Threading.Tasks.Task SetUserNameAsync(TUser user, string userName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task UpdateAsync(TUser user, System.Threading.CancellationToken cancellationToken); } - public interface IUserTwoFactorRecoveryCodeStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task CountCodesAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RedeemCodeAsync(TUser user, string code, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task ReplaceCodesAsync(TUser user, System.Collections.Generic.IEnumerable recoveryCodes, System.Threading.CancellationToken cancellationToken); } - public interface IUserTwoFactorStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class { System.Threading.Tasks.Task GetTwoFactorEnabledAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetTwoFactorEnabledAsync(TUser user, bool enabled, System.Threading.CancellationToken cancellationToken); } - public interface IUserTwoFactorTokenProvider where TUser : class { System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user); System.Threading.Tasks.Task GenerateAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user); System.Threading.Tasks.Task ValidateAsync(string purpose, string token, Microsoft.AspNetCore.Identity.UserManager manager, TUser user); } - public interface IUserValidator where TUser : class { System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user); } - - public class IdentityBuilder - { - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddClaimsPrincipalFactory() where TFactory : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddErrorDescriber() where TDescriber : Microsoft.AspNetCore.Identity.IdentityErrorDescriber => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddPasswordValidator() where TValidator : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddPersonalDataProtection() where TKeyRing : class, Microsoft.AspNetCore.Identity.ILookupProtectorKeyRing where TProtector : class, Microsoft.AspNetCore.Identity.ILookupProtector => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleManager() where TRoleManager : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleStore() where TStore : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoleValidator() where TRole : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddRoles() where TRole : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddTokenProvider(string providerName, System.Type provider) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddTokenProvider(string providerName) where TProvider : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserConfirmation() where TUserConfirmation : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserManager() where TUserManager : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserStore() where TStore : class => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityBuilder AddUserValidator() where TValidator : class => throw null; - public IdentityBuilder(System.Type user, Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; - public IdentityBuilder(System.Type user, System.Type role, Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; - public System.Type RoleType { get => throw null; } - public Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } - public System.Type UserType { get => throw null; } - } - - public class IdentityError - { - public string Code { get => throw null; set => throw null; } - public string Description { get => throw null; set => throw null; } - public IdentityError() => throw null; - } - - public class IdentityErrorDescriber - { - public virtual Microsoft.AspNetCore.Identity.IdentityError ConcurrencyFailure() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError DefaultError() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateEmail(string email) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateRoleName(string role) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError DuplicateUserName(string userName) => throw null; - public IdentityErrorDescriber() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidEmail(string email) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidRoleName(string role) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidToken() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError InvalidUserName(string userName) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError LoginAlreadyAssociated() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordMismatch() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresDigit() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresLower() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresNonAlphanumeric() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresUniqueChars(int uniqueChars) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordRequiresUpper() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError PasswordTooShort(int length) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError RecoveryCodeRedemptionFailed() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError UserAlreadyHasPassword() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError UserAlreadyInRole(string role) => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError UserLockoutNotEnabled() => throw null; - public virtual Microsoft.AspNetCore.Identity.IdentityError UserNotInRole(string role) => throw null; - } - - public class IdentityOptions - { - public Microsoft.AspNetCore.Identity.ClaimsIdentityOptions ClaimsIdentity { get => throw null; set => throw null; } - public IdentityOptions() => throw null; - public Microsoft.AspNetCore.Identity.LockoutOptions Lockout { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.PasswordOptions Password { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.SignInOptions SignIn { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.StoreOptions Stores { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.TokenOptions Tokens { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.UserOptions User { get => throw null; set => throw null; } - } - - public class IdentityResult - { - public System.Collections.Generic.IEnumerable Errors { get => throw null; } - public static Microsoft.AspNetCore.Identity.IdentityResult Failed(params Microsoft.AspNetCore.Identity.IdentityError[] errors) => throw null; - public IdentityResult() => throw null; - public bool Succeeded { get => throw null; set => throw null; } - public static Microsoft.AspNetCore.Identity.IdentityResult Success { get => throw null; } - public override string ToString() => throw null; - } - public class LockoutOptions { - public bool AllowedForNewUsers { get => throw null; set => throw null; } - public System.TimeSpan DefaultLockoutTimeSpan { get => throw null; set => throw null; } + public bool AllowedForNewUsers { get => throw null; set { } } public LockoutOptions() => throw null; - public int MaxFailedAccessAttempts { get => throw null; set => throw null; } + public System.TimeSpan DefaultLockoutTimeSpan { get => throw null; set { } } + public int MaxFailedAccessAttempts { get => throw null; set { } } } - public class PasswordHasher : Microsoft.AspNetCore.Identity.IPasswordHasher where TUser : class { - public virtual string HashPassword(TUser user, string password) => throw null; public PasswordHasher(Microsoft.Extensions.Options.IOptions optionsAccessor = default(Microsoft.Extensions.Options.IOptions)) => throw null; + public virtual string HashPassword(TUser user, string password) => throw null; public virtual Microsoft.AspNetCore.Identity.PasswordVerificationResult VerifyHashedPassword(TUser user, string hashedPassword, string providedPassword) => throw null; } - - public enum PasswordHasherCompatibilityMode : int + public enum PasswordHasherCompatibilityMode { IdentityV2 = 0, IdentityV3 = 1, } - public class PasswordHasherOptions { - public Microsoft.AspNetCore.Identity.PasswordHasherCompatibilityMode CompatibilityMode { get => throw null; set => throw null; } - public int IterationCount { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.PasswordHasherCompatibilityMode CompatibilityMode { get => throw null; set { } } public PasswordHasherOptions() => throw null; + public int IterationCount { get => throw null; set { } } } - public class PasswordOptions { public PasswordOptions() => throw null; - public bool RequireDigit { get => throw null; set => throw null; } - public bool RequireLowercase { get => throw null; set => throw null; } - public bool RequireNonAlphanumeric { get => throw null; set => throw null; } - public bool RequireUppercase { get => throw null; set => throw null; } - public int RequiredLength { get => throw null; set => throw null; } - public int RequiredUniqueChars { get => throw null; set => throw null; } - } - + public bool RequireDigit { get => throw null; set { } } + public int RequiredLength { get => throw null; set { } } + public int RequiredUniqueChars { get => throw null; set { } } + public bool RequireLowercase { get => throw null; set { } } + public bool RequireNonAlphanumeric { get => throw null; set { } } + public bool RequireUppercase { get => throw null; set { } } + } public class PasswordValidator : Microsoft.AspNetCore.Identity.IPasswordValidator where TUser : class { - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber Describer { get => throw null; } - public virtual bool IsDigit(System.Char c) => throw null; - public virtual bool IsLetterOrDigit(System.Char c) => throw null; - public virtual bool IsLower(System.Char c) => throw null; - public virtual bool IsUpper(System.Char c) => throw null; public PasswordValidator(Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors = default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber)) => throw null; + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber Describer { get => throw null; } + public virtual bool IsDigit(char c) => throw null; + public virtual bool IsLetterOrDigit(char c) => throw null; + public virtual bool IsLower(char c) => throw null; + public virtual bool IsUpper(char c) => throw null; public virtual System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user, string password) => throw null; } - - public enum PasswordVerificationResult : int + public enum PasswordVerificationResult { Failed = 0, Success = 1, SuccessRehashNeeded = 2, } - public class PersonalDataAttribute : System.Attribute { public PersonalDataAttribute() => throw null; } - public class PhoneNumberTokenProvider : Microsoft.AspNetCore.Identity.TotpSecurityStampBasedTokenProvider where TUser : class { public override System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; - public override System.Threading.Tasks.Task GetUserModifierAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; public PhoneNumberTokenProvider() => throw null; + public override System.Threading.Tasks.Task GetUserModifierAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - public class ProtectedPersonalDataAttribute : Microsoft.AspNetCore.Identity.PersonalDataAttribute { public ProtectedPersonalDataAttribute() => throw null; } - public class RoleManager : System.IDisposable where TRole : class { public virtual System.Threading.Tasks.Task AddClaimAsync(TRole role, System.Security.Claims.Claim claim) => throw null; protected virtual System.Threading.CancellationToken CancellationToken { get => throw null; } public virtual System.Threading.Tasks.Task CreateAsync(TRole role) => throw null; + public RoleManager(Microsoft.AspNetCore.Identity.IRoleStore store, System.Collections.Generic.IEnumerable> roleValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, Microsoft.Extensions.Logging.ILogger> logger) => throw null; public virtual System.Threading.Tasks.Task DeleteAsync(TRole role) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set { } } public virtual System.Threading.Tasks.Task FindByIdAsync(string roleId) => throw null; public virtual System.Threading.Tasks.Task FindByNameAsync(string roleName) => throw null; public virtual System.Threading.Tasks.Task> GetClaimsAsync(TRole role) => throw null; public virtual System.Threading.Tasks.Task GetRoleIdAsync(TRole role) => throw null; public virtual System.Threading.Tasks.Task GetRoleNameAsync(TRole role) => throw null; - public Microsoft.AspNetCore.Identity.ILookupNormalizer KeyNormalizer { get => throw null; set => throw null; } - public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.ILookupNormalizer KeyNormalizer { get => throw null; set { } } + public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set { } } public virtual string NormalizeKey(string key) => throw null; public virtual System.Threading.Tasks.Task RemoveClaimAsync(TRole role, System.Security.Claims.Claim claim) => throw null; public virtual System.Threading.Tasks.Task RoleExistsAsync(string roleName) => throw null; - public RoleManager(Microsoft.AspNetCore.Identity.IRoleStore store, System.Collections.Generic.IEnumerable> roleValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, Microsoft.Extensions.Logging.ILogger> logger) => throw null; - public System.Collections.Generic.IList> RoleValidators { get => throw null; } public virtual System.Linq.IQueryable Roles { get => throw null; } + public System.Collections.Generic.IList> RoleValidators { get => throw null; } public virtual System.Threading.Tasks.Task SetRoleNameAsync(TRole role, string name) => throw null; protected Microsoft.AspNetCore.Identity.IRoleStore Store { get => throw null; } public virtual bool SupportsQueryableRoles { get => throw null; } @@ -437,106 +387,94 @@ public class RoleManager : System.IDisposable where TRole : class protected virtual System.Threading.Tasks.Task UpdateRoleAsync(TRole role) => throw null; protected virtual System.Threading.Tasks.Task ValidateRoleAsync(TRole role) => throw null; } - public class RoleValidator : Microsoft.AspNetCore.Identity.IRoleValidator where TRole : class { public RoleValidator(Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors = default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber)) => throw null; public virtual System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.RoleManager manager, TRole role) => throw null; } - public class SignInOptions { - public bool RequireConfirmedAccount { get => throw null; set => throw null; } - public bool RequireConfirmedEmail { get => throw null; set => throw null; } - public bool RequireConfirmedPhoneNumber { get => throw null; set => throw null; } public SignInOptions() => throw null; + public bool RequireConfirmedAccount { get => throw null; set { } } + public bool RequireConfirmedEmail { get => throw null; set { } } + public bool RequireConfirmedPhoneNumber { get => throw null; set { } } } - public class SignInResult { + public SignInResult() => throw null; public static Microsoft.AspNetCore.Identity.SignInResult Failed { get => throw null; } - public bool IsLockedOut { get => throw null; set => throw null; } - public bool IsNotAllowed { get => throw null; set => throw null; } + public bool IsLockedOut { get => throw null; set { } } + public bool IsNotAllowed { get => throw null; set { } } public static Microsoft.AspNetCore.Identity.SignInResult LockedOut { get => throw null; } public static Microsoft.AspNetCore.Identity.SignInResult NotAllowed { get => throw null; } - public bool RequiresTwoFactor { get => throw null; set => throw null; } - public SignInResult() => throw null; - public bool Succeeded { get => throw null; set => throw null; } + public bool RequiresTwoFactor { get => throw null; set { } } + public bool Succeeded { get => throw null; set { } } public static Microsoft.AspNetCore.Identity.SignInResult Success { get => throw null; } public override string ToString() => throw null; public static Microsoft.AspNetCore.Identity.SignInResult TwoFactorRequired { get => throw null; } } - public class StoreOptions { - public int MaxLengthForKeys { get => throw null; set => throw null; } - public bool ProtectPersonalData { get => throw null; set => throw null; } public StoreOptions() => throw null; + public int MaxLengthForKeys { get => throw null; set { } } + public bool ProtectPersonalData { get => throw null; set { } } } - public class TokenOptions { - public string AuthenticatorIssuer { get => throw null; set => throw null; } - public string AuthenticatorTokenProvider { get => throw null; set => throw null; } - public string ChangeEmailTokenProvider { get => throw null; set => throw null; } - public string ChangePhoneNumberTokenProvider { get => throw null; set => throw null; } + public string AuthenticatorIssuer { get => throw null; set { } } + public string AuthenticatorTokenProvider { get => throw null; set { } } + public string ChangeEmailTokenProvider { get => throw null; set { } } + public string ChangePhoneNumberTokenProvider { get => throw null; set { } } + public TokenOptions() => throw null; public static string DefaultAuthenticatorProvider; public static string DefaultEmailProvider; public static string DefaultPhoneProvider; public static string DefaultProvider; - public string EmailConfirmationTokenProvider { get => throw null; set => throw null; } - public string PasswordResetTokenProvider { get => throw null; set => throw null; } - public System.Collections.Generic.Dictionary ProviderMap { get => throw null; set => throw null; } - public TokenOptions() => throw null; + public string EmailConfirmationTokenProvider { get => throw null; set { } } + public string PasswordResetTokenProvider { get => throw null; set { } } + public System.Collections.Generic.Dictionary ProviderMap { get => throw null; set { } } } - public class TokenProviderDescriptor { - public object ProviderInstance { get => throw null; set => throw null; } - public System.Type ProviderType { get => throw null; } public TokenProviderDescriptor(System.Type type) => throw null; + public object ProviderInstance { get => throw null; set { } } + public System.Type ProviderType { get => throw null; } } - public abstract class TotpSecurityStampBasedTokenProvider : Microsoft.AspNetCore.Identity.IUserTwoFactorTokenProvider where TUser : class { public abstract System.Threading.Tasks.Task CanGenerateTwoFactorTokenAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user); + protected TotpSecurityStampBasedTokenProvider() => throw null; public virtual System.Threading.Tasks.Task GenerateAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; public virtual System.Threading.Tasks.Task GetUserModifierAsync(string purpose, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; - protected TotpSecurityStampBasedTokenProvider() => throw null; public virtual System.Threading.Tasks.Task ValidateAsync(string purpose, string token, Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - - public class UpperInvariantLookupNormalizer : Microsoft.AspNetCore.Identity.ILookupNormalizer + public sealed class UpperInvariantLookupNormalizer : Microsoft.AspNetCore.Identity.ILookupNormalizer { + public UpperInvariantLookupNormalizer() => throw null; public string NormalizeEmail(string email) => throw null; public string NormalizeName(string name) => throw null; - public UpperInvariantLookupNormalizer() => throw null; } - - public class UserClaimsPrincipalFactory : Microsoft.AspNetCore.Identity.UserClaimsPrincipalFactory where TRole : class where TUser : class - { - protected override System.Threading.Tasks.Task GenerateClaimsAsync(TUser user) => throw null; - public Microsoft.AspNetCore.Identity.RoleManager RoleManager { get => throw null; } - public UserClaimsPrincipalFactory(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.AspNetCore.Identity.RoleManager roleManager, Microsoft.Extensions.Options.IOptions options) : base(default(Microsoft.AspNetCore.Identity.UserManager), default(Microsoft.Extensions.Options.IOptions)) => throw null; - } - public class UserClaimsPrincipalFactory : Microsoft.AspNetCore.Identity.IUserClaimsPrincipalFactory where TUser : class { public virtual System.Threading.Tasks.Task CreateAsync(TUser user) => throw null; + public UserClaimsPrincipalFactory(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.Extensions.Options.IOptions optionsAccessor) => throw null; protected virtual System.Threading.Tasks.Task GenerateClaimsAsync(TUser user) => throw null; public Microsoft.AspNetCore.Identity.IdentityOptions Options { get => throw null; } - public UserClaimsPrincipalFactory(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.Extensions.Options.IOptions optionsAccessor) => throw null; public Microsoft.AspNetCore.Identity.UserManager UserManager { get => throw null; } } - + public class UserClaimsPrincipalFactory : Microsoft.AspNetCore.Identity.UserClaimsPrincipalFactory where TUser : class where TRole : class + { + public UserClaimsPrincipalFactory(Microsoft.AspNetCore.Identity.UserManager userManager, Microsoft.AspNetCore.Identity.RoleManager roleManager, Microsoft.Extensions.Options.IOptions options) : base(default(Microsoft.AspNetCore.Identity.UserManager), default(Microsoft.Extensions.Options.IOptions)) => throw null; + protected override System.Threading.Tasks.Task GenerateClaimsAsync(TUser user) => throw null; + public Microsoft.AspNetCore.Identity.RoleManager RoleManager { get => throw null; } + } public class UserLoginInfo { - public string LoginProvider { get => throw null; set => throw null; } - public string ProviderDisplayName { get => throw null; set => throw null; } - public string ProviderKey { get => throw null; set => throw null; } public UserLoginInfo(string loginProvider, string providerKey, string displayName) => throw null; + public string LoginProvider { get => throw null; set { } } + public string ProviderDisplayName { get => throw null; set { } } + public string ProviderKey { get => throw null; set { } } } - public class UserManager : System.IDisposable where TUser : class { public virtual System.Threading.Tasks.Task AccessFailedAsync(TUser user) => throw null; @@ -550,19 +488,20 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task ChangeEmailAsync(TUser user, string newEmail, string token) => throw null; public virtual System.Threading.Tasks.Task ChangePasswordAsync(TUser user, string currentPassword, string newPassword) => throw null; public virtual System.Threading.Tasks.Task ChangePhoneNumberAsync(TUser user, string phoneNumber, string token) => throw null; - public const string ChangePhoneNumberTokenPurpose = default; + public static string ChangePhoneNumberTokenPurpose; public virtual System.Threading.Tasks.Task CheckPasswordAsync(TUser user, string password) => throw null; public virtual System.Threading.Tasks.Task ConfirmEmailAsync(TUser user, string token) => throw null; - public const string ConfirmEmailTokenPurpose = default; + public static string ConfirmEmailTokenPurpose; public virtual System.Threading.Tasks.Task CountRecoveryCodesAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task CreateAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task CreateAsync(TUser user, string password) => throw null; - public virtual System.Threading.Tasks.Task CreateSecurityTokenAsync(TUser user) => throw null; + public virtual System.Threading.Tasks.Task CreateSecurityTokenAsync(TUser user) => throw null; protected virtual string CreateTwoFactorRecoveryCode() => throw null; + public UserManager(Microsoft.AspNetCore.Identity.IUserStore store, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Identity.IPasswordHasher passwordHasher, System.Collections.Generic.IEnumerable> userValidators, System.Collections.Generic.IEnumerable> passwordValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, System.IServiceProvider services, Microsoft.Extensions.Logging.ILogger> logger) => throw null; public virtual System.Threading.Tasks.Task DeleteAsync(TUser user) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set { } } public virtual System.Threading.Tasks.Task FindByEmailAsync(string email) => throw null; public virtual System.Threading.Tasks.Task FindByIdAsync(string userId) => throw null; public virtual System.Threading.Tasks.Task FindByLoginAsync(string loginProvider, string providerKey) => throw null; @@ -602,12 +541,12 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task IsInRoleAsync(TUser user, string role) => throw null; public virtual System.Threading.Tasks.Task IsLockedOutAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task IsPhoneNumberConfirmedAsync(TUser user) => throw null; - public Microsoft.AspNetCore.Identity.ILookupNormalizer KeyNormalizer { get => throw null; set => throw null; } - public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.ILookupNormalizer KeyNormalizer { get => throw null; set { } } + public virtual Microsoft.Extensions.Logging.ILogger Logger { get => throw null; set { } } public virtual string NormalizeEmail(string email) => throw null; public virtual string NormalizeName(string name) => throw null; - public Microsoft.AspNetCore.Identity.IdentityOptions Options { get => throw null; set => throw null; } - public Microsoft.AspNetCore.Identity.IPasswordHasher PasswordHasher { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IdentityOptions Options { get => throw null; set { } } + public Microsoft.AspNetCore.Identity.IPasswordHasher PasswordHasher { get => throw null; set { } } public System.Collections.Generic.IList> PasswordValidators { get => throw null; } public virtual System.Threading.Tasks.Task RedeemTwoFactorRecoveryCodeAsync(TUser user, string code) => throw null; public virtual void RegisterTokenProvider(string providerName, Microsoft.AspNetCore.Identity.IUserTwoFactorTokenProvider provider) => throw null; @@ -622,7 +561,7 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task ResetAccessFailedCountAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task ResetAuthenticatorKeyAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task ResetPasswordAsync(TUser user, string token, string newPassword) => throw null; - public const string ResetPasswordTokenPurpose = default; + public static string ResetPasswordTokenPurpose; public virtual System.Threading.Tasks.Task SetAuthenticationTokenAsync(TUser user, string loginProvider, string tokenName, string tokenValue) => throw null; public virtual System.Threading.Tasks.Task SetEmailAsync(TUser user, string email) => throw null; public virtual System.Threading.Tasks.Task SetLockoutEnabledAsync(TUser user, bool enabled) => throw null; @@ -630,7 +569,7 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task SetPhoneNumberAsync(TUser user, string phoneNumber) => throw null; public virtual System.Threading.Tasks.Task SetTwoFactorEnabledAsync(TUser user, bool enabled) => throw null; public virtual System.Threading.Tasks.Task SetUserNameAsync(TUser user, string userName) => throw null; - protected internal Microsoft.AspNetCore.Identity.IUserStore Store { get => throw null; set => throw null; } + protected Microsoft.AspNetCore.Identity.IUserStore Store { get => throw null; set { } } public virtual bool SupportsQueryableUsers { get => throw null; } public virtual bool SupportsUserAuthenticationTokens { get => throw null; } public virtual bool SupportsUserAuthenticatorKey { get => throw null; } @@ -651,9 +590,8 @@ public class UserManager : System.IDisposable where TUser : class protected virtual System.Threading.Tasks.Task UpdatePasswordHash(TUser user, string newPassword, bool validatePassword) => throw null; public virtual System.Threading.Tasks.Task UpdateSecurityStampAsync(TUser user) => throw null; protected virtual System.Threading.Tasks.Task UpdateUserAsync(TUser user) => throw null; - public UserManager(Microsoft.AspNetCore.Identity.IUserStore store, Microsoft.Extensions.Options.IOptions optionsAccessor, Microsoft.AspNetCore.Identity.IPasswordHasher passwordHasher, System.Collections.Generic.IEnumerable> userValidators, System.Collections.Generic.IEnumerable> passwordValidators, Microsoft.AspNetCore.Identity.ILookupNormalizer keyNormalizer, Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors, System.IServiceProvider services, Microsoft.Extensions.Logging.ILogger> logger) => throw null; - public System.Collections.Generic.IList> UserValidators { get => throw null; } public virtual System.Linq.IQueryable Users { get => throw null; } + public System.Collections.Generic.IList> UserValidators { get => throw null; } protected System.Threading.Tasks.Task ValidatePasswordAsync(TUser user, string password) => throw null; protected System.Threading.Tasks.Task ValidateUserAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task VerifyChangePhoneNumberTokenAsync(TUser user, string token, string phoneNumber) => throw null; @@ -661,21 +599,18 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task VerifyTwoFactorTokenAsync(TUser user, string tokenProvider, string token) => throw null; public virtual System.Threading.Tasks.Task VerifyUserTokenAsync(TUser user, string tokenProvider, string purpose, string token) => throw null; } - public class UserOptions { - public string AllowedUserNameCharacters { get => throw null; set => throw null; } - public bool RequireUniqueEmail { get => throw null; set => throw null; } + public string AllowedUserNameCharacters { get => throw null; set { } } public UserOptions() => throw null; + public bool RequireUniqueEmail { get => throw null; set { } } } - public class UserValidator : Microsoft.AspNetCore.Identity.IUserValidator where TUser : class { - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber Describer { get => throw null; } public UserValidator(Microsoft.AspNetCore.Identity.IdentityErrorDescriber errors = default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber)) => throw null; + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber Describer { get => throw null; } public virtual System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user) => throw null; } - } } namespace Extensions @@ -687,7 +622,6 @@ public static partial class IdentityServiceCollectionExtensions public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentityCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TUser : class => throw null; public static Microsoft.AspNetCore.Identity.IdentityBuilder AddIdentityCore(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) where TUser : class => throw null; } - } } } @@ -697,11 +631,10 @@ namespace Security { namespace Claims { - public static class PrincipalExtensions + public static partial class PrincipalExtensions { public static string FindFirstValue(this System.Security.Claims.ClaimsPrincipal principal, string claimType) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs index 9784752a2331..ee4f06046b86 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Identity.Stores, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace AspNetCore @@ -12,103 +11,95 @@ public class IdentityRole : Microsoft.AspNetCore.Identity.IdentityRole public IdentityRole() => throw null; public IdentityRole(string roleName) => throw null; } - public class IdentityRole where TKey : System.IEquatable { - public virtual string ConcurrencyStamp { get => throw null; set => throw null; } - public virtual TKey Id { get => throw null; set => throw null; } + public virtual string ConcurrencyStamp { get => throw null; set { } } public IdentityRole() => throw null; public IdentityRole(string roleName) => throw null; - public virtual string Name { get => throw null; set => throw null; } - public virtual string NormalizedName { get => throw null; set => throw null; } + public virtual TKey Id { get => throw null; set { } } + public virtual string Name { get => throw null; set { } } + public virtual string NormalizedName { get => throw null; set { } } public override string ToString() => throw null; } - public class IdentityRoleClaim where TKey : System.IEquatable { - public virtual string ClaimType { get => throw null; set => throw null; } - public virtual string ClaimValue { get => throw null; set => throw null; } - public virtual int Id { get => throw null; set => throw null; } + public virtual string ClaimType { get => throw null; set { } } + public virtual string ClaimValue { get => throw null; set { } } public IdentityRoleClaim() => throw null; + public virtual int Id { get => throw null; set { } } public virtual void InitializeFromClaim(System.Security.Claims.Claim other) => throw null; - public virtual TKey RoleId { get => throw null; set => throw null; } + public virtual TKey RoleId { get => throw null; set { } } public virtual System.Security.Claims.Claim ToClaim() => throw null; } - public class IdentityUser : Microsoft.AspNetCore.Identity.IdentityUser { public IdentityUser() => throw null; public IdentityUser(string userName) => throw null; } - public class IdentityUser where TKey : System.IEquatable { - public virtual int AccessFailedCount { get => throw null; set => throw null; } - public virtual string ConcurrencyStamp { get => throw null; set => throw null; } - public virtual string Email { get => throw null; set => throw null; } - public virtual bool EmailConfirmed { get => throw null; set => throw null; } - public virtual TKey Id { get => throw null; set => throw null; } + public virtual int AccessFailedCount { get => throw null; set { } } + public virtual string ConcurrencyStamp { get => throw null; set { } } public IdentityUser() => throw null; public IdentityUser(string userName) => throw null; - public virtual bool LockoutEnabled { get => throw null; set => throw null; } - public virtual System.DateTimeOffset? LockoutEnd { get => throw null; set => throw null; } - public virtual string NormalizedEmail { get => throw null; set => throw null; } - public virtual string NormalizedUserName { get => throw null; set => throw null; } - public virtual string PasswordHash { get => throw null; set => throw null; } - public virtual string PhoneNumber { get => throw null; set => throw null; } - public virtual bool PhoneNumberConfirmed { get => throw null; set => throw null; } - public virtual string SecurityStamp { get => throw null; set => throw null; } + public virtual string Email { get => throw null; set { } } + public virtual bool EmailConfirmed { get => throw null; set { } } + public virtual TKey Id { get => throw null; set { } } + public virtual bool LockoutEnabled { get => throw null; set { } } + public virtual System.DateTimeOffset? LockoutEnd { get => throw null; set { } } + public virtual string NormalizedEmail { get => throw null; set { } } + public virtual string NormalizedUserName { get => throw null; set { } } + public virtual string PasswordHash { get => throw null; set { } } + public virtual string PhoneNumber { get => throw null; set { } } + public virtual bool PhoneNumberConfirmed { get => throw null; set { } } + public virtual string SecurityStamp { get => throw null; set { } } public override string ToString() => throw null; - public virtual bool TwoFactorEnabled { get => throw null; set => throw null; } - public virtual string UserName { get => throw null; set => throw null; } + public virtual bool TwoFactorEnabled { get => throw null; set { } } + public virtual string UserName { get => throw null; set { } } } - public class IdentityUserClaim where TKey : System.IEquatable { - public virtual string ClaimType { get => throw null; set => throw null; } - public virtual string ClaimValue { get => throw null; set => throw null; } - public virtual int Id { get => throw null; set => throw null; } + public virtual string ClaimType { get => throw null; set { } } + public virtual string ClaimValue { get => throw null; set { } } public IdentityUserClaim() => throw null; + public virtual int Id { get => throw null; set { } } public virtual void InitializeFromClaim(System.Security.Claims.Claim claim) => throw null; public virtual System.Security.Claims.Claim ToClaim() => throw null; - public virtual TKey UserId { get => throw null; set => throw null; } + public virtual TKey UserId { get => throw null; set { } } } - public class IdentityUserLogin where TKey : System.IEquatable { public IdentityUserLogin() => throw null; - public virtual string LoginProvider { get => throw null; set => throw null; } - public virtual string ProviderDisplayName { get => throw null; set => throw null; } - public virtual string ProviderKey { get => throw null; set => throw null; } - public virtual TKey UserId { get => throw null; set => throw null; } + public virtual string LoginProvider { get => throw null; set { } } + public virtual string ProviderDisplayName { get => throw null; set { } } + public virtual string ProviderKey { get => throw null; set { } } + public virtual TKey UserId { get => throw null; set { } } } - public class IdentityUserRole where TKey : System.IEquatable { public IdentityUserRole() => throw null; - public virtual TKey RoleId { get => throw null; set => throw null; } - public virtual TKey UserId { get => throw null; set => throw null; } + public virtual TKey RoleId { get => throw null; set { } } + public virtual TKey UserId { get => throw null; set { } } } - public class IdentityUserToken where TKey : System.IEquatable { public IdentityUserToken() => throw null; - public virtual string LoginProvider { get => throw null; set => throw null; } - public virtual string Name { get => throw null; set => throw null; } - public virtual TKey UserId { get => throw null; set => throw null; } - public virtual string Value { get => throw null; set => throw null; } + public virtual string LoginProvider { get => throw null; set { } } + public virtual string Name { get => throw null; set { } } + public virtual TKey UserId { get => throw null; set { } } + public virtual string Value { get => throw null; set { } } } - - public abstract class RoleStoreBase : Microsoft.AspNetCore.Identity.IQueryableRoleStore, Microsoft.AspNetCore.Identity.IRoleClaimStore, Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable where TKey : System.IEquatable where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() + public abstract class RoleStoreBase : Microsoft.AspNetCore.Identity.IQueryableRoleStore, Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable, Microsoft.AspNetCore.Identity.IRoleClaimStore where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() { public abstract System.Threading.Tasks.Task AddClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public virtual TKey ConvertIdFromString(string id) => throw null; public virtual string ConvertIdToString(TKey id) => throw null; public abstract System.Threading.Tasks.Task CreateAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); protected virtual TRoleClaim CreateRoleClaim(TRole role, System.Security.Claims.Claim claim) => throw null; + public RoleStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) => throw null; public abstract System.Threading.Tasks.Task DeleteAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public void Dispose() => throw null; - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set { } } public abstract System.Threading.Tasks.Task FindByIdAsync(string id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Threading.Tasks.Task FindByNameAsync(string normalizedName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Threading.Tasks.Task> GetClaimsAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); @@ -116,28 +107,13 @@ public class IdentityUserToken where TKey : System.IEquatable public virtual System.Threading.Tasks.Task GetRoleIdAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.Task GetRoleNameAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public abstract System.Threading.Tasks.Task RemoveClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public RoleStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) => throw null; public abstract System.Linq.IQueryable Roles { get; } public virtual System.Threading.Tasks.Task SetNormalizedRoleNameAsync(TRole role, string normalizedName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.Task SetRoleNameAsync(TRole role, string roleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected void ThrowIfDisposed() => throw null; public abstract System.Threading.Tasks.Task UpdateAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - - public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.UserStoreBase, Microsoft.AspNetCore.Identity.IUserRoleStore, Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TKey : System.IEquatable where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() - { - public abstract System.Threading.Tasks.Task AddToRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - protected virtual TUserRole CreateUserRole(TUser user, TRole role) => throw null; - protected abstract System.Threading.Tasks.Task FindRoleAsync(string normalizedRoleName, System.Threading.CancellationToken cancellationToken); - protected abstract System.Threading.Tasks.Task FindUserRoleAsync(TKey userId, TKey roleId, System.Threading.CancellationToken cancellationToken); - public abstract System.Threading.Tasks.Task> GetRolesAsync(TUser user, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task> GetUsersInRoleAsync(string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task IsInRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task RemoveFromRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public UserStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) : base(default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber)) => throw null; - } - - public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.IQueryableUserStore, Microsoft.AspNetCore.Identity.IUserAuthenticationTokenStore, Microsoft.AspNetCore.Identity.IUserAuthenticatorKeyStore, Microsoft.AspNetCore.Identity.IUserClaimStore, Microsoft.AspNetCore.Identity.IUserEmailStore, Microsoft.AspNetCore.Identity.IUserLockoutStore, Microsoft.AspNetCore.Identity.IUserLoginStore, Microsoft.AspNetCore.Identity.IUserPasswordStore, Microsoft.AspNetCore.Identity.IUserPhoneNumberStore, Microsoft.AspNetCore.Identity.IUserSecurityStampStore, Microsoft.AspNetCore.Identity.IUserStore, Microsoft.AspNetCore.Identity.IUserTwoFactorRecoveryCodeStore, Microsoft.AspNetCore.Identity.IUserTwoFactorStore, System.IDisposable where TKey : System.IEquatable where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() + public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.IUserLoginStore, Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable, Microsoft.AspNetCore.Identity.IUserClaimStore, Microsoft.AspNetCore.Identity.IUserPasswordStore, Microsoft.AspNetCore.Identity.IUserSecurityStampStore, Microsoft.AspNetCore.Identity.IUserEmailStore, Microsoft.AspNetCore.Identity.IUserLockoutStore, Microsoft.AspNetCore.Identity.IUserPhoneNumberStore, Microsoft.AspNetCore.Identity.IQueryableUserStore, Microsoft.AspNetCore.Identity.IUserTwoFactorStore, Microsoft.AspNetCore.Identity.IUserAuthenticationTokenStore, Microsoft.AspNetCore.Identity.IUserAuthenticatorKeyStore, Microsoft.AspNetCore.Identity.IUserTwoFactorRecoveryCodeStore where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() { public abstract System.Threading.Tasks.Task AddClaimsAsync(TUser user, System.Collections.Generic.IEnumerable claims, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Threading.Tasks.Task AddLoginAsync(TUser user, Microsoft.AspNetCore.Identity.UserLoginInfo login, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); @@ -149,9 +125,10 @@ public class IdentityUserToken where TKey : System.IEquatable protected virtual TUserClaim CreateUserClaim(TUser user, System.Security.Claims.Claim claim) => throw null; protected virtual TUserLogin CreateUserLogin(TUser user, Microsoft.AspNetCore.Identity.UserLoginInfo login) => throw null; protected virtual TUserToken CreateUserToken(TUser user, string loginProvider, string name, string value) => throw null; + public UserStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) => throw null; public abstract System.Threading.Tasks.Task DeleteAsync(TUser user, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public void Dispose() => throw null; - public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set => throw null; } + public Microsoft.AspNetCore.Identity.IdentityErrorDescriber ErrorDescriber { get => throw null; set { } } public abstract System.Threading.Tasks.Task FindByEmailAsync(string normalizedEmail, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Threading.Tasks.Task FindByIdAsync(string userId, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public virtual System.Threading.Tasks.Task FindByLoginAsync(string loginProvider, string providerKey, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; @@ -205,10 +182,20 @@ public class IdentityUserToken where TKey : System.IEquatable public virtual System.Threading.Tasks.Task SetUserNameAsync(TUser user, string userName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected void ThrowIfDisposed() => throw null; public abstract System.Threading.Tasks.Task UpdateAsync(TUser user, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public UserStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) => throw null; public abstract System.Linq.IQueryable Users { get; } } - + public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.UserStoreBase, Microsoft.AspNetCore.Identity.IUserRoleStore, Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() + { + public abstract System.Threading.Tasks.Task AddToRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + protected virtual TUserRole CreateUserRole(TUser user, TRole role) => throw null; + public UserStoreBase(Microsoft.AspNetCore.Identity.IdentityErrorDescriber describer) : base(default(Microsoft.AspNetCore.Identity.IdentityErrorDescriber)) => throw null; + protected abstract System.Threading.Tasks.Task FindRoleAsync(string normalizedRoleName, System.Threading.CancellationToken cancellationToken); + protected abstract System.Threading.Tasks.Task FindUserRoleAsync(TKey userId, TKey roleId, System.Threading.CancellationToken cancellationToken); + public abstract System.Threading.Tasks.Task> GetRolesAsync(TUser user, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task> GetUsersInRoleAsync(string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task IsInRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task RemoveFromRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.Abstractions.cs index c64b40cfc9a6..405e966a6daf 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.Abstractions.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Localization.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -10,48 +9,42 @@ namespace Localization public interface IStringLocalizer { System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures); - Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get; } Microsoft.Extensions.Localization.LocalizedString this[string name] { get; } + Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get; } } - public interface IStringLocalizer : Microsoft.Extensions.Localization.IStringLocalizer { } - public interface IStringLocalizerFactory { Microsoft.Extensions.Localization.IStringLocalizer Create(System.Type resourceSource); Microsoft.Extensions.Localization.IStringLocalizer Create(string baseName, string location); } - public class LocalizedString { public LocalizedString(string name, string value) => throw null; public LocalizedString(string name, string value, bool resourceNotFound) => throw null; public LocalizedString(string name, string value, bool resourceNotFound, string searchedLocation) => throw null; public string Name { get => throw null; } + public static implicit operator string(Microsoft.Extensions.Localization.LocalizedString localizedString) => throw null; public bool ResourceNotFound { get => throw null; } public string SearchedLocation { get => throw null; } public override string ToString() => throw null; public string Value { get => throw null; } - public static implicit operator string(Microsoft.Extensions.Localization.LocalizedString localizedString) => throw null; } - - public class StringLocalizer : Microsoft.Extensions.Localization.IStringLocalizer, Microsoft.Extensions.Localization.IStringLocalizer + public class StringLocalizer : Microsoft.Extensions.Localization.IStringLocalizer, Microsoft.Extensions.Localization.IStringLocalizer { + public StringLocalizer(Microsoft.Extensions.Localization.IStringLocalizerFactory factory) => throw null; public System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures) => throw null; - public virtual Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get => throw null; } public virtual Microsoft.Extensions.Localization.LocalizedString this[string name] { get => throw null; } - public StringLocalizer(Microsoft.Extensions.Localization.IStringLocalizerFactory factory) => throw null; + public virtual Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get => throw null; } } - - public static class StringLocalizerExtensions + public static partial class StringLocalizerExtensions { public static System.Collections.Generic.IEnumerable GetAllStrings(this Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer) => throw null; public static Microsoft.Extensions.Localization.LocalizedString GetString(this Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer, string name) => throw null; public static Microsoft.Extensions.Localization.LocalizedString GetString(this Microsoft.Extensions.Localization.IStringLocalizer stringLocalizer, string name, params object[] arguments) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.cs index b1134a1f3ec1..99932b86e13b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Localization.cs @@ -1,18 +1,16 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Localization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class LocalizationServiceCollectionExtensions + public static partial class LocalizationServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddLocalization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddLocalization(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } namespace Localization { @@ -20,55 +18,48 @@ public interface IResourceNamesCache { System.Collections.Generic.IList GetOrAdd(string name, System.Func> valueFactory); } - public class LocalizationOptions { public LocalizationOptions() => throw null; - public string ResourcesPath { get => throw null; set => throw null; } + public string ResourcesPath { get => throw null; set { } } } - public class ResourceLocationAttribute : System.Attribute { - public string ResourceLocation { get => throw null; } public ResourceLocationAttribute(string resourceLocation) => throw null; + public string ResourceLocation { get => throw null; } } - public class ResourceManagerStringLocalizer : Microsoft.Extensions.Localization.IStringLocalizer { + public ResourceManagerStringLocalizer(System.Resources.ResourceManager resourceManager, System.Reflection.Assembly resourceAssembly, string baseName, Microsoft.Extensions.Localization.IResourceNamesCache resourceNamesCache, Microsoft.Extensions.Logging.ILogger logger) => throw null; public virtual System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures) => throw null; protected System.Collections.Generic.IEnumerable GetAllStrings(bool includeParentCultures, System.Globalization.CultureInfo culture) => throw null; protected string GetStringSafely(string name, System.Globalization.CultureInfo culture) => throw null; - public virtual Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get => throw null; } public virtual Microsoft.Extensions.Localization.LocalizedString this[string name] { get => throw null; } - public ResourceManagerStringLocalizer(System.Resources.ResourceManager resourceManager, System.Reflection.Assembly resourceAssembly, string baseName, Microsoft.Extensions.Localization.IResourceNamesCache resourceNamesCache, Microsoft.Extensions.Logging.ILogger logger) => throw null; + public virtual Microsoft.Extensions.Localization.LocalizedString this[string name, params object[] arguments] { get => throw null; } } - public class ResourceManagerStringLocalizerFactory : Microsoft.Extensions.Localization.IStringLocalizerFactory { public Microsoft.Extensions.Localization.IStringLocalizer Create(System.Type resourceSource) => throw null; public Microsoft.Extensions.Localization.IStringLocalizer Create(string baseName, string location) => throw null; protected virtual Microsoft.Extensions.Localization.ResourceManagerStringLocalizer CreateResourceManagerStringLocalizer(System.Reflection.Assembly assembly, string baseName) => throw null; + public ResourceManagerStringLocalizerFactory(Microsoft.Extensions.Options.IOptions localizationOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; protected virtual Microsoft.Extensions.Localization.ResourceLocationAttribute GetResourceLocationAttribute(System.Reflection.Assembly assembly) => throw null; protected virtual string GetResourcePrefix(System.Reflection.TypeInfo typeInfo) => throw null; protected virtual string GetResourcePrefix(System.Reflection.TypeInfo typeInfo, string baseNamespace, string resourcesRelativePath) => throw null; protected virtual string GetResourcePrefix(string baseResourceName, string baseNamespace) => throw null; protected virtual string GetResourcePrefix(string location, string baseName, string resourceLocation) => throw null; protected virtual Microsoft.Extensions.Localization.RootNamespaceAttribute GetRootNamespaceAttribute(System.Reflection.Assembly assembly) => throw null; - public ResourceManagerStringLocalizerFactory(Microsoft.Extensions.Options.IOptions localizationOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; } - public class ResourceNamesCache : Microsoft.Extensions.Localization.IResourceNamesCache { - public System.Collections.Generic.IList GetOrAdd(string name, System.Func> valueFactory) => throw null; public ResourceNamesCache() => throw null; + public System.Collections.Generic.IList GetOrAdd(string name, System.Func> valueFactory) => throw null; } - public class RootNamespaceAttribute : System.Attribute { - public string RootNamespace { get => throw null; } public RootNamespaceAttribute(string rootNamespace) => throw null; + public string RootNamespace { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs index 5797688f98a1..a36de7c0a886 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs @@ -1,86 +1,106 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { + namespace Abstractions + { + public struct LogEntry + { + public string Category { get => throw null; } + public LogEntry(Microsoft.Extensions.Logging.LogLevel logLevel, string category, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; + public Microsoft.Extensions.Logging.EventId EventId { get => throw null; } + public System.Exception Exception { get => throw null; } + public System.Func Formatter { get => throw null; } + public Microsoft.Extensions.Logging.LogLevel LogLevel { get => throw null; } + public TState State { get => throw null; } + } + public class NullLogger : Microsoft.Extensions.Logging.ILogger + { + public System.IDisposable BeginScope(TState state) => throw null; + public static Microsoft.Extensions.Logging.Abstractions.NullLogger Instance { get => throw null; } + public bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; + public void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; + } + public class NullLogger : Microsoft.Extensions.Logging.ILogger, Microsoft.Extensions.Logging.ILogger + { + public System.IDisposable BeginScope(TState state) => throw null; + public NullLogger() => throw null; + public static Microsoft.Extensions.Logging.Abstractions.NullLogger Instance; + public bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; + public void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; + } + public class NullLoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, System.IDisposable + { + public void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; + public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; + public NullLoggerFactory() => throw null; + public void Dispose() => throw null; + public static Microsoft.Extensions.Logging.Abstractions.NullLoggerFactory Instance; + } + public class NullLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable + { + public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; + public void Dispose() => throw null; + public static Microsoft.Extensions.Logging.Abstractions.NullLoggerProvider Instance { get => throw null; } + } + } public struct EventId : System.IEquatable { - public static bool operator !=(Microsoft.Extensions.Logging.EventId left, Microsoft.Extensions.Logging.EventId right) => throw null; - public static bool operator ==(Microsoft.Extensions.Logging.EventId left, Microsoft.Extensions.Logging.EventId right) => throw null; + public EventId(int id, string name = default(string)) => throw null; public bool Equals(Microsoft.Extensions.Logging.EventId other) => throw null; public override bool Equals(object obj) => throw null; - // Stub generator skipped constructor - public EventId(int id, string name = default(string)) => throw null; public override int GetHashCode() => throw null; public int Id { get => throw null; } public string Name { get => throw null; } - public override string ToString() => throw null; + public static bool operator ==(Microsoft.Extensions.Logging.EventId left, Microsoft.Extensions.Logging.EventId right) => throw null; public static implicit operator Microsoft.Extensions.Logging.EventId(int i) => throw null; + public static bool operator !=(Microsoft.Extensions.Logging.EventId left, Microsoft.Extensions.Logging.EventId right) => throw null; + public override string ToString() => throw null; } - public interface IExternalScopeProvider { void ForEachScope(System.Action callback, TState state); System.IDisposable Push(object state); } - public interface ILogger { System.IDisposable BeginScope(TState state); bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel); void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter); } - public interface ILogger : Microsoft.Extensions.Logging.ILogger { } - public interface ILoggerFactory : System.IDisposable { void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider); Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName); } - public interface ILoggerProvider : System.IDisposable { Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName); } - public interface ISupportExternalScope { void SetScopeProvider(Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider); } - public class LogDefineOptions { public LogDefineOptions() => throw null; - public bool SkipEnabledCheck { get => throw null; set => throw null; } + public bool SkipEnabledCheck { get => throw null; set { } } } - - public enum LogLevel : int - { - Critical = 5, - Debug = 1, - Error = 4, - Information = 2, - None = 6, - Trace = 0, - Warning = 3, - } - public class Logger : Microsoft.Extensions.Logging.ILogger, Microsoft.Extensions.Logging.ILogger { System.IDisposable Microsoft.Extensions.Logging.ILogger.BeginScope(TState state) => throw null; + public Logger(Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; bool Microsoft.Extensions.Logging.ILogger.IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; void Microsoft.Extensions.Logging.ILogger.Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; - public Logger(Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; } - - public static class LoggerExtensions + public static partial class LoggerExtensions { public static System.IDisposable BeginScope(this Microsoft.Extensions.Logging.ILogger logger, string messageFormat, params object[] args) => throw null; public static void Log(this Microsoft.Extensions.Logging.ILogger logger, Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, System.Exception exception, string message, params object[] args) => throw null; @@ -112,103 +132,60 @@ public static class LoggerExtensions public static void LogWarning(this Microsoft.Extensions.Logging.ILogger logger, System.Exception exception, string message, params object[] args) => throw null; public static void LogWarning(this Microsoft.Extensions.Logging.ILogger logger, string message, params object[] args) => throw null; } - public class LoggerExternalScopeProvider : Microsoft.Extensions.Logging.IExternalScopeProvider { - public void ForEachScope(System.Action callback, TState state) => throw null; public LoggerExternalScopeProvider() => throw null; + public void ForEachScope(System.Action callback, TState state) => throw null; public System.IDisposable Push(object state) => throw null; } - - public static class LoggerFactoryExtensions + public static partial class LoggerFactoryExtensions { public static Microsoft.Extensions.Logging.ILogger CreateLogger(this Microsoft.Extensions.Logging.ILoggerFactory factory, System.Type type) => throw null; public static Microsoft.Extensions.Logging.ILogger CreateLogger(this Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; } - public static class LoggerMessage { public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; - public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString) => throw null; + public static System.Action Define(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, string formatString, Microsoft.Extensions.Logging.LogDefineOptions options) => throw null; public static System.Func DefineScope(string formatString) => throw null; - public static System.Func DefineScope(string formatString) => throw null; - public static System.Func DefineScope(string formatString) => throw null; - public static System.Func DefineScope(string formatString) => throw null; - public static System.Func DefineScope(string formatString) => throw null; - public static System.Func DefineScope(string formatString) => throw null; public static System.Func DefineScope(string formatString) => throw null; + public static System.Func DefineScope(string formatString) => throw null; + public static System.Func DefineScope(string formatString) => throw null; + public static System.Func DefineScope(string formatString) => throw null; + public static System.Func DefineScope(string formatString) => throw null; + public static System.Func DefineScope(string formatString) => throw null; } - - public class LoggerMessageAttribute : System.Attribute + public sealed class LoggerMessageAttribute : System.Attribute { - public int EventId { get => throw null; set => throw null; } - public string EventName { get => throw null; set => throw null; } - public Microsoft.Extensions.Logging.LogLevel Level { get => throw null; set => throw null; } public LoggerMessageAttribute() => throw null; public LoggerMessageAttribute(int eventId, Microsoft.Extensions.Logging.LogLevel level, string message) => throw null; - public string Message { get => throw null; set => throw null; } - public bool SkipEnabledCheck { get => throw null; set => throw null; } + public int EventId { get => throw null; set { } } + public string EventName { get => throw null; set { } } + public Microsoft.Extensions.Logging.LogLevel Level { get => throw null; set { } } + public string Message { get => throw null; set { } } + public bool SkipEnabledCheck { get => throw null; set { } } } - - namespace Abstractions + public enum LogLevel { - public struct LogEntry - { - public string Category { get => throw null; } - public Microsoft.Extensions.Logging.EventId EventId { get => throw null; } - public System.Exception Exception { get => throw null; } - public System.Func Formatter { get => throw null; } - // Stub generator skipped constructor - public LogEntry(Microsoft.Extensions.Logging.LogLevel logLevel, string category, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; - public Microsoft.Extensions.Logging.LogLevel LogLevel { get => throw null; } - public TState State { get => throw null; } - } - - public class NullLogger : Microsoft.Extensions.Logging.ILogger - { - public System.IDisposable BeginScope(TState state) => throw null; - public static Microsoft.Extensions.Logging.Abstractions.NullLogger Instance { get => throw null; } - public bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; - public void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; - } - - public class NullLogger : Microsoft.Extensions.Logging.ILogger, Microsoft.Extensions.Logging.ILogger - { - public System.IDisposable BeginScope(TState state) => throw null; - public static Microsoft.Extensions.Logging.Abstractions.NullLogger Instance; - public bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; - public void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; - public NullLogger() => throw null; - } - - public class NullLoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, System.IDisposable - { - public void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; - public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; - public void Dispose() => throw null; - public static Microsoft.Extensions.Logging.Abstractions.NullLoggerFactory Instance; - public NullLoggerFactory() => throw null; - } - - public class NullLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable - { - public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; - public void Dispose() => throw null; - public static Microsoft.Extensions.Logging.Abstractions.NullLoggerProvider Instance { get => throw null; } - } - + Trace = 0, + Debug = 1, + Information = 2, + Warning = 3, + Error = 4, + Critical = 5, + None = 6, } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Configuration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Configuration.cs index 0d098e3e4d30..b374ce35d5e4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Configuration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Configuration.cs @@ -1,44 +1,37 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.Configuration, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static partial class LoggingBuilderExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddConfiguration(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Configuration.IConfiguration configuration) => throw null; - } - namespace Configuration { public interface ILoggerProviderConfiguration { Microsoft.Extensions.Configuration.IConfiguration Configuration { get; } } - public interface ILoggerProviderConfigurationFactory { Microsoft.Extensions.Configuration.IConfiguration GetConfiguration(System.Type providerType); } - public static class LoggerProviderOptions { public static void RegisterProviderOptions(Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TOptions : class => throw null; } - public class LoggerProviderOptionsChangeTokenSource : Microsoft.Extensions.Options.ConfigurationChangeTokenSource { public LoggerProviderOptionsChangeTokenSource(Microsoft.Extensions.Logging.Configuration.ILoggerProviderConfiguration providerConfiguration) : base(default(Microsoft.Extensions.Configuration.IConfiguration)) => throw null; } - - public static class LoggingBuilderConfigurationExtensions + public static partial class LoggingBuilderConfigurationExtensions { public static void AddConfiguration(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; } - + } + public static partial class LoggingBuilderExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddConfiguration(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Configuration.IConfiguration configuration) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs index ad283d7b3ad6..9a7521d8ac48 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs @@ -1,105 +1,93 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.Console, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static class ConsoleLoggerExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsoleFormatter(this Microsoft.Extensions.Logging.ILoggingBuilder builder) where TFormatter : Microsoft.Extensions.Logging.Console.ConsoleFormatter where TOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsoleFormatter(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) where TFormatter : Microsoft.Extensions.Logging.Console.ConsoleFormatter where TOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddJsonConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddJsonConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddSimpleConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddSimpleConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddSystemdConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddSystemdConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; - } - namespace Console { public abstract class ConsoleFormatter { protected ConsoleFormatter(string name) => throw null; public string Name { get => throw null; } - public abstract void Write(Microsoft.Extensions.Logging.Abstractions.LogEntry logEntry, Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider, System.IO.TextWriter textWriter); + public abstract void Write(in Microsoft.Extensions.Logging.Abstractions.LogEntry logEntry, Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider, System.IO.TextWriter textWriter); } - public static class ConsoleFormatterNames { - public const string Json = default; - public const string Simple = default; - public const string Systemd = default; + public static string Json; + public static string Simple; + public static string Systemd; } - public class ConsoleFormatterOptions { public ConsoleFormatterOptions() => throw null; - public bool IncludeScopes { get => throw null; set => throw null; } - public string TimestampFormat { get => throw null; set => throw null; } - public bool UseUtcTimestamp { get => throw null; set => throw null; } + public bool IncludeScopes { get => throw null; set { } } + public string TimestampFormat { get => throw null; set { } } + public bool UseUtcTimestamp { get => throw null; set { } } } - - public enum ConsoleLoggerFormat : int + public enum ConsoleLoggerFormat { Default = 0, Systemd = 1, } - public class ConsoleLoggerOptions { public ConsoleLoggerOptions() => throw null; - public bool DisableColors { get => throw null; set => throw null; } - public Microsoft.Extensions.Logging.Console.ConsoleLoggerFormat Format { get => throw null; set => throw null; } - public string FormatterName { get => throw null; set => throw null; } - public bool IncludeScopes { get => throw null; set => throw null; } - public Microsoft.Extensions.Logging.LogLevel LogToStandardErrorThreshold { get => throw null; set => throw null; } - public int MaxQueueLength { get => throw null; set => throw null; } - public Microsoft.Extensions.Logging.Console.ConsoleLoggerQueueFullMode QueueFullMode { get => throw null; set => throw null; } - public string TimestampFormat { get => throw null; set => throw null; } - public bool UseUtcTimestamp { get => throw null; set => throw null; } + public bool DisableColors { get => throw null; set { } } + public Microsoft.Extensions.Logging.Console.ConsoleLoggerFormat Format { get => throw null; set { } } + public string FormatterName { get => throw null; set { } } + public bool IncludeScopes { get => throw null; set { } } + public Microsoft.Extensions.Logging.LogLevel LogToStandardErrorThreshold { get => throw null; set { } } + public int MaxQueueLength { get => throw null; set { } } + public Microsoft.Extensions.Logging.Console.ConsoleLoggerQueueFullMode QueueFullMode { get => throw null; set { } } + public string TimestampFormat { get => throw null; set { } } + public bool UseUtcTimestamp { get => throw null; set { } } } - - public class ConsoleLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, Microsoft.Extensions.Logging.ISupportExternalScope, System.IDisposable + public class ConsoleLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable, Microsoft.Extensions.Logging.ISupportExternalScope { + public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public ConsoleLoggerProvider(Microsoft.Extensions.Options.IOptionsMonitor options) => throw null; public ConsoleLoggerProvider(Microsoft.Extensions.Options.IOptionsMonitor options, System.Collections.Generic.IEnumerable formatters) => throw null; - public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public void Dispose() => throw null; public void SetScopeProvider(Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider) => throw null; } - - public enum ConsoleLoggerQueueFullMode : int + public enum ConsoleLoggerQueueFullMode { - DropWrite = 1, Wait = 0, + DropWrite = 1, } - public class JsonConsoleFormatterOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions { public JsonConsoleFormatterOptions() => throw null; - public System.Text.Json.JsonWriterOptions JsonWriterOptions { get => throw null; set => throw null; } + public System.Text.Json.JsonWriterOptions JsonWriterOptions { get => throw null; set { } } } - - public enum LoggerColorBehavior : int + public enum LoggerColorBehavior { Default = 0, - Disabled = 2, Enabled = 1, + Disabled = 2, } - public class SimpleConsoleFormatterOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions { - public Microsoft.Extensions.Logging.Console.LoggerColorBehavior ColorBehavior { get => throw null; set => throw null; } + public Microsoft.Extensions.Logging.Console.LoggerColorBehavior ColorBehavior { get => throw null; set { } } public SimpleConsoleFormatterOptions() => throw null; - public bool SingleLine { get => throw null; set => throw null; } + public bool SingleLine { get => throw null; set { } } } - + } + public static partial class ConsoleLoggerExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsoleFormatter(this Microsoft.Extensions.Logging.ILoggingBuilder builder) where TFormatter : Microsoft.Extensions.Logging.Console.ConsoleFormatter where TOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddConsoleFormatter(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) where TFormatter : Microsoft.Extensions.Logging.Console.ConsoleFormatter where TOptions : Microsoft.Extensions.Logging.Console.ConsoleFormatterOptions => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddJsonConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddJsonConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddSimpleConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddSimpleConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddSystemdConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddSystemdConsole(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs index 4aa3b8a9fb5a..edd8a8c69320 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs @@ -1,17 +1,11 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.Debug, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static class DebugLoggerFactoryExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddDebug(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - } - namespace Debug { public class DebugLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable @@ -20,7 +14,10 @@ public class DebugLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, public DebugLoggerProvider() => throw null; public void Dispose() => throw null; } - + } + public static partial class DebugLoggerFactoryExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddDebug(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs index dc103021eb86..42a8d168d3c7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs @@ -1,40 +1,36 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.EventLog, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static class EventLoggerFactoryExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Logging.EventLog.EventLogSettings settings) => throw null; - } - namespace EventLog { - public class EventLogLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, Microsoft.Extensions.Logging.ISupportExternalScope, System.IDisposable + public class EventLogLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable, Microsoft.Extensions.Logging.ISupportExternalScope { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; - public void Dispose() => throw null; public EventLogLoggerProvider() => throw null; public EventLogLoggerProvider(Microsoft.Extensions.Logging.EventLog.EventLogSettings settings) => throw null; public EventLogLoggerProvider(Microsoft.Extensions.Options.IOptions options) => throw null; + public void Dispose() => throw null; public void SetScopeProvider(Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider) => throw null; } - public class EventLogSettings { public EventLogSettings() => throw null; - public System.Func Filter { get => throw null; set => throw null; } - public string LogName { get => throw null; set => throw null; } - public string MachineName { get => throw null; set => throw null; } - public string SourceName { get => throw null; set => throw null; } + public System.Func Filter { get => throw null; set { } } + public string LogName { get => throw null; set { } } + public string MachineName { get => throw null; set { } } + public string SourceName { get => throw null; set { } } } - + } + public static partial class EventLoggerFactoryExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Logging.EventLog.EventLogSettings settings) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventLog(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action configure) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs index 8d4e1fb1f5f7..e957725610be 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs @@ -1,40 +1,34 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.EventSource, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static class EventSourceLoggerFactoryExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventSourceLogger(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; - } - namespace EventSource { public class EventSourceLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable { public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; - public void Dispose() => throw null; public EventSourceLoggerProvider(Microsoft.Extensions.Logging.EventSource.LoggingEventSource eventSource) => throw null; + public void Dispose() => throw null; } - - public class LoggingEventSource : System.Diagnostics.Tracing.EventSource + public sealed class LoggingEventSource : System.Diagnostics.Tracing.EventSource { public static class Keywords { - public const System.Diagnostics.Tracing.EventKeywords FormattedMessage = default; - public const System.Diagnostics.Tracing.EventKeywords JsonMessage = default; - public const System.Diagnostics.Tracing.EventKeywords Message = default; - public const System.Diagnostics.Tracing.EventKeywords Meta = default; + public static System.Diagnostics.Tracing.EventKeywords FormattedMessage; + public static System.Diagnostics.Tracing.EventKeywords JsonMessage; + public static System.Diagnostics.Tracing.EventKeywords Message; + public static System.Diagnostics.Tracing.EventKeywords Meta; } - - protected override void OnEventCommand(System.Diagnostics.Tracing.EventCommandEventArgs command) => throw null; } - + } + public static partial class EventSourceLoggerFactoryExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddEventSourceLogger(this Microsoft.Extensions.Logging.ILoggingBuilder builder) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs index a28778aad6d4..225274f9d127 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs @@ -1,30 +1,27 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging.TraceSource, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace Logging { - public static class TraceSourceFactoryExtensions - { - public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Diagnostics.SourceSwitch sourceSwitch) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Diagnostics.SourceSwitch sourceSwitch, System.Diagnostics.TraceListener listener) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, string switchName) => throw null; - public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, string switchName, System.Diagnostics.TraceListener listener) => throw null; - } - namespace TraceSource { public class TraceSourceLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; - public void Dispose() => throw null; public TraceSourceLoggerProvider(System.Diagnostics.SourceSwitch rootSourceSwitch) => throw null; public TraceSourceLoggerProvider(System.Diagnostics.SourceSwitch rootSourceSwitch, System.Diagnostics.TraceListener rootTraceListener) => throw null; + public void Dispose() => throw null; } - + } + public static partial class TraceSourceFactoryExtensions + { + public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Diagnostics.SourceSwitch sourceSwitch) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Diagnostics.SourceSwitch sourceSwitch, System.Diagnostics.TraceListener listener) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, string switchName) => throw null; + public static Microsoft.Extensions.Logging.ILoggingBuilder AddTraceSource(this Microsoft.Extensions.Logging.ILoggingBuilder builder, string switchName, System.Diagnostics.TraceListener listener) => throw null; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs index 0cc448912d16..01edf4dd4571 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs @@ -1,35 +1,32 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Logging, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class LoggingServiceCollectionExtensions + public static partial class LoggingServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddLogging(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddLogging(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configure) => throw null; } - } namespace Logging { [System.Flags] - public enum ActivityTrackingOptions : int + public enum ActivityTrackingOptions { - Baggage = 64, None = 0, - ParentId = 4, SpanId = 1, - Tags = 32, - TraceFlags = 16, TraceId = 2, + ParentId = 4, TraceState = 8, + TraceFlags = 16, + Tags = 32, + Baggage = 64, } - - public static class FilterLoggingBuilderExtensions + public static partial class FilterLoggingBuilderExtensions { public static Microsoft.Extensions.Logging.ILoggingBuilder AddFilter(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Func levelFilter) => throw null; public static Microsoft.Extensions.Logging.ILoggingBuilder AddFilter(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Func categoryLevelFilter) => throw null; @@ -50,51 +47,45 @@ public static class FilterLoggingBuilderExtensions public static Microsoft.Extensions.Logging.LoggerFilterOptions AddFilter(this Microsoft.Extensions.Logging.LoggerFilterOptions builder, string category, System.Func levelFilter) where T : Microsoft.Extensions.Logging.ILoggerProvider => throw null; public static Microsoft.Extensions.Logging.LoggerFilterOptions AddFilter(this Microsoft.Extensions.Logging.LoggerFilterOptions builder, string category, Microsoft.Extensions.Logging.LogLevel level) where T : Microsoft.Extensions.Logging.ILoggerProvider => throw null; } - public interface ILoggingBuilder { Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - public class LoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, System.IDisposable { public void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; protected virtual bool CheckDisposed() => throw null; public static Microsoft.Extensions.Logging.ILoggerFactory Create(System.Action configure) => throw null; public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; - public void Dispose() => throw null; public LoggerFactory() => throw null; public LoggerFactory(System.Collections.Generic.IEnumerable providers) => throw null; + public LoggerFactory(System.Collections.Generic.IEnumerable providers, Microsoft.Extensions.Logging.LoggerFilterOptions filterOptions) => throw null; public LoggerFactory(System.Collections.Generic.IEnumerable providers, Microsoft.Extensions.Options.IOptionsMonitor filterOption) => throw null; public LoggerFactory(System.Collections.Generic.IEnumerable providers, Microsoft.Extensions.Options.IOptionsMonitor filterOption, Microsoft.Extensions.Options.IOptions options) => throw null; public LoggerFactory(System.Collections.Generic.IEnumerable providers, Microsoft.Extensions.Options.IOptionsMonitor filterOption, Microsoft.Extensions.Options.IOptions options = default(Microsoft.Extensions.Options.IOptions), Microsoft.Extensions.Logging.IExternalScopeProvider scopeProvider = default(Microsoft.Extensions.Logging.IExternalScopeProvider)) => throw null; - public LoggerFactory(System.Collections.Generic.IEnumerable providers, Microsoft.Extensions.Logging.LoggerFilterOptions filterOptions) => throw null; + public void Dispose() => throw null; } - public class LoggerFactoryOptions { - public Microsoft.Extensions.Logging.ActivityTrackingOptions ActivityTrackingOptions { get => throw null; set => throw null; } + public Microsoft.Extensions.Logging.ActivityTrackingOptions ActivityTrackingOptions { get => throw null; set { } } public LoggerFactoryOptions() => throw null; } - public class LoggerFilterOptions { - public bool CaptureScopes { get => throw null; set => throw null; } + public bool CaptureScopes { get => throw null; set { } } public LoggerFilterOptions() => throw null; - public Microsoft.Extensions.Logging.LogLevel MinLevel { get => throw null; set => throw null; } + public Microsoft.Extensions.Logging.LogLevel MinLevel { get => throw null; set { } } public System.Collections.Generic.IList Rules { get => throw null; } } - public class LoggerFilterRule { public string CategoryName { get => throw null; } + public LoggerFilterRule(string providerName, string categoryName, Microsoft.Extensions.Logging.LogLevel? logLevel, System.Func filter) => throw null; public System.Func Filter { get => throw null; } public Microsoft.Extensions.Logging.LogLevel? LogLevel { get => throw null; } - public LoggerFilterRule(string providerName, string categoryName, Microsoft.Extensions.Logging.LogLevel? logLevel, System.Func filter) => throw null; public string ProviderName { get => throw null; } public override string ToString() => throw null; } - public static partial class LoggingBuilderExtensions { public static Microsoft.Extensions.Logging.ILoggingBuilder AddProvider(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; @@ -102,13 +93,11 @@ public static partial class LoggingBuilderExtensions public static Microsoft.Extensions.Logging.ILoggingBuilder Configure(this Microsoft.Extensions.Logging.ILoggingBuilder builder, System.Action action) => throw null; public static Microsoft.Extensions.Logging.ILoggingBuilder SetMinimumLevel(this Microsoft.Extensions.Logging.ILoggingBuilder builder, Microsoft.Extensions.Logging.LogLevel level) => throw null; } - public class ProviderAliasAttribute : System.Attribute { public string Alias { get => throw null; } public ProviderAliasAttribute(string alias) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.ObjectPool.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.ObjectPool.cs index b6e98e8213a5..1cc1f21ffe7b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.ObjectPool.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.ObjectPool.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.ObjectPool, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -14,81 +13,69 @@ public class DefaultObjectPool : Microsoft.Extensions.ObjectPool.ObjectPool throw null; public override void Return(T obj) => throw null; } - public class DefaultObjectPoolProvider : Microsoft.Extensions.ObjectPool.ObjectPoolProvider { public override Microsoft.Extensions.ObjectPool.ObjectPool Create(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy policy) where T : class => throw null; public DefaultObjectPoolProvider() => throw null; - public int MaximumRetained { get => throw null; set => throw null; } + public int MaximumRetained { get => throw null; set { } } } - public class DefaultPooledObjectPolicy : Microsoft.Extensions.ObjectPool.PooledObjectPolicy where T : class, new() { public override T Create() => throw null; public DefaultPooledObjectPolicy() => throw null; public override bool Return(T obj) => throw null; } - public interface IPooledObjectPolicy { T Create(); bool Return(T obj); } - public class LeakTrackingObjectPool : Microsoft.Extensions.ObjectPool.ObjectPool where T : class { - public override T Get() => throw null; public LeakTrackingObjectPool(Microsoft.Extensions.ObjectPool.ObjectPool inner) => throw null; + public override T Get() => throw null; public override void Return(T obj) => throw null; } - public class LeakTrackingObjectPoolProvider : Microsoft.Extensions.ObjectPool.ObjectPoolProvider { public override Microsoft.Extensions.ObjectPool.ObjectPool Create(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy policy) where T : class => throw null; public LeakTrackingObjectPoolProvider(Microsoft.Extensions.ObjectPool.ObjectPoolProvider inner) => throw null; } - - public static class ObjectPool - { - public static Microsoft.Extensions.ObjectPool.ObjectPool Create(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy policy = default(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy)) where T : class, new() => throw null; - } - public abstract class ObjectPool where T : class { - public abstract T Get(); protected ObjectPool() => throw null; + public abstract T Get(); public abstract void Return(T obj); } - + public static class ObjectPool + { + public static Microsoft.Extensions.ObjectPool.ObjectPool Create(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy policy = default(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy)) where T : class, new() => throw null; + } public abstract class ObjectPoolProvider { public Microsoft.Extensions.ObjectPool.ObjectPool Create() where T : class, new() => throw null; public abstract Microsoft.Extensions.ObjectPool.ObjectPool Create(Microsoft.Extensions.ObjectPool.IPooledObjectPolicy policy) where T : class; protected ObjectPoolProvider() => throw null; } - - public static class ObjectPoolProviderExtensions + public static partial class ObjectPoolProviderExtensions { public static Microsoft.Extensions.ObjectPool.ObjectPool CreateStringBuilderPool(this Microsoft.Extensions.ObjectPool.ObjectPoolProvider provider) => throw null; public static Microsoft.Extensions.ObjectPool.ObjectPool CreateStringBuilderPool(this Microsoft.Extensions.ObjectPool.ObjectPoolProvider provider, int initialCapacity, int maximumRetainedCapacity) => throw null; } - public abstract class PooledObjectPolicy : Microsoft.Extensions.ObjectPool.IPooledObjectPolicy { public abstract T Create(); protected PooledObjectPolicy() => throw null; public abstract bool Return(T obj); } - public class StringBuilderPooledObjectPolicy : Microsoft.Extensions.ObjectPool.PooledObjectPolicy { public override System.Text.StringBuilder Create() => throw null; - public int InitialCapacity { get => throw null; set => throw null; } - public int MaximumRetainedCapacity { get => throw null; set => throw null; } - public override bool Return(System.Text.StringBuilder obj) => throw null; public StringBuilderPooledObjectPolicy() => throw null; + public int InitialCapacity { get => throw null; set { } } + public int MaximumRetainedCapacity { get => throw null; set { } } + public override bool Return(System.Text.StringBuilder obj) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.ConfigurationExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.ConfigurationExtensions.cs index 7131c76b988e..cd45b9e6dd2d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.ConfigurationExtensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.ConfigurationExtensions.cs @@ -1,27 +1,24 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Options.ConfigurationExtensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class OptionsBuilderConfigurationExtensions + public static partial class OptionsBuilderConfigurationExtensions { public static Microsoft.Extensions.Options.OptionsBuilder Bind(this Microsoft.Extensions.Options.OptionsBuilder optionsBuilder, Microsoft.Extensions.Configuration.IConfiguration config) where TOptions : class => throw null; public static Microsoft.Extensions.Options.OptionsBuilder Bind(this Microsoft.Extensions.Options.OptionsBuilder optionsBuilder, Microsoft.Extensions.Configuration.IConfiguration config, System.Action configureBinder) where TOptions : class => throw null; public static Microsoft.Extensions.Options.OptionsBuilder BindConfiguration(this Microsoft.Extensions.Options.OptionsBuilder optionsBuilder, string configSectionPath, System.Action configureBinder = default(System.Action)) where TOptions : class => throw null; } - - public static class OptionsConfigurationServiceCollectionExtensions + public static partial class OptionsConfigurationServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, Microsoft.Extensions.Configuration.IConfiguration config) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, Microsoft.Extensions.Configuration.IConfiguration config, System.Action configureBinder) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, Microsoft.Extensions.Configuration.IConfiguration config) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, Microsoft.Extensions.Configuration.IConfiguration config, System.Action configureBinder) where TOptions : class => throw null; } - } namespace Options { @@ -32,18 +29,15 @@ public class ConfigurationChangeTokenSource : Microsoft.Extensions.Opt public Microsoft.Extensions.Primitives.IChangeToken GetChangeToken() => throw null; public string Name { get => throw null; } } - public class ConfigureFromConfigurationOptions : Microsoft.Extensions.Options.ConfigureOptions where TOptions : class { public ConfigureFromConfigurationOptions(Microsoft.Extensions.Configuration.IConfiguration config) : base(default(System.Action)) => throw null; } - public class NamedConfigureFromConfigurationOptions : Microsoft.Extensions.Options.ConfigureNamedOptions where TOptions : class { public NamedConfigureFromConfigurationOptions(string name, Microsoft.Extensions.Configuration.IConfiguration config) : base(default(string), default(System.Action)) => throw null; public NamedConfigureFromConfigurationOptions(string name, Microsoft.Extensions.Configuration.IConfiguration config, System.Action configureBinder) : base(default(string), default(System.Action)) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.DataAnnotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.DataAnnotations.cs index 1e256aac9fdf..b40b3ad958ba 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.DataAnnotations.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.DataAnnotations.cs @@ -1,17 +1,15 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Options.DataAnnotations, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class OptionsBuilderDataAnnotationsExtensions + public static partial class OptionsBuilderDataAnnotationsExtensions { public static Microsoft.Extensions.Options.OptionsBuilder ValidateDataAnnotations(this Microsoft.Extensions.Options.OptionsBuilder optionsBuilder) where TOptions : class => throw null; } - } namespace Options { @@ -21,7 +19,6 @@ public class DataAnnotationValidateOptions : Microsoft.Extensions.Opti public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs index b77b3e65468c..d6b43314f703 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Options, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class OptionsServiceCollectionExtensions + public static partial class OptionsServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.Options.OptionsBuilder AddOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TOptions : class => throw null; @@ -15,126 +14,112 @@ public static class OptionsServiceCollectionExtensions public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection Configure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureOptions) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TOptions : class => throw null; - public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type configureType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, object configureInstance) => throw null; + public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Type configureType) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection ConfigureOptions(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) where TConfigureOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection PostConfigure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection PostConfigure(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name, System.Action configureOptions) where TOptions : class => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection PostConfigureAll(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action configureOptions) where TOptions : class => throw null; } - } namespace Options { - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class where TOptions : class + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class { - public System.Action Action { get => throw null; } - public void Configure(TOptions options) => throw null; + public System.Action Action { get => throw null; } public virtual void Configure(string name, TOptions options) => throw null; - public ConfigureNamedOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Action action) => throw null; - public TDep1 Dependency1 { get => throw null; } - public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } - public TDep5 Dependency5 { get => throw null; } + public void Configure(TOptions options) => throw null; + public ConfigureNamedOptions(string name, System.Action action) => throw null; public string Name { get => throw null; } } - - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TOptions : class + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class where TDep : class { - public System.Action Action { get => throw null; } + public System.Action Action { get => throw null; } + public virtual void Configure(string name, TOptions options) => throw null; public void Configure(TOptions options) => throw null; + public ConfigureNamedOptions(string name, TDep dependency, System.Action action) => throw null; + public TDep Dependency { get => throw null; } + public string Name { get => throw null; } + } + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class + { + public System.Action Action { get => throw null; } public virtual void Configure(string name, TOptions options) => throw null; - public ConfigureNamedOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Action action) => throw null; + public void Configure(TOptions options) => throw null; + public ConfigureNamedOptions(string name, TDep1 dependency, TDep2 dependency2, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } public string Name { get => throw null; } } - - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TOptions : class + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class { public System.Action Action { get => throw null; } - public void Configure(TOptions options) => throw null; public virtual void Configure(string name, TOptions options) => throw null; + public void Configure(TOptions options) => throw null; public ConfigureNamedOptions(string name, TDep1 dependency, TDep2 dependency2, TDep3 dependency3, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } public TDep3 Dependency3 { get => throw null; } public string Name { get => throw null; } } - - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TDep1 : class where TDep2 : class where TOptions : class + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class { - public System.Action Action { get => throw null; } - public void Configure(TOptions options) => throw null; + public System.Action Action { get => throw null; } public virtual void Configure(string name, TOptions options) => throw null; - public ConfigureNamedOptions(string name, TDep1 dependency, TDep2 dependency2, System.Action action) => throw null; + public void Configure(TOptions options) => throw null; + public ConfigureNamedOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } public string Name { get => throw null; } } - - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TDep : class where TOptions : class + public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class { - public System.Action Action { get => throw null; } - public void Configure(TOptions options) => throw null; + public System.Action Action { get => throw null; } public virtual void Configure(string name, TOptions options) => throw null; - public ConfigureNamedOptions(string name, TDep dependency, System.Action action) => throw null; - public TDep Dependency { get => throw null; } - public string Name { get => throw null; } - } - - public class ConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureNamedOptions, Microsoft.Extensions.Options.IConfigureOptions where TOptions : class - { - public System.Action Action { get => throw null; } public void Configure(TOptions options) => throw null; - public virtual void Configure(string name, TOptions options) => throw null; - public ConfigureNamedOptions(string name, System.Action action) => throw null; + public ConfigureNamedOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Action action) => throw null; + public TDep1 Dependency1 { get => throw null; } + public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } + public TDep5 Dependency5 { get => throw null; } public string Name { get => throw null; } } - public class ConfigureOptions : Microsoft.Extensions.Options.IConfigureOptions where TOptions : class { public System.Action Action { get => throw null; } public virtual void Configure(TOptions options) => throw null; public ConfigureOptions(System.Action action) => throw null; } - public interface IConfigureNamedOptions : Microsoft.Extensions.Options.IConfigureOptions where TOptions : class { void Configure(string name, TOptions options); } - public interface IConfigureOptions where TOptions : class { void Configure(TOptions options); } - public interface IOptions where TOptions : class { TOptions Value { get; } } - public interface IOptionsChangeTokenSource { Microsoft.Extensions.Primitives.IChangeToken GetChangeToken(); string Name { get; } } - public interface IOptionsFactory where TOptions : class { TOptions Create(string name); } - public interface IOptionsMonitor { TOptions CurrentValue { get; } TOptions Get(string name); System.IDisposable OnChange(System.Action listener); } - public interface IOptionsMonitorCache where TOptions : class { void Clear(); @@ -142,68 +127,61 @@ public interface IOptionsMonitorCache where TOptions : class bool TryAdd(string name, TOptions options); bool TryRemove(string name); } - public interface IOptionsSnapshot : Microsoft.Extensions.Options.IOptions where TOptions : class { TOptions Get(string name); } - public interface IPostConfigureOptions where TOptions : class { void PostConfigure(string name, TOptions options); } - public interface IValidateOptions where TOptions : class { Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options); } - public static class Options { public static Microsoft.Extensions.Options.IOptions Create(TOptions options) where TOptions : class => throw null; public static string DefaultName; } - public class OptionsBuilder where TOptions : class { public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class => throw null; public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep : class => throw null; - public string Name { get => throw null; } + public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Configure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class => throw null; public OptionsBuilder(Microsoft.Extensions.DependencyInjection.IServiceCollection services, string name) => throw null; + public string Name { get => throw null; } public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class => throw null; public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder PostConfigure(System.Action configureOptions) where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class => throw null; public Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get => throw null; } public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; - public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation) => throw null; + public virtual Microsoft.Extensions.Options.OptionsBuilder Validate(System.Func validation, string failureMessage) => throw null; } - public class OptionsCache : Microsoft.Extensions.Options.IOptionsMonitorCache where TOptions : class { public void Clear() => throw null; - public virtual TOptions GetOrAdd(string name, System.Func createOptions) => throw null; public OptionsCache() => throw null; + public virtual TOptions GetOrAdd(string name, System.Func createOptions) => throw null; public virtual bool TryAdd(string name, TOptions options) => throw null; public virtual bool TryRemove(string name) => throw null; } - public class OptionsFactory : Microsoft.Extensions.Options.IOptionsFactory where TOptions : class { public TOptions Create(string name) => throw null; @@ -211,194 +189,175 @@ public class OptionsFactory : Microsoft.Extensions.Options.IOptionsFac public OptionsFactory(System.Collections.Generic.IEnumerable> setups, System.Collections.Generic.IEnumerable> postConfigures) => throw null; public OptionsFactory(System.Collections.Generic.IEnumerable> setups, System.Collections.Generic.IEnumerable> postConfigures, System.Collections.Generic.IEnumerable> validations) => throw null; } - public class OptionsManager : Microsoft.Extensions.Options.IOptions, Microsoft.Extensions.Options.IOptionsSnapshot where TOptions : class { - public virtual TOptions Get(string name) => throw null; public OptionsManager(Microsoft.Extensions.Options.IOptionsFactory factory) => throw null; + public virtual TOptions Get(string name) => throw null; public TOptions Value { get => throw null; } } - public class OptionsMonitor : Microsoft.Extensions.Options.IOptionsMonitor, System.IDisposable where TOptions : class { + public OptionsMonitor(Microsoft.Extensions.Options.IOptionsFactory factory, System.Collections.Generic.IEnumerable> sources, Microsoft.Extensions.Options.IOptionsMonitorCache cache) => throw null; public TOptions CurrentValue { get => throw null; } public void Dispose() => throw null; public virtual TOptions Get(string name) => throw null; public System.IDisposable OnChange(System.Action listener) => throw null; - public OptionsMonitor(Microsoft.Extensions.Options.IOptionsFactory factory, System.Collections.Generic.IEnumerable> sources, Microsoft.Extensions.Options.IOptionsMonitorCache cache) => throw null; } - - public static class OptionsMonitorExtensions + public static partial class OptionsMonitorExtensions { public static System.IDisposable OnChange(this Microsoft.Extensions.Options.IOptionsMonitor monitor, System.Action listener) => throw null; } - public class OptionsValidationException : System.Exception { + public OptionsValidationException(string optionsName, System.Type optionsType, System.Collections.Generic.IEnumerable failureMessages) => throw null; public System.Collections.Generic.IEnumerable Failures { get => throw null; } public override string Message { get => throw null; } public string OptionsName { get => throw null; } public System.Type OptionsType { get => throw null; } - public OptionsValidationException(string optionsName, System.Type optionsType, System.Collections.Generic.IEnumerable failureMessages) => throw null; } - public class OptionsWrapper : Microsoft.Extensions.Options.IOptions where TOptions : class { public OptionsWrapper(TOptions options) => throw null; public TOptions Value { get => throw null; } } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class where TOptions : class + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class { - public System.Action Action { get => throw null; } - public TDep1 Dependency1 { get => throw null; } - public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } - public TDep5 Dependency5 { get => throw null; } + public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, System.Action action) => throw null; public string Name { get => throw null; } - public void PostConfigure(TOptions options) => throw null; public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Action action) => throw null; } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TOptions : class + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class where TDep : class { - public System.Action Action { get => throw null; } + public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, TDep dependency, System.Action action) => throw null; + public TDep Dependency { get => throw null; } + public string Name { get => throw null; } + public virtual void PostConfigure(string name, TOptions options) => throw null; + public void PostConfigure(TOptions options) => throw null; + } + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class + { + public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, TDep1 dependency, TDep2 dependency2, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } public string Name { get => throw null; } - public void PostConfigure(TOptions options) => throw null; public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Action action) => throw null; + public void PostConfigure(TOptions options) => throw null; } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TDep1 : class where TDep2 : class where TDep3 : class where TOptions : class + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class { public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, TDep1 dependency, TDep2 dependency2, TDep3 dependency3, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } public TDep3 Dependency3 { get => throw null; } public string Name { get => throw null; } - public void PostConfigure(TOptions options) => throw null; public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, TDep1 dependency, TDep2 dependency2, TDep3 dependency3, System.Action action) => throw null; + public void PostConfigure(TOptions options) => throw null; } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TDep1 : class where TDep2 : class where TOptions : class + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class { - public System.Action Action { get => throw null; } + public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Action action) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } public string Name { get => throw null; } - public void PostConfigure(TOptions options) => throw null; public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, TDep1 dependency, TDep2 dependency2, System.Action action) => throw null; + public void PostConfigure(TOptions options) => throw null; } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TDep : class where TOptions : class + public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class where TDep1 : class where TDep2 : class where TDep3 : class where TDep4 : class where TDep5 : class { - public System.Action Action { get => throw null; } - public TDep Dependency { get => throw null; } + public System.Action Action { get => throw null; } + public PostConfigureOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Action action) => throw null; + public TDep1 Dependency1 { get => throw null; } + public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } + public TDep5 Dependency5 { get => throw null; } public string Name { get => throw null; } - public void PostConfigure(TOptions options) => throw null; public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, TDep dependency, System.Action action) => throw null; + public void PostConfigure(TOptions options) => throw null; } - - public class PostConfigureOptions : Microsoft.Extensions.Options.IPostConfigureOptions where TOptions : class + public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { - public System.Action Action { get => throw null; } + public ValidateOptions(string name, System.Func validation, string failureMessage) => throw null; + public string FailureMessage { get => throw null; } public string Name { get => throw null; } - public virtual void PostConfigure(string name, TOptions options) => throw null; - public PostConfigureOptions(string name, System.Action action) => throw null; + public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; + public System.Func Validation { get => throw null; } } - - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class + public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { - public TDep1 Dependency1 { get => throw null; } - public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } - public TDep5 Dependency5 { get => throw null; } + public ValidateOptions(string name, TDep dependency, System.Func validation, string failureMessage) => throw null; + public TDep Dependency { get => throw null; } public string FailureMessage { get => throw null; } public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Func validation, string failureMessage) => throw null; - public System.Func Validation { get => throw null; } + public System.Func Validation { get => throw null; } } - - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class + public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { + public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, System.Func validation, string failureMessage) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } - public TDep3 Dependency3 { get => throw null; } - public TDep4 Dependency4 { get => throw null; } public string FailureMessage { get => throw null; } public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Func validation, string failureMessage) => throw null; - public System.Func Validation { get => throw null; } + public System.Func Validation { get => throw null; } } - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { + public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, System.Func validation, string failureMessage) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } public TDep3 Dependency3 { get => throw null; } public string FailureMessage { get => throw null; } public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, System.Func validation, string failureMessage) => throw null; public System.Func Validation { get => throw null; } } - - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class + public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { + public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, System.Func validation, string failureMessage) => throw null; public TDep1 Dependency1 { get => throw null; } public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } public string FailureMessage { get => throw null; } public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, System.Func validation, string failureMessage) => throw null; - public System.Func Validation { get => throw null; } - } - - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class - { - public TDep Dependency { get => throw null; } - public string FailureMessage { get => throw null; } - public string Name { get => throw null; } - public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, TDep dependency, System.Func validation, string failureMessage) => throw null; - public System.Func Validation { get => throw null; } + public System.Func Validation { get => throw null; } } - - public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class + public class ValidateOptions : Microsoft.Extensions.Options.IValidateOptions where TOptions : class { + public ValidateOptions(string name, TDep1 dependency1, TDep2 dependency2, TDep3 dependency3, TDep4 dependency4, TDep5 dependency5, System.Func validation, string failureMessage) => throw null; + public TDep1 Dependency1 { get => throw null; } + public TDep2 Dependency2 { get => throw null; } + public TDep3 Dependency3 { get => throw null; } + public TDep4 Dependency4 { get => throw null; } + public TDep5 Dependency5 { get => throw null; } public string FailureMessage { get => throw null; } public string Name { get => throw null; } public Microsoft.Extensions.Options.ValidateOptionsResult Validate(string name, TOptions options) => throw null; - public ValidateOptions(string name, System.Func validation, string failureMessage) => throw null; - public System.Func Validation { get => throw null; } + public System.Func Validation { get => throw null; } } - public class ValidateOptionsResult { + public ValidateOptionsResult() => throw null; public static Microsoft.Extensions.Options.ValidateOptionsResult Fail(System.Collections.Generic.IEnumerable failures) => throw null; public static Microsoft.Extensions.Options.ValidateOptionsResult Fail(string failureMessage) => throw null; - public bool Failed { get => throw null; set => throw null; } - public string FailureMessage { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable Failures { get => throw null; set => throw null; } + public bool Failed { get => throw null; set { } } + public string FailureMessage { get => throw null; set { } } + public System.Collections.Generic.IEnumerable Failures { get => throw null; set { } } public static Microsoft.Extensions.Options.ValidateOptionsResult Skip; - public bool Skipped { get => throw null; set => throw null; } - public bool Succeeded { get => throw null; set => throw null; } + public bool Skipped { get => throw null; set { } } + public bool Succeeded { get => throw null; set { } } public static Microsoft.Extensions.Options.ValidateOptionsResult Success; - public ValidateOptionsResult() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs index c79f01782ee4..acc7bc886784 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions @@ -14,13 +13,11 @@ public class CancellationChangeToken : Microsoft.Extensions.Primitives.IChangeTo public bool HasChanged { get => throw null; } public System.IDisposable RegisterChangeCallback(System.Action callback, object state) => throw null; } - public static class ChangeToken { public static System.IDisposable OnChange(System.Func changeTokenProducer, System.Action changeTokenConsumer) => throw null; public static System.IDisposable OnChange(System.Func changeTokenProducer, System.Action changeTokenConsumer, TState state) => throw null; } - public class CompositeChangeToken : Microsoft.Extensions.Primitives.IChangeToken { public bool ActiveChangeCallbacks { get => throw null; } @@ -29,69 +26,64 @@ public class CompositeChangeToken : Microsoft.Extensions.Primitives.IChangeToken public bool HasChanged { get => throw null; } public System.IDisposable RegisterChangeCallback(System.Action callback, object state) => throw null; } - - public static class Extensions + public static partial class Extensions { public static System.Text.StringBuilder Append(this System.Text.StringBuilder builder, Microsoft.Extensions.Primitives.StringSegment segment) => throw null; } - public interface IChangeToken { bool ActiveChangeCallbacks { get; } bool HasChanged { get; } System.IDisposable RegisterChangeCallback(System.Action callback, object state); } - public struct StringSegment : System.IEquatable, System.IEquatable { - public static bool operator !=(Microsoft.Extensions.Primitives.StringSegment left, Microsoft.Extensions.Primitives.StringSegment right) => throw null; - public static bool operator ==(Microsoft.Extensions.Primitives.StringSegment left, Microsoft.Extensions.Primitives.StringSegment right) => throw null; - public System.ReadOnlyMemory AsMemory() => throw null; - public System.ReadOnlySpan AsSpan() => throw null; - public System.ReadOnlySpan AsSpan(int start) => throw null; - public System.ReadOnlySpan AsSpan(int start, int length) => throw null; + public System.ReadOnlyMemory AsMemory() => throw null; + public System.ReadOnlySpan AsSpan() => throw null; + public System.ReadOnlySpan AsSpan(int start) => throw null; + public System.ReadOnlySpan AsSpan(int start, int length) => throw null; public string Buffer { get => throw null; } public static int Compare(Microsoft.Extensions.Primitives.StringSegment a, Microsoft.Extensions.Primitives.StringSegment b, System.StringComparison comparisonType) => throw null; + public StringSegment(string buffer) => throw null; + public StringSegment(string buffer, int offset, int length) => throw null; public static Microsoft.Extensions.Primitives.StringSegment Empty; public bool EndsWith(string text, System.StringComparison comparisonType) => throw null; public bool Equals(Microsoft.Extensions.Primitives.StringSegment other) => throw null; - public bool Equals(Microsoft.Extensions.Primitives.StringSegment other, System.StringComparison comparisonType) => throw null; public static bool Equals(Microsoft.Extensions.Primitives.StringSegment a, Microsoft.Extensions.Primitives.StringSegment b, System.StringComparison comparisonType) => throw null; + public bool Equals(Microsoft.Extensions.Primitives.StringSegment other, System.StringComparison comparisonType) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(string text) => throw null; public bool Equals(string text, System.StringComparison comparisonType) => throw null; public override int GetHashCode() => throw null; public bool HasValue { get => throw null; } - public int IndexOf(System.Char c) => throw null; - public int IndexOf(System.Char c, int start) => throw null; - public int IndexOf(System.Char c, int start, int count) => throw null; - public int IndexOfAny(System.Char[] anyOf) => throw null; - public int IndexOfAny(System.Char[] anyOf, int startIndex) => throw null; - public int IndexOfAny(System.Char[] anyOf, int startIndex, int count) => throw null; + public int IndexOf(char c) => throw null; + public int IndexOf(char c, int start) => throw null; + public int IndexOf(char c, int start, int count) => throw null; + public int IndexOfAny(char[] anyOf) => throw null; + public int IndexOfAny(char[] anyOf, int startIndex) => throw null; + public int IndexOfAny(char[] anyOf, int startIndex, int count) => throw null; public static bool IsNullOrEmpty(Microsoft.Extensions.Primitives.StringSegment value) => throw null; - public System.Char this[int index] { get => throw null; } - public int LastIndexOf(System.Char value) => throw null; + public int LastIndexOf(char value) => throw null; public int Length { get => throw null; } public int Offset { get => throw null; } - public Microsoft.Extensions.Primitives.StringTokenizer Split(System.Char[] chars) => throw null; + public static bool operator ==(Microsoft.Extensions.Primitives.StringSegment left, Microsoft.Extensions.Primitives.StringSegment right) => throw null; + public static implicit operator System.ReadOnlyMemory(Microsoft.Extensions.Primitives.StringSegment segment) => throw null; + public static implicit operator System.ReadOnlySpan(Microsoft.Extensions.Primitives.StringSegment segment) => throw null; + public static implicit operator Microsoft.Extensions.Primitives.StringSegment(string value) => throw null; + public static bool operator !=(Microsoft.Extensions.Primitives.StringSegment left, Microsoft.Extensions.Primitives.StringSegment right) => throw null; + public Microsoft.Extensions.Primitives.StringTokenizer Split(char[] chars) => throw null; public bool StartsWith(string text, System.StringComparison comparisonType) => throw null; - // Stub generator skipped constructor - public StringSegment(string buffer) => throw null; - public StringSegment(string buffer, int offset, int length) => throw null; public Microsoft.Extensions.Primitives.StringSegment Subsegment(int offset) => throw null; public Microsoft.Extensions.Primitives.StringSegment Subsegment(int offset, int length) => throw null; public string Substring(int offset) => throw null; public string Substring(int offset, int length) => throw null; + public char this[int index] { get => throw null; } public override string ToString() => throw null; public Microsoft.Extensions.Primitives.StringSegment Trim() => throw null; public Microsoft.Extensions.Primitives.StringSegment TrimEnd() => throw null; public Microsoft.Extensions.Primitives.StringSegment TrimStart() => throw null; public string Value { get => throw null; } - public static implicit operator System.ReadOnlyMemory(Microsoft.Extensions.Primitives.StringSegment segment) => throw null; - public static implicit operator System.ReadOnlySpan(Microsoft.Extensions.Primitives.StringSegment segment) => throw null; - public static implicit operator Microsoft.Extensions.Primitives.StringSegment(string value) => throw null; } - public class StringSegmentComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer { public int Compare(Microsoft.Extensions.Primitives.StringSegment x, Microsoft.Extensions.Primitives.StringSegment y) => throw null; @@ -100,75 +92,54 @@ public class StringSegmentComparer : System.Collections.Generic.IComparer throw null; } public static Microsoft.Extensions.Primitives.StringSegmentComparer OrdinalIgnoreCase { get => throw null; } } - public struct StringTokenizer : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public StringTokenizer(Microsoft.Extensions.Primitives.StringSegment value, char[] separators) => throw null; + public StringTokenizer(string value, char[] separators) => throw null; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public Enumerator(ref Microsoft.Extensions.Primitives.StringTokenizer tokenizer) => throw null; public Microsoft.Extensions.Primitives.StringSegment Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(ref Microsoft.Extensions.Primitives.StringTokenizer tokenizer) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - public Microsoft.Extensions.Primitives.StringTokenizer.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - // Stub generator skipped constructor - public StringTokenizer(Microsoft.Extensions.Primitives.StringSegment value, System.Char[] separators) => throw null; - public StringTokenizer(string value, System.Char[] separators) => throw null; } - - public struct StringValues : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IEnumerable, System.IEquatable, System.IEquatable, System.IEquatable + public struct StringValues : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.IEquatable, System.IEquatable, System.IEquatable { + void System.Collections.Generic.ICollection.Add(string item) => throw null; + void System.Collections.Generic.ICollection.Clear() => throw null; + public static Microsoft.Extensions.Primitives.StringValues Concat(Microsoft.Extensions.Primitives.StringValues values1, Microsoft.Extensions.Primitives.StringValues values2) => throw null; + public static Microsoft.Extensions.Primitives.StringValues Concat(in Microsoft.Extensions.Primitives.StringValues values, string value) => throw null; + public static Microsoft.Extensions.Primitives.StringValues Concat(string value, in Microsoft.Extensions.Primitives.StringValues values) => throw null; + bool System.Collections.Generic.ICollection.Contains(string item) => throw null; + void System.Collections.Generic.ICollection.CopyTo(string[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public StringValues(string value) => throw null; + public StringValues(string[] values) => throw null; + public static Microsoft.Extensions.Primitives.StringValues Empty; public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public Enumerator(ref Microsoft.Extensions.Primitives.StringValues values) => throw null; public string Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - // Stub generator skipped constructor - public Enumerator(ref Microsoft.Extensions.Primitives.StringValues values) => throw null; public bool MoveNext() => throw null; void System.Collections.IEnumerator.Reset() => throw null; } - - - public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; - public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, object right) => throw null; - public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, string right) => throw null; - public static bool operator !=(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator !=(object left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator !=(string left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; - public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, object right) => throw null; - public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, string right) => throw null; - public static bool operator ==(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator ==(object left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool operator ==(string left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - void System.Collections.Generic.ICollection.Add(string item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - public static Microsoft.Extensions.Primitives.StringValues Concat(Microsoft.Extensions.Primitives.StringValues values1, Microsoft.Extensions.Primitives.StringValues values2) => throw null; - public static Microsoft.Extensions.Primitives.StringValues Concat(Microsoft.Extensions.Primitives.StringValues values, string value) => throw null; - public static Microsoft.Extensions.Primitives.StringValues Concat(string value, Microsoft.Extensions.Primitives.StringValues values) => throw null; - bool System.Collections.Generic.ICollection.Contains(string item) => throw null; - void System.Collections.Generic.ICollection.CopyTo(string[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public static Microsoft.Extensions.Primitives.StringValues Empty; public bool Equals(Microsoft.Extensions.Primitives.StringValues other) => throw null; public static bool Equals(Microsoft.Extensions.Primitives.StringValues left, Microsoft.Extensions.Primitives.StringValues right) => throw null; - public static bool Equals(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; public static bool Equals(Microsoft.Extensions.Primitives.StringValues left, string right) => throw null; - public bool Equals(string[] other) => throw null; - public static bool Equals(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool Equals(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(string other) => throw null; public static bool Equals(string left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public bool Equals(string[] other) => throw null; + public static bool Equals(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; public Microsoft.Extensions.Primitives.StringValues.Enumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; @@ -177,21 +148,31 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, Syste void System.Collections.Generic.IList.Insert(int index, string item) => throw null; public static bool IsNullOrEmpty(Microsoft.Extensions.Primitives.StringValues value) => throw null; bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public string this[int index] { get => throw null; } - string System.Collections.Generic.IList.this[int index] { get => throw null; set => throw null; } + string System.Collections.Generic.IList.this[int index] { get => throw null; set { } } + public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, object right) => throw null; + public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, string right) => throw null; + public static bool operator ==(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; + public static bool operator ==(object left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator ==(string left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator ==(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static implicit operator string(Microsoft.Extensions.Primitives.StringValues values) => throw null; + public static implicit operator string[](Microsoft.Extensions.Primitives.StringValues value) => throw null; + public static implicit operator Microsoft.Extensions.Primitives.StringValues(string value) => throw null; + public static implicit operator Microsoft.Extensions.Primitives.StringValues(string[] values) => throw null; + public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, object right) => throw null; + public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, string right) => throw null; + public static bool operator !=(Microsoft.Extensions.Primitives.StringValues left, string[] right) => throw null; + public static bool operator !=(object left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator !=(string left, Microsoft.Extensions.Primitives.StringValues right) => throw null; + public static bool operator !=(string[] left, Microsoft.Extensions.Primitives.StringValues right) => throw null; bool System.Collections.Generic.ICollection.Remove(string item) => throw null; void System.Collections.Generic.IList.RemoveAt(int index) => throw null; - // Stub generator skipped constructor - public StringValues(string[] values) => throw null; - public StringValues(string value) => throw null; + public string this[int index] { get => throw null; } public string[] ToArray() => throw null; public override string ToString() => throw null; - public static implicit operator string(Microsoft.Extensions.Primitives.StringValues values) => throw null; - public static implicit operator string[](Microsoft.Extensions.Primitives.StringValues value) => throw null; - public static implicit operator Microsoft.Extensions.Primitives.StringValues(string[] values) => throw null; - public static implicit operator Microsoft.Extensions.Primitives.StringValues(string value) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.WebEncoders.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.WebEncoders.cs index c276b598b646..422f3b8a5612 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.WebEncoders.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.WebEncoders.cs @@ -1,65 +1,59 @@ // This file contains auto-generated code. // Generated from `Microsoft.Extensions.WebEncoders, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Extensions { namespace DependencyInjection { - public static class EncoderServiceCollectionExtensions + public static partial class EncoderServiceCollectionExtensions { public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddWebEncoders(this Microsoft.Extensions.DependencyInjection.IServiceCollection services) => throw null; public static Microsoft.Extensions.DependencyInjection.IServiceCollection AddWebEncoders(this Microsoft.Extensions.DependencyInjection.IServiceCollection services, System.Action setupAction) => throw null; } - } namespace WebEncoders { - public class WebEncoderOptions - { - public System.Text.Encodings.Web.TextEncoderSettings TextEncoderSettings { get => throw null; set => throw null; } - public WebEncoderOptions() => throw null; - } - namespace Testing { - public class HtmlTestEncoder : System.Text.Encodings.Web.HtmlEncoder + public sealed class HtmlTestEncoder : System.Text.Encodings.Web.HtmlEncoder { - public override void Encode(System.IO.TextWriter output, System.Char[] value, int startIndex, int characterCount) => throw null; - public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; - public override string Encode(string value) => throw null; - unsafe public override int FindFirstCharacterToEncode(System.Char* text, int textLength) => throw null; public HtmlTestEncoder() => throw null; + public override string Encode(string value) => throw null; + public override void Encode(System.IO.TextWriter output, char[] value, int startIndex, int characterCount) => throw null; + public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public override unsafe int FindFirstCharacterToEncode(char* text, int textLength) => throw null; public override int MaxOutputCharactersPerInputCharacter { get => throw null; } - unsafe public override bool TryEncodeUnicodeScalar(int unicodeScalar, System.Char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; + public override unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; public override bool WillEncode(int unicodeScalar) => throw null; } - public class JavaScriptTestEncoder : System.Text.Encodings.Web.JavaScriptEncoder { - public override void Encode(System.IO.TextWriter output, System.Char[] value, int startIndex, int characterCount) => throw null; - public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; - public override string Encode(string value) => throw null; - unsafe public override int FindFirstCharacterToEncode(System.Char* text, int textLength) => throw null; public JavaScriptTestEncoder() => throw null; + public override string Encode(string value) => throw null; + public override void Encode(System.IO.TextWriter output, char[] value, int startIndex, int characterCount) => throw null; + public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public override unsafe int FindFirstCharacterToEncode(char* text, int textLength) => throw null; public override int MaxOutputCharactersPerInputCharacter { get => throw null; } - unsafe public override bool TryEncodeUnicodeScalar(int unicodeScalar, System.Char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; + public override unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; public override bool WillEncode(int unicodeScalar) => throw null; } - public class UrlTestEncoder : System.Text.Encodings.Web.UrlEncoder { - public override void Encode(System.IO.TextWriter output, System.Char[] value, int startIndex, int characterCount) => throw null; - public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public UrlTestEncoder() => throw null; public override string Encode(string value) => throw null; - unsafe public override int FindFirstCharacterToEncode(System.Char* text, int textLength) => throw null; + public override void Encode(System.IO.TextWriter output, char[] value, int startIndex, int characterCount) => throw null; + public override void Encode(System.IO.TextWriter output, string value, int startIndex, int characterCount) => throw null; + public override unsafe int FindFirstCharacterToEncode(char* text, int textLength) => throw null; public override int MaxOutputCharactersPerInputCharacter { get => throw null; } - unsafe public override bool TryEncodeUnicodeScalar(int unicodeScalar, System.Char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; - public UrlTestEncoder() => throw null; + public override unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten) => throw null; public override bool WillEncode(int unicodeScalar) => throw null; } - + } + public sealed class WebEncoderOptions + { + public WebEncoderOptions() => throw null; + public System.Text.Encodings.Web.TextEncoderSettings TextEncoderSettings { get => throw null; set { } } } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs index 9dfd9f3db1a9..4a29f8c28d46 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.JSInterop, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace JSInterop @@ -9,216 +8,182 @@ public static class DotNetObjectReference { public static Microsoft.JSInterop.DotNetObjectReference Create(TValue value) where TValue : class => throw null; } - - public class DotNetObjectReference : System.IDisposable where TValue : class + public sealed class DotNetObjectReference : System.IDisposable where TValue : class { public void Dispose() => throw null; public TValue Value { get => throw null; } } - - public class DotNetStreamReference : System.IDisposable + public sealed class DotNetStreamReference : System.IDisposable { - public void Dispose() => throw null; public DotNetStreamReference(System.IO.Stream stream, bool leaveOpen = default(bool)) => throw null; + public void Dispose() => throw null; public bool LeaveOpen { get => throw null; } public System.IO.Stream Stream { get => throw null; } } - public interface IJSInProcessObjectReference : Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable { TValue Invoke(string identifier, params object[] args); } - public interface IJSInProcessRuntime : Microsoft.JSInterop.IJSRuntime { TResult Invoke(string identifier, params object[] args); } - public interface IJSObjectReference : System.IAsyncDisposable { - System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args); System.Threading.Tasks.ValueTask InvokeAsync(string identifier, object[] args); + System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args); } - public interface IJSRuntime { - System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args); System.Threading.Tasks.ValueTask InvokeAsync(string identifier, object[] args); + System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args); } - public interface IJSStreamReference : System.IAsyncDisposable { - System.Int64 Length { get; } - System.Threading.Tasks.ValueTask OpenReadStreamAsync(System.Int64 maxAllowedSize = default(System.Int64), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + long Length { get; } + System.Threading.Tasks.ValueTask OpenReadStreamAsync(long maxAllowedSize = default(long), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IJSUnmarshalledObjectReference : Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable { - TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1, T2 arg2); - TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1); - TResult InvokeUnmarshalled(string identifier, T0 arg0); TResult InvokeUnmarshalled(string identifier); + TResult InvokeUnmarshalled(string identifier, T0 arg0); + TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1); + TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1, T2 arg2); } - public interface IJSUnmarshalledRuntime { - TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1, T2 arg2); - TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1); - TResult InvokeUnmarshalled(string identifier, T0 arg0); TResult InvokeUnmarshalled(string identifier); + TResult InvokeUnmarshalled(string identifier, T0 arg0); + TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1); + TResult InvokeUnmarshalled(string identifier, T0 arg0, T1 arg1, T2 arg2); + } + namespace Implementation + { + public class JSInProcessObjectReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable + { + protected JSInProcessObjectReference(Microsoft.JSInterop.JSInProcessRuntime jsRuntime, long id) : base(default(Microsoft.JSInterop.JSRuntime), default(long)) => throw null; + public void Dispose() => throw null; + public TValue Invoke(string identifier, params object[] args) => throw null; + } + public class JSObjectReference : Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable + { + protected JSObjectReference(Microsoft.JSInterop.JSRuntime jsRuntime, long id) => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + protected long Id { get => throw null; } + public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, object[] args) => throw null; + public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args) => throw null; + protected void ThrowIfDisposed() => throw null; + } + public static class JSObjectReferenceJsonWorker + { + public static long ReadJSObjectReferenceIdentifier(ref System.Text.Json.Utf8JsonReader reader) => throw null; + public static void WriteJSObjectReference(System.Text.Json.Utf8JsonWriter writer, Microsoft.JSInterop.Implementation.JSObjectReference objectReference) => throw null; + } + public sealed class JSStreamReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSStreamReference, System.IAsyncDisposable + { + public long Length { get => throw null; } + System.Threading.Tasks.ValueTask Microsoft.JSInterop.IJSStreamReference.OpenReadStreamAsync(long maxAllowedSize, System.Threading.CancellationToken cancellationToken) => throw null; + internal JSStreamReference() : base(default(Microsoft.JSInterop.JSRuntime), default(long)) { } + } + } + namespace Infrastructure + { + public static class DotNetDispatcher + { + public static void BeginInvokeDotNet(Microsoft.JSInterop.JSRuntime jsRuntime, Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, string argsJson) => throw null; + public static void EndInvokeJS(Microsoft.JSInterop.JSRuntime jsRuntime, string arguments) => throw null; + public static string Invoke(Microsoft.JSInterop.JSRuntime jsRuntime, in Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, string argsJson) => throw null; + public static void ReceiveByteArray(Microsoft.JSInterop.JSRuntime jsRuntime, int id, byte[] data) => throw null; + } + public struct DotNetInvocationInfo + { + public string AssemblyName { get => throw null; } + public string CallId { get => throw null; } + public DotNetInvocationInfo(string assemblyName, string methodIdentifier, long dotNetObjectId, string callId) => throw null; + public long DotNetObjectId { get => throw null; } + public string MethodIdentifier { get => throw null; } + } + public struct DotNetInvocationResult + { + public string ErrorKind { get => throw null; } + public System.Exception Exception { get => throw null; } + public string ResultJson { get => throw null; } + public bool Success { get => throw null; } + } + public interface IJSVoidResult + { + } } - - public enum JSCallResultType : int + public enum JSCallResultType { Default = 0, JSObjectReference = 1, JSStreamReference = 2, JSVoidResult = 3, } - - public class JSDisconnectedException : System.Exception + public sealed class JSDisconnectedException : System.Exception { public JSDisconnectedException(string message) => throw null; } - public class JSException : System.Exception { public JSException(string message) => throw null; public JSException(string message, System.Exception innerException) => throw null; } - - public static class JSInProcessObjectReferenceExtensions + public static partial class JSInProcessObjectReferenceExtensions { public static void InvokeVoid(this Microsoft.JSInterop.IJSInProcessObjectReference jsObjectReference, string identifier, params object[] args) => throw null; } - public abstract class JSInProcessRuntime : Microsoft.JSInterop.JSRuntime, Microsoft.JSInterop.IJSInProcessRuntime, Microsoft.JSInterop.IJSRuntime { + protected JSInProcessRuntime() => throw null; public TValue Invoke(string identifier, params object[] args) => throw null; protected virtual string InvokeJS(string identifier, string argsJson) => throw null; - protected abstract string InvokeJS(string identifier, string argsJson, Microsoft.JSInterop.JSCallResultType resultType, System.Int64 targetInstanceId); - protected JSInProcessRuntime() => throw null; + protected abstract string InvokeJS(string identifier, string argsJson, Microsoft.JSInterop.JSCallResultType resultType, long targetInstanceId); } - - public static class JSInProcessRuntimeExtensions + public static partial class JSInProcessRuntimeExtensions { public static void InvokeVoid(this Microsoft.JSInterop.IJSInProcessRuntime jsRuntime, string identifier, params object[] args) => throw null; } - - public class JSInvokableAttribute : System.Attribute + public sealed class JSInvokableAttribute : System.Attribute { - public string Identifier { get => throw null; } public JSInvokableAttribute() => throw null; public JSInvokableAttribute(string identifier) => throw null; + public string Identifier { get => throw null; } } - - public static class JSObjectReferenceExtensions + public static partial class JSObjectReferenceExtensions { + public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.Threading.CancellationToken cancellationToken, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.TimeSpan timeout, params object[] args) => throw null; - public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, params object[] args) => throw null; + public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.Threading.CancellationToken cancellationToken, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.TimeSpan timeout, params object[] args) => throw null; - public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, params object[] args) => throw null; } - public abstract class JSRuntime : Microsoft.JSInterop.IJSRuntime, System.IDisposable { - protected virtual void BeginInvokeJS(System.Int64 taskId, string identifier, string argsJson) => throw null; - protected abstract void BeginInvokeJS(System.Int64 taskId, string identifier, string argsJson, Microsoft.JSInterop.JSCallResultType resultType, System.Int64 targetInstanceId); - protected System.TimeSpan? DefaultAsyncTimeout { get => throw null; set => throw null; } + protected virtual void BeginInvokeJS(long taskId, string identifier, string argsJson) => throw null; + protected abstract void BeginInvokeJS(long taskId, string identifier, string argsJson, Microsoft.JSInterop.JSCallResultType resultType, long targetInstanceId); + protected JSRuntime() => throw null; + protected System.TimeSpan? DefaultAsyncTimeout { get => throw null; set { } } public void Dispose() => throw null; - protected internal abstract void EndInvokeDotNet(Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, Microsoft.JSInterop.Infrastructure.DotNetInvocationResult invocationResult); - public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args) => throw null; + protected abstract void EndInvokeDotNet(Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, in Microsoft.JSInterop.Infrastructure.DotNetInvocationResult invocationResult); public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, object[] args) => throw null; - protected JSRuntime() => throw null; - protected internal System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } - protected internal virtual System.Threading.Tasks.Task ReadJSDataAsStreamAsync(Microsoft.JSInterop.IJSStreamReference jsStreamReference, System.Int64 totalLength, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected internal virtual void ReceiveByteArray(int id, System.Byte[] data) => throw null; - protected internal virtual void SendByteArray(int id, System.Byte[] data) => throw null; - protected internal virtual System.Threading.Tasks.Task TransmitStreamAsync(System.Int64 streamId, Microsoft.JSInterop.DotNetStreamReference dotNetStreamReference) => throw null; + public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args) => throw null; + protected System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } + protected virtual System.Threading.Tasks.Task ReadJSDataAsStreamAsync(Microsoft.JSInterop.IJSStreamReference jsStreamReference, long totalLength, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual void ReceiveByteArray(int id, byte[] data) => throw null; + protected virtual void SendByteArray(int id, byte[] data) => throw null; + protected virtual System.Threading.Tasks.Task TransmitStreamAsync(long streamId, Microsoft.JSInterop.DotNetStreamReference dotNetStreamReference) => throw null; } - - public static class JSRuntimeExtensions + public static partial class JSRuntimeExtensions { + public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, System.Threading.CancellationToken cancellationToken, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, System.TimeSpan timeout, params object[] args) => throw null; - public static System.Threading.Tasks.ValueTask InvokeAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, params object[] args) => throw null; + public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, System.Threading.CancellationToken cancellationToken, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, System.TimeSpan timeout, params object[] args) => throw null; - public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSRuntime jsRuntime, string identifier, params object[] args) => throw null; - } - - namespace Implementation - { - public class JSInProcessObjectReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable - { - public void Dispose() => throw null; - public TValue Invoke(string identifier, params object[] args) => throw null; - protected internal JSInProcessObjectReference(Microsoft.JSInterop.JSInProcessRuntime jsRuntime, System.Int64 id) : base(default(Microsoft.JSInterop.JSRuntime), default(System.Int64)) => throw null; - } - - public class JSObjectReference : Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable - { - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - protected internal System.Int64 Id { get => throw null; } - public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, System.Threading.CancellationToken cancellationToken, object[] args) => throw null; - public System.Threading.Tasks.ValueTask InvokeAsync(string identifier, object[] args) => throw null; - protected internal JSObjectReference(Microsoft.JSInterop.JSRuntime jsRuntime, System.Int64 id) => throw null; - protected void ThrowIfDisposed() => throw null; - } - - public static class JSObjectReferenceJsonWorker - { - public static System.Int64 ReadJSObjectReferenceIdentifier(ref System.Text.Json.Utf8JsonReader reader) => throw null; - public static void WriteJSObjectReference(System.Text.Json.Utf8JsonWriter writer, Microsoft.JSInterop.Implementation.JSObjectReference objectReference) => throw null; - } - - public class JSStreamReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSStreamReference, System.IAsyncDisposable - { - internal JSStreamReference(Microsoft.JSInterop.JSRuntime jsRuntime, System.Int64 id, System.Int64 totalLength) : base(default(Microsoft.JSInterop.JSRuntime), default(System.Int64)) => throw null; - public System.Int64 Length { get => throw null; } - System.Threading.Tasks.ValueTask Microsoft.JSInterop.IJSStreamReference.OpenReadStreamAsync(System.Int64 maxAllowedSize, System.Threading.CancellationToken cancellationToken) => throw null; - } - - } - namespace Infrastructure - { - public static class DotNetDispatcher - { - public static void BeginInvokeDotNet(Microsoft.JSInterop.JSRuntime jsRuntime, Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, string argsJson) => throw null; - public static void EndInvokeJS(Microsoft.JSInterop.JSRuntime jsRuntime, string arguments) => throw null; - public static string Invoke(Microsoft.JSInterop.JSRuntime jsRuntime, Microsoft.JSInterop.Infrastructure.DotNetInvocationInfo invocationInfo, string argsJson) => throw null; - public static void ReceiveByteArray(Microsoft.JSInterop.JSRuntime jsRuntime, int id, System.Byte[] data) => throw null; - } - - public struct DotNetInvocationInfo - { - public string AssemblyName { get => throw null; } - public string CallId { get => throw null; } - // Stub generator skipped constructor - public DotNetInvocationInfo(string assemblyName, string methodIdentifier, System.Int64 dotNetObjectId, string callId) => throw null; - public System.Int64 DotNetObjectId { get => throw null; } - public string MethodIdentifier { get => throw null; } - } - - public struct DotNetInvocationResult - { - // Stub generator skipped constructor - public string ErrorKind { get => throw null; } - public System.Exception Exception { get => throw null; } - public string ResultJson { get => throw null; } - public bool Success { get => throw null; } - } - - internal interface IDotNetObjectReference : System.IDisposable - { - } - - public interface IJSVoidResult - { - } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs index 313c38fbba11..f4acc51ab115 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `Microsoft.Net.Http.Headers, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. - namespace Microsoft { namespace Net @@ -15,90 +14,86 @@ public class CacheControlHeaderValue public override bool Equals(object obj) => throw null; public System.Collections.Generic.IList Extensions { get => throw null; } public override int GetHashCode() => throw null; - public System.TimeSpan? MaxAge { get => throw null; set => throw null; } + public System.TimeSpan? MaxAge { get => throw null; set { } } public static string MaxAgeString; - public bool MaxStale { get => throw null; set => throw null; } - public System.TimeSpan? MaxStaleLimit { get => throw null; set => throw null; } + public bool MaxStale { get => throw null; set { } } + public System.TimeSpan? MaxStaleLimit { get => throw null; set { } } public static string MaxStaleString; - public System.TimeSpan? MinFresh { get => throw null; set => throw null; } + public System.TimeSpan? MinFresh { get => throw null; set { } } public static string MinFreshString; - public bool MustRevalidate { get => throw null; set => throw null; } + public bool MustRevalidate { get => throw null; set { } } public static string MustRevalidateString; - public bool NoCache { get => throw null; set => throw null; } + public bool NoCache { get => throw null; set { } } public System.Collections.Generic.ICollection NoCacheHeaders { get => throw null; } public static string NoCacheString; - public bool NoStore { get => throw null; set => throw null; } + public bool NoStore { get => throw null; set { } } public static string NoStoreString; - public bool NoTransform { get => throw null; set => throw null; } + public bool NoTransform { get => throw null; set { } } public static string NoTransformString; - public bool OnlyIfCached { get => throw null; set => throw null; } + public bool OnlyIfCached { get => throw null; set { } } public static string OnlyIfCachedString; public static Microsoft.Net.Http.Headers.CacheControlHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; - public bool Private { get => throw null; set => throw null; } + public bool Private { get => throw null; set { } } public System.Collections.Generic.ICollection PrivateHeaders { get => throw null; } public static string PrivateString; - public bool ProxyRevalidate { get => throw null; set => throw null; } + public bool ProxyRevalidate { get => throw null; set { } } public static string ProxyRevalidateString; - public bool Public { get => throw null; set => throw null; } + public bool Public { get => throw null; set { } } public static string PublicString; - public System.TimeSpan? SharedMaxAge { get => throw null; set => throw null; } + public System.TimeSpan? SharedMaxAge { get => throw null; set { } } public static string SharedMaxAgeString; public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.CacheControlHeaderValue parsedValue) => throw null; } - public class ContentDispositionHeaderValue { + public System.DateTimeOffset? CreationDate { get => throw null; set { } } public ContentDispositionHeaderValue(Microsoft.Extensions.Primitives.StringSegment dispositionType) => throw null; - public System.DateTimeOffset? CreationDate { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringSegment DispositionType { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment DispositionType { get => throw null; set { } } public override bool Equals(object obj) => throw null; - public Microsoft.Extensions.Primitives.StringSegment FileName { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringSegment FileNameStar { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment FileName { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringSegment FileNameStar { get => throw null; set { } } public override int GetHashCode() => throw null; - public System.DateTimeOffset? ModificationDate { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set => throw null; } + public System.DateTimeOffset? ModificationDate { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set { } } public System.Collections.Generic.IList Parameters { get => throw null; } public static Microsoft.Net.Http.Headers.ContentDispositionHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; - public System.DateTimeOffset? ReadDate { get => throw null; set => throw null; } + public System.DateTimeOffset? ReadDate { get => throw null; set { } } public void SetHttpFileName(Microsoft.Extensions.Primitives.StringSegment fileName) => throw null; public void SetMimeFileName(Microsoft.Extensions.Primitives.StringSegment fileName) => throw null; - public System.Int64? Size { get => throw null; set => throw null; } + public long? Size { get => throw null; set { } } public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.ContentDispositionHeaderValue parsedValue) => throw null; } - - public static class ContentDispositionHeaderValueIdentityExtensions + public static partial class ContentDispositionHeaderValueIdentityExtensions { public static bool IsFileDisposition(this Microsoft.Net.Http.Headers.ContentDispositionHeaderValue header) => throw null; public static bool IsFormDisposition(this Microsoft.Net.Http.Headers.ContentDispositionHeaderValue header) => throw null; } - public class ContentRangeHeaderValue { - public ContentRangeHeaderValue(System.Int64 length) => throw null; - public ContentRangeHeaderValue(System.Int64 from, System.Int64 to) => throw null; - public ContentRangeHeaderValue(System.Int64 from, System.Int64 to, System.Int64 length) => throw null; + public ContentRangeHeaderValue(long from, long to, long length) => throw null; + public ContentRangeHeaderValue(long length) => throw null; + public ContentRangeHeaderValue(long from, long to) => throw null; public override bool Equals(object obj) => throw null; - public System.Int64? From { get => throw null; } + public long? From { get => throw null; } public override int GetHashCode() => throw null; public bool HasLength { get => throw null; } public bool HasRange { get => throw null; } - public System.Int64? Length { get => throw null; } + public long? Length { get => throw null; } public static Microsoft.Net.Http.Headers.ContentRangeHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; - public System.Int64? To { get => throw null; } + public long? To { get => throw null; } public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.ContentRangeHeaderValue parsedValue) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Unit { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Unit { get => throw null; set { } } } - public class CookieHeaderValue { public CookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name) => throw null; public CookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name, Microsoft.Extensions.Primitives.StringSegment value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set { } } public static Microsoft.Net.Http.Headers.CookieHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static System.Collections.Generic.IList ParseList(System.Collections.Generic.IList inputs) => throw null; public static System.Collections.Generic.IList ParseStrictList(System.Collections.Generic.IList inputs) => throw null; @@ -106,9 +101,8 @@ public class CookieHeaderValue public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.CookieHeaderValue parsedValue) => throw null; public static bool TryParseList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; public static bool TryParseStrictList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set { } } } - public class EntityTagHeaderValue { public static Microsoft.Net.Http.Headers.EntityTagHeaderValue Any { get => throw null; } @@ -127,7 +121,6 @@ public class EntityTagHeaderValue public static bool TryParseList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; public static bool TryParseStrictList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; } - public static class HeaderNames { public static string Accept; @@ -163,8 +156,8 @@ public static class HeaderNames public static string ContentType; public static string Cookie; public static string CorrelationContext; - public static string DNT; public static string Date; + public static string DNT; public static string ETag; public static string Expect; public static string Expires; @@ -217,9 +210,9 @@ public static class HeaderNames public static string UserAgent; public static string Vary; public static string Via; - public static string WWWAuthenticate; public static string Warning; public static string WebSocketSubProtocols; + public static string WWWAuthenticate; public static string XContentTypeOptions; public static string XFrameOptions; public static string XPoweredBy; @@ -227,36 +220,35 @@ public static class HeaderNames public static string XUACompatible; public static string XXSSProtection; } - public static class HeaderQuality { - public const double Match = default; - public const double NoMatch = default; + public static double Match; + public static double NoMatch; } - public static class HeaderUtilities { public static bool ContainsCacheDirective(Microsoft.Extensions.Primitives.StringValues cacheControlDirectives, string targetDirectives) => throw null; public static Microsoft.Extensions.Primitives.StringSegment EscapeAsQuotedString(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static string FormatDate(System.DateTimeOffset dateTime) => throw null; public static string FormatDate(System.DateTimeOffset dateTime, bool quoted) => throw null; - public static string FormatNonNegativeInt64(System.Int64 value) => throw null; + public static string FormatNonNegativeInt64(long value) => throw null; public static bool IsQuoted(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static Microsoft.Extensions.Primitives.StringSegment RemoveQuotes(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static bool TryParseDate(Microsoft.Extensions.Primitives.StringSegment input, out System.DateTimeOffset result) => throw null; public static bool TryParseNonNegativeInt32(Microsoft.Extensions.Primitives.StringSegment value, out int result) => throw null; - public static bool TryParseNonNegativeInt64(Microsoft.Extensions.Primitives.StringSegment value, out System.Int64 result) => throw null; + public static bool TryParseNonNegativeInt64(Microsoft.Extensions.Primitives.StringSegment value, out long result) => throw null; public static bool TryParseSeconds(Microsoft.Extensions.Primitives.StringValues headerValues, string targetValue, out System.TimeSpan? value) => throw null; public static Microsoft.Extensions.Primitives.StringSegment UnescapeAsQuotedString(Microsoft.Extensions.Primitives.StringSegment input) => throw null; } - public class MediaTypeHeaderValue { - public Microsoft.Extensions.Primitives.StringSegment Boundary { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringSegment Charset { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Boundary { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringSegment Charset { get => throw null; set { } } public Microsoft.Net.Http.Headers.MediaTypeHeaderValue Copy() => throw null; public Microsoft.Net.Http.Headers.MediaTypeHeaderValue CopyAsReadOnly() => throw null; - public System.Text.Encoding Encoding { get => throw null; set => throw null; } + public MediaTypeHeaderValue(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; + public MediaTypeHeaderValue(Microsoft.Extensions.Primitives.StringSegment mediaType, double quality) => throw null; + public System.Text.Encoding Encoding { get => throw null; set { } } public override bool Equals(object obj) => throw null; public System.Collections.Generic.IEnumerable Facets { get => throw null; } public override int GetHashCode() => throw null; @@ -266,14 +258,12 @@ public class MediaTypeHeaderValue public bool MatchesAllSubTypesWithoutSuffix { get => throw null; } public bool MatchesAllTypes { get => throw null; } public bool MatchesMediaType(Microsoft.Extensions.Primitives.StringSegment otherMediaType) => throw null; - public Microsoft.Extensions.Primitives.StringSegment MediaType { get => throw null; set => throw null; } - public MediaTypeHeaderValue(Microsoft.Extensions.Primitives.StringSegment mediaType) => throw null; - public MediaTypeHeaderValue(Microsoft.Extensions.Primitives.StringSegment mediaType, double quality) => throw null; + public Microsoft.Extensions.Primitives.StringSegment MediaType { get => throw null; set { } } public System.Collections.Generic.IList Parameters { get => throw null; } public static Microsoft.Net.Http.Headers.MediaTypeHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static System.Collections.Generic.IList ParseList(System.Collections.Generic.IList inputs) => throw null; public static System.Collections.Generic.IList ParseStrictList(System.Collections.Generic.IList inputs) => throw null; - public double? Quality { get => throw null; set => throw null; } + public double? Quality { get => throw null; set { } } public Microsoft.Extensions.Primitives.StringSegment SubType { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment SubTypeWithoutSuffix { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment Suffix { get => throw null; } @@ -283,25 +273,23 @@ public class MediaTypeHeaderValue public static bool TryParseStrictList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; public Microsoft.Extensions.Primitives.StringSegment Type { get => throw null; } } - public class MediaTypeHeaderValueComparer : System.Collections.Generic.IComparer { public int Compare(Microsoft.Net.Http.Headers.MediaTypeHeaderValue mediaType1, Microsoft.Net.Http.Headers.MediaTypeHeaderValue mediaType2) => throw null; public static Microsoft.Net.Http.Headers.MediaTypeHeaderValueComparer QualityComparer { get => throw null; } } - public class NameValueHeaderValue { public Microsoft.Net.Http.Headers.NameValueHeaderValue Copy() => throw null; public Microsoft.Net.Http.Headers.NameValueHeaderValue CopyAsReadOnly() => throw null; + public NameValueHeaderValue(Microsoft.Extensions.Primitives.StringSegment name) => throw null; + public NameValueHeaderValue(Microsoft.Extensions.Primitives.StringSegment name, Microsoft.Extensions.Primitives.StringSegment value) => throw null; public override bool Equals(object obj) => throw null; public static Microsoft.Net.Http.Headers.NameValueHeaderValue Find(System.Collections.Generic.IList values, Microsoft.Extensions.Primitives.StringSegment name) => throw null; public override int GetHashCode() => throw null; public Microsoft.Extensions.Primitives.StringSegment GetUnescapedValue() => throw null; public bool IsReadOnly { get => throw null; } public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; } - public NameValueHeaderValue(Microsoft.Extensions.Primitives.StringSegment name) => throw null; - public NameValueHeaderValue(Microsoft.Extensions.Primitives.StringSegment name, Microsoft.Extensions.Primitives.StringSegment value) => throw null; public static Microsoft.Net.Http.Headers.NameValueHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static System.Collections.Generic.IList ParseList(System.Collections.Generic.IList input) => throw null; public static System.Collections.Generic.IList ParseStrictList(System.Collections.Generic.IList input) => throw null; @@ -310,103 +298,95 @@ public class NameValueHeaderValue public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.NameValueHeaderValue parsedValue) => throw null; public static bool TryParseList(System.Collections.Generic.IList input, out System.Collections.Generic.IList parsedValues) => throw null; public static bool TryParseStrictList(System.Collections.Generic.IList input, out System.Collections.Generic.IList parsedValues) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set { } } } - public class RangeConditionHeaderValue { + public RangeConditionHeaderValue(System.DateTimeOffset lastModified) => throw null; + public RangeConditionHeaderValue(Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; + public RangeConditionHeaderValue(string entityTag) => throw null; public Microsoft.Net.Http.Headers.EntityTagHeaderValue EntityTag { get => throw null; } public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public System.DateTimeOffset? LastModified { get => throw null; } public static Microsoft.Net.Http.Headers.RangeConditionHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; - public RangeConditionHeaderValue(System.DateTimeOffset lastModified) => throw null; - public RangeConditionHeaderValue(Microsoft.Net.Http.Headers.EntityTagHeaderValue entityTag) => throw null; - public RangeConditionHeaderValue(string entityTag) => throw null; public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.RangeConditionHeaderValue parsedValue) => throw null; } - public class RangeHeaderValue { + public RangeHeaderValue() => throw null; + public RangeHeaderValue(long? from, long? to) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static Microsoft.Net.Http.Headers.RangeHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; - public RangeHeaderValue() => throw null; - public RangeHeaderValue(System.Int64? from, System.Int64? to) => throw null; public System.Collections.Generic.ICollection Ranges { get => throw null; } public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.RangeHeaderValue parsedValue) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Unit { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Unit { get => throw null; set { } } } - public class RangeItemHeaderValue { + public RangeItemHeaderValue(long? from, long? to) => throw null; public override bool Equals(object obj) => throw null; - public System.Int64? From { get => throw null; } + public long? From { get => throw null; } public override int GetHashCode() => throw null; - public RangeItemHeaderValue(System.Int64? from, System.Int64? to) => throw null; - public System.Int64? To { get => throw null; } + public long? To { get => throw null; } public override string ToString() => throw null; } - - public enum SameSiteMode : int + public enum SameSiteMode { - Lax = 1, + Unspecified = -1, None = 0, + Lax = 1, Strict = 2, - Unspecified = -1, } - public class SetCookieHeaderValue { public void AppendToStringBuilder(System.Text.StringBuilder builder) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Domain { get => throw null; set => throw null; } + public SetCookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name) => throw null; + public SetCookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name, Microsoft.Extensions.Primitives.StringSegment value) => throw null; + public Microsoft.Extensions.Primitives.StringSegment Domain { get => throw null; set { } } public override bool Equals(object obj) => throw null; - public System.DateTimeOffset? Expires { get => throw null; set => throw null; } + public System.DateTimeOffset? Expires { get => throw null; set { } } public System.Collections.Generic.IList Extensions { get => throw null; } public override int GetHashCode() => throw null; - public bool HttpOnly { get => throw null; set => throw null; } - public System.TimeSpan? MaxAge { get => throw null; set => throw null; } - public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set => throw null; } + public bool HttpOnly { get => throw null; set { } } + public System.TimeSpan? MaxAge { get => throw null; set { } } + public Microsoft.Extensions.Primitives.StringSegment Name { get => throw null; set { } } public static Microsoft.Net.Http.Headers.SetCookieHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static System.Collections.Generic.IList ParseList(System.Collections.Generic.IList inputs) => throw null; public static System.Collections.Generic.IList ParseStrictList(System.Collections.Generic.IList inputs) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Path { get => throw null; set => throw null; } - public Microsoft.Net.Http.Headers.SameSiteMode SameSite { get => throw null; set => throw null; } - public bool Secure { get => throw null; set => throw null; } - public SetCookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name) => throw null; - public SetCookieHeaderValue(Microsoft.Extensions.Primitives.StringSegment name, Microsoft.Extensions.Primitives.StringSegment value) => throw null; + public Microsoft.Extensions.Primitives.StringSegment Path { get => throw null; set { } } + public Microsoft.Net.Http.Headers.SameSiteMode SameSite { get => throw null; set { } } + public bool Secure { get => throw null; set { } } public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.SetCookieHeaderValue parsedValue) => throw null; public static bool TryParseList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; public static bool TryParseStrictList(System.Collections.Generic.IList inputs, out System.Collections.Generic.IList parsedValues) => throw null; - public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set => throw null; } + public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; set { } } } - public class StringWithQualityHeaderValue { + public StringWithQualityHeaderValue(Microsoft.Extensions.Primitives.StringSegment value) => throw null; + public StringWithQualityHeaderValue(Microsoft.Extensions.Primitives.StringSegment value, double quality) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public static Microsoft.Net.Http.Headers.StringWithQualityHeaderValue Parse(Microsoft.Extensions.Primitives.StringSegment input) => throw null; public static System.Collections.Generic.IList ParseList(System.Collections.Generic.IList input) => throw null; public static System.Collections.Generic.IList ParseStrictList(System.Collections.Generic.IList input) => throw null; public double? Quality { get => throw null; } - public StringWithQualityHeaderValue(Microsoft.Extensions.Primitives.StringSegment value) => throw null; - public StringWithQualityHeaderValue(Microsoft.Extensions.Primitives.StringSegment value, double quality) => throw null; public override string ToString() => throw null; public static bool TryParse(Microsoft.Extensions.Primitives.StringSegment input, out Microsoft.Net.Http.Headers.StringWithQualityHeaderValue parsedValue) => throw null; public static bool TryParseList(System.Collections.Generic.IList input, out System.Collections.Generic.IList parsedValues) => throw null; public static bool TryParseStrictList(System.Collections.Generic.IList input, out System.Collections.Generic.IList parsedValues) => throw null; public Microsoft.Extensions.Primitives.StringSegment Value { get => throw null; } } - public class StringWithQualityHeaderValueComparer : System.Collections.Generic.IComparer { public int Compare(Microsoft.Net.Http.Headers.StringWithQualityHeaderValue stringWithQuality1, Microsoft.Net.Http.Headers.StringWithQualityHeaderValue stringWithQuality2) => throw null; public static Microsoft.Net.Http.Headers.StringWithQualityHeaderValueComparer QualityComparer { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs index 95b5a1e01115..da3269ed7d85 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs @@ -1,232 +1,84 @@ // This file contains auto-generated code. // Generated from `System.Diagnostics.EventLog, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Diagnostics { public class EntryWrittenEventArgs : System.EventArgs { - public System.Diagnostics.EventLogEntry Entry { get => throw null; } public EntryWrittenEventArgs() => throw null; public EntryWrittenEventArgs(System.Diagnostics.EventLogEntry entry) => throw null; + public System.Diagnostics.EventLogEntry Entry { get => throw null; } } - public delegate void EntryWrittenEventHandler(object sender, System.Diagnostics.EntryWrittenEventArgs e); - - public class EventInstance - { - public int CategoryId { get => throw null; set => throw null; } - public System.Diagnostics.EventLogEntryType EntryType { get => throw null; set => throw null; } - public EventInstance(System.Int64 instanceId, int categoryId) => throw null; - public EventInstance(System.Int64 instanceId, int categoryId, System.Diagnostics.EventLogEntryType entryType) => throw null; - public System.Int64 InstanceId { get => throw null; set => throw null; } - } - - public class EventLog : System.ComponentModel.Component, System.ComponentModel.ISupportInitialize - { - public void BeginInit() => throw null; - public void Clear() => throw null; - public void Close() => throw null; - public static void CreateEventSource(System.Diagnostics.EventSourceCreationData sourceData) => throw null; - public static void CreateEventSource(string source, string logName) => throw null; - public static void CreateEventSource(string source, string logName, string machineName) => throw null; - public static void Delete(string logName) => throw null; - public static void Delete(string logName, string machineName) => throw null; - public static void DeleteEventSource(string source) => throw null; - public static void DeleteEventSource(string source, string machineName) => throw null; - protected override void Dispose(bool disposing) => throw null; - public bool EnableRaisingEvents { get => throw null; set => throw null; } - public void EndInit() => throw null; - public System.Diagnostics.EventLogEntryCollection Entries { get => throw null; } - public event System.Diagnostics.EntryWrittenEventHandler EntryWritten; - public EventLog() => throw null; - public EventLog(string logName) => throw null; - public EventLog(string logName, string machineName) => throw null; - public EventLog(string logName, string machineName, string source) => throw null; - public static bool Exists(string logName) => throw null; - public static bool Exists(string logName, string machineName) => throw null; - public static System.Diagnostics.EventLog[] GetEventLogs() => throw null; - public static System.Diagnostics.EventLog[] GetEventLogs(string machineName) => throw null; - public string Log { get => throw null; set => throw null; } - public string LogDisplayName { get => throw null; } - public static string LogNameFromSourceName(string source, string machineName) => throw null; - public string MachineName { get => throw null; set => throw null; } - public System.Int64 MaximumKilobytes { get => throw null; set => throw null; } - public int MinimumRetentionDays { get => throw null; } - public void ModifyOverflowPolicy(System.Diagnostics.OverflowAction action, int retentionDays) => throw null; - public System.Diagnostics.OverflowAction OverflowAction { get => throw null; } - public void RegisterDisplayName(string resourceFile, System.Int64 resourceId) => throw null; - public string Source { get => throw null; set => throw null; } - public static bool SourceExists(string source) => throw null; - public static bool SourceExists(string source, string machineName) => throw null; - public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set => throw null; } - public void WriteEntry(string message) => throw null; - public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type) => throw null; - public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID) => throw null; - public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID, System.Int16 category) => throw null; - public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID, System.Int16 category, System.Byte[] rawData) => throw null; - public static void WriteEntry(string source, string message) => throw null; - public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type) => throw null; - public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID) => throw null; - public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID, System.Int16 category) => throw null; - public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID, System.Int16 category, System.Byte[] rawData) => throw null; - public void WriteEvent(System.Diagnostics.EventInstance instance, System.Byte[] data, params object[] values) => throw null; - public void WriteEvent(System.Diagnostics.EventInstance instance, params object[] values) => throw null; - public static void WriteEvent(string source, System.Diagnostics.EventInstance instance, System.Byte[] data, params object[] values) => throw null; - public static void WriteEvent(string source, System.Diagnostics.EventInstance instance, params object[] values) => throw null; - } - - public class EventLogEntry : System.ComponentModel.Component, System.Runtime.Serialization.ISerializable - { - public string Category { get => throw null; } - public System.Int16 CategoryNumber { get => throw null; } - public System.Byte[] Data { get => throw null; } - public System.Diagnostics.EventLogEntryType EntryType { get => throw null; } - public bool Equals(System.Diagnostics.EventLogEntry otherEntry) => throw null; - public int EventID { get => throw null; } - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public int Index { get => throw null; } - public System.Int64 InstanceId { get => throw null; } - public string MachineName { get => throw null; } - public string Message { get => throw null; } - public string[] ReplacementStrings { get => throw null; } - public string Source { get => throw null; } - public System.DateTime TimeGenerated { get => throw null; } - public System.DateTime TimeWritten { get => throw null; } - public string UserName { get => throw null; } - } - - public class EventLogEntryCollection : System.Collections.ICollection, System.Collections.IEnumerable - { - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Diagnostics.EventLogEntry[] entries, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public virtual System.Diagnostics.EventLogEntry this[int index] { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - public enum EventLogEntryType : int - { - Error = 1, - FailureAudit = 16, - Information = 4, - SuccessAudit = 8, - Warning = 2, - } - - public class EventLogTraceListener : System.Diagnostics.TraceListener - { - public override void Close() => throw null; - protected override void Dispose(bool disposing) => throw null; - public System.Diagnostics.EventLog EventLog { get => throw null; set => throw null; } - public EventLogTraceListener() => throw null; - public EventLogTraceListener(System.Diagnostics.EventLog eventLog) => throw null; - public EventLogTraceListener(string source) => throw null; - public override string Name { get => throw null; set => throw null; } - public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, object data) => throw null; - public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, params object[] data) => throw null; - public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, string message) => throw null; - public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, string format, params object[] args) => throw null; - public override void Write(string message) => throw null; - public override void WriteLine(string message) => throw null; - } - - public class EventSourceCreationData - { - public int CategoryCount { get => throw null; set => throw null; } - public string CategoryResourceFile { get => throw null; set => throw null; } - public EventSourceCreationData(string source, string logName) => throw null; - public string LogName { get => throw null; set => throw null; } - public string MachineName { get => throw null; set => throw null; } - public string MessageResourceFile { get => throw null; set => throw null; } - public string ParameterResourceFile { get => throw null; set => throw null; } - public string Source { get => throw null; set => throw null; } - } - - public enum OverflowAction : int - { - DoNotOverwrite = -1, - OverwriteAsNeeded = 0, - OverwriteOlder = 1, - } - namespace Eventing { namespace Reader { - public class EventBookmark + public sealed class EventBookmark { public string BookmarkXml { get => throw null; } public EventBookmark(string bookmarkXml) => throw null; } - - public class EventKeyword + public sealed class EventKeyword { public string DisplayName { get => throw null; } public string Name { get => throw null; } - public System.Int64 Value { get => throw null; } + public long Value { get => throw null; } } - - public class EventLevel + public sealed class EventLevel { public string DisplayName { get => throw null; } public string Name { get => throw null; } public int Value { get => throw null; } } - public class EventLogConfiguration : System.IDisposable { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; public EventLogConfiguration(string logName) => throw null; public EventLogConfiguration(string logName, System.Diagnostics.Eventing.Reader.EventLogSession session) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; public bool IsClassicLog { get => throw null; } - public bool IsEnabled { get => throw null; set => throw null; } - public string LogFilePath { get => throw null; set => throw null; } + public bool IsEnabled { get => throw null; set { } } + public string LogFilePath { get => throw null; set { } } public System.Diagnostics.Eventing.Reader.EventLogIsolation LogIsolation { get => throw null; } - public System.Diagnostics.Eventing.Reader.EventLogMode LogMode { get => throw null; set => throw null; } + public System.Diagnostics.Eventing.Reader.EventLogMode LogMode { get => throw null; set { } } public string LogName { get => throw null; } public System.Diagnostics.Eventing.Reader.EventLogType LogType { get => throw null; } - public System.Int64 MaximumSizeInBytes { get => throw null; set => throw null; } + public long MaximumSizeInBytes { get => throw null; set { } } public string OwningProviderName { get => throw null; } public int? ProviderBufferSize { get => throw null; } public System.Guid? ProviderControlGuid { get => throw null; } - public System.Int64? ProviderKeywords { get => throw null; set => throw null; } + public long? ProviderKeywords { get => throw null; set { } } public int? ProviderLatency { get => throw null; } - public int? ProviderLevel { get => throw null; set => throw null; } + public int? ProviderLevel { get => throw null; set { } } public int? ProviderMaximumNumberOfBuffers { get => throw null; } public int? ProviderMinimumNumberOfBuffers { get => throw null; } public System.Collections.Generic.IEnumerable ProviderNames { get => throw null; } public void SaveChanges() => throw null; - public string SecurityDescriptor { get => throw null; set => throw null; } + public string SecurityDescriptor { get => throw null; set { } } } - public class EventLogException : System.Exception { public EventLogException() => throw null; - protected EventLogException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; protected EventLogException(int errorCode) => throw null; + protected EventLogException(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; public EventLogException(string message) => throw null; public EventLogException(string message, System.Exception innerException) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public override string Message { get => throw null; } } - - public class EventLogInformation + public sealed class EventLogInformation { public int? Attributes { get => throw null; } public System.DateTime? CreationTime { get => throw null; } - public System.Int64? FileSize { get => throw null; } + public long? FileSize { get => throw null; } public bool? IsLogFull { get => throw null; } public System.DateTime? LastAccessTime { get => throw null; } public System.DateTime? LastWriteTime { get => throw null; } - public System.Int64? OldestRecordNumber { get => throw null; } - public System.Int64? RecordCount { get => throw null; } + public long? OldestRecordNumber { get => throw null; } + public long? RecordCount { get => throw null; } } - public class EventLogInvalidDataException : System.Diagnostics.Eventing.Reader.EventLogException { public EventLogInvalidDataException() => throw null; @@ -234,28 +86,24 @@ public class EventLogInvalidDataException : System.Diagnostics.Eventing.Reader.E public EventLogInvalidDataException(string message) => throw null; public EventLogInvalidDataException(string message, System.Exception innerException) => throw null; } - - public enum EventLogIsolation : int + public enum EventLogIsolation { Application = 0, - Custom = 2, System = 1, + Custom = 2, } - - public class EventLogLink + public sealed class EventLogLink { public string DisplayName { get => throw null; } public bool IsImported { get => throw null; } public string LogName { get => throw null; } } - - public enum EventLogMode : int + public enum EventLogMode { - AutoBackup = 1, Circular = 0, + AutoBackup = 1, Retain = 2, } - public class EventLogNotFoundException : System.Diagnostics.Eventing.Reader.EventLogException { public EventLogNotFoundException() => throw null; @@ -263,14 +111,12 @@ public class EventLogNotFoundException : System.Diagnostics.Eventing.Reader.Even public EventLogNotFoundException(string message) => throw null; public EventLogNotFoundException(string message, System.Exception innerException) => throw null; } - public class EventLogPropertySelector : System.IDisposable { + public EventLogPropertySelector(System.Collections.Generic.IEnumerable propertyQueries) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public EventLogPropertySelector(System.Collections.Generic.IEnumerable propertyQueries) => throw null; } - public class EventLogProviderDisabledException : System.Diagnostics.Eventing.Reader.EventLogException { public EventLogProviderDisabledException() => throw null; @@ -278,34 +124,31 @@ public class EventLogProviderDisabledException : System.Diagnostics.Eventing.Rea public EventLogProviderDisabledException(string message) => throw null; public EventLogProviderDisabledException(string message, System.Exception innerException) => throw null; } - public class EventLogQuery { public EventLogQuery(string path, System.Diagnostics.Eventing.Reader.PathType pathType) => throw null; public EventLogQuery(string path, System.Diagnostics.Eventing.Reader.PathType pathType, string query) => throw null; - public bool ReverseDirection { get => throw null; set => throw null; } - public System.Diagnostics.Eventing.Reader.EventLogSession Session { get => throw null; set => throw null; } - public bool TolerateQueryErrors { get => throw null; set => throw null; } + public bool ReverseDirection { get => throw null; set { } } + public System.Diagnostics.Eventing.Reader.EventLogSession Session { get => throw null; set { } } + public bool TolerateQueryErrors { get => throw null; set { } } } - public class EventLogReader : System.IDisposable { - public int BatchSize { get => throw null; set => throw null; } + public int BatchSize { get => throw null; set { } } public void CancelReading() => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; public EventLogReader(System.Diagnostics.Eventing.Reader.EventLogQuery eventQuery) => throw null; public EventLogReader(System.Diagnostics.Eventing.Reader.EventLogQuery eventQuery, System.Diagnostics.Eventing.Reader.EventBookmark bookmark) => throw null; public EventLogReader(string path) => throw null; public EventLogReader(string path, System.Diagnostics.Eventing.Reader.PathType pathType) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; public System.Collections.Generic.IList LogStatus { get => throw null; } public System.Diagnostics.Eventing.Reader.EventRecord ReadEvent() => throw null; public System.Diagnostics.Eventing.Reader.EventRecord ReadEvent(System.TimeSpan timeout) => throw null; public void Seek(System.Diagnostics.Eventing.Reader.EventBookmark bookmark) => throw null; - public void Seek(System.Diagnostics.Eventing.Reader.EventBookmark bookmark, System.Int64 offset) => throw null; - public void Seek(System.IO.SeekOrigin origin, System.Int64 offset) => throw null; + public void Seek(System.Diagnostics.Eventing.Reader.EventBookmark bookmark, long offset) => throw null; + public void Seek(System.IO.SeekOrigin origin, long offset) => throw null; } - public class EventLogReadingException : System.Diagnostics.Eventing.Reader.EventLogException { public EventLogReadingException() => throw null; @@ -313,7 +156,6 @@ public class EventLogReadingException : System.Diagnostics.Eventing.Reader.Event public EventLogReadingException(string message) => throw null; public EventLogReadingException(string message, System.Exception innerException) => throw null; } - public class EventLogRecord : System.Diagnostics.Eventing.Reader.EventRecord { public override System.Guid? ActivityId { get => throw null; } @@ -324,21 +166,21 @@ public class EventLogRecord : System.Diagnostics.Eventing.Reader.EventRecord public override string FormatDescription(System.Collections.Generic.IEnumerable values) => throw null; public System.Collections.Generic.IList GetPropertyValues(System.Diagnostics.Eventing.Reader.EventLogPropertySelector propertySelector) => throw null; public override int Id { get => throw null; } - public override System.Int64? Keywords { get => throw null; } + public override long? Keywords { get => throw null; } public override System.Collections.Generic.IEnumerable KeywordsDisplayNames { get => throw null; } - public override System.Byte? Level { get => throw null; } + public override byte? Level { get => throw null; } public override string LevelDisplayName { get => throw null; } public override string LogName { get => throw null; } public override string MachineName { get => throw null; } public System.Collections.Generic.IEnumerable MatchedQueryIds { get => throw null; } - public override System.Int16? Opcode { get => throw null; } + public override short? Opcode { get => throw null; } public override string OpcodeDisplayName { get => throw null; } public override int? ProcessId { get => throw null; } public override System.Collections.Generic.IList Properties { get => throw null; } public override System.Guid? ProviderId { get => throw null; } public override string ProviderName { get => throw null; } public override int? Qualifiers { get => throw null; } - public override System.Int64? RecordId { get => throw null; } + public override long? RecordId { get => throw null; } public override System.Guid? RelatedActivityId { get => throw null; } public override int? Task { get => throw null; } public override string TaskDisplayName { get => throw null; } @@ -346,19 +188,18 @@ public class EventLogRecord : System.Diagnostics.Eventing.Reader.EventRecord public override System.DateTime? TimeCreated { get => throw null; } public override string ToXml() => throw null; public override System.Security.Principal.SecurityIdentifier UserId { get => throw null; } - public override System.Byte? Version { get => throw null; } + public override byte? Version { get => throw null; } } - public class EventLogSession : System.IDisposable { public void CancelCurrentOperations() => throw null; public void ClearLog(string logName) => throw null; public void ClearLog(string logName, string backupPath) => throw null; - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; public EventLogSession() => throw null; public EventLogSession(string server) => throw null; public EventLogSession(string server, string domain, string user, System.Security.SecureString password, System.Diagnostics.Eventing.Reader.SessionAuthentication logOnType) => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; public void ExportLog(string path, System.Diagnostics.Eventing.Reader.PathType pathType, string query, string targetFilePath) => throw null; public void ExportLog(string path, System.Diagnostics.Eventing.Reader.PathType pathType, string query, string targetFilePath, bool tolerateQueryErrors) => throw null; public void ExportLogAndMessages(string path, System.Diagnostics.Eventing.Reader.PathType pathType, string query, string targetFilePath) => throw null; @@ -368,82 +209,75 @@ public class EventLogSession : System.IDisposable public System.Collections.Generic.IEnumerable GetProviderNames() => throw null; public static System.Diagnostics.Eventing.Reader.EventLogSession GlobalSession { get => throw null; } } - - public class EventLogStatus + public sealed class EventLogStatus { public string LogName { get => throw null; } public int StatusCode { get => throw null; } } - - public enum EventLogType : int + public enum EventLogType { Administrative = 0, + Operational = 1, Analytical = 2, Debug = 3, - Operational = 1, } - public class EventLogWatcher : System.IDisposable { - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public bool Enabled { get => throw null; set => throw null; } public EventLogWatcher(System.Diagnostics.Eventing.Reader.EventLogQuery eventQuery) => throw null; public EventLogWatcher(System.Diagnostics.Eventing.Reader.EventLogQuery eventQuery, System.Diagnostics.Eventing.Reader.EventBookmark bookmark) => throw null; public EventLogWatcher(System.Diagnostics.Eventing.Reader.EventLogQuery eventQuery, System.Diagnostics.Eventing.Reader.EventBookmark bookmark, bool readExistingEvents) => throw null; public EventLogWatcher(string path) => throw null; - public event System.EventHandler EventRecordWritten; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public bool Enabled { get => throw null; set { } } + public event System.EventHandler EventRecordWritten { add { } remove { } } } - - public class EventMetadata + public sealed class EventMetadata { public string Description { get => throw null; } - public System.Int64 Id { get => throw null; } + public long Id { get => throw null; } public System.Collections.Generic.IEnumerable Keywords { get => throw null; } public System.Diagnostics.Eventing.Reader.EventLevel Level { get => throw null; } public System.Diagnostics.Eventing.Reader.EventLogLink LogLink { get => throw null; } public System.Diagnostics.Eventing.Reader.EventOpcode Opcode { get => throw null; } public System.Diagnostics.Eventing.Reader.EventTask Task { get => throw null; } public string Template { get => throw null; } - public System.Byte Version { get => throw null; } + public byte Version { get => throw null; } } - - public class EventOpcode + public sealed class EventOpcode { public string DisplayName { get => throw null; } public string Name { get => throw null; } public int Value { get => throw null; } } - - public class EventProperty + public sealed class EventProperty { public object Value { get => throw null; } } - public abstract class EventRecord : System.IDisposable { public abstract System.Guid? ActivityId { get; } public abstract System.Diagnostics.Eventing.Reader.EventBookmark Bookmark { get; } + protected EventRecord() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - protected EventRecord() => throw null; public abstract string FormatDescription(); public abstract string FormatDescription(System.Collections.Generic.IEnumerable values); public abstract int Id { get; } - public abstract System.Int64? Keywords { get; } + public abstract long? Keywords { get; } public abstract System.Collections.Generic.IEnumerable KeywordsDisplayNames { get; } - public abstract System.Byte? Level { get; } + public abstract byte? Level { get; } public abstract string LevelDisplayName { get; } public abstract string LogName { get; } public abstract string MachineName { get; } - public abstract System.Int16? Opcode { get; } + public abstract short? Opcode { get; } public abstract string OpcodeDisplayName { get; } public abstract int? ProcessId { get; } public abstract System.Collections.Generic.IList Properties { get; } public abstract System.Guid? ProviderId { get; } public abstract string ProviderName { get; } public abstract int? Qualifiers { get; } - public abstract System.Int64? RecordId { get; } + public abstract long? RecordId { get; } public abstract System.Guid? RelatedActivityId { get; } public abstract int? Task { get; } public abstract string TaskDisplayName { get; } @@ -451,31 +285,29 @@ public abstract class EventRecord : System.IDisposable public abstract System.DateTime? TimeCreated { get; } public abstract string ToXml(); public abstract System.Security.Principal.SecurityIdentifier UserId { get; } - public abstract System.Byte? Version { get; } + public abstract byte? Version { get; } } - - public class EventRecordWrittenEventArgs : System.EventArgs + public sealed class EventRecordWrittenEventArgs : System.EventArgs { public System.Exception EventException { get => throw null; } public System.Diagnostics.Eventing.Reader.EventRecord EventRecord { get => throw null; } } - - public class EventTask + public sealed class EventTask { public string DisplayName { get => throw null; } public System.Guid EventGuid { get => throw null; } public string Name { get => throw null; } public int Value { get => throw null; } } - - public enum PathType : int + public enum PathType { - FilePath = 2, LogName = 1, + FilePath = 2, } - public class ProviderMetadata : System.IDisposable { + public ProviderMetadata(string providerName) => throw null; + public ProviderMetadata(string providerName, System.Diagnostics.Eventing.Reader.EventLogSession session, System.Globalization.CultureInfo targetCultureInfo) => throw null; public string DisplayName { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; @@ -489,66 +321,189 @@ public class ProviderMetadata : System.IDisposable public string Name { get => throw null; } public System.Collections.Generic.IList Opcodes { get => throw null; } public string ParameterFilePath { get => throw null; } - public ProviderMetadata(string providerName) => throw null; - public ProviderMetadata(string providerName, System.Diagnostics.Eventing.Reader.EventLogSession session, System.Globalization.CultureInfo targetCultureInfo) => throw null; public string ResourceFilePath { get => throw null; } public System.Collections.Generic.IList Tasks { get => throw null; } } - - public enum SessionAuthentication : int + public enum SessionAuthentication { Default = 0, - Kerberos = 2, Negotiate = 1, + Kerberos = 2, Ntlm = 3, } - [System.Flags] public enum StandardEventKeywords : long { - AuditFailure = 4503599627370496, - AuditSuccess = 9007199254740992, - CorrelationHint = 4503599627370496, - CorrelationHint2 = 18014398509481984, - EventLogClassic = 36028797018963968, None = 0, ResponseTime = 281474976710656, - Sqm = 2251799813685248, WdiContext = 562949953421312, WdiDiagnostic = 1125899906842624, + Sqm = 2251799813685248, + AuditFailure = 4503599627370496, + CorrelationHint = 4503599627370496, + AuditSuccess = 9007199254740992, + CorrelationHint2 = 18014398509481984, + EventLogClassic = 36028797018963968, } - - public enum StandardEventLevel : int + public enum StandardEventLevel { + LogAlways = 0, Critical = 1, Error = 2, + Warning = 3, Informational = 4, - LogAlways = 0, Verbose = 5, - Warning = 3, } - - public enum StandardEventOpcode : int + public enum StandardEventOpcode { + Info = 0, + Start = 1, + Stop = 2, DataCollectionStart = 3, DataCollectionStop = 4, Extension = 5, - Info = 0, - Receive = 240, Reply = 6, Resume = 7, - Send = 9, - Start = 1, - Stop = 2, Suspend = 8, + Send = 9, + Receive = 240, } - - public enum StandardEventTask : int + public enum StandardEventTask { None = 0, } - } } + public class EventInstance + { + public int CategoryId { get => throw null; set { } } + public EventInstance(long instanceId, int categoryId) => throw null; + public EventInstance(long instanceId, int categoryId, System.Diagnostics.EventLogEntryType entryType) => throw null; + public System.Diagnostics.EventLogEntryType EntryType { get => throw null; set { } } + public long InstanceId { get => throw null; set { } } + } + public class EventLog : System.ComponentModel.Component, System.ComponentModel.ISupportInitialize + { + public void BeginInit() => throw null; + public void Clear() => throw null; + public void Close() => throw null; + public static void CreateEventSource(System.Diagnostics.EventSourceCreationData sourceData) => throw null; + public static void CreateEventSource(string source, string logName) => throw null; + public static void CreateEventSource(string source, string logName, string machineName) => throw null; + public EventLog() => throw null; + public EventLog(string logName) => throw null; + public EventLog(string logName, string machineName) => throw null; + public EventLog(string logName, string machineName, string source) => throw null; + public static void Delete(string logName) => throw null; + public static void Delete(string logName, string machineName) => throw null; + public static void DeleteEventSource(string source) => throw null; + public static void DeleteEventSource(string source, string machineName) => throw null; + protected override void Dispose(bool disposing) => throw null; + public bool EnableRaisingEvents { get => throw null; set { } } + public void EndInit() => throw null; + public System.Diagnostics.EventLogEntryCollection Entries { get => throw null; } + public event System.Diagnostics.EntryWrittenEventHandler EntryWritten { add { } remove { } } + public static bool Exists(string logName) => throw null; + public static bool Exists(string logName, string machineName) => throw null; + public static System.Diagnostics.EventLog[] GetEventLogs() => throw null; + public static System.Diagnostics.EventLog[] GetEventLogs(string machineName) => throw null; + public string Log { get => throw null; set { } } + public string LogDisplayName { get => throw null; } + public static string LogNameFromSourceName(string source, string machineName) => throw null; + public string MachineName { get => throw null; set { } } + public long MaximumKilobytes { get => throw null; set { } } + public int MinimumRetentionDays { get => throw null; } + public void ModifyOverflowPolicy(System.Diagnostics.OverflowAction action, int retentionDays) => throw null; + public System.Diagnostics.OverflowAction OverflowAction { get => throw null; } + public void RegisterDisplayName(string resourceFile, long resourceId) => throw null; + public string Source { get => throw null; set { } } + public static bool SourceExists(string source) => throw null; + public static bool SourceExists(string source, string machineName) => throw null; + public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set { } } + public void WriteEntry(string message) => throw null; + public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type) => throw null; + public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID) => throw null; + public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID, short category) => throw null; + public void WriteEntry(string message, System.Diagnostics.EventLogEntryType type, int eventID, short category, byte[] rawData) => throw null; + public static void WriteEntry(string source, string message) => throw null; + public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type) => throw null; + public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID) => throw null; + public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID, short category) => throw null; + public static void WriteEntry(string source, string message, System.Diagnostics.EventLogEntryType type, int eventID, short category, byte[] rawData) => throw null; + public void WriteEvent(System.Diagnostics.EventInstance instance, byte[] data, params object[] values) => throw null; + public void WriteEvent(System.Diagnostics.EventInstance instance, params object[] values) => throw null; + public static void WriteEvent(string source, System.Diagnostics.EventInstance instance, byte[] data, params object[] values) => throw null; + public static void WriteEvent(string source, System.Diagnostics.EventInstance instance, params object[] values) => throw null; + } + public sealed class EventLogEntry : System.ComponentModel.Component, System.Runtime.Serialization.ISerializable + { + public string Category { get => throw null; } + public short CategoryNumber { get => throw null; } + public byte[] Data { get => throw null; } + public System.Diagnostics.EventLogEntryType EntryType { get => throw null; } + public bool Equals(System.Diagnostics.EventLogEntry otherEntry) => throw null; + public int EventID { get => throw null; } + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int Index { get => throw null; } + public long InstanceId { get => throw null; } + public string MachineName { get => throw null; } + public string Message { get => throw null; } + public string[] ReplacementStrings { get => throw null; } + public string Source { get => throw null; } + public System.DateTime TimeGenerated { get => throw null; } + public System.DateTime TimeWritten { get => throw null; } + public string UserName { get => throw null; } + } + public class EventLogEntryCollection : System.Collections.ICollection, System.Collections.IEnumerable + { + public void CopyTo(System.Diagnostics.EventLogEntry[] entries, int index) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public System.Collections.IEnumerator GetEnumerator() => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public virtual System.Diagnostics.EventLogEntry this[int index] { get => throw null; } + } + public enum EventLogEntryType + { + Error = 1, + Warning = 2, + Information = 4, + SuccessAudit = 8, + FailureAudit = 16, + } + public sealed class EventLogTraceListener : System.Diagnostics.TraceListener + { + public override void Close() => throw null; + public EventLogTraceListener() => throw null; + public EventLogTraceListener(System.Diagnostics.EventLog eventLog) => throw null; + public EventLogTraceListener(string source) => throw null; + protected override void Dispose(bool disposing) => throw null; + public System.Diagnostics.EventLog EventLog { get => throw null; set { } } + public override string Name { get => throw null; set { } } + public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, object data) => throw null; + public override void TraceData(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, params object[] data) => throw null; + public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, string message) => throw null; + public override void TraceEvent(System.Diagnostics.TraceEventCache eventCache, string source, System.Diagnostics.TraceEventType severity, int id, string format, params object[] args) => throw null; + public override void Write(string message) => throw null; + public override void WriteLine(string message) => throw null; + } + public class EventSourceCreationData + { + public int CategoryCount { get => throw null; set { } } + public string CategoryResourceFile { get => throw null; set { } } + public EventSourceCreationData(string source, string logName) => throw null; + public string LogName { get => throw null; set { } } + public string MachineName { get => throw null; set { } } + public string MessageResourceFile { get => throw null; set { } } + public string ParameterResourceFile { get => throw null; set { } } + public string Source { get => throw null; set { } } + } + public enum OverflowAction + { + DoNotOverwrite = -1, + OverwriteAsNeeded = 0, + OverwriteOlder = 1, + } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.IO.Pipelines.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.IO.Pipelines.cs index 9bba4b098f2c..41b13ee951a9 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.IO.Pipelines.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.IO.Pipelines.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.IO.Pipelines, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace IO @@ -9,19 +8,16 @@ namespace Pipelines { public struct FlushResult { - // Stub generator skipped constructor public FlushResult(bool isCanceled, bool isCompleted) => throw null; public bool IsCanceled { get => throw null; } public bool IsCompleted { get => throw null; } } - public interface IDuplexPipe { System.IO.Pipelines.PipeReader Input { get; } System.IO.Pipelines.PipeWriter Output { get; } } - - public class Pipe + public sealed class Pipe { public Pipe() => throw null; public Pipe(System.IO.Pipelines.PipeOptions options) => throw null; @@ -29,20 +25,18 @@ public class Pipe public void Reset() => throw null; public System.IO.Pipelines.PipeWriter Writer { get => throw null; } } - public class PipeOptions { + public PipeOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), System.IO.Pipelines.PipeScheduler readerScheduler = default(System.IO.Pipelines.PipeScheduler), System.IO.Pipelines.PipeScheduler writerScheduler = default(System.IO.Pipelines.PipeScheduler), long pauseWriterThreshold = default(long), long resumeWriterThreshold = default(long), int minimumSegmentSize = default(int), bool useSynchronizationContext = default(bool)) => throw null; public static System.IO.Pipelines.PipeOptions Default { get => throw null; } public int MinimumSegmentSize { get => throw null; } - public System.Int64 PauseWriterThreshold { get => throw null; } - public PipeOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), System.IO.Pipelines.PipeScheduler readerScheduler = default(System.IO.Pipelines.PipeScheduler), System.IO.Pipelines.PipeScheduler writerScheduler = default(System.IO.Pipelines.PipeScheduler), System.Int64 pauseWriterThreshold = default(System.Int64), System.Int64 resumeWriterThreshold = default(System.Int64), int minimumSegmentSize = default(int), bool useSynchronizationContext = default(bool)) => throw null; - public System.Buffers.MemoryPool Pool { get => throw null; } + public long PauseWriterThreshold { get => throw null; } + public System.Buffers.MemoryPool Pool { get => throw null; } public System.IO.Pipelines.PipeScheduler ReaderScheduler { get => throw null; } - public System.Int64 ResumeWriterThreshold { get => throw null; } + public long ResumeWriterThreshold { get => throw null; } public bool UseSynchronizationContext { get => throw null; } public System.IO.Pipelines.PipeScheduler WriterScheduler { get => throw null; } } - public abstract class PipeReader { public abstract void AdvanceTo(System.SequencePosition consumed); @@ -53,76 +47,68 @@ public abstract class PipeReader public virtual System.Threading.Tasks.ValueTask CompleteAsync(System.Exception exception = default(System.Exception)) => throw null; public virtual System.Threading.Tasks.Task CopyToAsync(System.IO.Pipelines.PipeWriter destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public virtual System.Threading.Tasks.Task CopyToAsync(System.IO.Stream destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.IO.Pipelines.PipeReader Create(System.Buffers.ReadOnlySequence sequence) => throw null; + public static System.IO.Pipelines.PipeReader Create(System.Buffers.ReadOnlySequence sequence) => throw null; public static System.IO.Pipelines.PipeReader Create(System.IO.Stream stream, System.IO.Pipelines.StreamPipeReaderOptions readerOptions = default(System.IO.Pipelines.StreamPipeReaderOptions)) => throw null; - public virtual void OnWriterCompleted(System.Action callback, object state) => throw null; protected PipeReader() => throw null; + public virtual void OnWriterCompleted(System.Action callback, object state) => throw null; public abstract System.Threading.Tasks.ValueTask ReadAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public System.Threading.Tasks.ValueTask ReadAtLeastAsync(int minimumSize, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected virtual System.Threading.Tasks.ValueTask ReadAtLeastAsyncCore(int minimumSize, System.Threading.CancellationToken cancellationToken) => throw null; public abstract bool TryRead(out System.IO.Pipelines.ReadResult result); } - public abstract class PipeScheduler { - public static System.IO.Pipelines.PipeScheduler Inline { get => throw null; } protected PipeScheduler() => throw null; + public static System.IO.Pipelines.PipeScheduler Inline { get => throw null; } public abstract void Schedule(System.Action action, object state); public static System.IO.Pipelines.PipeScheduler ThreadPool { get => throw null; } } - - public abstract class PipeWriter : System.Buffers.IBufferWriter + public abstract class PipeWriter : System.Buffers.IBufferWriter { public abstract void Advance(int bytes); public virtual System.IO.Stream AsStream(bool leaveOpen = default(bool)) => throw null; - public virtual bool CanGetUnflushedBytes { get => throw null; } public abstract void CancelPendingFlush(); + public virtual bool CanGetUnflushedBytes { get => throw null; } public abstract void Complete(System.Exception exception = default(System.Exception)); public virtual System.Threading.Tasks.ValueTask CompleteAsync(System.Exception exception = default(System.Exception)) => throw null; - protected internal virtual System.Threading.Tasks.Task CopyFromAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual System.Threading.Tasks.Task CopyFromAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.IO.Pipelines.PipeWriter Create(System.IO.Stream stream, System.IO.Pipelines.StreamPipeWriterOptions writerOptions = default(System.IO.Pipelines.StreamPipeWriterOptions)) => throw null; + protected PipeWriter() => throw null; public abstract System.Threading.Tasks.ValueTask FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Memory GetMemory(int sizeHint = default(int)); - public abstract System.Span GetSpan(int sizeHint = default(int)); + public abstract System.Memory GetMemory(int sizeHint = default(int)); + public abstract System.Span GetSpan(int sizeHint = default(int)); public virtual void OnReaderCompleted(System.Action callback, object state) => throw null; - protected PipeWriter() => throw null; - public virtual System.Int64 UnflushedBytes { get => throw null; } - public virtual System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual long UnflushedBytes { get => throw null; } + public virtual System.Threading.Tasks.ValueTask WriteAsync(System.ReadOnlyMemory source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public struct ReadResult { - public System.Buffers.ReadOnlySequence Buffer { get => throw null; } + public System.Buffers.ReadOnlySequence Buffer { get => throw null; } + public ReadResult(System.Buffers.ReadOnlySequence buffer, bool isCanceled, bool isCompleted) => throw null; public bool IsCanceled { get => throw null; } public bool IsCompleted { get => throw null; } - // Stub generator skipped constructor - public ReadResult(System.Buffers.ReadOnlySequence buffer, bool isCanceled, bool isCompleted) => throw null; } - - public static class StreamPipeExtensions + public static partial class StreamPipeExtensions { public static System.Threading.Tasks.Task CopyToAsync(this System.IO.Stream source, System.IO.Pipelines.PipeWriter destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - public class StreamPipeReaderOptions { public int BufferSize { get => throw null; } + public StreamPipeReaderOptions(System.Buffers.MemoryPool pool, int bufferSize, int minimumReadSize, bool leaveOpen) => throw null; + public StreamPipeReaderOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), int bufferSize = default(int), int minimumReadSize = default(int), bool leaveOpen = default(bool), bool useZeroByteReads = default(bool)) => throw null; public bool LeaveOpen { get => throw null; } public int MinimumReadSize { get => throw null; } - public System.Buffers.MemoryPool Pool { get => throw null; } - public StreamPipeReaderOptions(System.Buffers.MemoryPool pool, int bufferSize, int minimumReadSize, bool leaveOpen) => throw null; - public StreamPipeReaderOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), int bufferSize = default(int), int minimumReadSize = default(int), bool leaveOpen = default(bool), bool useZeroByteReads = default(bool)) => throw null; + public System.Buffers.MemoryPool Pool { get => throw null; } public bool UseZeroByteReads { get => throw null; } } - public class StreamPipeWriterOptions { + public StreamPipeWriterOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), int minimumBufferSize = default(int), bool leaveOpen = default(bool)) => throw null; public bool LeaveOpen { get => throw null; } public int MinimumBufferSize { get => throw null; } - public System.Buffers.MemoryPool Pool { get => throw null; } - public StreamPipeWriterOptions(System.Buffers.MemoryPool pool = default(System.Buffers.MemoryPool), int minimumBufferSize = default(int), bool leaveOpen = default(bool)) => throw null; + public System.Buffers.MemoryPool Pool { get => throw null; } } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs index b47994b9b08e..1b113c55b5ed 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs @@ -1,6 +1,5 @@ // This file contains auto-generated code. // Generated from `System.Security.Cryptography.Xml, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Security @@ -9,18 +8,17 @@ namespace Cryptography { namespace Xml { - public class CipherData + public sealed class CipherData { + public System.Security.Cryptography.Xml.CipherReference CipherReference { get => throw null; set { } } + public byte[] CipherValue { get => throw null; set { } } public CipherData() => throw null; - public CipherData(System.Byte[] cipherValue) => throw null; + public CipherData(byte[] cipherValue) => throw null; public CipherData(System.Security.Cryptography.Xml.CipherReference cipherReference) => throw null; - public System.Security.Cryptography.Xml.CipherReference CipherReference { get => throw null; set => throw null; } - public System.Byte[] CipherValue { get => throw null; set => throw null; } public System.Xml.XmlElement GetXml() => throw null; public void LoadXml(System.Xml.XmlElement value) => throw null; } - - public class CipherReference : System.Security.Cryptography.Xml.EncryptedReference + public sealed class CipherReference : System.Security.Cryptography.Xml.EncryptedReference { public CipherReference() => throw null; public CipherReference(string uri) => throw null; @@ -28,155 +26,144 @@ public class CipherReference : System.Security.Cryptography.Xml.EncryptedReferen public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; } - - public class DSAKeyValue : System.Security.Cryptography.Xml.KeyInfoClause - { - public DSAKeyValue() => throw null; - public DSAKeyValue(System.Security.Cryptography.DSA key) => throw null; - public override System.Xml.XmlElement GetXml() => throw null; - public System.Security.Cryptography.DSA Key { get => throw null; set => throw null; } - public override void LoadXml(System.Xml.XmlElement value) => throw null; - } - public class DataObject { - public System.Xml.XmlNodeList Data { get => throw null; set => throw null; } public DataObject() => throw null; public DataObject(string id, string mimeType, string encoding, System.Xml.XmlElement data) => throw null; - public string Encoding { get => throw null; set => throw null; } + public System.Xml.XmlNodeList Data { get => throw null; set { } } + public string Encoding { get => throw null; set { } } public System.Xml.XmlElement GetXml() => throw null; - public string Id { get => throw null; set => throw null; } + public string Id { get => throw null; set { } } public void LoadXml(System.Xml.XmlElement value) => throw null; - public string MimeType { get => throw null; set => throw null; } + public string MimeType { get => throw null; set { } } } - - public class DataReference : System.Security.Cryptography.Xml.EncryptedReference + public sealed class DataReference : System.Security.Cryptography.Xml.EncryptedReference { public DataReference() => throw null; public DataReference(string uri) => throw null; public DataReference(string uri, System.Security.Cryptography.Xml.TransformChain transformChain) => throw null; } - - public class EncryptedData : System.Security.Cryptography.Xml.EncryptedType + public class DSAKeyValue : System.Security.Cryptography.Xml.KeyInfoClause + { + public DSAKeyValue() => throw null; + public DSAKeyValue(System.Security.Cryptography.DSA key) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; + public System.Security.Cryptography.DSA Key { get => throw null; set { } } + public override void LoadXml(System.Xml.XmlElement value) => throw null; + } + public sealed class EncryptedData : System.Security.Cryptography.Xml.EncryptedType { public EncryptedData() => throw null; public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; } - - public class EncryptedKey : System.Security.Cryptography.Xml.EncryptedType + public sealed class EncryptedKey : System.Security.Cryptography.Xml.EncryptedType { public void AddReference(System.Security.Cryptography.Xml.DataReference dataReference) => throw null; public void AddReference(System.Security.Cryptography.Xml.KeyReference keyReference) => throw null; - public string CarriedKeyName { get => throw null; set => throw null; } + public string CarriedKeyName { get => throw null; set { } } public EncryptedKey() => throw null; public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; - public string Recipient { get => throw null; set => throw null; } + public string Recipient { get => throw null; set { } } public System.Security.Cryptography.Xml.ReferenceList ReferenceList { get => throw null; } } - public abstract class EncryptedReference { public void AddTransform(System.Security.Cryptography.Xml.Transform transform) => throw null; - protected internal bool CacheValid { get => throw null; } + protected bool CacheValid { get => throw null; } protected EncryptedReference() => throw null; protected EncryptedReference(string uri) => throw null; protected EncryptedReference(string uri, System.Security.Cryptography.Xml.TransformChain transformChain) => throw null; public virtual System.Xml.XmlElement GetXml() => throw null; public virtual void LoadXml(System.Xml.XmlElement value) => throw null; - protected string ReferenceType { get => throw null; set => throw null; } - public System.Security.Cryptography.Xml.TransformChain TransformChain { get => throw null; set => throw null; } - public string Uri { get => throw null; set => throw null; } + protected string ReferenceType { get => throw null; set { } } + public System.Security.Cryptography.Xml.TransformChain TransformChain { get => throw null; set { } } + public string Uri { get => throw null; set { } } } - public abstract class EncryptedType { public void AddProperty(System.Security.Cryptography.Xml.EncryptionProperty ep) => throw null; - public virtual System.Security.Cryptography.Xml.CipherData CipherData { get => throw null; set => throw null; } - public virtual string Encoding { get => throw null; set => throw null; } + public virtual System.Security.Cryptography.Xml.CipherData CipherData { get => throw null; set { } } protected EncryptedType() => throw null; - public virtual System.Security.Cryptography.Xml.EncryptionMethod EncryptionMethod { get => throw null; set => throw null; } + public virtual string Encoding { get => throw null; set { } } + public virtual System.Security.Cryptography.Xml.EncryptionMethod EncryptionMethod { get => throw null; set { } } public virtual System.Security.Cryptography.Xml.EncryptionPropertyCollection EncryptionProperties { get => throw null; } public abstract System.Xml.XmlElement GetXml(); - public virtual string Id { get => throw null; set => throw null; } - public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set => throw null; } + public virtual string Id { get => throw null; set { } } + public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set { } } public abstract void LoadXml(System.Xml.XmlElement value); - public virtual string MimeType { get => throw null; set => throw null; } - public virtual string Type { get => throw null; set => throw null; } + public virtual string MimeType { get => throw null; set { } } + public virtual string Type { get => throw null; set { } } } - public class EncryptedXml { public void AddKeyNameMapping(string keyName, object keyObject) => throw null; public void ClearKeyNameMappings() => throw null; - public System.Byte[] DecryptData(System.Security.Cryptography.Xml.EncryptedData encryptedData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; - public void DecryptDocument() => throw null; - public virtual System.Byte[] DecryptEncryptedKey(System.Security.Cryptography.Xml.EncryptedKey encryptedKey) => throw null; - public static System.Byte[] DecryptKey(System.Byte[] keyData, System.Security.Cryptography.RSA rsa, bool useOAEP) => throw null; - public static System.Byte[] DecryptKey(System.Byte[] keyData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; - public System.Security.Policy.Evidence DocumentEvidence { get => throw null; set => throw null; } - public System.Text.Encoding Encoding { get => throw null; set => throw null; } - public System.Security.Cryptography.Xml.EncryptedData Encrypt(System.Xml.XmlElement inputElement, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; - public System.Security.Cryptography.Xml.EncryptedData Encrypt(System.Xml.XmlElement inputElement, string keyName) => throw null; - public System.Byte[] EncryptData(System.Byte[] plaintext, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; - public System.Byte[] EncryptData(System.Xml.XmlElement inputElement, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm, bool content) => throw null; - public static System.Byte[] EncryptKey(System.Byte[] keyData, System.Security.Cryptography.RSA rsa, bool useOAEP) => throw null; - public static System.Byte[] EncryptKey(System.Byte[] keyData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; public EncryptedXml() => throw null; public EncryptedXml(System.Xml.XmlDocument document) => throw null; public EncryptedXml(System.Xml.XmlDocument document, System.Security.Policy.Evidence evidence) => throw null; - public virtual System.Byte[] GetDecryptionIV(System.Security.Cryptography.Xml.EncryptedData encryptedData, string symmetricAlgorithmUri) => throw null; + public byte[] DecryptData(System.Security.Cryptography.Xml.EncryptedData encryptedData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; + public void DecryptDocument() => throw null; + public virtual byte[] DecryptEncryptedKey(System.Security.Cryptography.Xml.EncryptedKey encryptedKey) => throw null; + public static byte[] DecryptKey(byte[] keyData, System.Security.Cryptography.RSA rsa, bool useOAEP) => throw null; + public static byte[] DecryptKey(byte[] keyData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; + public System.Security.Policy.Evidence DocumentEvidence { get => throw null; set { } } + public System.Text.Encoding Encoding { get => throw null; set { } } + public System.Security.Cryptography.Xml.EncryptedData Encrypt(System.Xml.XmlElement inputElement, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; + public System.Security.Cryptography.Xml.EncryptedData Encrypt(System.Xml.XmlElement inputElement, string keyName) => throw null; + public byte[] EncryptData(byte[] plaintext, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; + public byte[] EncryptData(System.Xml.XmlElement inputElement, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm, bool content) => throw null; + public static byte[] EncryptKey(byte[] keyData, System.Security.Cryptography.RSA rsa, bool useOAEP) => throw null; + public static byte[] EncryptKey(byte[] keyData, System.Security.Cryptography.SymmetricAlgorithm symmetricAlgorithm) => throw null; + public virtual byte[] GetDecryptionIV(System.Security.Cryptography.Xml.EncryptedData encryptedData, string symmetricAlgorithmUri) => throw null; public virtual System.Security.Cryptography.SymmetricAlgorithm GetDecryptionKey(System.Security.Cryptography.Xml.EncryptedData encryptedData, string symmetricAlgorithmUri) => throw null; public virtual System.Xml.XmlElement GetIdElement(System.Xml.XmlDocument document, string idValue) => throw null; - public System.Security.Cryptography.CipherMode Mode { get => throw null; set => throw null; } - public System.Security.Cryptography.PaddingMode Padding { get => throw null; set => throw null; } - public string Recipient { get => throw null; set => throw null; } - public void ReplaceData(System.Xml.XmlElement inputElement, System.Byte[] decryptedData) => throw null; + public System.Security.Cryptography.CipherMode Mode { get => throw null; set { } } + public System.Security.Cryptography.PaddingMode Padding { get => throw null; set { } } + public string Recipient { get => throw null; set { } } + public void ReplaceData(System.Xml.XmlElement inputElement, byte[] decryptedData) => throw null; public static void ReplaceElement(System.Xml.XmlElement inputElement, System.Security.Cryptography.Xml.EncryptedData encryptedData, bool content) => throw null; - public System.Xml.XmlResolver Resolver { get => throw null; set => throw null; } - public int XmlDSigSearchDepth { get => throw null; set => throw null; } - public const string XmlEncAES128KeyWrapUrl = default; - public const string XmlEncAES128Url = default; - public const string XmlEncAES192KeyWrapUrl = default; - public const string XmlEncAES192Url = default; - public const string XmlEncAES256KeyWrapUrl = default; - public const string XmlEncAES256Url = default; - public const string XmlEncDESUrl = default; - public const string XmlEncElementContentUrl = default; - public const string XmlEncElementUrl = default; - public const string XmlEncEncryptedKeyUrl = default; - public const string XmlEncNamespaceUrl = default; - public const string XmlEncRSA15Url = default; - public const string XmlEncRSAOAEPUrl = default; - public const string XmlEncSHA256Url = default; - public const string XmlEncSHA512Url = default; - public const string XmlEncTripleDESKeyWrapUrl = default; - public const string XmlEncTripleDESUrl = default; - } - + public System.Xml.XmlResolver Resolver { get => throw null; set { } } + public int XmlDSigSearchDepth { get => throw null; set { } } + public static string XmlEncAES128KeyWrapUrl; + public static string XmlEncAES128Url; + public static string XmlEncAES192KeyWrapUrl; + public static string XmlEncAES192Url; + public static string XmlEncAES256KeyWrapUrl; + public static string XmlEncAES256Url; + public static string XmlEncDESUrl; + public static string XmlEncElementContentUrl; + public static string XmlEncElementUrl; + public static string XmlEncEncryptedKeyUrl; + public static string XmlEncNamespaceUrl; + public static string XmlEncRSA15Url; + public static string XmlEncRSAOAEPUrl; + public static string XmlEncSHA256Url; + public static string XmlEncSHA512Url; + public static string XmlEncTripleDESKeyWrapUrl; + public static string XmlEncTripleDESUrl; + } public class EncryptionMethod { public EncryptionMethod() => throw null; public EncryptionMethod(string algorithm) => throw null; public System.Xml.XmlElement GetXml() => throw null; - public string KeyAlgorithm { get => throw null; set => throw null; } - public int KeySize { get => throw null; set => throw null; } + public string KeyAlgorithm { get => throw null; set { } } + public int KeySize { get => throw null; set { } } public void LoadXml(System.Xml.XmlElement value) => throw null; } - - public class EncryptionProperty + public sealed class EncryptionProperty { public EncryptionProperty() => throw null; public EncryptionProperty(System.Xml.XmlElement elementProperty) => throw null; public System.Xml.XmlElement GetXml() => throw null; public string Id { get => throw null; } public void LoadXml(System.Xml.XmlElement value) => throw null; - public System.Xml.XmlElement PropertyElement { get => throw null; set => throw null; } + public System.Xml.XmlElement PropertyElement { get => throw null; set { } } public string Target { get => throw null; } } - - public class EncryptionPropertyCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public sealed class EncryptionPropertyCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { public int Add(System.Security.Cryptography.Xml.EncryptionProperty value) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -196,136 +183,117 @@ public class EncryptionPropertyCollection : System.Collections.ICollection, Syst public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } public System.Security.Cryptography.Xml.EncryptionProperty Item(int index) => throw null; - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public System.Security.Cryptography.Xml.EncryptionProperty this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } + object System.Collections.IList.this[int index] { get => throw null; set { } } public void Remove(System.Security.Cryptography.Xml.EncryptionProperty value) => throw null; void System.Collections.IList.Remove(object value) => throw null; public void RemoveAt(int index) => throw null; public object SyncRoot { get => throw null; } + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public System.Security.Cryptography.Xml.EncryptionProperty this[int index] { get => throw null; set { } } } - public interface IRelDecryptor { System.IO.Stream Decrypt(System.Security.Cryptography.Xml.EncryptionMethod encryptionMethod, System.Security.Cryptography.Xml.KeyInfo keyInfo, System.IO.Stream toDecrypt); } - public class KeyInfo : System.Collections.IEnumerable { public void AddClause(System.Security.Cryptography.Xml.KeyInfoClause clause) => throw null; public int Count { get => throw null; } + public KeyInfo() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public System.Collections.IEnumerator GetEnumerator(System.Type requestedObjectType) => throw null; public System.Xml.XmlElement GetXml() => throw null; - public string Id { get => throw null; set => throw null; } - public KeyInfo() => throw null; + public string Id { get => throw null; set { } } public void LoadXml(System.Xml.XmlElement value) => throw null; } - public abstract class KeyInfoClause { - public abstract System.Xml.XmlElement GetXml(); protected KeyInfoClause() => throw null; + public abstract System.Xml.XmlElement GetXml(); public abstract void LoadXml(System.Xml.XmlElement element); } - public class KeyInfoEncryptedKey : System.Security.Cryptography.Xml.KeyInfoClause { - public System.Security.Cryptography.Xml.EncryptedKey EncryptedKey { get => throw null; set => throw null; } - public override System.Xml.XmlElement GetXml() => throw null; public KeyInfoEncryptedKey() => throw null; public KeyInfoEncryptedKey(System.Security.Cryptography.Xml.EncryptedKey encryptedKey) => throw null; + public System.Security.Cryptography.Xml.EncryptedKey EncryptedKey { get => throw null; set { } } + public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; } - public class KeyInfoName : System.Security.Cryptography.Xml.KeyInfoClause { - public override System.Xml.XmlElement GetXml() => throw null; public KeyInfoName() => throw null; public KeyInfoName(string keyName) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; - public string Value { get => throw null; set => throw null; } + public string Value { get => throw null; set { } } } - public class KeyInfoNode : System.Security.Cryptography.Xml.KeyInfoClause { - public override System.Xml.XmlElement GetXml() => throw null; public KeyInfoNode() => throw null; public KeyInfoNode(System.Xml.XmlElement node) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; - public System.Xml.XmlElement Value { get => throw null; set => throw null; } + public System.Xml.XmlElement Value { get => throw null; set { } } } - public class KeyInfoRetrievalMethod : System.Security.Cryptography.Xml.KeyInfoClause { - public override System.Xml.XmlElement GetXml() => throw null; public KeyInfoRetrievalMethod() => throw null; public KeyInfoRetrievalMethod(string strUri) => throw null; public KeyInfoRetrievalMethod(string strUri, string typeName) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; public override void LoadXml(System.Xml.XmlElement value) => throw null; - public string Type { get => throw null; set => throw null; } - public string Uri { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } + public string Uri { get => throw null; set { } } } - public class KeyInfoX509Data : System.Security.Cryptography.Xml.KeyInfoClause { public void AddCertificate(System.Security.Cryptography.X509Certificates.X509Certificate certificate) => throw null; public void AddIssuerSerial(string issuerName, string serialNumber) => throw null; - public void AddSubjectKeyId(System.Byte[] subjectKeyId) => throw null; + public void AddSubjectKeyId(byte[] subjectKeyId) => throw null; public void AddSubjectKeyId(string subjectKeyId) => throw null; public void AddSubjectName(string subjectName) => throw null; - public System.Byte[] CRL { get => throw null; set => throw null; } public System.Collections.ArrayList Certificates { get => throw null; } - public override System.Xml.XmlElement GetXml() => throw null; - public System.Collections.ArrayList IssuerSerials { get => throw null; } + public byte[] CRL { get => throw null; set { } } public KeyInfoX509Data() => throw null; - public KeyInfoX509Data(System.Byte[] rgbCert) => throw null; + public KeyInfoX509Data(byte[] rgbCert) => throw null; public KeyInfoX509Data(System.Security.Cryptography.X509Certificates.X509Certificate cert) => throw null; public KeyInfoX509Data(System.Security.Cryptography.X509Certificates.X509Certificate cert, System.Security.Cryptography.X509Certificates.X509IncludeOption includeOption) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; + public System.Collections.ArrayList IssuerSerials { get => throw null; } public override void LoadXml(System.Xml.XmlElement element) => throw null; public System.Collections.ArrayList SubjectKeyIds { get => throw null; } public System.Collections.ArrayList SubjectNames { get => throw null; } } - - public class KeyReference : System.Security.Cryptography.Xml.EncryptedReference + public sealed class KeyReference : System.Security.Cryptography.Xml.EncryptedReference { public KeyReference() => throw null; public KeyReference(string uri) => throw null; public KeyReference(string uri, System.Security.Cryptography.Xml.TransformChain transformChain) => throw null; } - - public class RSAKeyValue : System.Security.Cryptography.Xml.KeyInfoClause - { - public override System.Xml.XmlElement GetXml() => throw null; - public System.Security.Cryptography.RSA Key { get => throw null; set => throw null; } - public override void LoadXml(System.Xml.XmlElement value) => throw null; - public RSAKeyValue() => throw null; - public RSAKeyValue(System.Security.Cryptography.RSA key) => throw null; - } - public class Reference { public void AddTransform(System.Security.Cryptography.Xml.Transform transform) => throw null; - public string DigestMethod { get => throw null; set => throw null; } - public System.Byte[] DigestValue { get => throw null; set => throw null; } - public System.Xml.XmlElement GetXml() => throw null; - public string Id { get => throw null; set => throw null; } - public void LoadXml(System.Xml.XmlElement value) => throw null; public Reference() => throw null; public Reference(System.IO.Stream stream) => throw null; public Reference(string uri) => throw null; - public System.Security.Cryptography.Xml.TransformChain TransformChain { get => throw null; set => throw null; } - public string Type { get => throw null; set => throw null; } - public string Uri { get => throw null; set => throw null; } + public string DigestMethod { get => throw null; set { } } + public byte[] DigestValue { get => throw null; set { } } + public System.Xml.XmlElement GetXml() => throw null; + public string Id { get => throw null; set { } } + public void LoadXml(System.Xml.XmlElement value) => throw null; + public System.Security.Cryptography.Xml.TransformChain TransformChain { get => throw null; set { } } + public string Type { get => throw null; set { } } + public string Uri { get => throw null; set { } } } - - public class ReferenceList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList + public sealed class ReferenceList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { public int Add(object value) => throw null; public void Clear() => throw null; public bool Contains(object value) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public ReferenceList() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public int IndexOf(object value) => throw null; public void Insert(int index, object value) => throw null; @@ -333,48 +301,52 @@ public class ReferenceList : System.Collections.ICollection, System.Collections. bool System.Collections.IList.IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } public System.Security.Cryptography.Xml.EncryptedReference Item(int index) => throw null; - [System.Runtime.CompilerServices.IndexerName("ItemOf")] - public System.Security.Cryptography.Xml.EncryptedReference this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public ReferenceList() => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } public void Remove(object value) => throw null; public void RemoveAt(int index) => throw null; public object SyncRoot { get => throw null; } + [System.Runtime.CompilerServices.IndexerName("ItemOf")] + public System.Security.Cryptography.Xml.EncryptedReference this[int index] { get => throw null; set { } } + } + public class RSAKeyValue : System.Security.Cryptography.Xml.KeyInfoClause + { + public RSAKeyValue() => throw null; + public RSAKeyValue(System.Security.Cryptography.RSA key) => throw null; + public override System.Xml.XmlElement GetXml() => throw null; + public System.Security.Cryptography.RSA Key { get => throw null; set { } } + public override void LoadXml(System.Xml.XmlElement value) => throw null; } - public class Signature { public void AddObject(System.Security.Cryptography.Xml.DataObject dataObject) => throw null; + public Signature() => throw null; public System.Xml.XmlElement GetXml() => throw null; - public string Id { get => throw null; set => throw null; } - public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set => throw null; } + public string Id { get => throw null; set { } } + public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set { } } public void LoadXml(System.Xml.XmlElement value) => throw null; - public System.Collections.IList ObjectList { get => throw null; set => throw null; } - public Signature() => throw null; - public System.Byte[] SignatureValue { get => throw null; set => throw null; } - public System.Security.Cryptography.Xml.SignedInfo SignedInfo { get => throw null; set => throw null; } + public System.Collections.IList ObjectList { get => throw null; set { } } + public byte[] SignatureValue { get => throw null; set { } } + public System.Security.Cryptography.Xml.SignedInfo SignedInfo { get => throw null; set { } } } - public class SignedInfo : System.Collections.ICollection, System.Collections.IEnumerable { public void AddReference(System.Security.Cryptography.Xml.Reference reference) => throw null; - public string CanonicalizationMethod { get => throw null; set => throw null; } + public string CanonicalizationMethod { get => throw null; set { } } public System.Security.Cryptography.Xml.Transform CanonicalizationMethodObject { get => throw null; } public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public SignedInfo() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public System.Xml.XmlElement GetXml() => throw null; - public string Id { get => throw null; set => throw null; } + public string Id { get => throw null; set { } } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } public void LoadXml(System.Xml.XmlElement value) => throw null; public System.Collections.ArrayList References { get => throw null; } - public string SignatureLength { get => throw null; set => throw null; } - public string SignatureMethod { get => throw null; set => throw null; } - public SignedInfo() => throw null; + public string SignatureLength { get => throw null; set { } } + public string SignatureMethod { get => throw null; set { } } public object SyncRoot { get => throw null; } } - public class SignedXml { public void AddObject(System.Security.Cryptography.Xml.DataObject dataObject) => throw null; @@ -386,58 +358,58 @@ public class SignedXml public bool CheckSignatureReturningKey(out System.Security.Cryptography.AsymmetricAlgorithm signingKey) => throw null; public void ComputeSignature() => throw null; public void ComputeSignature(System.Security.Cryptography.KeyedHashAlgorithm macAlg) => throw null; - public System.Security.Cryptography.Xml.EncryptedXml EncryptedXml { get => throw null; set => throw null; } + public SignedXml() => throw null; + public SignedXml(System.Xml.XmlDocument document) => throw null; + public SignedXml(System.Xml.XmlElement elem) => throw null; + public System.Security.Cryptography.Xml.EncryptedXml EncryptedXml { get => throw null; set { } } public virtual System.Xml.XmlElement GetIdElement(System.Xml.XmlDocument document, string idValue) => throw null; protected virtual System.Security.Cryptography.AsymmetricAlgorithm GetPublicKey() => throw null; public System.Xml.XmlElement GetXml() => throw null; - public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set => throw null; } + public System.Security.Cryptography.Xml.KeyInfo KeyInfo { get => throw null; set { } } public void LoadXml(System.Xml.XmlElement value) => throw null; - public System.Xml.XmlResolver Resolver { set => throw null; } + protected System.Security.Cryptography.Xml.Signature m_signature; + protected string m_strSigningKeyName; + public System.Xml.XmlResolver Resolver { set { } } public System.Collections.ObjectModel.Collection SafeCanonicalizationMethods { get => throw null; } public System.Security.Cryptography.Xml.Signature Signature { get => throw null; } - public System.Func SignatureFormatValidator { get => throw null; set => throw null; } + public System.Func SignatureFormatValidator { get => throw null; set { } } public string SignatureLength { get => throw null; } public string SignatureMethod { get => throw null; } - public System.Byte[] SignatureValue { get => throw null; } + public byte[] SignatureValue { get => throw null; } public System.Security.Cryptography.Xml.SignedInfo SignedInfo { get => throw null; } - public SignedXml() => throw null; - public SignedXml(System.Xml.XmlDocument document) => throw null; - public SignedXml(System.Xml.XmlElement elem) => throw null; - public System.Security.Cryptography.AsymmetricAlgorithm SigningKey { get => throw null; set => throw null; } - public string SigningKeyName { get => throw null; set => throw null; } - public const string XmlDecryptionTransformUrl = default; - public const string XmlDsigBase64TransformUrl = default; - public const string XmlDsigC14NTransformUrl = default; - public const string XmlDsigC14NWithCommentsTransformUrl = default; - public const string XmlDsigCanonicalizationUrl = default; - public const string XmlDsigCanonicalizationWithCommentsUrl = default; - public const string XmlDsigDSAUrl = default; - public const string XmlDsigEnvelopedSignatureTransformUrl = default; - public const string XmlDsigExcC14NTransformUrl = default; - public const string XmlDsigExcC14NWithCommentsTransformUrl = default; - public const string XmlDsigHMACSHA1Url = default; - public const string XmlDsigMinimalCanonicalizationUrl = default; - public const string XmlDsigNamespaceUrl = default; - public const string XmlDsigRSASHA1Url = default; - public const string XmlDsigRSASHA256Url = default; - public const string XmlDsigRSASHA384Url = default; - public const string XmlDsigRSASHA512Url = default; - public const string XmlDsigSHA1Url = default; - public const string XmlDsigSHA256Url = default; - public const string XmlDsigSHA384Url = default; - public const string XmlDsigSHA512Url = default; - public const string XmlDsigXPathTransformUrl = default; - public const string XmlDsigXsltTransformUrl = default; - public const string XmlLicenseTransformUrl = default; - protected System.Security.Cryptography.Xml.Signature m_signature; - protected string m_strSigningKeyName; + public System.Security.Cryptography.AsymmetricAlgorithm SigningKey { get => throw null; set { } } + public string SigningKeyName { get => throw null; set { } } + public static string XmlDecryptionTransformUrl; + public static string XmlDsigBase64TransformUrl; + public static string XmlDsigC14NTransformUrl; + public static string XmlDsigC14NWithCommentsTransformUrl; + public static string XmlDsigCanonicalizationUrl; + public static string XmlDsigCanonicalizationWithCommentsUrl; + public static string XmlDsigDSAUrl; + public static string XmlDsigEnvelopedSignatureTransformUrl; + public static string XmlDsigExcC14NTransformUrl; + public static string XmlDsigExcC14NWithCommentsTransformUrl; + public static string XmlDsigHMACSHA1Url; + public static string XmlDsigMinimalCanonicalizationUrl; + public static string XmlDsigNamespaceUrl; + public static string XmlDsigRSASHA1Url; + public static string XmlDsigRSASHA256Url; + public static string XmlDsigRSASHA384Url; + public static string XmlDsigRSASHA512Url; + public static string XmlDsigSHA1Url; + public static string XmlDsigSHA256Url; + public static string XmlDsigSHA384Url; + public static string XmlDsigSHA512Url; + public static string XmlDsigXPathTransformUrl; + public static string XmlDsigXsltTransformUrl; + public static string XmlLicenseTransformUrl; } - public abstract class Transform { - public string Algorithm { get => throw null; set => throw null; } - public System.Xml.XmlElement Context { get => throw null; set => throw null; } - public virtual System.Byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; + public string Algorithm { get => throw null; set { } } + public System.Xml.XmlElement Context { get => throw null; set { } } + protected Transform() => throw null; + public virtual byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; protected abstract System.Xml.XmlNodeList GetInnerXml(); public abstract object GetOutput(); public abstract object GetOutput(System.Type type); @@ -447,23 +419,21 @@ public abstract class Transform public abstract void LoadInput(object obj); public abstract System.Type[] OutputTypes { get; } public System.Collections.Hashtable PropagatedNamespaces { get => throw null; } - public System.Xml.XmlResolver Resolver { set => throw null; } - protected Transform() => throw null; + public System.Xml.XmlResolver Resolver { set { } } } - public class TransformChain { public void Add(System.Security.Cryptography.Xml.Transform transform) => throw null; public int Count { get => throw null; } + public TransformChain() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public System.Security.Cryptography.Xml.Transform this[int index] { get => throw null; } - public TransformChain() => throw null; } - public class XmlDecryptionTransform : System.Security.Cryptography.Xml.Transform { public void AddExceptUri(string uri) => throw null; - public System.Security.Cryptography.Xml.EncryptedXml EncryptedXml { get => throw null; set => throw null; } + public XmlDecryptionTransform() => throw null; + public System.Security.Cryptography.Xml.EncryptedXml EncryptedXml { get => throw null; set { } } protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -472,11 +442,10 @@ public class XmlDecryptionTransform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDecryptionTransform() => throw null; } - public class XmlDsigBase64Transform : System.Security.Cryptography.Xml.Transform { + public XmlDsigBase64Transform() => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -484,12 +453,12 @@ public class XmlDsigBase64Transform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigBase64Transform() => throw null; } - public class XmlDsigC14NTransform : System.Security.Cryptography.Xml.Transform { - public override System.Byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; + public XmlDsigC14NTransform() => throw null; + public XmlDsigC14NTransform(bool includeComments) => throw null; + public override byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -497,17 +466,15 @@ public class XmlDsigC14NTransform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigC14NTransform() => throw null; - public XmlDsigC14NTransform(bool includeComments) => throw null; } - public class XmlDsigC14NWithCommentsTransform : System.Security.Cryptography.Xml.XmlDsigC14NTransform { public XmlDsigC14NWithCommentsTransform() => throw null; } - public class XmlDsigEnvelopedSignatureTransform : System.Security.Cryptography.Xml.Transform { + public XmlDsigEnvelopedSignatureTransform() => throw null; + public XmlDsigEnvelopedSignatureTransform(bool includeComments) => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -515,35 +482,31 @@ public class XmlDsigEnvelopedSignatureTransform : System.Security.Cryptography.X public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigEnvelopedSignatureTransform() => throw null; - public XmlDsigEnvelopedSignatureTransform(bool includeComments) => throw null; } - public class XmlDsigExcC14NTransform : System.Security.Cryptography.Xml.Transform { - public override System.Byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; + public XmlDsigExcC14NTransform() => throw null; + public XmlDsigExcC14NTransform(bool includeComments) => throw null; + public XmlDsigExcC14NTransform(bool includeComments, string inclusiveNamespacesPrefixList) => throw null; + public XmlDsigExcC14NTransform(string inclusiveNamespacesPrefixList) => throw null; + public override byte[] GetDigestedOutput(System.Security.Cryptography.HashAlgorithm hash) => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; - public string InclusiveNamespacesPrefixList { get => throw null; set => throw null; } + public string InclusiveNamespacesPrefixList { get => throw null; set { } } public override System.Type[] InputTypes { get => throw null; } public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigExcC14NTransform() => throw null; - public XmlDsigExcC14NTransform(bool includeComments) => throw null; - public XmlDsigExcC14NTransform(bool includeComments, string inclusiveNamespacesPrefixList) => throw null; - public XmlDsigExcC14NTransform(string inclusiveNamespacesPrefixList) => throw null; } - public class XmlDsigExcC14NWithCommentsTransform : System.Security.Cryptography.Xml.XmlDsigExcC14NTransform { public XmlDsigExcC14NWithCommentsTransform() => throw null; public XmlDsigExcC14NWithCommentsTransform(string inclusiveNamespacesPrefixList) => throw null; } - public class XmlDsigXPathTransform : System.Security.Cryptography.Xml.Transform { + public XmlDsigXPathTransform() => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -551,11 +514,11 @@ public class XmlDsigXPathTransform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigXPathTransform() => throw null; } - public class XmlDsigXsltTransform : System.Security.Cryptography.Xml.Transform { + public XmlDsigXsltTransform() => throw null; + public XmlDsigXsltTransform(bool includeComments) => throw null; protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -563,13 +526,11 @@ public class XmlDsigXsltTransform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlDsigXsltTransform() => throw null; - public XmlDsigXsltTransform(bool includeComments) => throw null; } - public class XmlLicenseTransform : System.Security.Cryptography.Xml.Transform { - public System.Security.Cryptography.Xml.IRelDecryptor Decryptor { get => throw null; set => throw null; } + public XmlLicenseTransform() => throw null; + public System.Security.Cryptography.Xml.IRelDecryptor Decryptor { get => throw null; set { } } protected override System.Xml.XmlNodeList GetInnerXml() => throw null; public override object GetOutput() => throw null; public override object GetOutput(System.Type type) => throw null; @@ -577,9 +538,7 @@ public class XmlLicenseTransform : System.Security.Cryptography.Xml.Transform public override void LoadInnerXml(System.Xml.XmlNodeList nodeList) => throw null; public override void LoadInput(object obj) => throw null; public override System.Type[] OutputTypes { get => throw null; } - public XmlLicenseTransform() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Threading.RateLimiting.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Threading.RateLimiting.cs index dfad6d3fa06c..7fee41207827 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Threading.RateLimiting.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Threading.RateLimiting.cs @@ -1,13 +1,12 @@ // This file contains auto-generated code. // Generated from `System.Threading.RateLimiting, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. - namespace System { namespace Threading { namespace RateLimiting { - public class ConcurrencyLimiter : System.Threading.RateLimiting.RateLimiter + public sealed class ConcurrencyLimiter : System.Threading.RateLimiting.RateLimiter { protected override System.Threading.Tasks.ValueTask AcquireAsyncCore(int permitCount, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int permitCount) => throw null; @@ -17,97 +16,109 @@ public class ConcurrencyLimiter : System.Threading.RateLimiting.RateLimiter public override System.Threading.RateLimiting.RateLimiterStatistics GetStatistics() => throw null; public override System.TimeSpan? IdleDuration { get => throw null; } } - - public class ConcurrencyLimiterOptions + public sealed class ConcurrencyLimiterOptions { public ConcurrencyLimiterOptions() => throw null; - public int PermitLimit { get => throw null; set => throw null; } - public int QueueLimit { get => throw null; set => throw null; } - public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set => throw null; } + public int PermitLimit { get => throw null; set { } } + public int QueueLimit { get => throw null; set { } } + public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set { } } } - - public class FixedWindowRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter + public sealed class FixedWindowRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter { protected override System.Threading.Tasks.ValueTask AcquireAsyncCore(int permitCount, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int permitCount) => throw null; + public FixedWindowRateLimiter(System.Threading.RateLimiting.FixedWindowRateLimiterOptions options) => throw null; protected override void Dispose(bool disposing) => throw null; protected override System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; - public FixedWindowRateLimiter(System.Threading.RateLimiting.FixedWindowRateLimiterOptions options) => throw null; public override System.Threading.RateLimiting.RateLimiterStatistics GetStatistics() => throw null; public override System.TimeSpan? IdleDuration { get => throw null; } public override bool IsAutoReplenishing { get => throw null; } public override System.TimeSpan ReplenishmentPeriod { get => throw null; } public override bool TryReplenish() => throw null; } - - public class FixedWindowRateLimiterOptions + public sealed class FixedWindowRateLimiterOptions { - public bool AutoReplenishment { get => throw null; set => throw null; } + public bool AutoReplenishment { get => throw null; set { } } public FixedWindowRateLimiterOptions() => throw null; - public int PermitLimit { get => throw null; set => throw null; } - public int QueueLimit { get => throw null; set => throw null; } - public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set => throw null; } - public System.TimeSpan Window { get => throw null; set => throw null; } + public int PermitLimit { get => throw null; set { } } + public int QueueLimit { get => throw null; set { } } + public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set { } } + public System.TimeSpan Window { get => throw null; set { } } } - public static class MetadataName { public static System.Threading.RateLimiting.MetadataName Create(string name) => throw null; public static System.Threading.RateLimiting.MetadataName ReasonPhrase { get => throw null; } public static System.Threading.RateLimiting.MetadataName RetryAfter { get => throw null; } } - - public class MetadataName : System.IEquatable> + public sealed class MetadataName : System.IEquatable> { - public static bool operator !=(System.Threading.RateLimiting.MetadataName left, System.Threading.RateLimiting.MetadataName right) => throw null; - public static bool operator ==(System.Threading.RateLimiting.MetadataName left, System.Threading.RateLimiting.MetadataName right) => throw null; - public bool Equals(System.Threading.RateLimiting.MetadataName other) => throw null; + public MetadataName(string name) => throw null; public override bool Equals(object obj) => throw null; + public bool Equals(System.Threading.RateLimiting.MetadataName other) => throw null; public override int GetHashCode() => throw null; - public MetadataName(string name) => throw null; public string Name { get => throw null; } + public static bool operator ==(System.Threading.RateLimiting.MetadataName left, System.Threading.RateLimiting.MetadataName right) => throw null; + public static bool operator !=(System.Threading.RateLimiting.MetadataName left, System.Threading.RateLimiting.MetadataName right) => throw null; public override string ToString() => throw null; } - public static class PartitionedRateLimiter { public static System.Threading.RateLimiting.PartitionedRateLimiter Create(System.Func> partitioner, System.Collections.Generic.IEqualityComparer equalityComparer = default(System.Collections.Generic.IEqualityComparer)) => throw null; public static System.Threading.RateLimiting.PartitionedRateLimiter CreateChained(params System.Threading.RateLimiting.PartitionedRateLimiter[] limiters) => throw null; } - public abstract class PartitionedRateLimiter : System.IAsyncDisposable, System.IDisposable { public System.Threading.Tasks.ValueTask AcquireAsync(TResource resource, int permitCount = default(int), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected abstract System.Threading.Tasks.ValueTask AcquireAsyncCore(TResource resource, int permitCount, System.Threading.CancellationToken cancellationToken); public System.Threading.RateLimiting.RateLimitLease AttemptAcquire(TResource resource, int permitCount = default(int)) => throw null; protected abstract System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(TResource resource, int permitCount); + protected PartitionedRateLimiter() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; protected virtual System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; public abstract System.Threading.RateLimiting.RateLimiterStatistics GetStatistics(TResource resource); - protected PartitionedRateLimiter() => throw null; public System.Threading.RateLimiting.PartitionedRateLimiter WithTranslatedKey(System.Func keyAdapter, bool leaveOpen) => throw null; } - - public enum QueueProcessingOrder : int + public enum QueueProcessingOrder { - NewestFirst = 1, OldestFirst = 0, + NewestFirst = 1, + } + public abstract class RateLimiter : System.IAsyncDisposable, System.IDisposable + { + public System.Threading.Tasks.ValueTask AcquireAsync(int permitCount = default(int), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected abstract System.Threading.Tasks.ValueTask AcquireAsyncCore(int permitCount, System.Threading.CancellationToken cancellationToken); + public System.Threading.RateLimiting.RateLimitLease AttemptAcquire(int permitCount = default(int)) => throw null; + protected abstract System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int permitCount); + protected RateLimiter() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool disposing) => throw null; + public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; + protected virtual System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; + public abstract System.Threading.RateLimiting.RateLimiterStatistics GetStatistics(); + public abstract System.TimeSpan? IdleDuration { get; } + } + public class RateLimiterStatistics + { + public RateLimiterStatistics() => throw null; + public long CurrentAvailablePermits { get => throw null; set { } } + public long CurrentQueuedCount { get => throw null; set { } } + public long TotalFailedLeases { get => throw null; set { } } + public long TotalSuccessfulLeases { get => throw null; set { } } } - public abstract class RateLimitLease : System.IDisposable { + protected RateLimitLease() => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public virtual System.Collections.Generic.IEnumerable> GetAllMetadata() => throw null; public abstract bool IsAcquired { get; } public abstract System.Collections.Generic.IEnumerable MetadataNames { get; } - protected RateLimitLease() => throw null; public abstract bool TryGetMetadata(string metadataName, out object metadata); public bool TryGetMetadata(System.Threading.RateLimiting.MetadataName metadataName, out T metadata) => throw null; } - public static class RateLimitPartition { public static System.Threading.RateLimiting.RateLimitPartition Get(TKey partitionKey, System.Func factory) => throw null; @@ -117,97 +128,65 @@ public static class RateLimitPartition public static System.Threading.RateLimiting.RateLimitPartition GetSlidingWindowLimiter(TKey partitionKey, System.Func factory) => throw null; public static System.Threading.RateLimiting.RateLimitPartition GetTokenBucketLimiter(TKey partitionKey, System.Func factory) => throw null; } - public struct RateLimitPartition { + public RateLimitPartition(TKey partitionKey, System.Func factory) => throw null; public System.Func Factory { get => throw null; } public TKey PartitionKey { get => throw null; } - // Stub generator skipped constructor - public RateLimitPartition(TKey partitionKey, System.Func factory) => throw null; - } - - public abstract class RateLimiter : System.IAsyncDisposable, System.IDisposable - { - public System.Threading.Tasks.ValueTask AcquireAsync(int permitCount = default(int), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected abstract System.Threading.Tasks.ValueTask AcquireAsyncCore(int permitCount, System.Threading.CancellationToken cancellationToken); - public System.Threading.RateLimiting.RateLimitLease AttemptAcquire(int permitCount = default(int)) => throw null; - protected abstract System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int permitCount); - public void Dispose() => throw null; - protected virtual void Dispose(bool disposing) => throw null; - public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; - protected virtual System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; - public abstract System.Threading.RateLimiting.RateLimiterStatistics GetStatistics(); - public abstract System.TimeSpan? IdleDuration { get; } - protected RateLimiter() => throw null; } - - public class RateLimiterStatistics - { - public System.Int64 CurrentAvailablePermits { get => throw null; set => throw null; } - public System.Int64 CurrentQueuedCount { get => throw null; set => throw null; } - public RateLimiterStatistics() => throw null; - public System.Int64 TotalFailedLeases { get => throw null; set => throw null; } - public System.Int64 TotalSuccessfulLeases { get => throw null; set => throw null; } - } - public abstract class ReplenishingRateLimiter : System.Threading.RateLimiting.RateLimiter { - public abstract bool IsAutoReplenishing { get; } protected ReplenishingRateLimiter() => throw null; + public abstract bool IsAutoReplenishing { get; } public abstract System.TimeSpan ReplenishmentPeriod { get; } public abstract bool TryReplenish(); } - - public class SlidingWindowRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter + public sealed class SlidingWindowRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter { protected override System.Threading.Tasks.ValueTask AcquireAsyncCore(int permitCount, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int permitCount) => throw null; + public SlidingWindowRateLimiter(System.Threading.RateLimiting.SlidingWindowRateLimiterOptions options) => throw null; protected override void Dispose(bool disposing) => throw null; protected override System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; public override System.Threading.RateLimiting.RateLimiterStatistics GetStatistics() => throw null; public override System.TimeSpan? IdleDuration { get => throw null; } public override bool IsAutoReplenishing { get => throw null; } public override System.TimeSpan ReplenishmentPeriod { get => throw null; } - public SlidingWindowRateLimiter(System.Threading.RateLimiting.SlidingWindowRateLimiterOptions options) => throw null; public override bool TryReplenish() => throw null; } - - public class SlidingWindowRateLimiterOptions + public sealed class SlidingWindowRateLimiterOptions { - public bool AutoReplenishment { get => throw null; set => throw null; } - public int PermitLimit { get => throw null; set => throw null; } - public int QueueLimit { get => throw null; set => throw null; } - public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set => throw null; } - public int SegmentsPerWindow { get => throw null; set => throw null; } + public bool AutoReplenishment { get => throw null; set { } } public SlidingWindowRateLimiterOptions() => throw null; - public System.TimeSpan Window { get => throw null; set => throw null; } + public int PermitLimit { get => throw null; set { } } + public int QueueLimit { get => throw null; set { } } + public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set { } } + public int SegmentsPerWindow { get => throw null; set { } } + public System.TimeSpan Window { get => throw null; set { } } } - - public class TokenBucketRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter + public sealed class TokenBucketRateLimiter : System.Threading.RateLimiting.ReplenishingRateLimiter { protected override System.Threading.Tasks.ValueTask AcquireAsyncCore(int tokenCount, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override System.Threading.RateLimiting.RateLimitLease AttemptAcquireCore(int tokenCount) => throw null; + public TokenBucketRateLimiter(System.Threading.RateLimiting.TokenBucketRateLimiterOptions options) => throw null; protected override void Dispose(bool disposing) => throw null; protected override System.Threading.Tasks.ValueTask DisposeAsyncCore() => throw null; public override System.Threading.RateLimiting.RateLimiterStatistics GetStatistics() => throw null; public override System.TimeSpan? IdleDuration { get => throw null; } public override bool IsAutoReplenishing { get => throw null; } public override System.TimeSpan ReplenishmentPeriod { get => throw null; } - public TokenBucketRateLimiter(System.Threading.RateLimiting.TokenBucketRateLimiterOptions options) => throw null; public override bool TryReplenish() => throw null; } - - public class TokenBucketRateLimiterOptions + public sealed class TokenBucketRateLimiterOptions { - public bool AutoReplenishment { get => throw null; set => throw null; } - public int QueueLimit { get => throw null; set => throw null; } - public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set => throw null; } - public System.TimeSpan ReplenishmentPeriod { get => throw null; set => throw null; } + public bool AutoReplenishment { get => throw null; set { } } public TokenBucketRateLimiterOptions() => throw null; - public int TokenLimit { get => throw null; set => throw null; } - public int TokensPerPeriod { get => throw null; set => throw null; } + public int QueueLimit { get => throw null; set { } } + public System.Threading.RateLimiting.QueueProcessingOrder QueueProcessingOrder { get => throw null; set { } } + public System.TimeSpan ReplenishmentPeriod { get => throw null; set { } } + public int TokenLimit { get => throw null; set { } } + public int TokensPerPeriod { get => throw null; set { } } } - } } } From 2343e5ecd8b0ec123aaea18d0642b5b4c6246953 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Wed, 6 Sep 2023 09:23:13 +0200 Subject: [PATCH 08/12] C#: Regenerate `NHibernate` stubs --- .../frameworks/NHibernate/options | 2 +- .../Antlr3.Runtime/3.5.1/Antlr3.Runtime.cs | 1274 +- .../4.0.4/Iesi.Collections.cs | 90 - .../NHibernate/{5.3.8 => 5.4.6}/NHibernate.cs | 51938 +++++++--------- .../{5.3.8 => 5.4.6}/NHibernate.csproj | 6 +- .../2.2.0/Remotion.Linq.EagerFetching.cs | 78 +- .../Remotion.Linq/2.2.0/Remotion.Linq.cs | 1842 +- ...stem.Configuration.ConfigurationManager.cs | 1657 +- ....Configuration.ConfigurationManager.csproj | 0 9 files changed, 25661 insertions(+), 31226 deletions(-) delete mode 100644 csharp/ql/test/resources/stubs/Iesi.Collections/4.0.4/Iesi.Collections.cs rename csharp/ql/test/resources/stubs/NHibernate/{5.3.8 => 5.4.6}/NHibernate.cs (80%) rename csharp/ql/test/resources/stubs/NHibernate/{5.3.8 => 5.4.6}/NHibernate.csproj (93%) rename csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/{4.4.1 => 6.0.0}/System.Configuration.ConfigurationManager.cs (67%) rename csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/{4.4.1 => 6.0.0}/System.Configuration.ConfigurationManager.csproj (100%) diff --git a/csharp/ql/test/library-tests/frameworks/NHibernate/options b/csharp/ql/test/library-tests/frameworks/NHibernate/options index 65d73f7f5f3d..5dd1f6907569 100644 --- a/csharp/ql/test/library-tests/frameworks/NHibernate/options +++ b/csharp/ql/test/library-tests/frameworks/NHibernate/options @@ -1 +1 @@ -semmle-extractor-options: /nostdlib /noconfig --load-sources-from-project:../../../resources/stubs/NHibernate/5.3.8/NHibernate.csproj +semmle-extractor-options: /nostdlib /noconfig --load-sources-from-project:../../../resources/stubs/NHibernate/5.4.6/NHibernate.csproj diff --git a/csharp/ql/test/resources/stubs/Antlr3.Runtime/3.5.1/Antlr3.Runtime.cs b/csharp/ql/test/resources/stubs/Antlr3.Runtime/3.5.1/Antlr3.Runtime.cs index 6f83dad6003e..b3d00e8d91c9 100644 --- a/csharp/ql/test/resources/stubs/Antlr3.Runtime/3.5.1/Antlr3.Runtime.cs +++ b/csharp/ql/test/resources/stubs/Antlr3.Runtime/3.5.1/Antlr3.Runtime.cs @@ -1,46 +1,48 @@ // This file contains auto-generated code. - +// Generated from `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f`. namespace Antlr { namespace Runtime { - // Generated from `Antlr.Runtime.ANTLRInputStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class ANTLRInputStream : Antlr.Runtime.ANTLRReaderStream { - public ANTLRInputStream(System.IO.Stream input, int size, int readBufferSize, System.Text.Encoding encoding) : base(default(System.IO.TextReader)) => throw null; - public ANTLRInputStream(System.IO.Stream input, int size, System.Text.Encoding encoding) : base(default(System.IO.TextReader)) => throw null; + public ANTLRInputStream(System.IO.Stream input) : base(default(System.IO.TextReader)) => throw null; public ANTLRInputStream(System.IO.Stream input, int size) : base(default(System.IO.TextReader)) => throw null; public ANTLRInputStream(System.IO.Stream input, System.Text.Encoding encoding) : base(default(System.IO.TextReader)) => throw null; - public ANTLRInputStream(System.IO.Stream input) : base(default(System.IO.TextReader)) => throw null; + public ANTLRInputStream(System.IO.Stream input, int size, System.Text.Encoding encoding) : base(default(System.IO.TextReader)) => throw null; + public ANTLRInputStream(System.IO.Stream input, int size, int readBufferSize, System.Text.Encoding encoding) : base(default(System.IO.TextReader)) => throw null; } - - // Generated from `Antlr.Runtime.ANTLRReaderStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class ANTLRReaderStream : Antlr.Runtime.ANTLRStringStream { - public ANTLRReaderStream(System.IO.TextReader r, int size, int readChunkSize) => throw null; - public ANTLRReaderStream(System.IO.TextReader r, int size) => throw null; public ANTLRReaderStream(System.IO.TextReader r) => throw null; - public const int InitialBufferSize = default; + public ANTLRReaderStream(System.IO.TextReader r, int size) => throw null; + public ANTLRReaderStream(System.IO.TextReader r, int size, int readChunkSize) => throw null; + public static int InitialBufferSize; public virtual void Load(System.IO.TextReader r, int size, int readChunkSize) => throw null; - public const int ReadBufferSize = default; + public static int ReadBufferSize; } - - // Generated from `Antlr.Runtime.ANTLRStringStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class ANTLRStringStream : Antlr.Runtime.IIntStream, Antlr.Runtime.ICharStream + public class ANTLRStringStream : Antlr.Runtime.ICharStream, Antlr.Runtime.IIntStream { - public ANTLRStringStream(string input, string sourceName) => throw null; - public ANTLRStringStream(string input) => throw null; - public ANTLRStringStream(System.Char[] data, int numberOfActualCharsInArray, string sourceName) => throw null; - public ANTLRStringStream(System.Char[] data, int numberOfActualCharsInArray) => throw null; - protected ANTLRStringStream() => throw null; - public virtual int CharPositionInLine { get => throw null; set => throw null; } + public virtual int CharPositionInLine { get => throw null; set { } } public virtual void Consume() => throw null; public virtual int Count { get => throw null; } + public ANTLRStringStream(string input) => throw null; + public ANTLRStringStream(string input, string sourceName) => throw null; + public ANTLRStringStream(char[] data, int numberOfActualCharsInArray) => throw null; + public ANTLRStringStream(char[] data, int numberOfActualCharsInArray, string sourceName) => throw null; + protected ANTLRStringStream() => throw null; + protected char[] data; public virtual int Index { get => throw null; } public virtual int LA(int i) => throw null; + protected int lastMarker; + public virtual int Line { get => throw null; set { } } public virtual int LT(int i) => throw null; - public virtual int Line { get => throw null; set => throw null; } public virtual int Mark() => throw null; + protected int markDepth; + protected System.Collections.Generic.IList markers; + protected int n; + public string name; + protected int p; public virtual void Release(int marker) => throw null; public virtual void Reset() => throw null; public virtual void Rewind(int m) => throw null; @@ -49,36 +51,25 @@ public class ANTLRStringStream : Antlr.Runtime.IIntStream, Antlr.Runtime.ICharSt public virtual string SourceName { get => throw null; } public virtual string Substring(int start, int length) => throw null; public override string ToString() => throw null; - protected System.Char[] data; - protected int lastMarker; - protected int markDepth; - protected System.Collections.Generic.IList markers; - protected int n; - public string name; - protected int p; } - - // Generated from `Antlr.Runtime.AstParserRuleReturnScope<,>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class AstParserRuleReturnScope : Antlr.Runtime.ParserRuleReturnScope, Antlr.Runtime.IRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope + public class AstParserRuleReturnScope : Antlr.Runtime.ParserRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IRuleReturnScope { public AstParserRuleReturnScope() => throw null; - public TTree Tree { get => throw null; set => throw null; } + public TTree Tree { get => throw null; set { } } object Antlr.Runtime.IAstRuleReturnScope.Tree { get => throw null; } } - - // Generated from `Antlr.Runtime.BaseRecognizer` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class BaseRecognizer { public virtual bool AlreadyParsedRule(Antlr.Runtime.IIntStream input, int ruleIndex) => throw null; - public virtual int BacktrackingLevel { get => throw null; set => throw null; } - public BaseRecognizer(Antlr.Runtime.RecognizerSharedState state) => throw null; - public BaseRecognizer() => throw null; + public virtual int BacktrackingLevel { get => throw null; set { } } public virtual void BeginResync() => throw null; protected virtual Antlr.Runtime.BitSet CombineFollows(bool exact) => throw null; protected virtual Antlr.Runtime.BitSet ComputeContextSensitiveRuleFOLLOW() => throw null; protected virtual Antlr.Runtime.BitSet ComputeErrorRecoverySet() => throw null; public virtual void ConsumeUntil(Antlr.Runtime.IIntStream input, int tokenType) => throw null; public virtual void ConsumeUntil(Antlr.Runtime.IIntStream input, Antlr.Runtime.BitSet set) => throw null; + public BaseRecognizer() => throw null; + public BaseRecognizer(Antlr.Runtime.RecognizerSharedState state) => throw null; protected virtual void DebugBeginBacktrack(int level) => throw null; protected virtual void DebugEndBacktrack(int level, bool successful) => throw null; protected virtual void DebugEnterAlt(int alt) => throw null; @@ -92,7 +83,7 @@ public abstract class BaseRecognizer protected virtual void DebugLocation(int line, int charPositionInLine) => throw null; protected virtual void DebugRecognitionException(Antlr.Runtime.RecognitionException ex) => throw null; protected virtual void DebugSemanticPredicate(bool result, string predicate) => throw null; - public const int DefaultTokenChannel = default; + public static int DefaultTokenChannel; public virtual void DisplayRecognitionError(string[] tokenNames, Antlr.Runtime.RecognitionException e) => throw null; public virtual void EmitErrorMessage(string msg) => throw null; public virtual void EndResync() => throw null; @@ -105,17 +96,17 @@ public abstract class BaseRecognizer public virtual int GetRuleMemoizationCacheSize() => throw null; public virtual string GetTokenErrorDisplay(Antlr.Runtime.IToken t) => throw null; public virtual string GrammarFileName { get => throw null; } - public const int Hidden = default; + public static int Hidden; protected virtual void InitDFAs() => throw null; - public const int InitialFollowStackSize = default; + public static int InitialFollowStackSize; public virtual object Match(Antlr.Runtime.IIntStream input, int ttype, Antlr.Runtime.BitSet follow) => throw null; public virtual void MatchAny(Antlr.Runtime.IIntStream input) => throw null; - public const int MemoRuleFailed = default; - public const int MemoRuleUnknown = default; public virtual void Memoize(Antlr.Runtime.IIntStream input, int ruleIndex, int ruleStartIndex) => throw null; + public static int MemoRuleFailed; + public static int MemoRuleUnknown; public virtual bool MismatchIsMissingToken(Antlr.Runtime.IIntStream input, Antlr.Runtime.BitSet follow) => throw null; public virtual bool MismatchIsUnwantedToken(Antlr.Runtime.IIntStream input, int ttype) => throw null; - public const string NextTokenRuleName = default; + public static string NextTokenRuleName; public virtual int NumberOfSyntaxErrors { get => throw null; } protected void PopFollow() => throw null; protected void PushFollow(Antlr.Runtime.BitSet fset) => throw null; @@ -126,23 +117,21 @@ public abstract class BaseRecognizer public virtual void Reset() => throw null; public virtual void SetState(Antlr.Runtime.RecognizerSharedState value) => throw null; public abstract string SourceName { get; } - public virtual System.Collections.Generic.List ToStrings(System.Collections.Generic.ICollection tokens) => throw null; + protected Antlr.Runtime.RecognizerSharedState state; public virtual string[] TokenNames { get => throw null; } - public System.IO.TextWriter TraceDestination { get => throw null; set => throw null; } + public virtual System.Collections.Generic.List ToStrings(System.Collections.Generic.ICollection tokens) => throw null; + public System.IO.TextWriter TraceDestination { get => throw null; set { } } public virtual void TraceIn(string ruleName, int ruleIndex, object inputSymbol) => throw null; public virtual void TraceOut(string ruleName, int ruleIndex, object inputSymbol) => throw null; - protected internal Antlr.Runtime.RecognizerSharedState state; } - - // Generated from `Antlr.Runtime.BitSet` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class BitSet : System.ICloneable + public sealed class BitSet { public void Add(int el) => throw null; - public BitSet(int nbits) => throw null; - public BitSet(System.UInt64[] bits) => throw null; - public BitSet(System.Collections.Generic.IEnumerable items) => throw null; - public BitSet() => throw null; public object Clone() => throw null; + public BitSet() => throw null; + public BitSet(ulong[] bits) => throw null; + public BitSet(System.Collections.Generic.IEnumerable items) => throw null; + public BitSet(int nbits) => throw null; public override bool Equals(object other) => throw null; public override int GetHashCode() => throw null; public void GrowToInclude(int bit) => throw null; @@ -151,42 +140,42 @@ public class BitSet : System.ICloneable public bool Member(int el) => throw null; public int NumBits() => throw null; public static Antlr.Runtime.BitSet Of(int el) => throw null; - public static Antlr.Runtime.BitSet Of(int a, int b, int c, int d) => throw null; - public static Antlr.Runtime.BitSet Of(int a, int b, int c) => throw null; public static Antlr.Runtime.BitSet Of(int a, int b) => throw null; + public static Antlr.Runtime.BitSet Of(int a, int b, int c) => throw null; + public static Antlr.Runtime.BitSet Of(int a, int b, int c, int d) => throw null; public Antlr.Runtime.BitSet Or(Antlr.Runtime.BitSet a) => throw null; public void OrInPlace(Antlr.Runtime.BitSet a) => throw null; public void Remove(int el) => throw null; public int Size() => throw null; public int[] ToArray() => throw null; - public string ToString(string[] tokenNames) => throw null; public override string ToString() => throw null; + public string ToString(string[] tokenNames) => throw null; } - - // Generated from `Antlr.Runtime.BufferedTokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class BufferedTokenStream : Antlr.Runtime.ITokenStreamInformation, Antlr.Runtime.ITokenStream, Antlr.Runtime.IIntStream + public class BufferedTokenStream : Antlr.Runtime.ITokenStream, Antlr.Runtime.IIntStream, Antlr.Runtime.ITokenStreamInformation { - public BufferedTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; - public BufferedTokenStream() => throw null; + protected int _p; + protected System.Collections.Generic.List _tokens; public virtual void Consume() => throw null; public virtual int Count { get => throw null; } + public BufferedTokenStream() => throw null; + public BufferedTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; protected virtual void Fetch(int n) => throw null; public virtual void Fill() => throw null; public virtual Antlr.Runtime.IToken Get(int i) => throw null; - public virtual System.Collections.Generic.List GetTokens(int start, int stop, int ttype) => throw null; - public virtual System.Collections.Generic.List GetTokens(int start, int stop, System.Collections.Generic.IEnumerable types) => throw null; - public virtual System.Collections.Generic.List GetTokens(int start, int stop, Antlr.Runtime.BitSet types) => throw null; - public virtual System.Collections.Generic.List GetTokens(int start, int stop) => throw null; public virtual System.Collections.Generic.List GetTokens() => throw null; + public virtual System.Collections.Generic.List GetTokens(int start, int stop) => throw null; + public virtual System.Collections.Generic.List GetTokens(int start, int stop, Antlr.Runtime.BitSet types) => throw null; + public virtual System.Collections.Generic.List GetTokens(int start, int stop, System.Collections.Generic.IEnumerable types) => throw null; + public virtual System.Collections.Generic.List GetTokens(int start, int stop, int ttype) => throw null; public virtual int Index { get => throw null; } public virtual int LA(int i) => throw null; - protected virtual Antlr.Runtime.IToken LB(int k) => throw null; - public virtual Antlr.Runtime.IToken LT(int k) => throw null; public virtual Antlr.Runtime.IToken LastRealToken { get => throw null; } public virtual Antlr.Runtime.IToken LastToken { get => throw null; } + protected virtual Antlr.Runtime.IToken LB(int k) => throw null; + public virtual Antlr.Runtime.IToken LT(int k) => throw null; public virtual int Mark() => throw null; public virtual int MaxLookBehind { get => throw null; } - public virtual int Range { get => throw null; set => throw null; } + public virtual int Range { get => throw null; set { } } public virtual void Release(int marker) => throw null; public virtual void Reset() => throw null; public virtual void Rewind(int marker) => throw null; @@ -195,165 +184,175 @@ public class BufferedTokenStream : Antlr.Runtime.ITokenStreamInformation, Antlr. protected virtual void Setup() => throw null; public virtual string SourceName { get => throw null; } protected virtual void Sync(int i) => throw null; + public virtual Antlr.Runtime.ITokenSource TokenSource { get => throw null; set { } } + public override string ToString() => throw null; public virtual string ToString(int start, int stop) => throw null; public virtual string ToString(Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop) => throw null; - public override string ToString() => throw null; - public virtual Antlr.Runtime.ITokenSource TokenSource { get => throw null; set => throw null; } - protected int _p; - protected System.Collections.Generic.List _tokens; } - - // Generated from `Antlr.Runtime.CharStreamConstants` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public static class CharStreamConstants { - public const int EndOfFile = default; + public static int EndOfFile; } - - // Generated from `Antlr.Runtime.CharStreamState` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CharStreamState { - public CharStreamState() => throw null; public int charPositionInLine; + public CharStreamState() => throw null; public int line; public int p; } - - // Generated from `Antlr.Runtime.ClassicToken` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class ClassicToken : Antlr.Runtime.IToken { - public int Channel { get => throw null; set => throw null; } - public int CharPositionInLine { get => throw null; set => throw null; } - public ClassicToken(int type, string text, int channel) => throw null; - public ClassicToken(int type, string text) => throw null; + public int Channel { get => throw null; set { } } + public int CharPositionInLine { get => throw null; set { } } public ClassicToken(int type) => throw null; public ClassicToken(Antlr.Runtime.IToken oldToken) => throw null; - public Antlr.Runtime.ICharStream InputStream { get => throw null; set => throw null; } - public int Line { get => throw null; set => throw null; } - public int StartIndex { get => throw null; set => throw null; } - public int StopIndex { get => throw null; set => throw null; } - public string Text { get => throw null; set => throw null; } + public ClassicToken(int type, string text) => throw null; + public ClassicToken(int type, string text, int channel) => throw null; + public Antlr.Runtime.ICharStream InputStream { get => throw null; set { } } + public int Line { get => throw null; set { } } + public int StartIndex { get => throw null; set { } } + public int StopIndex { get => throw null; set { } } + public string Text { get => throw null; set { } } + public int TokenIndex { get => throw null; set { } } public override string ToString() => throw null; - public int TokenIndex { get => throw null; set => throw null; } - public int Type { get => throw null; set => throw null; } + public int Type { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.CommonToken` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CommonToken : Antlr.Runtime.IToken { - public int Channel { get => throw null; set => throw null; } - public int CharPositionInLine { get => throw null; set => throw null; } - public CommonToken(int type, string text) => throw null; + public int Channel { get => throw null; set { } } + public int CharPositionInLine { get => throw null; set { } } + public CommonToken() => throw null; public CommonToken(int type) => throw null; - public CommonToken(Antlr.Runtime.IToken oldToken) => throw null; public CommonToken(Antlr.Runtime.ICharStream input, int type, int channel, int start, int stop) => throw null; - public CommonToken() => throw null; - public Antlr.Runtime.ICharStream InputStream { get => throw null; set => throw null; } - public int Line { get => throw null; set => throw null; } - public int StartIndex { get => throw null; set => throw null; } - public int StopIndex { get => throw null; set => throw null; } - public string Text { get => throw null; set => throw null; } + public CommonToken(int type, string text) => throw null; + public CommonToken(Antlr.Runtime.IToken oldToken) => throw null; + public Antlr.Runtime.ICharStream InputStream { get => throw null; set { } } + public int Line { get => throw null; set { } } + public int StartIndex { get => throw null; set { } } + public int StopIndex { get => throw null; set { } } + public string Text { get => throw null; set { } } + public int TokenIndex { get => throw null; set { } } public override string ToString() => throw null; - public int TokenIndex { get => throw null; set => throw null; } - public int Type { get => throw null; set => throw null; } + public int Type { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.CommonTokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CommonTokenStream : Antlr.Runtime.BufferedTokenStream { public int Channel { get => throw null; } - public CommonTokenStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; - public CommonTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; - public CommonTokenStream() => throw null; public override void Consume() => throw null; + public CommonTokenStream() => throw null; + public CommonTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; + public CommonTokenStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; protected override Antlr.Runtime.IToken LB(int k) => throw null; public override Antlr.Runtime.IToken LT(int k) => throw null; public override void Reset() => throw null; protected override void Setup() => throw null; protected virtual int SkipOffTokenChannels(int i) => throw null; protected virtual int SkipOffTokenChannelsReverse(int i) => throw null; - public override Antlr.Runtime.ITokenSource TokenSource { get => throw null; set => throw null; } + public override Antlr.Runtime.ITokenSource TokenSource { get => throw null; set { } } + } + namespace Debug + { + public interface IDebugEventListener + { + void AddChild(object root, object child); + void BecomeRoot(object newRoot, object oldRoot); + void BeginBacktrack(int level); + void BeginResync(); + void Commence(); + void ConsumeHiddenToken(Antlr.Runtime.IToken t); + void ConsumeNode(object t); + void ConsumeToken(Antlr.Runtime.IToken t); + void CreateNode(object t); + void CreateNode(object node, Antlr.Runtime.IToken token); + void EndBacktrack(int level, bool successful); + void EndResync(); + void EnterAlt(int alt); + void EnterDecision(int decisionNumber, bool couldBacktrack); + void EnterRule(string grammarFileName, string ruleName); + void EnterSubRule(int decisionNumber); + void ErrorNode(object t); + void ExitDecision(int decisionNumber); + void ExitRule(string grammarFileName, string ruleName); + void ExitSubRule(int decisionNumber); + void Initialize(); + void Location(int line, int pos); + void LT(int i, Antlr.Runtime.IToken t); + void LT(int i, object t); + void Mark(int marker); + void NilNode(object t); + void RecognitionException(Antlr.Runtime.RecognitionException e); + void Rewind(int marker); + void Rewind(); + void SemanticPredicate(bool result, string predicate); + void SetTokenBoundaries(object t, int tokenStartIndex, int tokenStopIndex); + void Terminate(); + } } - - // Generated from `Antlr.Runtime.DFA` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class DFA { - public DFA(Antlr.Runtime.SpecialStateTransitionHandler specialStateTransition) => throw null; + protected short[] accept; public DFA() => throw null; + public DFA(Antlr.Runtime.SpecialStateTransitionHandler specialStateTransition) => throw null; + public bool debug; protected virtual void DebugRecognitionException(Antlr.Runtime.RecognitionException ex) => throw null; + protected int decisionNumber; public virtual string Description { get => throw null; } + protected short[] eof; + protected short[] eot; public virtual void Error(Antlr.Runtime.NoViableAltException nvae) => throw null; + protected char[] max; + protected char[] min; protected virtual void NoViableAlt(int s, Antlr.Runtime.IIntStream input) => throw null; public virtual int Predict(Antlr.Runtime.IIntStream input) => throw null; - public Antlr.Runtime.SpecialStateTransitionHandler SpecialStateTransition { get => throw null; set => throw null; } - public static System.Int16[] UnpackEncodedString(string encodedString) => throw null; - public static System.Char[] UnpackEncodedStringToUnsignedChars(string encodedString) => throw null; - protected System.Int16[] accept; - public bool debug; - protected int decisionNumber; - protected System.Int16[] eof; - protected System.Int16[] eot; - protected System.Char[] max; - protected System.Char[] min; protected Antlr.Runtime.BaseRecognizer recognizer; - protected System.Int16[] special; - protected System.Int16[][] transition; + protected short[] special; + public Antlr.Runtime.SpecialStateTransitionHandler SpecialStateTransition { get => throw null; } + protected short[][] transition; + public static short[] UnpackEncodedString(string encodedString) => throw null; + public static char[] UnpackEncodedStringToUnsignedChars(string encodedString) => throw null; } - - // Generated from `Antlr.Runtime.EarlyExitException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class EarlyExitException : Antlr.Runtime.RecognitionException { - public int DecisionNumber { get => throw null; } - public EarlyExitException(string message, int decisionNumber, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public EarlyExitException(string message, int decisionNumber, Antlr.Runtime.IIntStream input) => throw null; - public EarlyExitException(string message, System.Exception innerException) => throw null; + public EarlyExitException() => throw null; public EarlyExitException(string message) => throw null; + public EarlyExitException(string message, System.Exception innerException) => throw null; public EarlyExitException(int decisionNumber, Antlr.Runtime.IIntStream input) => throw null; - public EarlyExitException() => throw null; + public EarlyExitException(string message, int decisionNumber, Antlr.Runtime.IIntStream input) => throw null; + public EarlyExitException(string message, int decisionNumber, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; + public int DecisionNumber { get => throw null; } } - - // Generated from `Antlr.Runtime.FailedPredicateException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class FailedPredicateException : Antlr.Runtime.RecognitionException { - public FailedPredicateException(string message, System.Exception innerException) => throw null; - public FailedPredicateException(string message, Antlr.Runtime.IIntStream input, string ruleName, string predicateText, System.Exception innerException) => throw null; - public FailedPredicateException(string message, Antlr.Runtime.IIntStream input, string ruleName, string predicateText) => throw null; + public FailedPredicateException() => throw null; public FailedPredicateException(string message) => throw null; + public FailedPredicateException(string message, System.Exception innerException) => throw null; public FailedPredicateException(Antlr.Runtime.IIntStream input, string ruleName, string predicateText) => throw null; - public FailedPredicateException() => throw null; + public FailedPredicateException(string message, Antlr.Runtime.IIntStream input, string ruleName, string predicateText) => throw null; + public FailedPredicateException(string message, Antlr.Runtime.IIntStream input, string ruleName, string predicateText, System.Exception innerException) => throw null; public string PredicateText { get => throw null; } public string RuleName { get => throw null; } public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.GrammarRuleAttribute` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class GrammarRuleAttribute : System.Attribute + public sealed class GrammarRuleAttribute : System.Attribute { public GrammarRuleAttribute(string name) => throw null; public string Name { get => throw null; } } - - // Generated from `Antlr.Runtime.IAstRuleReturnScope` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IAstRuleReturnScope : Antlr.Runtime.IRuleReturnScope { object Tree { get; } } - - // Generated from `Antlr.Runtime.IAstRuleReturnScope<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public interface IAstRuleReturnScope : Antlr.Runtime.IRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope + public interface IAstRuleReturnScope : Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IRuleReturnScope { TAstLabel Tree { get; } } - - // Generated from `Antlr.Runtime.ICharStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ICharStream : Antlr.Runtime.IIntStream { int CharPositionInLine { get; set; } - int LT(int i); int Line { get; set; } + int LT(int i); string Substring(int start, int length); } - - // Generated from `Antlr.Runtime.IIntStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IIntStream { void Consume(); @@ -367,34 +366,24 @@ public interface IIntStream void Seek(int index); string SourceName { get; } } - - // Generated from `Antlr.Runtime.IRuleReturnScope` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IRuleReturnScope { object Start { get; } object Stop { get; } } - - // Generated from `Antlr.Runtime.IRuleReturnScope<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IRuleReturnScope : Antlr.Runtime.IRuleReturnScope { TLabel Start { get; } TLabel Stop { get; } } - - // Generated from `Antlr.Runtime.ITemplateRuleReturnScope` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITemplateRuleReturnScope { object Template { get; } } - - // Generated from `Antlr.Runtime.ITemplateRuleReturnScope<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITemplateRuleReturnScope : Antlr.Runtime.ITemplateRuleReturnScope { TTemplate Template { get; } } - - // Generated from `Antlr.Runtime.IToken` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IToken { int Channel { get; set; } @@ -407,56 +396,54 @@ public interface IToken int TokenIndex { get; set; } int Type { get; set; } } - - // Generated from `Antlr.Runtime.ITokenSource` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITokenSource { Antlr.Runtime.IToken NextToken(); string SourceName { get; } string[] TokenNames { get; } } - - // Generated from `Antlr.Runtime.ITokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITokenStream : Antlr.Runtime.IIntStream { Antlr.Runtime.IToken Get(int i); Antlr.Runtime.IToken LT(int k); int Range { get; } + Antlr.Runtime.ITokenSource TokenSource { get; } string ToString(int start, int stop); string ToString(Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop); - Antlr.Runtime.ITokenSource TokenSource { get; } } - - // Generated from `Antlr.Runtime.ITokenStreamInformation` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITokenStreamInformation { Antlr.Runtime.IToken LastRealToken { get; } Antlr.Runtime.IToken LastToken { get; } int MaxLookBehind { get; } } - - // Generated from `Antlr.Runtime.LegacyCommonTokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class LegacyCommonTokenStream : Antlr.Runtime.ITokenStream, Antlr.Runtime.IIntStream { + protected int channel; + protected System.Collections.Generic.IDictionary channelOverrideMap; public virtual void Consume() => throw null; public virtual int Count { get => throw null; } + public LegacyCommonTokenStream() => throw null; + public LegacyCommonTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; + public LegacyCommonTokenStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; + protected bool discardOffChannelTokens; + protected System.Collections.Generic.List discardSet; public virtual void DiscardTokenType(int ttype) => throw null; public virtual void FillBuffer() => throw null; public virtual Antlr.Runtime.IToken Get(int i) => throw null; - public virtual System.Collections.Generic.IList GetTokens(int start, int stop, int ttype) => throw null; - public virtual System.Collections.Generic.IList GetTokens(int start, int stop, System.Collections.Generic.IList types) => throw null; - public virtual System.Collections.Generic.IList GetTokens(int start, int stop, Antlr.Runtime.BitSet types) => throw null; - public virtual System.Collections.Generic.IList GetTokens(int start, int stop) => throw null; public virtual System.Collections.Generic.IList GetTokens() => throw null; + public virtual System.Collections.Generic.IList GetTokens(int start, int stop) => throw null; + public virtual System.Collections.Generic.IList GetTokens(int start, int stop, Antlr.Runtime.BitSet types) => throw null; + public virtual System.Collections.Generic.IList GetTokens(int start, int stop, System.Collections.Generic.IList types) => throw null; + public virtual System.Collections.Generic.IList GetTokens(int start, int stop, int ttype) => throw null; public virtual int Index { get => throw null; } public virtual int LA(int i) => throw null; + protected int lastMarker; protected virtual Antlr.Runtime.IToken LB(int k) => throw null; public virtual Antlr.Runtime.IToken LT(int k) => throw null; - public LegacyCommonTokenStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; - public LegacyCommonTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; - public LegacyCommonTokenStream() => throw null; public virtual int Mark() => throw null; - public virtual int Range { get => throw null; set => throw null; } + protected int p; + public virtual int Range { get => throw null; set { } } public virtual void Release(int marker) => throw null; public virtual void Reset() => throw null; public virtual void Rewind(int marker) => throw null; @@ -468,38 +455,32 @@ public class LegacyCommonTokenStream : Antlr.Runtime.ITokenStream, Antlr.Runtime protected virtual int SkipOffTokenChannels(int i) => throw null; protected virtual int SkipOffTokenChannelsReverse(int i) => throw null; public virtual string SourceName { get => throw null; } + protected System.Collections.Generic.List tokens; + public virtual Antlr.Runtime.ITokenSource TokenSource { get => throw null; } + public override string ToString() => throw null; public virtual string ToString(int start, int stop) => throw null; public virtual string ToString(Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop) => throw null; - public override string ToString() => throw null; - public virtual Antlr.Runtime.ITokenSource TokenSource { get => throw null; } - protected int channel; - protected System.Collections.Generic.IDictionary channelOverrideMap; - protected bool discardOffChannelTokens; - protected System.Collections.Generic.List discardSet; - protected int lastMarker; - protected int p; - protected System.Collections.Generic.List tokens; } - - // Generated from `Antlr.Runtime.Lexer` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class Lexer : Antlr.Runtime.BaseRecognizer, Antlr.Runtime.ITokenSource { public virtual int CharIndex { get => throw null; } - public int CharPositionInLine { get => throw null; set => throw null; } - public virtual Antlr.Runtime.ICharStream CharStream { get => throw null; set => throw null; } + public int CharPositionInLine { get => throw null; set { } } + public virtual Antlr.Runtime.ICharStream CharStream { get => throw null; set { } } + public Lexer() => throw null; + public Lexer(Antlr.Runtime.ICharStream input) => throw null; + public Lexer(Antlr.Runtime.ICharStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; public virtual void Emit(Antlr.Runtime.IToken token) => throw null; public virtual Antlr.Runtime.IToken Emit() => throw null; public virtual string GetCharErrorDisplay(int c) => throw null; public virtual Antlr.Runtime.IToken GetEndOfFileToken() => throw null; public override string GetErrorMessage(Antlr.Runtime.RecognitionException e, string[] tokenNames) => throw null; - public Lexer(Antlr.Runtime.ICharStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; - public Lexer(Antlr.Runtime.ICharStream input) => throw null; - public Lexer() => throw null; - public int Line { get => throw null; set => throw null; } + protected Antlr.Runtime.ICharStream input; + public int Line { get => throw null; set { } } public virtual void Match(string s) => throw null; public virtual void Match(int c) => throw null; public virtual void MatchAny() => throw null; public virtual void MatchRange(int a, int b) => throw null; + public abstract void mTokens(); public virtual Antlr.Runtime.IToken NextToken() => throw null; protected virtual void ParseNextToken() => throw null; public virtual void Recover(Antlr.Runtime.RecognitionException re) => throw null; @@ -507,172 +488,199 @@ public abstract class Lexer : Antlr.Runtime.BaseRecognizer, Antlr.Runtime.IToken public override void Reset() => throw null; public virtual void Skip() => throw null; public override string SourceName { get => throw null; } - public string Text { get => throw null; set => throw null; } + public string Text { get => throw null; set { } } public virtual void TraceIn(string ruleName, int ruleIndex) => throw null; public virtual void TraceOut(string ruleName, int ruleIndex) => throw null; - protected Antlr.Runtime.ICharStream input; - public abstract void mTokens(); } - - // Generated from `Antlr.Runtime.MismatchedNotSetException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` + namespace Misc + { + public delegate void Action(); + public class FastQueue + { + public virtual void Clear() => throw null; + public virtual int Count { get => throw null; } + public FastQueue() => throw null; + public virtual T Dequeue() => throw null; + public virtual void Enqueue(T o) => throw null; + public virtual T Peek() => throw null; + public virtual int Range { get => throw null; set { } } + public virtual T this[int i] { get => throw null; } + public override string ToString() => throw null; + } + public delegate TResult Func(); + public delegate TResult Func(T arg); + public class ListStack : System.Collections.Generic.List + { + public ListStack() => throw null; + public T Peek() => throw null; + public T Peek(int depth) => throw null; + public T Pop() => throw null; + public void Push(T item) => throw null; + public bool TryPeek(out T item) => throw null; + public bool TryPeek(int depth, out T item) => throw null; + public bool TryPop(out T item) => throw null; + } + public abstract class LookaheadStream : Antlr.Runtime.Misc.FastQueue where T : class + { + public virtual void Consume() => throw null; + public override int Count { get => throw null; } + protected LookaheadStream() => throw null; + public override T Dequeue() => throw null; + public T EndOfFile { get => throw null; set { } } + public virtual void Fill(int n) => throw null; + public virtual int Index { get => throw null; } + public abstract bool IsEndOfFile(T o); + protected virtual T LB(int k) => throw null; + public virtual T LT(int k) => throw null; + public virtual int Mark() => throw null; + public abstract T NextElement(); + public T PreviousElement { get => throw null; } + public virtual void Release(int marker) => throw null; + public virtual void Reset() => throw null; + public virtual void Rewind(int marker) => throw null; + public virtual void Rewind() => throw null; + public virtual void Seek(int index) => throw null; + protected virtual void SyncAhead(int need) => throw null; + } + } public class MismatchedNotSetException : Antlr.Runtime.MismatchedSetException { - public MismatchedNotSetException(string message, System.Exception innerException) => throw null; - public MismatchedNotSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public MismatchedNotSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; + public MismatchedNotSetException() => throw null; public MismatchedNotSetException(string message) => throw null; + public MismatchedNotSetException(string message, System.Exception innerException) => throw null; public MismatchedNotSetException(Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; - public MismatchedNotSetException() => throw null; + public MismatchedNotSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; + public MismatchedNotSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.MismatchedRangeException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class MismatchedRangeException : Antlr.Runtime.RecognitionException { public int A { get => throw null; } public int B { get => throw null; } - public MismatchedRangeException(string message, int a, int b, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public MismatchedRangeException(string message, int a, int b, Antlr.Runtime.IIntStream input) => throw null; - public MismatchedRangeException(string message, System.Exception innerException) => throw null; + public MismatchedRangeException() => throw null; public MismatchedRangeException(string message) => throw null; + public MismatchedRangeException(string message, System.Exception innerException) => throw null; public MismatchedRangeException(int a, int b, Antlr.Runtime.IIntStream input) => throw null; - public MismatchedRangeException() => throw null; + public MismatchedRangeException(string message, int a, int b, Antlr.Runtime.IIntStream input) => throw null; + public MismatchedRangeException(string message, int a, int b, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.MismatchedSetException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class MismatchedSetException : Antlr.Runtime.RecognitionException { - public Antlr.Runtime.BitSet Expecting { get => throw null; } - public MismatchedSetException(string message, System.Exception innerException) => throw null; - public MismatchedSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public MismatchedSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; + public MismatchedSetException() => throw null; public MismatchedSetException(string message) => throw null; + public MismatchedSetException(string message, System.Exception innerException) => throw null; public MismatchedSetException(Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; - public MismatchedSetException() => throw null; + public MismatchedSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input) => throw null; + public MismatchedSetException(string message, Antlr.Runtime.BitSet expecting, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; + public Antlr.Runtime.BitSet Expecting { get => throw null; } public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.MismatchedTokenException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class MismatchedTokenException : Antlr.Runtime.RecognitionException { - public int Expecting { get => throw null; } - public MismatchedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; - public MismatchedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; - public MismatchedTokenException(string message, System.Exception innerException) => throw null; + public MismatchedTokenException() => throw null; public MismatchedTokenException(string message) => throw null; - public MismatchedTokenException(int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; + public MismatchedTokenException(string message, System.Exception innerException) => throw null; public MismatchedTokenException(int expecting, Antlr.Runtime.IIntStream input) => throw null; - public MismatchedTokenException() => throw null; - public override string ToString() => throw null; + public MismatchedTokenException(int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; + public MismatchedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; + public MismatchedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; + public int Expecting { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection TokenNames { get => throw null; } + public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.MismatchedTreeNodeException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class MismatchedTreeNodeException : Antlr.Runtime.RecognitionException { - public int Expecting { get => throw null; } - public MismatchedTreeNodeException(string message, int expecting, Antlr.Runtime.Tree.ITreeNodeStream input, System.Exception innerException) => throw null; - public MismatchedTreeNodeException(string message, int expecting, Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; - public MismatchedTreeNodeException(string message, System.Exception innerException) => throw null; + public MismatchedTreeNodeException() => throw null; public MismatchedTreeNodeException(string message) => throw null; + public MismatchedTreeNodeException(string message, System.Exception innerException) => throw null; public MismatchedTreeNodeException(int expecting, Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; - public MismatchedTreeNodeException() => throw null; + public MismatchedTreeNodeException(string message, int expecting, Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; + public MismatchedTreeNodeException(string message, int expecting, Antlr.Runtime.Tree.ITreeNodeStream input, System.Exception innerException) => throw null; + public int Expecting { get => throw null; } public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.MissingTokenException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class MissingTokenException : Antlr.Runtime.MismatchedTokenException { - public MissingTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; - public MissingTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames) => throw null; - public MissingTokenException(string message, System.Exception innerException) => throw null; + public MissingTokenException() => throw null; public MissingTokenException(string message) => throw null; - public MissingTokenException(int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames) => throw null; + public MissingTokenException(string message, System.Exception innerException) => throw null; public MissingTokenException(int expecting, Antlr.Runtime.IIntStream input, object inserted) => throw null; - public MissingTokenException() => throw null; + public MissingTokenException(int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames) => throw null; + public MissingTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames) => throw null; + public MissingTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, object inserted, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; public virtual int MissingType { get => throw null; } public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.NoViableAltException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class NoViableAltException : Antlr.Runtime.RecognitionException { - public int DecisionNumber { get => throw null; } - public string GrammarDecisionDescription { get => throw null; } - public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k, System.Exception innerException) => throw null; - public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k) => throw null; - public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input) => throw null; - public NoViableAltException(string message, string grammarDecisionDescription, System.Exception innerException) => throw null; + public NoViableAltException() => throw null; + public NoViableAltException(string grammarDecisionDescription) => throw null; public NoViableAltException(string message, string grammarDecisionDescription) => throw null; - public NoViableAltException(string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k) => throw null; + public NoViableAltException(string message, string grammarDecisionDescription, System.Exception innerException) => throw null; public NoViableAltException(string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input) => throw null; - public NoViableAltException(string grammarDecisionDescription) => throw null; - public NoViableAltException() => throw null; + public NoViableAltException(string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k) => throw null; + public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input) => throw null; + public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k) => throw null; + public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; + public NoViableAltException(string message, string grammarDecisionDescription, int decisionNumber, int stateNumber, Antlr.Runtime.IIntStream input, int k, System.Exception innerException) => throw null; + public int DecisionNumber { get => throw null; } + public string GrammarDecisionDescription { get => throw null; } public int StateNumber { get => throw null; } public override string ToString() => throw null; } - - // Generated from `Antlr.Runtime.Parser` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class Parser : Antlr.Runtime.BaseRecognizer { + public Parser(Antlr.Runtime.ITokenStream input) => throw null; + public Parser(Antlr.Runtime.ITokenStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; protected override object GetCurrentInputSymbol(Antlr.Runtime.IIntStream input) => throw null; protected override object GetMissingSymbol(Antlr.Runtime.IIntStream input, Antlr.Runtime.RecognitionException e, int expectedTokenType, Antlr.Runtime.BitSet follow) => throw null; - public Parser(Antlr.Runtime.ITokenStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; - public Parser(Antlr.Runtime.ITokenStream input) => throw null; + public Antlr.Runtime.ITokenStream input; public override void Reset() => throw null; public override string SourceName { get => throw null; } - public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set => throw null; } + public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set { } } public virtual void TraceIn(string ruleName, int ruleIndex) => throw null; public virtual void TraceOut(string ruleName, int ruleIndex) => throw null; - public Antlr.Runtime.ITokenStream input; } - - // Generated from `Antlr.Runtime.ParserRuleReturnScope<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class ParserRuleReturnScope : Antlr.Runtime.IRuleReturnScope, Antlr.Runtime.IRuleReturnScope { public ParserRuleReturnScope() => throw null; - public TToken Start { get => throw null; set => throw null; } + public TToken Start { get => throw null; set { } } object Antlr.Runtime.IRuleReturnScope.Start { get => throw null; } - public TToken Stop { get => throw null; set => throw null; } + public TToken Stop { get => throw null; set { } } object Antlr.Runtime.IRuleReturnScope.Stop { get => throw null; } } - - // Generated from `Antlr.Runtime.RecognitionException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RecognitionException : System.Exception { - public bool ApproximateLineInfo { get => throw null; set => throw null; } - public int CharPositionInLine { get => throw null; set => throw null; } - public int Character { get => throw null; set => throw null; } - protected virtual void ExtractInformationFromTreeNodeStream(Antlr.Runtime.Tree.ITreeNodeStream input, int k) => throw null; - protected virtual void ExtractInformationFromTreeNodeStream(Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; - public int Index { get => throw null; set => throw null; } - public Antlr.Runtime.IIntStream Input { get => throw null; set => throw null; } - public int Line { get => throw null; set => throw null; } - public int Lookahead { get => throw null; } - public object Node { get => throw null; set => throw null; } - public RecognitionException(string message, System.Exception innerException) => throw null; - public RecognitionException(string message, Antlr.Runtime.IIntStream input, int k, System.Exception innerException) => throw null; + public bool ApproximateLineInfo { get => throw null; set { } } + public int Character { get => throw null; set { } } + public int CharPositionInLine { get => throw null; set { } } + public RecognitionException() => throw null; + public RecognitionException(Antlr.Runtime.IIntStream input) => throw null; + public RecognitionException(Antlr.Runtime.IIntStream input, int k) => throw null; + public RecognitionException(string message) => throw null; + public RecognitionException(string message, Antlr.Runtime.IIntStream input) => throw null; public RecognitionException(string message, Antlr.Runtime.IIntStream input, int k) => throw null; + public RecognitionException(string message, System.Exception innerException) => throw null; public RecognitionException(string message, Antlr.Runtime.IIntStream input, System.Exception innerException) => throw null; - public RecognitionException(string message, Antlr.Runtime.IIntStream input) => throw null; - public RecognitionException(string message) => throw null; - public RecognitionException(Antlr.Runtime.IIntStream input, int k) => throw null; - public RecognitionException(Antlr.Runtime.IIntStream input) => throw null; - public RecognitionException() => throw null; - public Antlr.Runtime.IToken Token { get => throw null; set => throw null; } + public RecognitionException(string message, Antlr.Runtime.IIntStream input, int k, System.Exception innerException) => throw null; + protected virtual void ExtractInformationFromTreeNodeStream(Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; + protected virtual void ExtractInformationFromTreeNodeStream(Antlr.Runtime.Tree.ITreeNodeStream input, int k) => throw null; + public int Index { get => throw null; set { } } + public Antlr.Runtime.IIntStream Input { get => throw null; set { } } + public int Line { get => throw null; set { } } + public int Lookahead { get => throw null; } + public object Node { get => throw null; set { } } + public Antlr.Runtime.IToken Token { get => throw null; set { } } public virtual int UnexpectedType { get => throw null; } } - - // Generated from `Antlr.Runtime.RecognizerSharedState` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RecognizerSharedState { - public RecognizerSharedState(Antlr.Runtime.RecognizerSharedState state) => throw null; - public RecognizerSharedState() => throw null; public int _fsp; public int backtracking; public int channel; + public RecognizerSharedState() => throw null; + public RecognizerSharedState(Antlr.Runtime.RecognizerSharedState state) => throw null; public bool errorRecovery; public bool failed; public Antlr.Runtime.BitSet[] following; @@ -686,279 +694,119 @@ public class RecognizerSharedState public int tokenStartLine; public int type; } - - // Generated from `Antlr.Runtime.SpecialStateTransitionHandler` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public delegate int SpecialStateTransitionHandler(Antlr.Runtime.DFA dfa, int s, Antlr.Runtime.IIntStream input); - - // Generated from `Antlr.Runtime.TemplateParserRuleReturnScope<,>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TemplateParserRuleReturnScope : Antlr.Runtime.ParserRuleReturnScope, Antlr.Runtime.ITemplateRuleReturnScope, Antlr.Runtime.ITemplateRuleReturnScope { - public TTemplate Template { get => throw null; set => throw null; } - object Antlr.Runtime.ITemplateRuleReturnScope.Template { get => throw null; } public TemplateParserRuleReturnScope() => throw null; + public TTemplate Template { get => throw null; set { } } + object Antlr.Runtime.ITemplateRuleReturnScope.Template { get => throw null; } } - - // Generated from `Antlr.Runtime.TokenChannels` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public static class TokenChannels { - public const int Default = default; - public const int Hidden = default; + public static int Default; + public static int Hidden; } - - // Generated from `Antlr.Runtime.TokenRewriteStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TokenRewriteStream : Antlr.Runtime.CommonTokenStream { protected virtual string CatOpText(object a, object b) => throw null; - public const string DEFAULT_PROGRAM_NAME = default; - public virtual void Delete(string programName, int from, int to) => throw null; - public virtual void Delete(string programName, Antlr.Runtime.IToken from, Antlr.Runtime.IToken to) => throw null; + public TokenRewriteStream() => throw null; + public TokenRewriteStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; + public TokenRewriteStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; + public static string DEFAULT_PROGRAM_NAME; public virtual void Delete(int index) => throw null; public virtual void Delete(int from, int to) => throw null; public virtual void Delete(Antlr.Runtime.IToken indexT) => throw null; public virtual void Delete(Antlr.Runtime.IToken from, Antlr.Runtime.IToken to) => throw null; - public virtual void DeleteProgram(string programName) => throw null; + public virtual void Delete(string programName, int from, int to) => throw null; + public virtual void Delete(string programName, Antlr.Runtime.IToken from, Antlr.Runtime.IToken to) => throw null; public virtual void DeleteProgram() => throw null; - protected virtual System.Collections.Generic.IList GetKindOfOps(System.Collections.Generic.IList rewrites, System.Type kind, int before) => throw null; + public virtual void DeleteProgram(string programName) => throw null; protected virtual System.Collections.Generic.IList GetKindOfOps(System.Collections.Generic.IList rewrites, System.Type kind) => throw null; + protected virtual System.Collections.Generic.IList GetKindOfOps(System.Collections.Generic.IList rewrites, System.Type kind, int before) => throw null; public virtual int GetLastRewriteTokenIndex() => throw null; protected virtual int GetLastRewriteTokenIndex(string programName) => throw null; protected virtual System.Collections.Generic.IList GetProgram(string name) => throw null; protected void Init() => throw null; - public virtual void InsertAfter(string programName, int index, object text) => throw null; - public virtual void InsertAfter(string programName, Antlr.Runtime.IToken t, object text) => throw null; - public virtual void InsertAfter(int index, object text) => throw null; public virtual void InsertAfter(Antlr.Runtime.IToken t, object text) => throw null; - public virtual void InsertBefore(string programName, int index, object text) => throw null; - public virtual void InsertBefore(string programName, Antlr.Runtime.IToken t, object text) => throw null; - public virtual void InsertBefore(int index, object text) => throw null; + public virtual void InsertAfter(int index, object text) => throw null; + public virtual void InsertAfter(string programName, Antlr.Runtime.IToken t, object text) => throw null; + public virtual void InsertAfter(string programName, int index, object text) => throw null; public virtual void InsertBefore(Antlr.Runtime.IToken t, object text) => throw null; - public const int MIN_TOKEN_INDEX = default; - public const int PROGRAM_INIT_SIZE = default; + public virtual void InsertBefore(int index, object text) => throw null; + public virtual void InsertBefore(string programName, Antlr.Runtime.IToken t, object text) => throw null; + public virtual void InsertBefore(string programName, int index, object text) => throw null; + protected System.Collections.Generic.IDictionary lastRewriteTokenIndexes; + public static int MIN_TOKEN_INDEX; + public static int PROGRAM_INIT_SIZE; + protected System.Collections.Generic.IDictionary> programs; protected virtual System.Collections.Generic.IDictionary ReduceToSingleOperationPerIndex(System.Collections.Generic.IList rewrites) => throw null; - public virtual void Replace(string programName, int from, int to, object text) => throw null; - public virtual void Replace(string programName, Antlr.Runtime.IToken from, Antlr.Runtime.IToken to, object text) => throw null; public virtual void Replace(int index, object text) => throw null; public virtual void Replace(int from, int to, object text) => throw null; public virtual void Replace(Antlr.Runtime.IToken indexT, object text) => throw null; public virtual void Replace(Antlr.Runtime.IToken from, Antlr.Runtime.IToken to, object text) => throw null; - // Generated from `Antlr.Runtime.TokenRewriteStream+RewriteOperation` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` + public virtual void Replace(string programName, int from, int to, object text) => throw null; + public virtual void Replace(string programName, Antlr.Runtime.IToken from, Antlr.Runtime.IToken to, object text) => throw null; protected class RewriteOperation { - public virtual int Execute(System.Text.StringBuilder buf) => throw null; - protected RewriteOperation(Antlr.Runtime.TokenRewriteStream stream, int index, object text) => throw null; protected RewriteOperation(Antlr.Runtime.TokenRewriteStream stream, int index) => throw null; - public override string ToString() => throw null; + protected RewriteOperation(Antlr.Runtime.TokenRewriteStream stream, int index, object text) => throw null; + public virtual int Execute(System.Text.StringBuilder buf) => throw null; public int index; public int instructionIndex; protected Antlr.Runtime.TokenRewriteStream stream; public object text; + public override string ToString() => throw null; } - - - public virtual void Rollback(string programName, int instructionIndex) => throw null; public virtual void Rollback(int instructionIndex) => throw null; + public virtual void Rollback(string programName, int instructionIndex) => throw null; protected virtual void SetLastRewriteTokenIndex(string programName, int i) => throw null; - public virtual string ToDebugString(int start, int end) => throw null; public virtual string ToDebugString() => throw null; - public virtual string ToOriginalString(int start, int end) => throw null; + public virtual string ToDebugString(int start, int end) => throw null; public virtual string ToOriginalString() => throw null; - public virtual string ToString(string programName, int start, int end) => throw null; + public virtual string ToOriginalString(int start, int end) => throw null; + public override string ToString() => throw null; public virtual string ToString(string programName) => throw null; public override string ToString(int start, int end) => throw null; - public override string ToString() => throw null; - public TokenRewriteStream(Antlr.Runtime.ITokenSource tokenSource, int channel) => throw null; - public TokenRewriteStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; - public TokenRewriteStream() => throw null; - protected System.Collections.Generic.IDictionary lastRewriteTokenIndexes; - protected System.Collections.Generic.IDictionary> programs; - } - - // Generated from `Antlr.Runtime.TokenTypes` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public static class TokenTypes - { - public const int Down = default; - public const int EndOfFile = default; - public const int EndOfRule = default; - public const int Invalid = default; - public const int Min = default; - public const int Up = default; + public virtual string ToString(string programName, int start, int end) => throw null; } - - // Generated from `Antlr.Runtime.Tokens` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public static class Tokens { public static Antlr.Runtime.IToken Skip; } - - // Generated from `Antlr.Runtime.UnbufferedTokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class UnbufferedTokenStream : Antlr.Runtime.Misc.LookaheadStream, Antlr.Runtime.ITokenStreamInformation, Antlr.Runtime.ITokenStream, Antlr.Runtime.IIntStream - { - public override void Clear() => throw null; - public override void Consume() => throw null; - public Antlr.Runtime.IToken Get(int i) => throw null; - public override bool IsEndOfFile(Antlr.Runtime.IToken o) => throw null; - public int LA(int i) => throw null; - public Antlr.Runtime.IToken LastRealToken { get => throw null; } - public Antlr.Runtime.IToken LastToken { get => throw null; } - public override int Mark() => throw null; - public int MaxLookBehind { get => throw null; } - public override Antlr.Runtime.IToken NextElement() => throw null; - public override void Release(int marker) => throw null; - public string SourceName { get => throw null; } - public string ToString(int start, int stop) => throw null; - public string ToString(Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop) => throw null; - public Antlr.Runtime.ITokenSource TokenSource { get => throw null; } - public UnbufferedTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; - protected int channel; - protected int tokenIndex; - protected Antlr.Runtime.ITokenSource tokenSource; - } - - // Generated from `Antlr.Runtime.UnwantedTokenException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class UnwantedTokenException : Antlr.Runtime.MismatchedTokenException - { - public override string ToString() => throw null; - public virtual Antlr.Runtime.IToken UnexpectedToken { get => throw null; } - public UnwantedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; - public UnwantedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; - public UnwantedTokenException(string message, System.Exception innerException) => throw null; - public UnwantedTokenException(string message) => throw null; - public UnwantedTokenException(int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; - public UnwantedTokenException(int expecting, Antlr.Runtime.IIntStream input) => throw null; - public UnwantedTokenException() => throw null; - } - - namespace Debug - { - // Generated from `Antlr.Runtime.Debug.IDebugEventListener` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public interface IDebugEventListener - { - void AddChild(object root, object child); - void BecomeRoot(object newRoot, object oldRoot); - void BeginBacktrack(int level); - void BeginResync(); - void Commence(); - void ConsumeHiddenToken(Antlr.Runtime.IToken t); - void ConsumeNode(object t); - void ConsumeToken(Antlr.Runtime.IToken t); - void CreateNode(object t); - void CreateNode(object node, Antlr.Runtime.IToken token); - void EndBacktrack(int level, bool successful); - void EndResync(); - void EnterAlt(int alt); - void EnterDecision(int decisionNumber, bool couldBacktrack); - void EnterRule(string grammarFileName, string ruleName); - void EnterSubRule(int decisionNumber); - void ErrorNode(object t); - void ExitDecision(int decisionNumber); - void ExitRule(string grammarFileName, string ruleName); - void ExitSubRule(int decisionNumber); - void Initialize(); - void LT(int i, object t); - void LT(int i, Antlr.Runtime.IToken t); - void Location(int line, int pos); - void Mark(int marker); - void NilNode(object t); - void RecognitionException(Antlr.Runtime.RecognitionException e); - void Rewind(int marker); - void Rewind(); - void SemanticPredicate(bool result, string predicate); - void SetTokenBoundaries(object t, int tokenStartIndex, int tokenStopIndex); - void Terminate(); - } - - } - namespace Misc + public static class TokenTypes { - // Generated from `Antlr.Runtime.Misc.Action` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public delegate void Action(); - - // Generated from `Antlr.Runtime.Misc.FastQueue<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class FastQueue - { - public virtual void Clear() => throw null; - public virtual int Count { get => throw null; } - public virtual T Dequeue() => throw null; - public virtual void Enqueue(T o) => throw null; - public FastQueue() => throw null; - public virtual T this[int i] { get => throw null; } - public virtual T Peek() => throw null; - public virtual int Range { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - // Generated from `Antlr.Runtime.Misc.Func<,>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public delegate TResult Func(T arg); - - // Generated from `Antlr.Runtime.Misc.Func<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public delegate TResult Func(); - - // Generated from `Antlr.Runtime.Misc.ListStack<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class ListStack : System.Collections.Generic.List - { - public ListStack() => throw null; - public T Peek(int depth) => throw null; - public T Peek() => throw null; - public T Pop() => throw null; - public void Push(T item) => throw null; - public bool TryPeek(out T item) => throw null; - public bool TryPeek(int depth, out T item) => throw null; - public bool TryPop(out T item) => throw null; - } - - // Generated from `Antlr.Runtime.Misc.LookaheadStream<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public abstract class LookaheadStream : Antlr.Runtime.Misc.FastQueue where T : class - { - public virtual void Consume() => throw null; - public override int Count { get => throw null; } - public override T Dequeue() => throw null; - public T EndOfFile { get => throw null; set => throw null; } - public virtual void Fill(int n) => throw null; - public virtual int Index { get => throw null; } - public abstract bool IsEndOfFile(T o); - protected virtual T LB(int k) => throw null; - public virtual T LT(int k) => throw null; - protected LookaheadStream() => throw null; - public virtual int Mark() => throw null; - public abstract T NextElement(); - public T PreviousElement { get => throw null; } - public virtual void Release(int marker) => throw null; - public virtual void Reset() => throw null; - public virtual void Rewind(int marker) => throw null; - public virtual void Rewind() => throw null; - public virtual void Seek(int index) => throw null; - protected virtual void SyncAhead(int need) => throw null; - } - + public static int Down; + public static int EndOfFile; + public static int EndOfRule; + public static int Invalid; + public static int Min; + public static int Up; } namespace Tree { - // Generated from `Antlr.Runtime.Tree.AstTreeRuleReturnScope<,>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class AstTreeRuleReturnScope : Antlr.Runtime.Tree.TreeRuleReturnScope, Antlr.Runtime.IRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope + public class AstTreeRuleReturnScope : Antlr.Runtime.Tree.TreeRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IAstRuleReturnScope, Antlr.Runtime.IRuleReturnScope { public AstTreeRuleReturnScope() => throw null; - public TOutputTree Tree { get => throw null; set => throw null; } + public TOutputTree Tree { get => throw null; set { } } object Antlr.Runtime.IAstRuleReturnScope.Tree { get => throw null; } } - - // Generated from `Antlr.Runtime.Tree.BaseTree` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class BaseTree : Antlr.Runtime.Tree.ITree { public virtual void AddChild(Antlr.Runtime.Tree.ITree t) => throw null; public virtual void AddChildren(System.Collections.Generic.IEnumerable kids) => throw null; - public BaseTree(Antlr.Runtime.Tree.ITree node) => throw null; - public BaseTree() => throw null; - public virtual int CharPositionInLine { get => throw null; set => throw null; } + public virtual int CharPositionInLine { get => throw null; set { } } public virtual int ChildCount { get => throw null; } - public virtual int ChildIndex { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IList Children { get => throw null; set => throw null; } + public virtual int ChildIndex { get => throw null; set { } } + public virtual System.Collections.Generic.IList Children { get => throw null; } protected virtual System.Collections.Generic.IList CreateChildrenList() => throw null; + public BaseTree() => throw null; + public BaseTree(Antlr.Runtime.Tree.ITree node) => throw null; public virtual object DeleteChild(int i) => throw null; public abstract Antlr.Runtime.Tree.ITree DupNode(); - public virtual void FreshenParentAndChildIndexes(int offset) => throw null; public virtual void FreshenParentAndChildIndexes() => throw null; - public virtual void FreshenParentAndChildIndexesDeeply(int offset) => throw null; + public virtual void FreshenParentAndChildIndexes(int offset) => throw null; public virtual void FreshenParentAndChildIndexesDeeply() => throw null; + public virtual void FreshenParentAndChildIndexesDeeply(int offset) => throw null; public virtual Antlr.Runtime.Tree.ITree GetAncestor(int ttype) => throw null; public virtual System.Collections.Generic.IList GetAncestors() => throw null; public virtual Antlr.Runtime.Tree.ITree GetChild(int i) => throw null; @@ -966,39 +814,37 @@ public abstract class BaseTree : Antlr.Runtime.Tree.ITree public virtual bool HasAncestor(int ttype) => throw null; public virtual void InsertChild(int i, Antlr.Runtime.Tree.ITree t) => throw null; public virtual bool IsNil { get => throw null; } - public virtual int Line { get => throw null; set => throw null; } - public virtual Antlr.Runtime.Tree.ITree Parent { get => throw null; set => throw null; } + public virtual int Line { get => throw null; set { } } + public virtual Antlr.Runtime.Tree.ITree Parent { get => throw null; set { } } public virtual void ReplaceChildren(int startChildIndex, int stopChildIndex, object t) => throw null; - public virtual void SanityCheckParentAndChildIndexes(Antlr.Runtime.Tree.ITree parent, int i) => throw null; public virtual void SanityCheckParentAndChildIndexes() => throw null; + public virtual void SanityCheckParentAndChildIndexes(Antlr.Runtime.Tree.ITree parent, int i) => throw null; public virtual void SetChild(int i, Antlr.Runtime.Tree.ITree t) => throw null; public abstract string Text { get; set; } - public abstract override string ToString(); - public virtual string ToStringTree() => throw null; public abstract int TokenStartIndex { get; set; } public abstract int TokenStopIndex { get; set; } + public abstract override string ToString(); + public virtual string ToStringTree() => throw null; public abstract int Type { get; set; } } - - // Generated from `Antlr.Runtime.Tree.BaseTreeAdaptor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class BaseTreeAdaptor : Antlr.Runtime.Tree.ITreeAdaptor { public virtual void AddChild(object t, object child) => throw null; - protected BaseTreeAdaptor() => throw null; public virtual object BecomeRoot(object newRoot, object oldRoot) => throw null; public virtual object BecomeRoot(Antlr.Runtime.IToken newRoot, object oldRoot) => throw null; - public virtual object Create(int tokenType, string text) => throw null; - public virtual object Create(int tokenType, Antlr.Runtime.IToken fromToken, string text) => throw null; public virtual object Create(int tokenType, Antlr.Runtime.IToken fromToken) => throw null; + public virtual object Create(int tokenType, Antlr.Runtime.IToken fromToken, string text) => throw null; public virtual object Create(Antlr.Runtime.IToken fromToken, string text) => throw null; + public virtual object Create(int tokenType, string text) => throw null; public abstract object Create(Antlr.Runtime.IToken payload); public abstract Antlr.Runtime.IToken CreateToken(int tokenType, string text); public abstract Antlr.Runtime.IToken CreateToken(Antlr.Runtime.IToken fromToken); + protected BaseTreeAdaptor() => throw null; public virtual object DeleteChild(object t, int i) => throw null; + public virtual object DupNode(int type, object treeNode) => throw null; public virtual object DupNode(object treeNode, string text) => throw null; - public virtual object DupNode(object treeNode) => throw null; public virtual object DupNode(int type, object treeNode, string text) => throw null; - public virtual object DupNode(int type, object treeNode) => throw null; + public virtual object DupNode(object treeNode) => throw null; public virtual object DupTree(object tree) => throw null; public virtual object DupTree(object t, object parent) => throw null; public virtual object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; @@ -1026,32 +872,35 @@ public abstract class BaseTreeAdaptor : Antlr.Runtime.Tree.ITreeAdaptor protected System.Collections.Generic.IDictionary treeToUniqueIDMap; protected int uniqueNodeID; } - - // Generated from `Antlr.Runtime.Tree.BufferedTreeNodeStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class BufferedTreeNodeStream : Antlr.Runtime.Tree.ITreeNodeStream, Antlr.Runtime.ITokenStreamInformation, Antlr.Runtime.IIntStream + public class BufferedTreeNodeStream : Antlr.Runtime.Tree.ITreeNodeStream, Antlr.Runtime.IIntStream, Antlr.Runtime.ITokenStreamInformation { protected virtual void AddNavigationNode(int ttype) => throw null; - public BufferedTreeNodeStream(object tree) => throw null; - public BufferedTreeNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree, int initialBufferSize) => throw null; - public BufferedTreeNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree) => throw null; + protected System.Collections.Generic.Stack calls; public virtual void Consume() => throw null; public virtual int Count { get => throw null; } - public const int DEFAULT_INITIAL_BUFFER_SIZE = default; - public virtual void FillBuffer(object t) => throw null; + public BufferedTreeNodeStream(object tree) => throw null; + public BufferedTreeNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree) => throw null; + public BufferedTreeNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree, int initialBufferSize) => throw null; + public static int DEFAULT_INITIAL_BUFFER_SIZE; + protected object down; + protected object eof; protected virtual void FillBuffer() => throw null; + public virtual void FillBuffer(object t) => throw null; public virtual object GetCurrentSymbol() => throw null; protected virtual int GetNodeIndex(object node) => throw null; - public const int INITIAL_CALL_STACK_SIZE = default; public virtual int Index { get => throw null; } - public virtual object this[int i] { get => throw null; } + public static int INITIAL_CALL_STACK_SIZE; public virtual System.Collections.Generic.IEnumerator Iterator() => throw null; public virtual int LA(int i) => throw null; - protected virtual object LB(int k) => throw null; - public virtual object LT(int k) => throw null; + protected int lastMarker; public virtual Antlr.Runtime.IToken LastRealToken { get => throw null; } public virtual Antlr.Runtime.IToken LastToken { get => throw null; } + protected virtual object LB(int k) => throw null; + public virtual object LT(int k) => throw null; public virtual int Mark() => throw null; public virtual int MaxLookBehind { get => throw null; } + protected System.Collections.IList nodes; + protected int p; public virtual int Pop() => throw null; public virtual void Push(int index) => throw null; public virtual void Release(int marker) => throw null; @@ -1059,94 +908,78 @@ public class BufferedTreeNodeStream : Antlr.Runtime.Tree.ITreeNodeStream, Antlr. public virtual void Reset() => throw null; public virtual void Rewind(int marker) => throw null; public virtual void Rewind() => throw null; + protected object root; public virtual void Seek(int index) => throw null; public virtual string SourceName { get => throw null; } - // Generated from `Antlr.Runtime.Tree.BufferedTreeNodeStream+StreamIterator` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - protected class StreamIterator : System.IDisposable, System.Collections.IEnumerator, System.Collections.Generic.IEnumerator + protected sealed class StreamIterator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public StreamIterator(Antlr.Runtime.Tree.BufferedTreeNodeStream outer) => throw null; public object Current { get => throw null; } public void Dispose() => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; - public StreamIterator(Antlr.Runtime.Tree.BufferedTreeNodeStream outer) => throw null; } - - + public virtual object this[int i] { get => throw null; } + protected Antlr.Runtime.ITokenStream tokens; + public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set { } } public virtual string ToString(object start, object stop) => throw null; public virtual string ToTokenString(int start, int stop) => throw null; public virtual string ToTokenTypeString() => throw null; - public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set => throw null; } - public virtual Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set => throw null; } + public virtual Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set { } } public virtual object TreeSource { get => throw null; } - public virtual bool UniqueNavigationNodes { get => throw null; set => throw null; } - protected System.Collections.Generic.Stack calls; - protected object down; - protected object eof; - protected int lastMarker; - protected System.Collections.IList nodes; - protected int p; - protected object root; - protected Antlr.Runtime.ITokenStream tokens; + public virtual bool UniqueNavigationNodes { get => throw null; set { } } protected object up; } - - // Generated from `Antlr.Runtime.Tree.CommonErrorNode` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CommonErrorNode : Antlr.Runtime.Tree.CommonTree { public CommonErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; - public override bool IsNil { get => throw null; } - public override string Text { get => throw null; set => throw null; } - public override string ToString() => throw null; - public override int Type { get => throw null; set => throw null; } public Antlr.Runtime.IIntStream input; + public override bool IsNil { get => throw null; } public Antlr.Runtime.IToken start; public Antlr.Runtime.IToken stop; + public override string Text { get => throw null; set { } } + public override string ToString() => throw null; public Antlr.Runtime.RecognitionException trappedException; + public override int Type { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.Tree.CommonTree` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CommonTree : Antlr.Runtime.Tree.BaseTree { - public override int CharPositionInLine { get => throw null; set => throw null; } - public override int ChildIndex { get => throw null; set => throw null; } + public override int CharPositionInLine { get => throw null; set { } } + public override int ChildIndex { get => throw null; set { } } + public CommonTree() => throw null; public CommonTree(Antlr.Runtime.Tree.CommonTree node) => throw null; public CommonTree(Antlr.Runtime.IToken t) => throw null; - public CommonTree() => throw null; public override Antlr.Runtime.Tree.ITree DupNode() => throw null; public override bool IsNil { get => throw null; } - public override int Line { get => throw null; set => throw null; } - public override Antlr.Runtime.Tree.ITree Parent { get => throw null; set => throw null; } + public override int Line { get => throw null; set { } } + public override Antlr.Runtime.Tree.ITree Parent { get => throw null; set { } } public virtual void SetUnknownTokenBoundaries() => throw null; - public override string Text { get => throw null; set => throw null; } - public override string ToString() => throw null; - public Antlr.Runtime.IToken Token { get => throw null; set => throw null; } - public override int TokenStartIndex { get => throw null; set => throw null; } - public override int TokenStopIndex { get => throw null; set => throw null; } - public override int Type { get => throw null; set => throw null; } protected int startIndex; protected int stopIndex; + public override string Text { get => throw null; set { } } + public Antlr.Runtime.IToken Token { get => throw null; set { } } + public override int TokenStartIndex { get => throw null; set { } } + public override int TokenStopIndex { get => throw null; set { } } + public override string ToString() => throw null; + public override int Type { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.Tree.CommonTreeAdaptor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class CommonTreeAdaptor : Antlr.Runtime.Tree.BaseTreeAdaptor { - public CommonTreeAdaptor() => throw null; public override object Create(Antlr.Runtime.IToken payload) => throw null; public override Antlr.Runtime.IToken CreateToken(int tokenType, string text) => throw null; public override Antlr.Runtime.IToken CreateToken(Antlr.Runtime.IToken fromToken) => throw null; + public CommonTreeAdaptor() => throw null; public override Antlr.Runtime.IToken GetToken(object t) => throw null; } - - // Generated from `Antlr.Runtime.Tree.CommonTreeNodeStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class CommonTreeNodeStream : Antlr.Runtime.Misc.LookaheadStream, Antlr.Runtime.Tree.ITreeNodeStream, Antlr.Runtime.Tree.IPositionTrackingStream, Antlr.Runtime.IIntStream + public class CommonTreeNodeStream : Antlr.Runtime.Misc.LookaheadStream, Antlr.Runtime.Tree.ITreeNodeStream, Antlr.Runtime.IIntStream, Antlr.Runtime.Tree.IPositionTrackingStream { public CommonTreeNodeStream(object tree) => throw null; public CommonTreeNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree) => throw null; - public const int DEFAULT_INITIAL_BUFFER_SIZE = default; + public static int DEFAULT_INITIAL_BUFFER_SIZE; public override object Dequeue() => throw null; public object GetKnownPositionElement(bool allowApproximateLocation) => throw null; public bool HasPositionInformation(object node) => throw null; - public const int INITIAL_CALL_STACK_SIZE = default; + public static int INITIAL_CALL_STACK_SIZE; public override bool IsEndOfFile(object o) => throw null; public virtual int LA(int i) => throw null; public override object NextElement() => throw null; @@ -1155,36 +988,30 @@ public class CommonTreeNodeStream : Antlr.Runtime.Misc.LookaheadStream, public virtual void ReplaceChildren(object parent, int startChildIndex, int stopChildIndex, object t) => throw null; public override void Reset() => throw null; public virtual string SourceName { get => throw null; } + protected Antlr.Runtime.ITokenStream tokens; + public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set { } } public virtual string ToString(object start, object stop) => throw null; public virtual string ToTokenTypeString() => throw null; - public virtual Antlr.Runtime.ITokenStream TokenStream { get => throw null; set => throw null; } - public virtual Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set => throw null; } + public virtual Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set { } } public virtual object TreeSource { get => throw null; } - public virtual bool UniqueNavigationNodes { get => throw null; set => throw null; } - protected Antlr.Runtime.ITokenStream tokens; + public virtual bool UniqueNavigationNodes { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.Tree.DotTreeGenerator` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class DotTreeGenerator { + public DotTreeGenerator() => throw null; protected virtual System.Collections.Generic.IEnumerable DefineEdges(object tree, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; protected virtual System.Collections.Generic.IEnumerable DefineNodes(object tree, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; - public DotTreeGenerator() => throw null; protected virtual string FixString(string text) => throw null; protected virtual int GetNodeNumber(object t) => throw null; protected virtual string GetNodeText(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object t) => throw null; public virtual string ToDot(object tree, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; public virtual string ToDot(Antlr.Runtime.Tree.ITree tree) => throw null; } - - // Generated from `Antlr.Runtime.Tree.IPositionTrackingStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IPositionTrackingStream { object GetKnownPositionElement(bool allowApproximateLocation); bool HasPositionInformation(object element); } - - // Generated from `Antlr.Runtime.Tree.ITree` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITree { void AddChild(Antlr.Runtime.Tree.ITree t); @@ -1204,29 +1031,27 @@ public interface ITree void ReplaceChildren(int startChildIndex, int stopChildIndex, object t); void SetChild(int i, Antlr.Runtime.Tree.ITree t); string Text { get; } - string ToString(); - string ToStringTree(); int TokenStartIndex { get; set; } int TokenStopIndex { get; set; } + string ToString(); + string ToStringTree(); int Type { get; } } - - // Generated from `Antlr.Runtime.Tree.ITreeAdaptor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITreeAdaptor { void AddChild(object t, object child); object BecomeRoot(object newRoot, object oldRoot); object BecomeRoot(Antlr.Runtime.IToken newRoot, object oldRoot); - object Create(int tokenType, string text); - object Create(int tokenType, Antlr.Runtime.IToken fromToken, string text); - object Create(int tokenType, Antlr.Runtime.IToken fromToken); object Create(Antlr.Runtime.IToken payload); + object Create(int tokenType, Antlr.Runtime.IToken fromToken); + object Create(int tokenType, Antlr.Runtime.IToken fromToken, string text); object Create(Antlr.Runtime.IToken fromToken, string text); + object Create(int tokenType, string text); object DeleteChild(object t, int i); - object DupNode(object treeNode, string text); object DupNode(object treeNode); - object DupNode(int type, object treeNode, string text); object DupNode(int type, object treeNode); + object DupNode(object treeNode, string text); + object DupNode(int type, object treeNode, string text); object DupTree(object tree); object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e); object GetChild(object t, int i); @@ -1250,179 +1075,154 @@ public interface ITreeAdaptor void SetTokenBoundaries(object t, Antlr.Runtime.IToken startToken, Antlr.Runtime.IToken stopToken); void SetType(object t, int type); } - - // Generated from `Antlr.Runtime.Tree.ITreeNodeStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITreeNodeStream : Antlr.Runtime.IIntStream { - object this[int i] { get; } object LT(int k); void ReplaceChildren(object parent, int startChildIndex, int stopChildIndex, object t); - string ToString(object start, object stop); + object this[int i] { get; } Antlr.Runtime.ITokenStream TokenStream { get; } + string ToString(object start, object stop); Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get; } object TreeSource { get; } bool UniqueNavigationNodes { get; set; } } - - // Generated from `Antlr.Runtime.Tree.ITreeVisitorAction` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface ITreeVisitorAction { object Post(object t); object Pre(object t); } - - // Generated from `Antlr.Runtime.Tree.ParseTree` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class ParseTree : Antlr.Runtime.Tree.BaseTree { - public override Antlr.Runtime.Tree.ITree DupNode() => throw null; public ParseTree(object label) => throw null; - public override string Text { get => throw null; set => throw null; } + public override Antlr.Runtime.Tree.ITree DupNode() => throw null; + public System.Collections.Generic.List hiddenTokens; + public object payload; + public override string Text { get => throw null; set { } } public virtual string ToInputString() => throw null; + public override int TokenStartIndex { get => throw null; set { } } + public override int TokenStopIndex { get => throw null; set { } } public override string ToString() => throw null; protected virtual void ToStringLeaves(System.Text.StringBuilder buf) => throw null; public virtual string ToStringWithHiddenTokens() => throw null; - public override int TokenStartIndex { get => throw null; set => throw null; } - public override int TokenStopIndex { get => throw null; set => throw null; } - public override int Type { get => throw null; set => throw null; } - public System.Collections.Generic.List hiddenTokens; - public object payload; + public override int Type { get => throw null; set { } } } - - // Generated from `Antlr.Runtime.Tree.RewriteCardinalityException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteCardinalityException : System.Exception { - public RewriteCardinalityException(string message, string elementDescription, System.Exception innerException) => throw null; - public RewriteCardinalityException(string message, string elementDescription) => throw null; - public RewriteCardinalityException(string elementDescription, System.Exception innerException) => throw null; - public RewriteCardinalityException(string elementDescription) => throw null; public RewriteCardinalityException() => throw null; + public RewriteCardinalityException(string elementDescription) => throw null; + public RewriteCardinalityException(string elementDescription, System.Exception innerException) => throw null; + public RewriteCardinalityException(string message, string elementDescription) => throw null; + public RewriteCardinalityException(string message, string elementDescription, System.Exception innerException) => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteEarlyExitException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteEarlyExitException : Antlr.Runtime.Tree.RewriteCardinalityException { - public RewriteEarlyExitException(string message, string elementDescription, System.Exception innerException) => throw null; - public RewriteEarlyExitException(string message, string elementDescription) => throw null; - public RewriteEarlyExitException(string elementDescription, System.Exception innerException) => throw null; - public RewriteEarlyExitException(string elementDescription) => throw null; public RewriteEarlyExitException() => throw null; + public RewriteEarlyExitException(string elementDescription) => throw null; + public RewriteEarlyExitException(string elementDescription, System.Exception innerException) => throw null; + public RewriteEarlyExitException(string message, string elementDescription) => throw null; + public RewriteEarlyExitException(string message, string elementDescription, System.Exception innerException) => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteEmptyStreamException` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteEmptyStreamException : Antlr.Runtime.Tree.RewriteCardinalityException { - public RewriteEmptyStreamException(string message, string elementDescription, System.Exception innerException) => throw null; - public RewriteEmptyStreamException(string message, string elementDescription) => throw null; - public RewriteEmptyStreamException(string elementDescription, System.Exception innerException) => throw null; - public RewriteEmptyStreamException(string elementDescription) => throw null; public RewriteEmptyStreamException() => throw null; + public RewriteEmptyStreamException(string elementDescription) => throw null; + public RewriteEmptyStreamException(string elementDescription, System.Exception innerException) => throw null; + public RewriteEmptyStreamException(string message, string elementDescription) => throw null; + public RewriteEmptyStreamException(string message, string elementDescription, System.Exception innerException) => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteRuleElementStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class RewriteRuleElementStream { + protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; public virtual void Add(object el) => throw null; public virtual int Count { get => throw null; } - public virtual string Description { get => throw null; } - protected abstract object Dup(object el); - public virtual bool HasNext { get => throw null; } - protected virtual object NextCore() => throw null; - public virtual object NextTree() => throw null; - public virtual void Reset() => throw null; + public RewriteRuleElementStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) => throw null; public RewriteRuleElementStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, object oneElement) => throw null; public RewriteRuleElementStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, System.Collections.IList elements) => throw null; - public RewriteRuleElementStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) => throw null; - protected virtual object ToTree(object el) => throw null; - protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; protected int cursor; + public virtual string Description { get => throw null; } protected bool dirty; + protected abstract object Dup(object el); protected string elementDescription; protected System.Collections.IList elements; + public virtual bool HasNext { get => throw null; } + protected virtual object NextCore() => throw null; + public virtual object NextTree() => throw null; + public virtual void Reset() => throw null; protected object singleElement; + protected virtual object ToTree(object el) => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteRuleNodeStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteRuleNodeStream : Antlr.Runtime.Tree.RewriteRuleElementStream { - protected override object Dup(object el) => throw null; - public virtual object NextNode() => throw null; + public RewriteRuleNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; public RewriteRuleNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, object oneElement) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; public RewriteRuleNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, System.Collections.IList elements) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; - public RewriteRuleNodeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; + protected override object Dup(object el) => throw null; + public virtual object NextNode() => throw null; protected override object ToTree(object el) => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteRuleSubtreeStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteRuleSubtreeStream : Antlr.Runtime.Tree.RewriteRuleElementStream { - protected override object Dup(object el) => throw null; - public virtual object NextNode() => throw null; + public RewriteRuleSubtreeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; public RewriteRuleSubtreeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, object oneElement) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; public RewriteRuleSubtreeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, System.Collections.IList elements) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; - public RewriteRuleSubtreeStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; + protected override object Dup(object el) => throw null; + public virtual object NextNode() => throw null; } - - // Generated from `Antlr.Runtime.Tree.RewriteRuleTokenStream` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class RewriteRuleTokenStream : Antlr.Runtime.Tree.RewriteRuleElementStream { + public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; + public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, object oneElement) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; + public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, System.Collections.IList elements) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; protected override object Dup(object el) => throw null; public virtual object NextNode() => throw null; public virtual Antlr.Runtime.IToken NextToken() => throw null; - public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, object oneElement) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; - public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription, System.Collections.IList elements) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; - public RewriteRuleTokenStream(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string elementDescription) : base(default(Antlr.Runtime.Tree.ITreeAdaptor), default(string)) => throw null; protected override object ToTree(object el) => throw null; } - - // Generated from `Antlr.Runtime.Tree.TemplateTreeRuleReturnScope<,>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TemplateTreeRuleReturnScope : Antlr.Runtime.Tree.TreeRuleReturnScope, Antlr.Runtime.ITemplateRuleReturnScope, Antlr.Runtime.ITemplateRuleReturnScope { - public TTemplate Template { get => throw null; set => throw null; } - object Antlr.Runtime.ITemplateRuleReturnScope.Template { get => throw null; } public TemplateTreeRuleReturnScope() => throw null; + public TTemplate Template { get => throw null; set { } } + object Antlr.Runtime.ITemplateRuleReturnScope.Template { get => throw null; } } - - // Generated from `Antlr.Runtime.Tree.TreeFilter` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeFilter : Antlr.Runtime.Tree.TreeParser { public virtual void ApplyOnce(object t, Antlr.Runtime.Misc.Action whichRule) => throw null; protected virtual void Bottomup() => throw null; - public virtual void Downup(object t) => throw null; - protected virtual void Topdown() => throw null; - public TreeFilter(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; public TreeFilter(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public TreeFilter(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public virtual void Downup(object t) => throw null; protected Antlr.Runtime.Tree.ITreeAdaptor originalAdaptor; protected Antlr.Runtime.ITokenStream originalTokenStream; + protected virtual void Topdown() => throw null; } - - // Generated from `Antlr.Runtime.Tree.TreeIterator` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` - public class TreeIterator : System.IDisposable, System.Collections.IEnumerator, System.Collections.Generic.IEnumerator + public class TreeIterator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { - public object Current { get => throw null; set => throw null; } - public void Dispose() => throw null; - public bool MoveNext() => throw null; - public void Reset() => throw null; - public TreeIterator(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree) => throw null; - public TreeIterator(Antlr.Runtime.Tree.CommonTree tree) => throw null; protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; + public TreeIterator(Antlr.Runtime.Tree.CommonTree tree) => throw null; + public TreeIterator(Antlr.Runtime.Tree.ITreeAdaptor adaptor, object tree) => throw null; + public object Current { get => throw null; } + public void Dispose() => throw null; public object down; public object eof; protected bool firstTime; + public bool MoveNext() => throw null; protected System.Collections.Generic.Queue nodes; + public void Reset() => throw null; protected object root; protected object tree; public object up; } - - // Generated from `Antlr.Runtime.Tree.TreeParser` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeParser : Antlr.Runtime.BaseRecognizer { - public const int DOWN = default; + public TreeParser(Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; + public TreeParser(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; + public static int DOWN; protected override object GetCurrentInputSymbol(Antlr.Runtime.IIntStream input) => throw null; public override string GetErrorHeader(Antlr.Runtime.RecognitionException e) => throw null; public override string GetErrorMessage(Antlr.Runtime.RecognitionException e, string[] tokenNames) => throw null; protected override object GetMissingSymbol(Antlr.Runtime.IIntStream input, Antlr.Runtime.RecognitionException e, int expectedTokenType, Antlr.Runtime.BitSet follow) => throw null; public virtual Antlr.Runtime.Tree.ITreeNodeStream GetTreeNodeStream() => throw null; + protected Antlr.Runtime.Tree.ITreeNodeStream input; public override void MatchAny(Antlr.Runtime.IIntStream ignore) => throw null; protected override object RecoverFromMismatchedToken(Antlr.Runtime.IIntStream input, int ttype, Antlr.Runtime.BitSet follow) => throw null; public override void Reset() => throw null; @@ -1430,181 +1230,163 @@ public class TreeParser : Antlr.Runtime.BaseRecognizer public override string SourceName { get => throw null; } public virtual void TraceIn(string ruleName, int ruleIndex) => throw null; public virtual void TraceOut(string ruleName, int ruleIndex) => throw null; - public TreeParser(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; - public TreeParser(Antlr.Runtime.Tree.ITreeNodeStream input) => throw null; - public const int UP = default; - protected Antlr.Runtime.Tree.ITreeNodeStream input; + public static int UP; } - - // Generated from `Antlr.Runtime.Tree.TreePatternLexer` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreePatternLexer { - public const int Arg = default; - public const int Begin = default; - public const int Colon = default; + public static int Arg; + public static int Begin; + protected int c; + public static int Colon; protected virtual void Consume() => throw null; - public const int Dot = default; - public const int End = default; - public const int Id = default; - public virtual int NextToken() => throw null; - public const int Percent = default; public TreePatternLexer(string pattern) => throw null; - protected int c; + public static int Dot; + public static int End; public bool error; + public static int Id; protected int n; + public virtual int NextToken() => throw null; protected int p; protected string pattern; + public static int Percent; public System.Text.StringBuilder sval; } - - // Generated from `Antlr.Runtime.Tree.TreePatternParser` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreePatternParser { + protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; + public TreePatternParser(Antlr.Runtime.Tree.TreePatternLexer tokenizer, Antlr.Runtime.Tree.TreeWizard wizard, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; public virtual object ParseNode() => throw null; public virtual object ParseTree() => throw null; public virtual object Pattern() => throw null; - public TreePatternParser(Antlr.Runtime.Tree.TreePatternLexer tokenizer, Antlr.Runtime.Tree.TreeWizard wizard, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; - protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; protected Antlr.Runtime.Tree.TreePatternLexer tokenizer; protected int ttype; protected Antlr.Runtime.Tree.TreeWizard wizard; } - - // Generated from `Antlr.Runtime.Tree.TreeRewriter` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeRewriter : Antlr.Runtime.Tree.TreeParser { public virtual object ApplyOnce(object t, Antlr.Runtime.Misc.Func whichRule) => throw null; public virtual object ApplyRepeatedly(object t, Antlr.Runtime.Misc.Func whichRule) => throw null; protected virtual Antlr.Runtime.IAstRuleReturnScope Bottomup() => throw null; - public virtual object Downup(object t, bool showTransformations) => throw null; - public virtual object Downup(object t) => throw null; - protected virtual void ReportTransformation(object oldTree, object newTree) => throw null; - protected virtual Antlr.Runtime.IAstRuleReturnScope Topdown() => throw null; - public TreeRewriter(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; public TreeRewriter(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public TreeRewriter(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public virtual object Downup(object t) => throw null; + public virtual object Downup(object t, bool showTransformations) => throw null; protected Antlr.Runtime.Tree.ITreeAdaptor originalAdaptor; protected Antlr.Runtime.ITokenStream originalTokenStream; + protected virtual void ReportTransformation(object oldTree, object newTree) => throw null; protected bool showTransformations; + protected virtual Antlr.Runtime.IAstRuleReturnScope Topdown() => throw null; } - - // Generated from `Antlr.Runtime.Tree.TreeRuleReturnScope<>` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeRuleReturnScope : Antlr.Runtime.IRuleReturnScope, Antlr.Runtime.IRuleReturnScope { - public TTree Start { get => throw null; set => throw null; } + public TreeRuleReturnScope() => throw null; + public TTree Start { get => throw null; set { } } object Antlr.Runtime.IRuleReturnScope.Start { get => throw null; } - object Antlr.Runtime.IRuleReturnScope.Stop { get => throw null; } TTree Antlr.Runtime.IRuleReturnScope.Stop { get => throw null; } - public TreeRuleReturnScope() => throw null; + object Antlr.Runtime.IRuleReturnScope.Stop { get => throw null; } } - - // Generated from `Antlr.Runtime.Tree.TreeVisitor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeVisitor { + protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; public TreeVisitor(Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; public TreeVisitor() => throw null; public object Visit(object t, Antlr.Runtime.Tree.ITreeVisitorAction action) => throw null; public object Visit(object t, Antlr.Runtime.Misc.Func preAction, Antlr.Runtime.Misc.Func postAction) => throw null; - protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; } - - // Generated from `Antlr.Runtime.Tree.TreeVisitorAction` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeVisitorAction : Antlr.Runtime.Tree.ITreeVisitorAction { + public TreeVisitorAction(Antlr.Runtime.Misc.Func preAction, Antlr.Runtime.Misc.Func postAction) => throw null; public object Post(object t) => throw null; public object Pre(object t) => throw null; - public TreeVisitorAction(Antlr.Runtime.Misc.Func preAction, Antlr.Runtime.Misc.Func postAction) => throw null; } - - // Generated from `Antlr.Runtime.Tree.TreeWizard` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreeWizard { + protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; public virtual System.Collections.Generic.IDictionary ComputeTokenTypes(string[] tokenNames) => throw null; public virtual object Create(string pattern) => throw null; + public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; + public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor, System.Collections.Generic.IDictionary tokenNameToTypeMap) => throw null; + public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string[] tokenNames) => throw null; + public TreeWizard(string[] tokenNames) => throw null; public static bool Equals(object t1, object t2, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; public bool Equals(object t1, object t2) => throw null; protected static bool EqualsCore(object t1, object t2, Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; - public virtual System.Collections.IList Find(object t, string pattern) => throw null; public virtual System.Collections.IList Find(object t, int ttype) => throw null; - public virtual object FindFirst(object t, string pattern) => throw null; + public virtual System.Collections.IList Find(object t, string pattern) => throw null; public virtual object FindFirst(object t, int ttype) => throw null; + public virtual object FindFirst(object t, string pattern) => throw null; public virtual int GetTokenType(string tokenName) => throw null; - // Generated from `Antlr.Runtime.Tree.TreeWizard+IContextVisitor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public interface IContextVisitor { void Visit(object t, object parent, int childIndex, System.Collections.Generic.IDictionary labels); } - - public System.Collections.Generic.IDictionary Index(object t) => throw null; protected virtual void IndexCore(object t, System.Collections.Generic.IDictionary m) => throw null; public bool Parse(object t, string pattern, System.Collections.Generic.IDictionary labels) => throw null; public bool Parse(object t, string pattern) => throw null; protected virtual bool ParseCore(object t1, Antlr.Runtime.Tree.TreeWizard.TreePattern tpattern, System.Collections.Generic.IDictionary labels) => throw null; - // Generated from `Antlr.Runtime.Tree.TreeWizard+TreePattern` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` + protected System.Collections.Generic.IDictionary tokenNameToTypeMap; public class TreePattern : Antlr.Runtime.Tree.CommonTree { - public override string ToString() => throw null; public TreePattern(Antlr.Runtime.IToken payload) => throw null; public bool hasTextArg; public string label; + public override string ToString() => throw null; } - - - // Generated from `Antlr.Runtime.Tree.TreeWizard+TreePatternTreeAdaptor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class TreePatternTreeAdaptor : Antlr.Runtime.Tree.CommonTreeAdaptor { public override object Create(Antlr.Runtime.IToken payload) => throw null; public TreePatternTreeAdaptor() => throw null; } - - - public TreeWizard(string[] tokenNames) => throw null; - public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor, string[] tokenNames) => throw null; - public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor, System.Collections.Generic.IDictionary tokenNameToTypeMap) => throw null; - public TreeWizard(Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; - public void Visit(object t, string pattern, Antlr.Runtime.Tree.TreeWizard.IContextVisitor visitor) => throw null; - public void Visit(object t, int ttype, System.Action action) => throw null; public void Visit(object t, int ttype, Antlr.Runtime.Tree.TreeWizard.IContextVisitor visitor) => throw null; + public void Visit(object t, int ttype, System.Action action) => throw null; + public void Visit(object t, string pattern, Antlr.Runtime.Tree.TreeWizard.IContextVisitor visitor) => throw null; protected virtual void VisitCore(object t, object parent, int childIndex, int ttype, Antlr.Runtime.Tree.TreeWizard.IContextVisitor visitor) => throw null; - // Generated from `Antlr.Runtime.Tree.TreeWizard+Visitor` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public abstract class Visitor : Antlr.Runtime.Tree.TreeWizard.IContextVisitor { + protected Visitor() => throw null; public virtual void Visit(object t, object parent, int childIndex, System.Collections.Generic.IDictionary labels) => throw null; public abstract void Visit(object t); - protected Visitor() => throw null; } - - - // Generated from `Antlr.Runtime.Tree.TreeWizard+WildcardTreePattern` in `Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f` public class WildcardTreePattern : Antlr.Runtime.Tree.TreeWizard.TreePattern { public WildcardTreePattern(Antlr.Runtime.IToken payload) : base(default(Antlr.Runtime.IToken)) => throw null; } - - - protected Antlr.Runtime.Tree.ITreeAdaptor adaptor; - protected System.Collections.Generic.IDictionary tokenNameToTypeMap; } - } - } -} -namespace System -{ - /* Duplicate type 'ICloneable' is not stubbed in this assembly 'Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f'. */ - - /* Duplicate type 'NonSerializedAttribute' is not stubbed in this assembly 'Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f'. */ - - /* Duplicate type 'SerializableAttribute' is not stubbed in this assembly 'Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f'. */ - - namespace Runtime - { - namespace Serialization + public class UnbufferedTokenStream : Antlr.Runtime.Misc.LookaheadStream, Antlr.Runtime.ITokenStream, Antlr.Runtime.IIntStream, Antlr.Runtime.ITokenStreamInformation + { + protected int channel; + public override void Clear() => throw null; + public override void Consume() => throw null; + public UnbufferedTokenStream(Antlr.Runtime.ITokenSource tokenSource) => throw null; + public Antlr.Runtime.IToken Get(int i) => throw null; + public override bool IsEndOfFile(Antlr.Runtime.IToken o) => throw null; + public int LA(int i) => throw null; + public Antlr.Runtime.IToken LastRealToken { get => throw null; } + public Antlr.Runtime.IToken LastToken { get => throw null; } + public override int Mark() => throw null; + public int MaxLookBehind { get => throw null; } + public override Antlr.Runtime.IToken NextElement() => throw null; + public override void Release(int marker) => throw null; + public string SourceName { get => throw null; } + protected int tokenIndex; + protected Antlr.Runtime.ITokenSource tokenSource; + public Antlr.Runtime.ITokenSource TokenSource { get => throw null; } + public string ToString(int start, int stop) => throw null; + public string ToString(Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop) => throw null; + } + public class UnwantedTokenException : Antlr.Runtime.MismatchedTokenException { - /* Duplicate type 'OnSerializingAttribute' is not stubbed in this assembly 'Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f'. */ - - /* Duplicate type 'StreamingContext' is not stubbed in this assembly 'Antlr3.Runtime, Version=3.5.0.2, Culture=neutral, PublicKeyToken=eb42632606e9261f'. */ - + public UnwantedTokenException() => throw null; + public UnwantedTokenException(string message) => throw null; + public UnwantedTokenException(string message, System.Exception innerException) => throw null; + public UnwantedTokenException(int expecting, Antlr.Runtime.IIntStream input) => throw null; + public UnwantedTokenException(int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; + public UnwantedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames) => throw null; + public UnwantedTokenException(string message, int expecting, Antlr.Runtime.IIntStream input, System.Collections.Generic.IList tokenNames, System.Exception innerException) => throw null; + public override string ToString() => throw null; + public virtual Antlr.Runtime.IToken UnexpectedToken { get => throw null; } } } } diff --git a/csharp/ql/test/resources/stubs/Iesi.Collections/4.0.4/Iesi.Collections.cs b/csharp/ql/test/resources/stubs/Iesi.Collections/4.0.4/Iesi.Collections.cs deleted file mode 100644 index 92d7db311f32..000000000000 --- a/csharp/ql/test/resources/stubs/Iesi.Collections/4.0.4/Iesi.Collections.cs +++ /dev/null @@ -1,90 +0,0 @@ -// This file contains auto-generated code. - -namespace Iesi -{ - namespace Collections - { - namespace Generic - { - // Generated from `Iesi.Collections.Generic.LinkedHashSet<>` in `Iesi.Collections, Version=4.0.0.4000, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LinkedHashSet : System.Collections.IEnumerable, System.Collections.Generic.ISet, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - void System.Collections.Generic.ICollection.Add(T item) => throw null; - public bool Add(T item) => throw null; - public void Clear() => throw null; - public bool Contains(T item) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public LinkedHashSet(System.Collections.Generic.IEnumerable initialValues) => throw null; - public LinkedHashSet() => throw null; - public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; - public bool Remove(T item) => throw null; - public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; - public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; - } - - // Generated from `Iesi.Collections.Generic.ReadOnlySet<>` in `Iesi.Collections, Version=4.0.0.4000, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReadOnlySet : System.Collections.IEnumerable, System.Collections.Generic.ISet, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - void System.Collections.Generic.ICollection.Add(T item) => throw null; - bool System.Collections.Generic.ISet.Add(T item) => throw null; - void System.Collections.Generic.ICollection.Clear() => throw null; - public bool Contains(T item) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - void System.Collections.Generic.ISet.ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - void System.Collections.Generic.ISet.IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; - public ReadOnlySet(System.Collections.Generic.ISet basisSet) => throw null; - bool System.Collections.Generic.ICollection.Remove(T item) => throw null; - public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; - void System.Collections.Generic.ISet.SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - void System.Collections.Generic.ISet.UnionWith(System.Collections.Generic.IEnumerable other) => throw null; - } - - // Generated from `Iesi.Collections.Generic.SynchronizedSet<>` in `Iesi.Collections, Version=4.0.0.4000, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SynchronizedSet : System.Collections.IEnumerable, System.Collections.Generic.ISet, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - void System.Collections.Generic.ICollection.Add(T item) => throw null; - public bool Add(T item) => throw null; - public void Clear() => throw null; - public bool Contains(T item) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; - public bool Remove(T item) => throw null; - public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; - public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public SynchronizedSet(System.Collections.Generic.ISet basisSet) => throw null; - public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; - } - - } - } -} diff --git a/csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.cs b/csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.cs similarity index 80% rename from csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.cs rename to csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.cs index a7577c91b061..4897168ea800 100644 --- a/csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.cs +++ b/csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.cs @@ -1,26942 +1,20588 @@ // This file contains auto-generated code. - +// Generated from `NHibernate, Version=5.4.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4`. namespace NHibernate { - // Generated from `NHibernate.ADOException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + namespace Action + { + public abstract class AbstractEntityInsertAction : NHibernate.Action.EntityAction + { + protected AbstractEntityInsertAction(object id, object[] state, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] State { get => throw null; } + } + public delegate void AfterTransactionCompletionProcessDelegate(bool success); + public delegate void BeforeTransactionCompletionProcessDelegate(); + public class BulkOperationCleanupAction : NHibernate.Action.IAsyncExecutable, NHibernate.Action.IExecutable, NHibernate.Action.IAfterTransactionCompletionProcess, NHibernate.Action.ICacheableExecutable + { + public NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } + NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } + public void BeforeExecutions() => throw null; + public System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } + NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } + public BulkOperationCleanupAction(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Entity.IQueryable[] affectedQueryables) => throw null; + public BulkOperationCleanupAction(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet querySpaces) => throw null; + public void Execute() => throw null; + public void ExecuteAfterTransactionCompletion(bool success) => throw null; + public System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void Init() => throw null; + public virtual System.Threading.Tasks.Task InitAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public string[] PropertySpaces { get => throw null; } + public string[] QueryCacheSpaces { get => throw null; } + } + public abstract class CollectionAction : NHibernate.Action.IAsyncExecutable, NHibernate.Action.IExecutable, System.IComparable, System.Runtime.Serialization.IDeserializationCallback, NHibernate.Action.IAfterTransactionCompletionProcess, NHibernate.Action.ICacheableExecutable + { + NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } + public virtual NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } + public virtual void BeforeExecutions() => throw null; + public virtual System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } + public virtual NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } + protected NHibernate.Collection.IPersistentCollection Collection { get => throw null; } + public virtual int CompareTo(NHibernate.Action.CollectionAction other) => throw null; + protected CollectionAction(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object key, NHibernate.Engine.ISessionImplementor session) => throw null; + protected void Evict() => throw null; + protected System.Threading.Tasks.Task EvictAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public abstract void Execute(); + public virtual void ExecuteAfterTransactionCompletion(bool success) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); + protected object GetKey() => throw null; + protected System.Threading.Tasks.Task GetKeyAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected object Key { get => throw null; } + public NHibernate.Cache.Access.ISoftLock Lock { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + protected NHibernate.Persister.Collection.ICollectionPersister Persister { get => throw null; } + public string[] PropertySpaces { get => throw null; } + public string[] QueryCacheSpaces { get => throw null; } + protected NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public override string ToString() => throw null; + } + public sealed class CollectionRecreateAction : NHibernate.Action.CollectionAction + { + public CollectionRecreateAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object key, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + public sealed class CollectionRemoveAction : NHibernate.Action.CollectionAction + { + public override int CompareTo(NHibernate.Action.CollectionAction other) => throw null; + public CollectionRemoveAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object id, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public CollectionRemoveAction(object affectedOwner, NHibernate.Persister.Collection.ICollectionPersister persister, object id, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + public sealed class CollectionUpdateAction : NHibernate.Action.CollectionAction + { + public CollectionUpdateAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object key, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public override void Execute() => throw null; + public override void ExecuteAfterTransactionCompletion(bool success) => throw null; + public override System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + } + public class DelayedPostInsertIdentifier + { + public object ActualId { get => throw null; set { } } + public DelayedPostInsertIdentifier() => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Action.DelayedPostInsertIdentifier that) => throw null; + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + } + public abstract class EntityAction : NHibernate.Action.IAsyncExecutable, NHibernate.Action.IExecutable, NHibernate.Action.IBeforeTransactionCompletionProcess, NHibernate.Action.IAfterTransactionCompletionProcess, System.IComparable, System.Runtime.Serialization.IDeserializationCallback, NHibernate.Action.ICacheableExecutable + { + public virtual NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } + NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } + protected virtual void AfterTransactionCompletionProcessImpl(bool success) => throw null; + protected virtual System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public void BeforeExecutions() => throw null; + public System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } + NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } + protected virtual void BeforeTransactionCompletionProcessImpl() => throw null; + protected virtual System.Threading.Tasks.Task BeforeTransactionCompletionProcessImplAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual int CompareTo(NHibernate.Action.EntityAction other) => throw null; + protected EntityAction(NHibernate.Engine.ISessionImplementor session, object id, object instance, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public string EntityName { get => throw null; } + public abstract void Execute(); + public void ExecuteAfterTransactionCompletion(bool success) => throw null; + public System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); + public void ExecuteBeforeTransactionCompletion() => throw null; + public System.Threading.Tasks.Task ExecuteBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract bool HasPostCommitEventListeners { get; } + public object Id { get => throw null; } + public object Instance { get => throw null; } + protected virtual bool NeedsAfterTransactionCompletion() => throw null; + protected virtual bool NeedsBeforeTransactionCompletion() => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } + public string[] PropertySpaces { get => throw null; } + public string[] QueryCacheSpaces { get => throw null; } + public NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public override string ToString() => throw null; + } + public sealed class EntityDeleteAction : NHibernate.Action.EntityAction + { + protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; + protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public override int CompareTo(NHibernate.Action.EntityAction other) => throw null; + public EntityDeleteAction(object id, object[] state, object version, object instance, NHibernate.Persister.Entity.IEntityPersister persister, bool isCascadeDeleteEnabled, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool HasPostCommitEventListeners { get => throw null; } + } + public sealed class EntityIdentityInsertAction : NHibernate.Action.AbstractEntityInsertAction + { + protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; + protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public EntityIdentityInsertAction(object[] state, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session, bool isDelayed) : base(default(object), default(object[]), default(object), default(NHibernate.Persister.Entity.IEntityPersister), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public NHibernate.Engine.EntityKey DelayedEntityKey { get => throw null; } + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public object GeneratedId { get => throw null; } + protected override bool HasPostCommitEventListeners { get => throw null; } + } + public sealed class EntityInsertAction : NHibernate.Action.AbstractEntityInsertAction + { + protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; + protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public override int CompareTo(NHibernate.Action.EntityAction other) => throw null; + public EntityInsertAction(object id, object[] state, object instance, object version, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(object), default(object[]), default(object), default(NHibernate.Persister.Entity.IEntityPersister), default(NHibernate.Engine.ISessionImplementor)) => throw null; + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool HasPostCommitEventListeners { get => throw null; } + } + public sealed class EntityUpdateAction : NHibernate.Action.EntityAction + { + protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; + protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public EntityUpdateAction(object id, object[] state, int[] dirtyProperties, bool hasDirtyCollection, object[] previousState, object previousVersion, object nextVersion, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public override void Execute() => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool HasPostCommitEventListeners { get => throw null; } + } + public interface IAfterTransactionCompletionProcess + { + void ExecuteAfterTransactionCompletion(bool success); + System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken); + } + public interface IAsyncExecutable : NHibernate.Action.IExecutable + { + NHibernate.Action.IAfterTransactionCompletionProcess AfterTransactionCompletionProcess { get; } + NHibernate.Action.IBeforeTransactionCompletionProcess BeforeTransactionCompletionProcess { get; } + } + public interface IBeforeTransactionCompletionProcess + { + void ExecuteBeforeTransactionCompletion(); + System.Threading.Tasks.Task ExecuteBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); + } + public interface ICacheableExecutable : NHibernate.Action.IExecutable + { + string[] QueryCacheSpaces { get; } + } + public interface IExecutable + { + NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get; } + void BeforeExecutions(); + System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken); + NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get; } + void Execute(); + System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); + string[] PropertySpaces { get; } + } + } public class ADOException : NHibernate.HibernateException { - public ADOException(string message, System.Exception innerException, string sql) => throw null; - public ADOException(string message, System.Exception innerException) => throw null; public ADOException() => throw null; + public ADOException(string message, System.Exception innerException) => throw null; + public ADOException(string message, System.Exception innerException, string sql) => throw null; protected ADOException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public string SqlString { get => throw null; } } - - // Generated from `NHibernate.AssertionFailure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AssertionFailure : System.Exception - { - public AssertionFailure(string message, System.Exception innerException) => throw null; - public AssertionFailure(string message) => throw null; - public AssertionFailure() => throw null; - protected AssertionFailure(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.CacheMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - [System.Flags] - public enum CacheMode - { - Get, - Ignore, - Normal, - Put, - Refresh, - } - - // Generated from `NHibernate.CallbackException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CallbackException : NHibernate.HibernateException - { - public CallbackException(string message, System.Exception innerException) => throw null; - public CallbackException(string message) => throw null; - public CallbackException(System.Exception innerException) => throw null; - protected CallbackException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.ConnectionReleaseMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum ConnectionReleaseMode - { - AfterStatement, - AfterTransaction, - OnClose, - } - - // Generated from `NHibernate.ConnectionReleaseModeParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ConnectionReleaseModeParser - { - public static NHibernate.ConnectionReleaseMode Convert(string value) => throw null; - public static string ToString(NHibernate.ConnectionReleaseMode value) => throw null; - } - - // Generated from `NHibernate.CriteriaTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CriteriaTransformer - { - public static NHibernate.ICriteria Clone(NHibernate.ICriteria criteria) => throw null; - public static NHibernate.Criterion.DetachedCriteria Clone(NHibernate.Criterion.DetachedCriteria criteria) => throw null; - public static NHibernate.ICriteria TransformToRowCount(NHibernate.ICriteria criteria) => throw null; - public static NHibernate.Criterion.DetachedCriteria TransformToRowCount(NHibernate.Criterion.DetachedCriteria criteria) => throw null; - } - - // Generated from `NHibernate.DuplicateMappingException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DuplicateMappingException : NHibernate.MappingException - { - public DuplicateMappingException(string type, string name) : base(default(System.Exception)) => throw null; - public DuplicateMappingException(string customMessage, string type, string name) : base(default(System.Exception)) => throw null; - public DuplicateMappingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Exception)) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string Name { get => throw null; } - public string Type { get => throw null; } - } - - // Generated from `NHibernate.EmptyInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmptyInterceptor : NHibernate.IInterceptor - { - public virtual void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; - public virtual void AfterTransactionCompletion(NHibernate.ITransaction tx) => throw null; - public virtual void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; - public EmptyInterceptor() => throw null; - public virtual int[] FindDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; - public virtual object GetEntity(string entityName, object id) => throw null; - public virtual string GetEntityName(object entity) => throw null; - public static NHibernate.EmptyInterceptor Instance; - public virtual object Instantiate(string clazz, object id) => throw null; - public virtual bool? IsTransient(object entity) => throw null; - public virtual void OnCollectionRecreate(object collection, object key) => throw null; - public virtual void OnCollectionRemove(object collection, object key) => throw null; - public virtual void OnCollectionUpdate(object collection, object key) => throw null; - public virtual void OnDelete(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; - public virtual bool OnFlushDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; - public virtual bool OnLoad(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; - public virtual NHibernate.SqlCommand.SqlString OnPrepareStatement(NHibernate.SqlCommand.SqlString sql) => throw null; - public virtual bool OnSave(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; - public virtual void PostFlush(System.Collections.ICollection entities) => throw null; - public virtual void PreFlush(System.Collections.ICollection entitites) => throw null; - public virtual void SetSession(NHibernate.ISession session) => throw null; - } - - // Generated from `NHibernate.EntityJoinExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EntityJoinExtensions - { - public static NHibernate.ICriteria CreateEntityAlias(this NHibernate.ICriteria criteria, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - public static NHibernate.ICriteria CreateEntityAlias(this NHibernate.ICriteria criteria, string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; - public static NHibernate.ICriteria CreateEntityCriteria(this NHibernate.ICriteria criteria, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - public static NHibernate.ICriteria CreateEntityCriteria(this NHibernate.ICriteria criteria, string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; - public static TThis JoinEntityAlias(this TThis queryOver, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) where TThis : NHibernate.IQueryOver => throw null; - public static TThis JoinEntityAlias(this TThis queryOver, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) where TThis : NHibernate.IQueryOver => throw null; - public static NHibernate.IQueryOver JoinEntityQueryOver(this NHibernate.IQueryOver queryOver, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - public static NHibernate.IQueryOver JoinEntityQueryOver(this NHibernate.IQueryOver queryOver, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - } - - // Generated from `NHibernate.EntityMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum EntityMode - { - Map, - Poco, - } - - // Generated from `NHibernate.FKUnmatchingColumnsException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FKUnmatchingColumnsException : NHibernate.MappingException - { - public FKUnmatchingColumnsException(string message, System.Exception innerException) : base(default(System.Exception)) => throw null; - public FKUnmatchingColumnsException(string message) : base(default(System.Exception)) => throw null; - protected FKUnmatchingColumnsException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Exception)) => throw null; - } - - // Generated from `NHibernate.FetchMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum FetchMode - { - Default, - Eager, - Join, - Lazy, - Select, - } - - // Generated from `NHibernate.FlushMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum FlushMode - { - Always, - Auto, - Commit, - Manual, - Never, - Unspecified, - } - - // Generated from `NHibernate.HibernateException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HibernateException : System.Exception + namespace AdoNet { - public HibernateException(string message, System.Exception innerException) => throw null; - public HibernateException(string message) => throw null; - public HibernateException(System.Exception innerException) => throw null; - public HibernateException() => throw null; - protected HibernateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.ICacheableQueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface ICacheableQueryExpression - { - bool CanCachePlan { get; } - } - - // Generated from `NHibernate.ICriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICriteria : System.ICloneable - { - NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression); - NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order order); - string Alias { get; } - void ClearOrders(); - NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.ICriteria CreateAlias(string associationPath, string alias); - NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.ICriteria CreateCriteria(string associationPath, string alias); - NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType); - NHibernate.ICriteria CreateCriteria(string associationPath); - NHibernate.IFutureEnumerable Future(); - NHibernate.IFutureValue FutureValue(); - NHibernate.ICriteria GetCriteriaByAlias(string alias); - NHibernate.ICriteria GetCriteriaByPath(string path); - System.Type GetRootEntityTypeIfAvailable(); - bool IsReadOnly { get; } - bool IsReadOnlyInitialized { get; } - void List(System.Collections.IList results); - System.Collections.IList List(); - System.Collections.Generic.IList List(); - System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode); - NHibernate.ICriteria SetCacheRegion(string cacheRegion); - NHibernate.ICriteria SetCacheable(bool cacheable); - NHibernate.ICriteria SetComment(string comment); - NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode); - NHibernate.ICriteria SetFetchSize(int fetchSize); - NHibernate.ICriteria SetFirstResult(int firstResult); - NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode); - NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode); - NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode); - NHibernate.ICriteria SetMaxResults(int maxResults); - NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projection); - NHibernate.ICriteria SetReadOnly(bool readOnly); - NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); - NHibernate.ICriteria SetTimeout(int timeout); - object UniqueResult(); - T UniqueResult(); - System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - // Generated from `NHibernate.IDatabinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDatabinder - { - NHibernate.IDatabinder Bind(object obj); - NHibernate.IDatabinder BindAll(System.Collections.ICollection objs); - bool InitializeLazy { get; set; } - string ToGenericXml(); - System.Xml.XmlDocument ToGenericXmlDocument(); - string ToXML(); - System.Xml.XmlDocument ToXmlDocument(); - } - - // Generated from `NHibernate.IDetachedQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDetachedQuery - { - NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session); - NHibernate.IDetachedQuery SetAnsiString(string name, string val); - NHibernate.IDetachedQuery SetAnsiString(int position, string val); - NHibernate.IDetachedQuery SetBinary(string name, System.Byte[] val); - NHibernate.IDetachedQuery SetBinary(int position, System.Byte[] val); - NHibernate.IDetachedQuery SetBoolean(string name, bool val); - NHibernate.IDetachedQuery SetBoolean(int position, bool val); - NHibernate.IDetachedQuery SetByte(string name, System.Byte val); - NHibernate.IDetachedQuery SetByte(int position, System.Byte val); - NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode); - NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion); - NHibernate.IDetachedQuery SetCacheable(bool cacheable); - NHibernate.IDetachedQuery SetCharacter(string name, System.Char val); - NHibernate.IDetachedQuery SetCharacter(int position, System.Char val); - NHibernate.IDetachedQuery SetComment(string comment); - NHibernate.IDetachedQuery SetDateTime(string name, System.DateTime val); - NHibernate.IDetachedQuery SetDateTime(int position, System.DateTime val); - NHibernate.IDetachedQuery SetDateTimeNoMs(string name, System.DateTime val); - NHibernate.IDetachedQuery SetDateTimeNoMs(int position, System.DateTime val); - NHibernate.IDetachedQuery SetDecimal(string name, System.Decimal val); - NHibernate.IDetachedQuery SetDecimal(int position, System.Decimal val); - NHibernate.IDetachedQuery SetDouble(string name, double val); - NHibernate.IDetachedQuery SetDouble(int position, double val); - NHibernate.IDetachedQuery SetEntity(string name, object val); - NHibernate.IDetachedQuery SetEntity(int position, object val); - NHibernate.IDetachedQuery SetEnum(string name, System.Enum val); - NHibernate.IDetachedQuery SetEnum(int position, System.Enum val); - NHibernate.IDetachedQuery SetFetchSize(int fetchSize); - NHibernate.IDetachedQuery SetFirstResult(int firstResult); - NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode); - NHibernate.IDetachedQuery SetGuid(string name, System.Guid val); - NHibernate.IDetachedQuery SetGuid(int position, System.Guid val); - NHibernate.IDetachedQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters); - NHibernate.IDetachedQuery SetInt16(string name, System.Int16 val); - NHibernate.IDetachedQuery SetInt16(int position, System.Int16 val); - NHibernate.IDetachedQuery SetInt32(string name, int val); - NHibernate.IDetachedQuery SetInt32(int position, int val); - NHibernate.IDetachedQuery SetInt64(string name, System.Int64 val); - NHibernate.IDetachedQuery SetInt64(int position, System.Int64 val); - void SetLockMode(string alias, NHibernate.LockMode lockMode); - NHibernate.IDetachedQuery SetMaxResults(int maxResults); - NHibernate.IDetachedQuery SetParameter(string name, object val, NHibernate.Type.IType type); - NHibernate.IDetachedQuery SetParameter(string name, object val); - NHibernate.IDetachedQuery SetParameter(int position, object val, NHibernate.Type.IType type); - NHibernate.IDetachedQuery SetParameter(int position, object val); - NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); - NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals); - NHibernate.IDetachedQuery SetProperties(object obj); - NHibernate.IDetachedQuery SetReadOnly(bool readOnly); - NHibernate.IDetachedQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); - NHibernate.IDetachedQuery SetSingle(string name, float val); - NHibernate.IDetachedQuery SetSingle(int position, float val); - NHibernate.IDetachedQuery SetString(string name, string val); - NHibernate.IDetachedQuery SetString(int position, string val); - NHibernate.IDetachedQuery SetTime(string name, System.DateTime val); - NHibernate.IDetachedQuery SetTime(int position, System.DateTime val); - NHibernate.IDetachedQuery SetTimeout(int timeout); - NHibernate.IDetachedQuery SetTimestamp(string name, System.DateTime val); - NHibernate.IDetachedQuery SetTimestamp(int position, System.DateTime val); - } - - // Generated from `NHibernate.IFilter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFilter - { - NHibernate.Engine.FilterDefinition FilterDefinition { get; } - string Name { get; } - NHibernate.IFilter SetParameter(string name, object value); - NHibernate.IFilter SetParameterList(string name, System.Collections.Generic.ICollection values); - void Validate(); - } - - // Generated from `NHibernate.IFutureEnumerable<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFutureEnumerable : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - System.Collections.Generic.IEnumerable GetEnumerable(); - System.Threading.Tasks.Task> GetEnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Collections.Generic.IEnumerator GetEnumerator(); - } - - // Generated from `NHibernate.IFutureValue<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFutureValue - { - System.Threading.Tasks.Task GetValueAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - T Value { get; } - } - - // Generated from `NHibernate.IInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInterceptor - { - void AfterTransactionBegin(NHibernate.ITransaction tx); - void AfterTransactionCompletion(NHibernate.ITransaction tx); - void BeforeTransactionCompletion(NHibernate.ITransaction tx); - int[] FindDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types); - object GetEntity(string entityName, object id); - string GetEntityName(object entity); - object Instantiate(string entityName, object id); - bool? IsTransient(object entity); - void OnCollectionRecreate(object collection, object key); - void OnCollectionRemove(object collection, object key); - void OnCollectionUpdate(object collection, object key); - void OnDelete(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); - bool OnFlushDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types); - bool OnLoad(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); - NHibernate.SqlCommand.SqlString OnPrepareStatement(NHibernate.SqlCommand.SqlString sql); - bool OnSave(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); - void PostFlush(System.Collections.ICollection entities); - void PreFlush(System.Collections.ICollection entities); - void SetSession(NHibernate.ISession session); - } - - // Generated from `NHibernate.IInternalLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInternalLogger - { - void Debug(object message, System.Exception exception); - void Debug(object message); - void DebugFormat(string format, params object[] args); - void Error(object message, System.Exception exception); - void Error(object message); - void ErrorFormat(string format, params object[] args); - void Fatal(object message, System.Exception exception); - void Fatal(object message); - void Info(object message, System.Exception exception); - void Info(object message); - void InfoFormat(string format, params object[] args); - bool IsDebugEnabled { get; } - bool IsErrorEnabled { get; } - bool IsFatalEnabled { get; } - bool IsInfoEnabled { get; } - bool IsWarnEnabled { get; } - void Warn(object message, System.Exception exception); - void Warn(object message); - void WarnFormat(string format, params object[] args); - } - - // Generated from `NHibernate.ILoggerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILoggerFactory - { - NHibernate.IInternalLogger LoggerFor(string keyName); - NHibernate.IInternalLogger LoggerFor(System.Type type); - } - - // Generated from `NHibernate.IMultiCriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMultiCriteria - { - NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver); - NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver); - NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver); - NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria); - NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria); - NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver); - NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria); - NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria); - NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria); - NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria); - NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.IQueryOver queryOver); - NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.ICriteria criteria); - NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria); - NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria); - NHibernate.IMultiCriteria ForceCacheRefresh(bool forceRefresh); - object GetResult(string key); - System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Collections.IList List(); - System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IMultiCriteria SetCacheRegion(string region); - NHibernate.IMultiCriteria SetCacheable(bool cachable); - NHibernate.IMultiCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); - } - - // Generated from `NHibernate.IMultiQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMultiQuery - { - NHibernate.IMultiQuery Add(string key, string hql); - NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query); - NHibernate.IMultiQuery Add(string hql); - NHibernate.IMultiQuery Add(NHibernate.IQuery query); - NHibernate.IMultiQuery Add(string key, string hql); - NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query); - NHibernate.IMultiQuery Add(string hql); - NHibernate.IMultiQuery Add(System.Type resultGenericListType, NHibernate.IQuery query); - NHibernate.IMultiQuery Add(NHibernate.IQuery query); - NHibernate.IMultiQuery AddNamedQuery(string queryName); - NHibernate.IMultiQuery AddNamedQuery(string key, string queryName); - NHibernate.IMultiQuery AddNamedQuery(string queryName); - NHibernate.IMultiQuery AddNamedQuery(string key, string queryName); - object GetResult(string key); - System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Collections.IList List(); - System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IMultiQuery SetAnsiString(string name, string val); - NHibernate.IMultiQuery SetBinary(string name, System.Byte[] val); - NHibernate.IMultiQuery SetBoolean(string name, bool val); - NHibernate.IMultiQuery SetByte(string name, System.Byte val); - NHibernate.IMultiQuery SetCacheRegion(string region); - NHibernate.IMultiQuery SetCacheable(bool cacheable); - NHibernate.IMultiQuery SetCharacter(string name, System.Char val); - NHibernate.IMultiQuery SetDateTime(string name, System.DateTime val); - NHibernate.IMultiQuery SetDateTime2(string name, System.DateTime val); - NHibernate.IMultiQuery SetDateTimeNoMs(string name, System.DateTime val); - NHibernate.IMultiQuery SetDateTimeOffset(string name, System.DateTimeOffset val); - NHibernate.IMultiQuery SetDecimal(string name, System.Decimal val); - NHibernate.IMultiQuery SetDouble(string name, double val); - NHibernate.IMultiQuery SetEntity(string name, object val); - NHibernate.IMultiQuery SetEnum(string name, System.Enum val); - NHibernate.IMultiQuery SetFlushMode(NHibernate.FlushMode mode); - NHibernate.IMultiQuery SetForceCacheRefresh(bool forceCacheRefresh); - NHibernate.IMultiQuery SetGuid(string name, System.Guid val); - NHibernate.IMultiQuery SetInt16(string name, System.Int16 val); - NHibernate.IMultiQuery SetInt32(string name, int val); - NHibernate.IMultiQuery SetInt64(string name, System.Int64 val); - NHibernate.IMultiQuery SetParameter(string name, object val, NHibernate.Type.IType type); - NHibernate.IMultiQuery SetParameter(string name, object val); - NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); - NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals); - NHibernate.IMultiQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer); - NHibernate.IMultiQuery SetSingle(string name, float val); - NHibernate.IMultiQuery SetString(string name, string val); - NHibernate.IMultiQuery SetTime(string name, System.DateTime val); - NHibernate.IMultiQuery SetTimeAsTimeSpan(string name, System.TimeSpan val); - NHibernate.IMultiQuery SetTimeSpan(string name, System.TimeSpan val); - NHibernate.IMultiQuery SetTimeout(int timeout); - NHibernate.IMultiQuery SetTimestamp(string name, System.DateTime val); - } - - // Generated from `NHibernate.INHibernateLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INHibernateLogger - { - bool IsEnabled(NHibernate.NHibernateLogLevel logLevel); - void Log(NHibernate.NHibernateLogLevel logLevel, NHibernate.NHibernateLogValues state, System.Exception exception); - } - - // Generated from `NHibernate.INHibernateLoggerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INHibernateLoggerFactory - { - NHibernate.INHibernateLogger LoggerFor(string keyName); - NHibernate.INHibernateLogger LoggerFor(System.Type type); - } - - // Generated from `NHibernate.IQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQuery - { - System.Collections.IEnumerable Enumerable(); - System.Collections.Generic.IEnumerable Enumerable(); - System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - int ExecuteUpdate(); - System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IFutureEnumerable Future(); - NHibernate.IFutureValue FutureValue(); - bool IsReadOnly { get; } - void List(System.Collections.IList results); - System.Collections.IList List(); - System.Collections.Generic.IList List(); - System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - string[] NamedParameters { get; } - string QueryString { get; } - string[] ReturnAliases { get; } - NHibernate.Type.IType[] ReturnTypes { get; } - NHibernate.IQuery SetAnsiString(string name, string val); - NHibernate.IQuery SetAnsiString(int position, string val); - NHibernate.IQuery SetBinary(string name, System.Byte[] val); - NHibernate.IQuery SetBinary(int position, System.Byte[] val); - NHibernate.IQuery SetBoolean(string name, bool val); - NHibernate.IQuery SetBoolean(int position, bool val); - NHibernate.IQuery SetByte(string name, System.Byte val); - NHibernate.IQuery SetByte(int position, System.Byte val); - NHibernate.IQuery SetCacheMode(NHibernate.CacheMode cacheMode); - NHibernate.IQuery SetCacheRegion(string cacheRegion); - NHibernate.IQuery SetCacheable(bool cacheable); - NHibernate.IQuery SetCharacter(string name, System.Char val); - NHibernate.IQuery SetCharacter(int position, System.Char val); - NHibernate.IQuery SetComment(string comment); - NHibernate.IQuery SetDateTime(string name, System.DateTime val); - NHibernate.IQuery SetDateTime(int position, System.DateTime val); - NHibernate.IQuery SetDateTime2(string name, System.DateTime val); - NHibernate.IQuery SetDateTime2(int position, System.DateTime val); - NHibernate.IQuery SetDateTimeNoMs(string name, System.DateTime val); - NHibernate.IQuery SetDateTimeNoMs(int position, System.DateTime val); - NHibernate.IQuery SetDateTimeOffset(string name, System.DateTimeOffset val); - NHibernate.IQuery SetDateTimeOffset(int position, System.DateTimeOffset val); - NHibernate.IQuery SetDecimal(string name, System.Decimal val); - NHibernate.IQuery SetDecimal(int position, System.Decimal val); - NHibernate.IQuery SetDouble(string name, double val); - NHibernate.IQuery SetDouble(int position, double val); - NHibernate.IQuery SetEntity(string name, object val); - NHibernate.IQuery SetEntity(int position, object val); - NHibernate.IQuery SetEnum(string name, System.Enum val); - NHibernate.IQuery SetEnum(int position, System.Enum val); - NHibernate.IQuery SetFetchSize(int fetchSize); - NHibernate.IQuery SetFirstResult(int firstResult); - NHibernate.IQuery SetFlushMode(NHibernate.FlushMode flushMode); - NHibernate.IQuery SetGuid(string name, System.Guid val); - NHibernate.IQuery SetGuid(int position, System.Guid val); - NHibernate.IQuery SetInt16(string name, System.Int16 val); - NHibernate.IQuery SetInt16(int position, System.Int16 val); - NHibernate.IQuery SetInt32(string name, int val); - NHibernate.IQuery SetInt32(int position, int val); - NHibernate.IQuery SetInt64(string name, System.Int64 val); - NHibernate.IQuery SetInt64(int position, System.Int64 val); - NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode); - NHibernate.IQuery SetMaxResults(int maxResults); - NHibernate.IQuery SetParameter(string name, T val); - NHibernate.IQuery SetParameter(int position, T val); - NHibernate.IQuery SetParameter(string name, object val, NHibernate.Type.IType type); - NHibernate.IQuery SetParameter(string name, object val); - NHibernate.IQuery SetParameter(int position, object val, NHibernate.Type.IType type); - NHibernate.IQuery SetParameter(int position, object val); - NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); - NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals); - NHibernate.IQuery SetProperties(object obj); - NHibernate.IQuery SetReadOnly(bool readOnly); - NHibernate.IQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); - NHibernate.IQuery SetSingle(string name, float val); - NHibernate.IQuery SetSingle(int position, float val); - NHibernate.IQuery SetString(string name, string val); - NHibernate.IQuery SetString(int position, string val); - NHibernate.IQuery SetTime(string name, System.DateTime val); - NHibernate.IQuery SetTime(int position, System.DateTime val); - NHibernate.IQuery SetTimeAsTimeSpan(string name, System.TimeSpan val); - NHibernate.IQuery SetTimeAsTimeSpan(int position, System.TimeSpan val); - NHibernate.IQuery SetTimeSpan(string name, System.TimeSpan val); - NHibernate.IQuery SetTimeSpan(int position, System.TimeSpan val); - NHibernate.IQuery SetTimeout(int timeout); - NHibernate.IQuery SetTimestamp(string name, System.DateTime val); - NHibernate.IQuery SetTimestamp(int position, System.DateTime val); - object UniqueResult(); - T UniqueResult(); - System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - // Generated from `NHibernate.IQueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryExpression - { - string Key { get; } - System.Collections.Generic.IList ParameterDescriptors { get; } - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, bool filter); - System.Type Type { get; } - } - - // Generated from `NHibernate.IQueryOver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryOver - { - NHibernate.ICriteria RootCriteria { get; } - NHibernate.ICriteria UnderlyingCriteria { get; } - } - - // Generated from `NHibernate.IQueryOver<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryOver : NHibernate.IQueryOver, NHibernate.IQueryOver - { - NHibernate.IQueryOver And(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver And(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver And(NHibernate.Criterion.ICriterion expression); - NHibernate.IQueryOver AndNot(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver AndNot(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver AndNot(NHibernate.Criterion.ICriterion expression); - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression); - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression); - NHibernate.Criterion.Lambda.IQueryOverFetchBuilder Fetch(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Full { get; } - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Inner { get; } - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType); - NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path); - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Left { get; } - NHibernate.Criterion.Lambda.IQueryOverLockBuilder Lock(System.Linq.Expressions.Expression> alias); - NHibernate.Criterion.Lambda.IQueryOverLockBuilder Lock(); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(NHibernate.Criterion.IProjection projection); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderByAlias(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Right { get; } - NHibernate.IQueryOver Select(params System.Linq.Expressions.Expression>[] projections); - NHibernate.IQueryOver Select(params NHibernate.Criterion.IProjection[] projections); - NHibernate.IQueryOver SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(NHibernate.Criterion.IProjection projection); - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenByAlias(System.Linq.Expressions.Expression> path); - NHibernate.IQueryOver TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer); - NHibernate.IQueryOver Where(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver Where(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver Where(NHibernate.Criterion.ICriterion expression); - NHibernate.IQueryOver WhereNot(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver WhereNot(System.Linq.Expressions.Expression> expression); - NHibernate.IQueryOver WhereNot(NHibernate.Criterion.ICriterion expression); - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression); - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression); - NHibernate.Criterion.Lambda.IQueryOverSubqueryBuilder WithSubquery { get; } - } - - // Generated from `NHibernate.IQueryOver<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryOver : NHibernate.IQueryOver - { - NHibernate.IQueryOver CacheMode(NHibernate.CacheMode cacheMode); - NHibernate.IQueryOver CacheRegion(string cacheRegion); - NHibernate.IQueryOver Cacheable(); - NHibernate.IQueryOver ClearOrders(); - NHibernate.IQueryOver Clone(); - NHibernate.IFutureEnumerable Future(); - NHibernate.IFutureEnumerable Future(); - NHibernate.IFutureValue FutureValue(); - NHibernate.IFutureValue FutureValue(); - System.Collections.Generic.IList List(); - System.Collections.Generic.IList List(); - System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IQueryOver ReadOnly(); - int RowCount(); - System.Threading.Tasks.Task RowCountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Int64 RowCountInt64(); - System.Threading.Tasks.Task RowCountInt64Async(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - U SingleOrDefault(); - TRoot SingleOrDefault(); - System.Threading.Tasks.Task SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IQueryOver Skip(int firstResult); - NHibernate.IQueryOver Take(int maxResults); - NHibernate.IQueryOver ToRowCountInt64Query(); - NHibernate.IQueryOver ToRowCountQuery(); - } - - // Generated from `NHibernate.ISQLQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISQLQuery : NHibernate.IQuery - { - NHibernate.ISQLQuery AddEntity(string entityName); - NHibernate.ISQLQuery AddEntity(string alias, string entityName, NHibernate.LockMode lockMode); - NHibernate.ISQLQuery AddEntity(string alias, string entityName); - NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass, NHibernate.LockMode lockMode); - NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass); - NHibernate.ISQLQuery AddEntity(System.Type entityClass); - NHibernate.ISQLQuery AddJoin(string alias, string path, NHibernate.LockMode lockMode); - NHibernate.ISQLQuery AddJoin(string alias, string path); - NHibernate.ISQLQuery AddScalar(string columnAlias, NHibernate.Type.IType type); - NHibernate.ISQLQuery SetResultSetMapping(string name); - } - - // Generated from `NHibernate.ISession` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISession : System.IDisposable - { - NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel); - NHibernate.ITransaction BeginTransaction(); - NHibernate.CacheMode CacheMode { get; set; } - void CancelQuery(); - void Clear(); - System.Data.Common.DbConnection Close(); - System.Data.Common.DbConnection Connection { get; } - bool Contains(object obj); - NHibernate.ICriteria CreateCriteria(string alias) where T : class; - NHibernate.ICriteria CreateCriteria() where T : class; - NHibernate.ICriteria CreateCriteria(string entityName, string alias); - NHibernate.ICriteria CreateCriteria(string entityName); - NHibernate.ICriteria CreateCriteria(System.Type persistentClass, string alias); - NHibernate.ICriteria CreateCriteria(System.Type persistentClass); - NHibernate.IQuery CreateFilter(object collection, string queryString); - System.Threading.Tasks.Task CreateFilterAsync(object collection, string queryString, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IMultiCriteria CreateMultiCriteria(); - NHibernate.IMultiQuery CreateMultiQuery(); - NHibernate.IQuery CreateQuery(string queryString); - NHibernate.ISQLQuery CreateSQLQuery(string queryString); - bool DefaultReadOnly { get; set; } - void Delete(string entityName, object obj); - void Delete(object obj); - int Delete(string query, object[] values, NHibernate.Type.IType[] types); - int Delete(string query, object value, NHibernate.Type.IType type); - int Delete(string query); - System.Threading.Tasks.Task DeleteAsync(string query, object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task DeleteAsync(string query, object value, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task DeleteAsync(string query, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task DeleteAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task DeleteAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void DisableFilter(string filterName); - System.Data.Common.DbConnection Disconnect(); - NHibernate.IFilter EnableFilter(string filterName); - void Evict(object obj); - System.Threading.Tasks.Task EvictAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Flush(); - System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.FlushMode FlushMode { get; set; } - object Get(string entityName, object id); - object Get(System.Type clazz, object id, NHibernate.LockMode lockMode); - object Get(System.Type clazz, object id); - T Get(object id, NHibernate.LockMode lockMode); - T Get(object id); - System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.LockMode GetCurrentLockMode(object obj); - NHibernate.IFilter GetEnabledFilter(string filterName); - string GetEntityName(object obj); - System.Threading.Tasks.Task GetEntityNameAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - object GetIdentifier(object obj); - NHibernate.IQuery GetNamedQuery(string queryName); - NHibernate.ISession GetSession(NHibernate.EntityMode entityMode); - NHibernate.Engine.ISessionImplementor GetSessionImplementation(); - bool IsConnected { get; } - bool IsDirty(); - System.Threading.Tasks.Task IsDirtyAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - bool IsOpen { get; } - bool IsReadOnly(object entityOrProxy); - void JoinTransaction(); - void Load(object obj, object id); - object Load(string entityName, object id, NHibernate.LockMode lockMode); - object Load(string entityName, object id); - object Load(System.Type theType, object id, NHibernate.LockMode lockMode); - object Load(System.Type theType, object id); - T Load(object id, NHibernate.LockMode lockMode); - T Load(object id); - System.Threading.Tasks.Task LoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(System.Type theType, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(System.Type theType, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LoadAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Lock(string entityName, object obj, NHibernate.LockMode lockMode); - void Lock(object obj, NHibernate.LockMode lockMode); - System.Threading.Tasks.Task LockAsync(string entityName, object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task LockAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - object Merge(string entityName, object obj); - object Merge(object obj); - T Merge(string entityName, T entity) where T : class; - T Merge(T entity) where T : class; - System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task MergeAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task MergeAsync(string entityName, T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class; - System.Threading.Tasks.Task MergeAsync(T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class; - void Persist(string entityName, object obj); - void Persist(object obj); - System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task PersistAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Linq.IQueryable Query(string entityName); - System.Linq.IQueryable Query(); - NHibernate.IQueryOver QueryOver(string entityName, System.Linq.Expressions.Expression> alias) where T : class; - NHibernate.IQueryOver QueryOver(string entityName) where T : class; - NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class; - NHibernate.IQueryOver QueryOver() where T : class; - void Reconnect(System.Data.Common.DbConnection connection); - void Reconnect(); - void Refresh(object obj, NHibernate.LockMode lockMode); - void Refresh(object obj); - System.Threading.Tasks.Task RefreshAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task RefreshAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Replicate(string entityName, object obj, NHibernate.ReplicationMode replicationMode); - void Replicate(object obj, NHibernate.ReplicationMode replicationMode); - System.Threading.Tasks.Task ReplicateAsync(string entityName, object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task ReplicateAsync(object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Save(string entityName, object obj, object id); - void Save(object obj, object id); - object Save(string entityName, object obj); - object Save(object obj); - System.Threading.Tasks.Task SaveAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SaveAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SaveAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SaveAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void SaveOrUpdate(string entityName, object obj, object id); - void SaveOrUpdate(string entityName, object obj); - void SaveOrUpdate(object obj); - System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task SaveOrUpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.ISessionFactory SessionFactory { get; } - NHibernate.ISharedSessionBuilder SessionWithOptions(); - NHibernate.ISession SetBatchSize(int batchSize); - void SetReadOnly(object entityOrProxy, bool readOnly); - NHibernate.Stat.ISessionStatistics Statistics { get; } - NHibernate.ITransaction Transaction { get; } - void Update(string entityName, object obj, object id); - void Update(string entityName, object obj); - void Update(object obj, object id); - void Update(object obj); - System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UpdateAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - // Generated from `NHibernate.ISessionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionBuilder : NHibernate.ISessionBuilder - { - } - - // Generated from `NHibernate.ISessionBuilder<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionBuilder where T : NHibernate.ISessionBuilder - { - T AutoClose(bool autoClose); - T AutoJoinTransaction(bool autoJoinTransaction); - T Connection(System.Data.Common.DbConnection connection); - T ConnectionReleaseMode(NHibernate.ConnectionReleaseMode connectionReleaseMode); - T FlushMode(NHibernate.FlushMode flushMode); - T Interceptor(NHibernate.IInterceptor interceptor); - T NoInterceptor(); - NHibernate.ISession OpenSession(); - } - - // Generated from `NHibernate.ISessionFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionFactory : System.IDisposable - { - void Close(); - System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Collections.Generic.ICollection DefinedFilterNames { get; } - void Evict(System.Type persistentClass, object id); - void Evict(System.Type persistentClass); - System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void EvictCollection(string roleName, object id); - void EvictCollection(string roleName); - System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task EvictCollectionAsync(string roleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void EvictEntity(string entityName, object id); - void EvictEntity(string entityName); - System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task EvictEntityAsync(string entityName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void EvictQueries(string cacheRegion); - void EvictQueries(); - System.Threading.Tasks.Task EvictQueriesAsync(string cacheRegion, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task EvictQueriesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Collections.Generic.IDictionary GetAllClassMetadata(); - System.Collections.Generic.IDictionary GetAllCollectionMetadata(); - NHibernate.Metadata.IClassMetadata GetClassMetadata(string entityName); - NHibernate.Metadata.IClassMetadata GetClassMetadata(System.Type persistentClass); - NHibernate.Metadata.ICollectionMetadata GetCollectionMetadata(string roleName); - NHibernate.ISession GetCurrentSession(); - NHibernate.Engine.FilterDefinition GetFilterDefinition(string filterName); - bool IsClosed { get; } - NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection); - NHibernate.ISession OpenSession(System.Data.Common.DbConnection conn, NHibernate.IInterceptor sessionLocalInterceptor); - NHibernate.ISession OpenSession(NHibernate.IInterceptor sessionLocalInterceptor); - NHibernate.ISession OpenSession(); - NHibernate.IStatelessSession OpenStatelessSession(System.Data.Common.DbConnection connection); - NHibernate.IStatelessSession OpenStatelessSession(); - NHibernate.Stat.IStatistics Statistics { get; } - NHibernate.ISessionBuilder WithOptions(); - NHibernate.IStatelessSessionBuilder WithStatelessOptions(); - } - - // Generated from `NHibernate.ISharedSessionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISharedSessionBuilder : NHibernate.ISessionBuilder - { - NHibernate.ISharedSessionBuilder AutoClose(); - NHibernate.ISharedSessionBuilder AutoJoinTransaction(); - NHibernate.ISharedSessionBuilder Connection(); - NHibernate.ISharedSessionBuilder ConnectionReleaseMode(); - NHibernate.ISharedSessionBuilder FlushMode(); - NHibernate.ISharedSessionBuilder Interceptor(); - } - - // Generated from `NHibernate.ISharedStatelessSessionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISharedStatelessSessionBuilder : NHibernate.IStatelessSessionBuilder - { - NHibernate.ISharedStatelessSessionBuilder AutoJoinTransaction(bool autoJoinTransaction); - NHibernate.ISharedStatelessSessionBuilder AutoJoinTransaction(); - NHibernate.ISharedStatelessSessionBuilder Connection(System.Data.Common.DbConnection connection); - NHibernate.ISharedStatelessSessionBuilder Connection(); - } - - // Generated from `NHibernate.IStatelessSession` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IStatelessSession : System.IDisposable - { - NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel); - NHibernate.ITransaction BeginTransaction(); - void Close(); - System.Data.Common.DbConnection Connection { get; } - NHibernate.ICriteria CreateCriteria(string alias) where T : class; - NHibernate.ICriteria CreateCriteria() where T : class; - NHibernate.ICriteria CreateCriteria(string entityName, string alias); - NHibernate.ICriteria CreateCriteria(string entityName); - NHibernate.ICriteria CreateCriteria(System.Type entityType, string alias); - NHibernate.ICriteria CreateCriteria(System.Type entityType); - NHibernate.IQuery CreateQuery(string queryString); - NHibernate.ISQLQuery CreateSQLQuery(string queryString); - void Delete(string entityName, object entity); - void Delete(object entity); - System.Threading.Tasks.Task DeleteAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task DeleteAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - object Get(string entityName, object id, NHibernate.LockMode lockMode); - object Get(string entityName, object id); - T Get(object id, NHibernate.LockMode lockMode); - T Get(object id); - System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IQuery GetNamedQuery(string queryName); - NHibernate.Engine.ISessionImplementor GetSessionImplementation(); - object Insert(string entityName, object entity); - object Insert(object entity); - System.Threading.Tasks.Task InsertAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task InsertAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - bool IsConnected { get; } - bool IsOpen { get; } - void JoinTransaction(); - System.Linq.IQueryable Query(string entityName); - System.Linq.IQueryable Query(); - NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class; - NHibernate.IQueryOver QueryOver() where T : class; - void Refresh(string entityName, object entity, NHibernate.LockMode lockMode); - void Refresh(string entityName, object entity); - void Refresh(object entity, NHibernate.LockMode lockMode); - void Refresh(object entity); - System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task RefreshAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task RefreshAsync(object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - NHibernate.IStatelessSession SetBatchSize(int batchSize); - NHibernate.ITransaction Transaction { get; } - void Update(string entityName, object entity); - void Update(object entity); - System.Threading.Tasks.Task UpdateAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - System.Threading.Tasks.Task UpdateAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - } - - // Generated from `NHibernate.IStatelessSessionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IStatelessSessionBuilder - { - NHibernate.IStatelessSessionBuilder AutoJoinTransaction(bool autoJoinTransaction); - NHibernate.IStatelessSessionBuilder Connection(System.Data.Common.DbConnection connection); - NHibernate.IStatelessSession OpenStatelessSession(); - } - - // Generated from `NHibernate.ISupportSelectModeCriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportSelectModeCriteria - { - NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias); - } - - // Generated from `NHibernate.ISynchronizableQuery<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISynchronizableQuery where T : NHibernate.ISynchronizableQuery - { - T AddSynchronizedEntityClass(System.Type entityType); - T AddSynchronizedEntityName(string entityName); - T AddSynchronizedQuerySpace(string querySpace); - System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces(); - } - - // Generated from `NHibernate.ISynchronizableSQLQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISynchronizableSQLQuery : NHibernate.ISynchronizableQuery, NHibernate.ISQLQuery, NHibernate.IQuery - { - } - - // Generated from `NHibernate.ITransaction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITransaction : System.IDisposable - { - void Begin(System.Data.IsolationLevel isolationLevel); - void Begin(); - void Commit(); - System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - void Enlist(System.Data.Common.DbCommand command); - bool IsActive { get; } - void RegisterSynchronization(NHibernate.Transaction.ISynchronization synchronization); - void Rollback(); - System.Threading.Tasks.Task RollbackAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - bool WasCommitted { get; } - bool WasRolledBack { get; } - } - - // Generated from `NHibernate.IdentityEqualityComparer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentityEqualityComparer : System.Collections.IEqualityComparer, System.Collections.Generic.IEqualityComparer - { - public bool Equals(object x, object y) => throw null; - public int GetHashCode(object obj) => throw null; - public IdentityEqualityComparer() => throw null; - } - - // Generated from `NHibernate.InstantiationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InstantiationException : NHibernate.HibernateException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InstantiationException(string message, System.Type type) => throw null; - public InstantiationException(string message, System.Exception innerException, System.Type type) => throw null; - protected InstantiationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public System.Type PersistentType { get => throw null; } - } - - // Generated from `NHibernate.InvalidProxyTypeException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InvalidProxyTypeException : NHibernate.MappingException - { - public System.Collections.Generic.ICollection Errors { get => throw null; set => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public InvalidProxyTypeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Exception)) => throw null; - public InvalidProxyTypeException(System.Collections.Generic.ICollection errors) : base(default(System.Exception)) => throw null; - } - - // Generated from `NHibernate.LazyInitializationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LazyInitializationException : NHibernate.HibernateException - { - public object EntityId { get => throw null; } - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public LazyInitializationException(string message, System.Exception innerException) => throw null; - public LazyInitializationException(string message) => throw null; - public LazyInitializationException(string entityName, object entityId, string message) => throw null; - public LazyInitializationException(System.Exception innerException) => throw null; - protected LazyInitializationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.LockMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LockMode - { - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.LockMode other) => throw null; - public static NHibernate.LockMode Force; - public override int GetHashCode() => throw null; - public bool GreaterThan(NHibernate.LockMode mode) => throw null; - public bool LessThan(NHibernate.LockMode mode) => throw null; - public static NHibernate.LockMode None; - public static NHibernate.LockMode Read; - public override string ToString() => throw null; - public static NHibernate.LockMode Upgrade; - public static NHibernate.LockMode UpgradeNoWait; - public static NHibernate.LockMode Write; - } - - // Generated from `NHibernate.Log4NetLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Log4NetLogger : NHibernate.IInternalLogger - { - public void Debug(object message, System.Exception exception) => throw null; - public void Debug(object message) => throw null; - public void DebugFormat(string format, params object[] args) => throw null; - public void Error(object message, System.Exception exception) => throw null; - public void Error(object message) => throw null; - public void ErrorFormat(string format, params object[] args) => throw null; - public void Fatal(object message, System.Exception exception) => throw null; - public void Fatal(object message) => throw null; - public void Info(object message, System.Exception exception) => throw null; - public void Info(object message) => throw null; - public void InfoFormat(string format, params object[] args) => throw null; - public bool IsDebugEnabled { get => throw null; } - public bool IsErrorEnabled { get => throw null; } - public bool IsFatalEnabled { get => throw null; } - public bool IsInfoEnabled { get => throw null; } - public bool IsWarnEnabled { get => throw null; } - public Log4NetLogger(object logger) => throw null; - public void Warn(object message, System.Exception exception) => throw null; - public void Warn(object message) => throw null; - public void WarnFormat(string format, params object[] args) => throw null; - } - - // Generated from `NHibernate.Log4NetLoggerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Log4NetLoggerFactory : NHibernate.ILoggerFactory - { - public Log4NetLoggerFactory() => throw null; - public NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; - public NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; - } - - // Generated from `NHibernate.LoggerProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LoggerProvider - { - public static NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; - public static NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; - public LoggerProvider() => throw null; - public static void SetLoggersFactory(NHibernate.ILoggerFactory loggerFactory) => throw null; - } - - // Generated from `NHibernate.MappingException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingException : NHibernate.HibernateException - { - public MappingException(string message, System.Exception innerException) => throw null; - public MappingException(string message) => throw null; - public MappingException(System.Exception innerException) => throw null; - protected MappingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.MultiCriteriaExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class MultiCriteriaExtensions - { - public static NHibernate.IMultiCriteria SetTimeout(this NHibernate.IMultiCriteria multiCriteria, int timeout) => throw null; - } - - // Generated from `NHibernate.NHibernateLogLevel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum NHibernateLogLevel - { - Debug, - Error, - Fatal, - Info, - None, - Trace, - Warn, - } - - // Generated from `NHibernate.NHibernateLogValues` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct NHibernateLogValues - { - public object[] Args { get => throw null; } - public string Format { get => throw null; } - public NHibernateLogValues(string format, object[] args) => throw null; - // Stub generator skipped constructor - public override string ToString() => throw null; - } - - // Generated from `NHibernate.NHibernateLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NHibernateLogger - { - public static NHibernate.INHibernateLogger For(string keyName) => throw null; - public static NHibernate.INHibernateLogger For(System.Type type) => throw null; - public static void SetLoggersFactory(NHibernate.INHibernateLoggerFactory loggerFactory) => throw null; - } - - // Generated from `NHibernate.NHibernateLoggerExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NHibernateLoggerExtensions - { - public static void Debug(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; - public static void Debug(this NHibernate.INHibernateLogger logger, string message) => throw null; - public static void Debug(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; - public static void Debug(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; - public static void Debug(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; - public static void Error(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; - public static void Error(this NHibernate.INHibernateLogger logger, string message) => throw null; - public static void Error(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; - public static void Error(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; - public static void Error(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; - public static void Fatal(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; - public static void Fatal(this NHibernate.INHibernateLogger logger, string message) => throw null; - public static void Fatal(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; - public static void Fatal(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; - public static void Fatal(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; - public static void Info(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; - public static void Info(this NHibernate.INHibernateLogger logger, string message) => throw null; - public static void Info(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; - public static void Info(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; - public static void Info(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; - public static bool IsDebugEnabled(this NHibernate.INHibernateLogger logger) => throw null; - public static bool IsErrorEnabled(this NHibernate.INHibernateLogger logger) => throw null; - public static bool IsFatalEnabled(this NHibernate.INHibernateLogger logger) => throw null; - public static bool IsInfoEnabled(this NHibernate.INHibernateLogger logger) => throw null; - public static bool IsWarnEnabled(this NHibernate.INHibernateLogger logger) => throw null; - public static void Warn(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; - public static void Warn(this NHibernate.INHibernateLogger logger, string message) => throw null; - public static void Warn(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; - public static void Warn(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; - public static void Warn(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; - } - - // Generated from `NHibernate.NHibernateUtil` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NHibernateUtil - { - public static NHibernate.Type.AnsiCharType AnsiChar; - public static NHibernate.Type.AnsiStringType AnsiString; - public static NHibernate.Type.IType Any(NHibernate.Type.IType metaType, NHibernate.Type.IType identifierType) => throw null; - public static NHibernate.Type.BinaryType Binary; - public static NHibernate.Type.BinaryBlobType BinaryBlob; - public static NHibernate.Type.BooleanType Boolean; - public static NHibernate.Type.ByteType Byte; - public static NHibernate.Type.CharType Character; - public static NHibernate.Type.TypeType Class; - public static NHibernate.Type.ClassMetaType ClassMetaType; - public static void Close(System.Collections.IEnumerator enumerator) => throw null; - public static void Close(System.Collections.IEnumerable enumerable) => throw null; - public static NHibernate.Type.CultureInfoType CultureInfo; - public static NHibernate.Type.CurrencyType Currency; - public static NHibernate.Type.IType Custom(System.Type userTypeClass) => throw null; - public static NHibernate.Type.DateType Date; - public static NHibernate.Type.DateTimeType DateTime; - public static NHibernate.Type.DateTime2Type DateTime2; - public static NHibernate.Type.DateTimeNoMsType DateTimeNoMs; - public static NHibernate.Type.DateTimeOffsetType DateTimeOffset; - public static NHibernate.Type.DbTimestampType DbTimestamp; - public static NHibernate.Type.DecimalType Decimal; - public static NHibernate.Type.DoubleType Double; - public static NHibernate.Type.IType Entity(string entityName) => throw null; - public static NHibernate.Type.IType Entity(System.Type persistentClass) => throw null; - public static NHibernate.Type.IType Enum(System.Type enumClass) => throw null; - public static System.Type GetClass(object proxy) => throw null; - public static System.Threading.Tasks.Task GetClassAsync(object proxy, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.Type.IType GetSerializable(System.Type serializableClass) => throw null; - public static NHibernate.Type.IType GuessType(object obj) => throw null; - public static NHibernate.Type.IType GuessType(System.Type type) => throw null; - public static NHibernate.Type.GuidType Guid; - public static void Initialize(object proxy) => throw null; - public static System.Threading.Tasks.Task InitializeAsync(object proxy, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.Type.Int16Type Int16; - public static NHibernate.Type.Int32Type Int32; - public static NHibernate.Type.Int64Type Int64; - public static bool IsInitialized(object proxy) => throw null; - public static bool IsPropertyInitialized(object proxy, string propertyName) => throw null; - public static NHibernate.Type.DateType LocalDate; - public static NHibernate.Type.LocalDateTimeType LocalDateTime; - public static NHibernate.Type.LocalDateTimeNoMsType LocalDateTimeNoMs; - public static NHibernate.Type.MetaType MetaType; - public static NHibernate.Type.AnyType Object; - public static NHibernate.Type.SByteType SByte; - public static NHibernate.Type.SerializableType Serializable; - public static NHibernate.Type.SingleType Single; - public static NHibernate.Type.StringType String; - public static NHibernate.Type.StringClobType StringClob; - public static NHibernate.Type.TicksType Ticks; - public static NHibernate.Type.TimeType Time; - public static NHibernate.Type.TimeAsTimeSpanType TimeAsTimeSpan; - public static NHibernate.Type.TimeSpanType TimeSpan; - public static NHibernate.Type.TimestampType Timestamp; - public static NHibernate.Type.TrueFalseType TrueFalse; - public static NHibernate.Type.UInt16Type UInt16; - public static NHibernate.Type.UInt32Type UInt32; - public static NHibernate.Type.UInt64Type UInt64; - public static NHibernate.Type.UriType Uri; - public static NHibernate.Type.UtcDateTimeType UtcDateTime; - public static NHibernate.Type.UtcDateTimeNoMsType UtcDateTimeNoMs; - public static NHibernate.Type.UtcDbTimestampType UtcDbTimestamp; - public static NHibernate.Type.UtcTicksType UtcTicks; - public static NHibernate.Type.XDocType XDoc; - public static NHibernate.Type.XmlDocType XmlDoc; - public static NHibernate.Type.YesNoType YesNo; - } - - // Generated from `NHibernate.NoLoggingInternalLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoLoggingInternalLogger : NHibernate.IInternalLogger - { - public void Debug(object message, System.Exception exception) => throw null; - public void Debug(object message) => throw null; - public void DebugFormat(string format, params object[] args) => throw null; - public void Error(object message, System.Exception exception) => throw null; - public void Error(object message) => throw null; - public void ErrorFormat(string format, params object[] args) => throw null; - public void Fatal(object message, System.Exception exception) => throw null; - public void Fatal(object message) => throw null; - public void Info(object message, System.Exception exception) => throw null; - public void Info(object message) => throw null; - public void InfoFormat(string format, params object[] args) => throw null; - public bool IsDebugEnabled { get => throw null; } - public bool IsErrorEnabled { get => throw null; } - public bool IsFatalEnabled { get => throw null; } - public bool IsInfoEnabled { get => throw null; } - public bool IsWarnEnabled { get => throw null; } - public NoLoggingInternalLogger() => throw null; - public void Warn(object message, System.Exception exception) => throw null; - public void Warn(object message) => throw null; - public void WarnFormat(string format, params object[] args) => throw null; - } - - // Generated from `NHibernate.NoLoggingLoggerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoLoggingLoggerFactory : NHibernate.ILoggerFactory - { - public NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; - public NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; - public NoLoggingLoggerFactory() => throw null; - } - - // Generated from `NHibernate.NonUniqueObjectException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonUniqueObjectException : NHibernate.HibernateException - { - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Identifier { get => throw null; } - public override string Message { get => throw null; } - public NonUniqueObjectException(string message, object id, string entityName) => throw null; - public NonUniqueObjectException(object id, string entityName) => throw null; - protected NonUniqueObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.NonUniqueResultException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonUniqueResultException : NHibernate.HibernateException - { - public NonUniqueResultException(int resultCount) => throw null; - protected NonUniqueResultException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.ObjectDeletedException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ObjectDeletedException : NHibernate.UnresolvableObjectException - { - public ObjectDeletedException(string message, object identifier, string clazz) : base(default(System.Runtime.Serialization.SerializationInfo), default(System.Runtime.Serialization.StreamingContext)) => throw null; - protected ObjectDeletedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Runtime.Serialization.SerializationInfo), default(System.Runtime.Serialization.StreamingContext)) => throw null; - } - - // Generated from `NHibernate.ObjectNotFoundByUniqueKeyException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ObjectNotFoundByUniqueKeyException : NHibernate.HibernateException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Key { get => throw null; } - public ObjectNotFoundByUniqueKeyException(string entityName, string propertyName, object key) => throw null; - protected ObjectNotFoundByUniqueKeyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string PropertyName { get => throw null; } - } - - // Generated from `NHibernate.ObjectNotFoundException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ObjectNotFoundException : NHibernate.UnresolvableObjectException - { - public ObjectNotFoundException(object identifier, string entityName) : base(default(System.Runtime.Serialization.SerializationInfo), default(System.Runtime.Serialization.StreamingContext)) => throw null; - public ObjectNotFoundException(object identifier, System.Type type) : base(default(System.Runtime.Serialization.SerializationInfo), default(System.Runtime.Serialization.StreamingContext)) => throw null; - protected ObjectNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Runtime.Serialization.SerializationInfo), default(System.Runtime.Serialization.StreamingContext)) => throw null; - } - - // Generated from `NHibernate.PersistentObjectException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentObjectException : NHibernate.HibernateException - { - public PersistentObjectException(string message) => throw null; - protected PersistentObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.PropertyAccessException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyAccessException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public System.Type PersistentType { get => throw null; } - public PropertyAccessException(System.Exception innerException, string message, bool wasSetter, System.Type persistentType, string propertyName) => throw null; - public PropertyAccessException(System.Exception innerException, string message, bool wasSetter, System.Type persistentType) => throw null; - protected PropertyAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.PropertyNotFoundException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyNotFoundException : NHibernate.MappingException - { - public string AccessorType { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string PropertyName { get => throw null; } - public PropertyNotFoundException(string propertyName, string fieldName, System.Type targetType) : base(default(System.Exception)) => throw null; - public PropertyNotFoundException(System.Type targetType, string propertyName, string accessorType) : base(default(System.Exception)) => throw null; - public PropertyNotFoundException(System.Type targetType, string propertyName) : base(default(System.Exception)) => throw null; - protected PropertyNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Exception)) => throw null; - public System.Type TargetType { get => throw null; } - } - - // Generated from `NHibernate.PropertyValueException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyValueException : NHibernate.HibernateException - { - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public string PropertyName { get => throw null; } - public PropertyValueException(string message, string entityName, string propertyName, System.Exception innerException) => throw null; - public PropertyValueException(string message, string entityName, string propertyName) => throw null; - protected PropertyValueException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.QueryException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public QueryException(string message, string queryString, System.Exception innerException) => throw null; - public QueryException(string message, string queryString) => throw null; - public QueryException(string message, System.Exception innerException) => throw null; - public QueryException(string message) => throw null; - public QueryException(System.Exception innerException) => throw null; - protected QueryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected QueryException() => throw null; - public string QueryString { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.QueryOverExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class QueryOverExtensions - { - public static TQueryOver SetComment(this TQueryOver queryOver, string comment) where TQueryOver : NHibernate.IQueryOver => throw null; - public static TQueryOver SetFetchSize(this TQueryOver queryOver, int fetchSize) where TQueryOver : NHibernate.IQueryOver => throw null; - public static TQueryOver SetFlushMode(this TQueryOver queryOver, NHibernate.FlushMode flushMode) where TQueryOver : NHibernate.IQueryOver => throw null; - public static TQueryOver SetTimeout(this TQueryOver queryOver, int timeout) where TQueryOver : NHibernate.IQueryOver => throw null; - } - - // Generated from `NHibernate.QueryParameterException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryParameterException : NHibernate.QueryException - { - public QueryParameterException(string message, System.Exception inner) => throw null; - public QueryParameterException(string message) => throw null; - protected QueryParameterException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.ReplicationMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ReplicationMode - { - public static NHibernate.ReplicationMode Exception; - public static NHibernate.ReplicationMode Ignore; - public static NHibernate.ReplicationMode LatestVersion; - public static NHibernate.ReplicationMode Overwrite; - protected ReplicationMode(string name) => throw null; - public abstract bool ShouldOverwriteCurrentVersion(object entity, object currentVersion, object newVersion, NHibernate.Type.IVersionType versionType); - public override string ToString() => throw null; - } - - // Generated from `NHibernate.SQLQueryExtension` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SQLQueryExtension - { - public static NHibernate.ISQLQuery AddSynchronizedEntityClass(this NHibernate.ISQLQuery sqlQuery, System.Type entityType) => throw null; - public static NHibernate.ISQLQuery AddSynchronizedEntityName(this NHibernate.ISQLQuery sqlQuery, string entityName) => throw null; - public static NHibernate.ISQLQuery AddSynchronizedQuerySpace(this NHibernate.ISQLQuery sqlQuery, string querySpace) => throw null; - public static System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces(this NHibernate.ISQLQuery sqlQuery) => throw null; - } - - // Generated from `NHibernate.SchemaValidationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SchemaValidationException : NHibernate.HibernateException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public SchemaValidationException(string msg, System.Collections.Generic.IList validationErrors) => throw null; - protected SchemaValidationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Collections.ObjectModel.ReadOnlyCollection ValidationErrors { get => throw null; } - } - - // Generated from `NHibernate.SelectMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum SelectMode - { - ChildFetch, - Fetch, - FetchLazyProperties, - FetchLazyPropertyGroup, - JoinOnly, - Skip, - Undefined, - } - - // Generated from `NHibernate.SelectModeExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SelectModeExtensions - { - public static TThis Fetch(this TThis queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] aliasedAssociationPaths) where TThis : NHibernate.IQueryOver => throw null; - public static NHibernate.IQueryOver Fetch(this NHibernate.IQueryOver queryOver, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; - public static NHibernate.IQueryOver Fetch(this NHibernate.IQueryOver queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; - public static NHibernate.ICriteria Fetch(this NHibernate.ICriteria criteria, string associationPath, string alias = default(string)) => throw null; - public static NHibernate.ICriteria Fetch(this NHibernate.ICriteria criteria, NHibernate.SelectMode mode, string associationPath, string alias = default(string)) => throw null; - public static NHibernate.Criterion.QueryOver Fetch(this NHibernate.Criterion.QueryOver queryOver, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; - public static NHibernate.Criterion.QueryOver Fetch(this NHibernate.Criterion.QueryOver queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; - public static NHibernate.Criterion.DetachedCriteria Fetch(this NHibernate.Criterion.DetachedCriteria criteria, string associationPath, string alias = default(string)) => throw null; - public static NHibernate.Criterion.DetachedCriteria Fetch(this NHibernate.Criterion.DetachedCriteria criteria, NHibernate.SelectMode mode, string associationPath, string alias = default(string)) => throw null; - } - - // Generated from `NHibernate.SessionBuilderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SessionBuilderExtensions - { - public static T Tenant(this T builder, string tenantIdentifier) where T : NHibernate.ISessionBuilder => throw null; - public static T Tenant(this T builder, NHibernate.MultiTenancy.TenantConfiguration tenantConfig) where T : NHibernate.ISessionBuilder => throw null; - } - - // Generated from `NHibernate.SessionException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionException : NHibernate.HibernateException - { - public SessionException(string message) => throw null; - protected SessionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.SessionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SessionExtensions - { - public static NHibernate.Multi.IQueryBatch CreateQueryBatch(this NHibernate.ISession session) => throw null; - public static object Get(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public static T Get(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public static T Get(this NHibernate.ISession session, string entityName, object id) => throw null; - public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.ITransaction GetCurrentTransaction(this NHibernate.ISession session) => throw null; - public static NHibernate.ISharedStatelessSessionBuilder StatelessSessionWithOptions(this NHibernate.ISession session) => throw null; - } - - // Generated from `NHibernate.SessionFactoryExtension` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SessionFactoryExtension - { - public static void Evict(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable persistentClasses) => throw null; - public static System.Threading.Tasks.Task EvictAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable persistentClasses, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void EvictCollection(this NHibernate.ISessionFactory factory, string roleName, object id, string tenantIdentifier) => throw null; - public static void EvictCollection(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable roleNames) => throw null; - public static System.Threading.Tasks.Task EvictCollectionAsync(this NHibernate.ISessionFactory factory, string roleName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task EvictCollectionAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable roleNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static void EvictEntity(this NHibernate.ISessionFactory factory, string entityName, object id, string tenantIdentifier) => throw null; - public static void EvictEntity(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable entityNames) => throw null; - public static System.Threading.Tasks.Task EvictEntityAsync(this NHibernate.ISessionFactory factory, string entityName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task EvictEntityAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable entityNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - } - - // Generated from `NHibernate.StaleObjectStateException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StaleObjectStateException : NHibernate.StaleStateException - { - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Identifier { get => throw null; } - public override string Message { get => throw null; } - public StaleObjectStateException(string entityName, object identifier, System.Exception innerException) : base(default(string)) => throw null; - public StaleObjectStateException(string entityName, object identifier) : base(default(string)) => throw null; - protected StaleObjectStateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.StaleStateException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StaleStateException : NHibernate.HibernateException - { - public StaleStateException(string message, System.Exception innerException) => throw null; - public StaleStateException(string message) => throw null; - protected StaleStateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.StatelessSessionBuilderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class StatelessSessionBuilderExtensions - { - public static T Tenant(this T builder, string tenantIdentifier) where T : NHibernate.ISessionBuilder => throw null; - public static NHibernate.IStatelessSessionBuilder Tenant(this NHibernate.IStatelessSessionBuilder builder, NHibernate.MultiTenancy.TenantConfiguration tenantConfig) => throw null; - } - - // Generated from `NHibernate.StatelessSessionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class StatelessSessionExtensions - { - public static NHibernate.Multi.IQueryBatch CreateQueryBatch(this NHibernate.IStatelessSession session) => throw null; - public static T Get(this NHibernate.IStatelessSession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public static T Get(this NHibernate.IStatelessSession session, string entityName, object id) => throw null; - public static System.Threading.Tasks.Task GetAsync(this NHibernate.IStatelessSession session, string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task GetAsync(this NHibernate.IStatelessSession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.ITransaction GetCurrentTransaction(this NHibernate.IStatelessSession session) => throw null; - } - - // Generated from `NHibernate.TransactionException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TransactionException : NHibernate.HibernateException - { - public TransactionException(string message, System.Exception innerException) => throw null; - public TransactionException(string message) => throw null; - protected TransactionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.TransactionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class TransactionExtensions - { - public static void RegisterSynchronization(this NHibernate.ITransaction transaction, NHibernate.Transaction.ITransactionCompletionSynchronization synchronization) => throw null; - } - - // Generated from `NHibernate.TransientObjectException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TransientObjectException : NHibernate.HibernateException - { - public TransientObjectException(string message) => throw null; - protected TransientObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.TypeMismatchException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypeMismatchException : NHibernate.HibernateException - { - public TypeMismatchException(string message, System.Exception inner) => throw null; - public TypeMismatchException(string message) => throw null; - protected TypeMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.UnresolvableObjectException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnresolvableObjectException : NHibernate.HibernateException - { - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Identifier { get => throw null; } - public override string Message { get => throw null; } - public System.Type PersistentClass { get => throw null; } - public static void ThrowIfNull(object o, object id, string entityName) => throw null; - public static void ThrowIfNull(object o, object id, System.Type clazz) => throw null; - public UnresolvableObjectException(string message, object identifier, string entityName) => throw null; - public UnresolvableObjectException(string message, object identifier, System.Type clazz) => throw null; - public UnresolvableObjectException(object identifier, string entityName) => throw null; - public UnresolvableObjectException(object identifier, System.Type clazz) => throw null; - protected UnresolvableObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.WrongClassException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WrongClassException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable - { - public string EntityName { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Identifier { get => throw null; } - public override string Message { get => throw null; } - public WrongClassException(string message, object identifier, string entityName) => throw null; - protected WrongClassException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - namespace Action - { - // Generated from `NHibernate.Action.AbstractEntityInsertAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEntityInsertAction : NHibernate.Action.EntityAction - { - protected internal AbstractEntityInsertAction(object id, object[] state, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public object[] State { get => throw null; } - } - - // Generated from `NHibernate.Action.AfterTransactionCompletionProcessDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void AfterTransactionCompletionProcessDelegate(bool success); - - // Generated from `NHibernate.Action.BeforeTransactionCompletionProcessDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void BeforeTransactionCompletionProcessDelegate(); - - // Generated from `NHibernate.Action.BulkOperationCleanupAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BulkOperationCleanupAction : NHibernate.Action.IExecutable, NHibernate.Action.IAsyncExecutable, NHibernate.Action.IAfterTransactionCompletionProcess - { - public NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } - public void BeforeExecutions() => throw null; - public System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } - public BulkOperationCleanupAction(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet querySpaces) => throw null; - public BulkOperationCleanupAction(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Entity.IQueryable[] affectedQueryables) => throw null; - public void Execute() => throw null; - public void ExecuteAfterTransactionCompletion(bool success) => throw null; - public System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void Init() => throw null; - public virtual System.Threading.Tasks.Task InitAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public string[] PropertySpaces { get => throw null; } - } - - // Generated from `NHibernate.Action.CollectionAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CollectionAction : System.Runtime.Serialization.IDeserializationCallback, System.IComparable, NHibernate.Action.IExecutable, NHibernate.Action.IAsyncExecutable, NHibernate.Action.IAfterTransactionCompletionProcess - { - public virtual NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } - public virtual void BeforeExecutions() => throw null; - public virtual System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } - protected internal NHibernate.Collection.IPersistentCollection Collection { get => throw null; } - protected CollectionAction(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object key, NHibernate.Engine.ISessionImplementor session) => throw null; - public virtual int CompareTo(NHibernate.Action.CollectionAction other) => throw null; - protected internal void Evict() => throw null; - protected internal System.Threading.Tasks.Task EvictAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public abstract void Execute(); - public virtual void ExecuteAfterTransactionCompletion(bool success) => throw null; - public virtual System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); - protected object GetKey() => throw null; - protected System.Threading.Tasks.Task GetKeyAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected internal object Key { get => throw null; } - public NHibernate.Cache.Access.ISoftLock Lock { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - protected internal NHibernate.Persister.Collection.ICollectionPersister Persister { get => throw null; } - public string[] PropertySpaces { get => throw null; } - protected internal NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Action.CollectionRecreateAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionRecreateAction : NHibernate.Action.CollectionAction - { - public CollectionRecreateAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object key, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Action.CollectionRemoveAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionRemoveAction : NHibernate.Action.CollectionAction - { - public CollectionRemoveAction(object affectedOwner, NHibernate.Persister.Collection.ICollectionPersister persister, object id, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public CollectionRemoveAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object id, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public override int CompareTo(NHibernate.Action.CollectionAction other) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Action.CollectionUpdateAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionUpdateAction : NHibernate.Action.CollectionAction - { - public CollectionUpdateAction(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object key, bool emptySnapshot, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public override void Execute() => throw null; - public override void ExecuteAfterTransactionCompletion(bool success) => throw null; - public override System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Action.DelayedPostInsertIdentifier` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DelayedPostInsertIdentifier - { - public object ActualId { get => throw null; set => throw null; } - public DelayedPostInsertIdentifier() => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Action.DelayedPostInsertIdentifier that) => throw null; - public override int GetHashCode() => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Action.EntityAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class EntityAction : System.Runtime.Serialization.IDeserializationCallback, System.IComparable, NHibernate.Action.IExecutable, NHibernate.Action.IBeforeTransactionCompletionProcess, NHibernate.Action.IAsyncExecutable, NHibernate.Action.IAfterTransactionCompletionProcess - { - public virtual NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IAfterTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.AfterTransactionCompletionProcess { get => throw null; } - protected virtual void AfterTransactionCompletionProcessImpl(bool success) => throw null; - protected virtual System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public void BeforeExecutions() => throw null; - public System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get => throw null; } - NHibernate.Action.IBeforeTransactionCompletionProcess NHibernate.Action.IAsyncExecutable.BeforeTransactionCompletionProcess { get => throw null; } - protected virtual void BeforeTransactionCompletionProcessImpl() => throw null; - protected virtual System.Threading.Tasks.Task BeforeTransactionCompletionProcessImplAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual int CompareTo(NHibernate.Action.EntityAction other) => throw null; - protected internal EntityAction(NHibernate.Engine.ISessionImplementor session, object id, object instance, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public string EntityName { get => throw null; } - public abstract void Execute(); - public void ExecuteAfterTransactionCompletion(bool success) => throw null; - public System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); - public void ExecuteBeforeTransactionCompletion() => throw null; - public System.Threading.Tasks.Task ExecuteBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected internal abstract bool HasPostCommitEventListeners { get; } - public object Id { get => throw null; } - public object Instance { get => throw null; } - protected virtual bool NeedsAfterTransactionCompletion() => throw null; - protected virtual bool NeedsBeforeTransactionCompletion() => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } - public string[] PropertySpaces { get => throw null; } - public NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Action.EntityDeleteAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityDeleteAction : NHibernate.Action.EntityAction - { - protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; - protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public override int CompareTo(NHibernate.Action.EntityAction other) => throw null; - public EntityDeleteAction(object id, object[] state, object version, object instance, NHibernate.Persister.Entity.IEntityPersister persister, bool isCascadeDeleteEnabled, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool HasPostCommitEventListeners { get => throw null; } - } - - // Generated from `NHibernate.Action.EntityIdentityInsertAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityIdentityInsertAction : NHibernate.Action.AbstractEntityInsertAction - { - protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; - protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Engine.EntityKey DelayedEntityKey { get => throw null; } - public EntityIdentityInsertAction(object[] state, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session, bool isDelayed) : base(default(object), default(object[]), default(object), default(NHibernate.Persister.Entity.IEntityPersister), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public object GeneratedId { get => throw null; } - protected internal override bool HasPostCommitEventListeners { get => throw null; } - } - - // Generated from `NHibernate.Action.EntityInsertAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityInsertAction : NHibernate.Action.AbstractEntityInsertAction - { - protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; - protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public override int CompareTo(NHibernate.Action.EntityAction other) => throw null; - public EntityInsertAction(object id, object[] state, object instance, object version, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(object), default(object[]), default(object), default(NHibernate.Persister.Entity.IEntityPersister), default(NHibernate.Engine.ISessionImplementor)) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool HasPostCommitEventListeners { get => throw null; } - } - - // Generated from `NHibernate.Action.EntityUpdateAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityUpdateAction : NHibernate.Action.EntityAction - { - protected override void AfterTransactionCompletionProcessImpl(bool success) => throw null; - protected override System.Threading.Tasks.Task AfterTransactionCompletionProcessImplAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public EntityUpdateAction(object id, object[] state, int[] dirtyProperties, bool hasDirtyCollection, object[] previousState, object previousVersion, object nextVersion, object instance, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor session) : base(default(NHibernate.Engine.ISessionImplementor), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public override void Execute() => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override bool HasPostCommitEventListeners { get => throw null; } - } - - // Generated from `NHibernate.Action.IAfterTransactionCompletionProcess` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAfterTransactionCompletionProcess - { - void ExecuteAfterTransactionCompletion(bool success); - System.Threading.Tasks.Task ExecuteAfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Action.IAsyncExecutable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAsyncExecutable : NHibernate.Action.IExecutable - { - NHibernate.Action.IAfterTransactionCompletionProcess AfterTransactionCompletionProcess { get; } - NHibernate.Action.IBeforeTransactionCompletionProcess BeforeTransactionCompletionProcess { get; } - } - - // Generated from `NHibernate.Action.IBeforeTransactionCompletionProcess` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBeforeTransactionCompletionProcess - { - void ExecuteBeforeTransactionCompletion(); - System.Threading.Tasks.Task ExecuteBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Action.IExecutable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IExecutable - { - NHibernate.Action.AfterTransactionCompletionProcessDelegate AfterTransactionCompletionProcess { get; } - void BeforeExecutions(); - System.Threading.Tasks.Task BeforeExecutionsAsync(System.Threading.CancellationToken cancellationToken); - NHibernate.Action.BeforeTransactionCompletionProcessDelegate BeforeTransactionCompletionProcess { get; } - void Execute(); - System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); - string[] PropertySpaces { get; } - } - - } - namespace AdoNet - { - // Generated from `NHibernate.AdoNet.AbstractBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractBatcher : System.IDisposable, NHibernate.Engine.IBatcher - { - public void AbortBatch(System.Exception e) => throw null; - protected AbstractBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public abstract void AddToBatch(NHibernate.AdoNet.IExpectation expectation); - public abstract System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken); - public abstract int BatchSize { get; set; } - public void CancelLastQuery() => throw null; - protected void CheckReaders() => throw null; - protected System.Threading.Tasks.Task CheckReadersAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void CloseCommand(System.Data.Common.DbCommand st, System.Data.Common.DbDataReader reader) => throw null; - public virtual void CloseCommands() => throw null; - public void CloseReader(System.Data.Common.DbDataReader reader) => throw null; - protected NHibernate.AdoNet.ConnectionManager ConnectionManager { get => throw null; } - protected System.Exception Convert(System.Exception sqlException, string message) => throw null; - protected abstract int CountOfStatementsInCurrentBatch { get; } - protected System.Data.Common.DbCommand CurrentCommand { get => throw null; } - protected NHibernate.SqlTypes.SqlType[] CurrentCommandParameterTypes { get => throw null; } - protected NHibernate.SqlCommand.SqlString CurrentCommandSql { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool isDisposing) => throw null; - protected abstract void DoExecuteBatch(System.Data.Common.DbCommand ps); - protected abstract System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken); - protected NHibernate.Driver.IDriver Driver { get => throw null; } - public void ExecuteBatch() => throw null; - public System.Threading.Tasks.Task ExecuteBatchAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected void ExecuteBatchWithTiming(System.Data.Common.DbCommand ps) => throw null; - protected System.Threading.Tasks.Task ExecuteBatchWithTimingAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public int ExecuteNonQuery(System.Data.Common.DbCommand cmd) => throw null; - public System.Threading.Tasks.Task ExecuteNonQueryAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Data.Common.DbDataReader ExecuteReader(System.Data.Common.DbCommand cmd) => throw null; - public virtual System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; - protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public System.Data.Common.DbCommand Generate(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - protected NHibernate.SqlCommand.SqlString GetSQL(NHibernate.SqlCommand.SqlString sql) => throw null; - public bool HasOpenResources { get => throw null; } - protected static NHibernate.INHibernateLogger Log; - protected void LogCommand(System.Data.Common.DbCommand command) => throw null; - protected virtual void OnPreparedCommand() => throw null; - protected virtual System.Threading.Tasks.Task OnPreparedCommandAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected void Prepare(System.Data.Common.DbCommand cmd) => throw null; - protected System.Threading.Tasks.Task PrepareAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Data.Common.DbCommand PrepareBatchCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - public virtual System.Threading.Tasks.Task PrepareBatchCommandAsync(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Data.Common.DbCommand PrepareCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - public System.Threading.Tasks.Task PrepareCommandAsync(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Data.Common.DbCommand PrepareQueryCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - // ERR: Stub generator didn't handle member: ~AbstractBatcher - } - - // Generated from `NHibernate.AdoNet.ColumnNameCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnNameCache - { - public ColumnNameCache(int columnCount) => throw null; - public int GetIndexForColumnName(string columnName, NHibernate.AdoNet.ResultSetWrapper rs) => throw null; - } - - // Generated from `NHibernate.AdoNet.ConnectionManager` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConnectionManager : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback - { - public void AddDependentSession(NHibernate.Engine.ISessionImplementor session) => throw null; - public void AfterNonTransactionalQuery(bool success) => throw null; - public void AfterStatement() => throw null; - public void AfterTransaction() => throw null; - public NHibernate.Engine.IBatcher Batcher { get => throw null; } - public System.IDisposable BeginProcessingFromSystemTransaction(bool allowConnectionUsage) => throw null; - public NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; - public NHibernate.ITransaction BeginTransaction() => throw null; - public System.Data.Common.DbConnection Close() => throw null; - public ConnectionManager(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection suppliedConnection, NHibernate.ConnectionReleaseMode connectionReleaseMode, NHibernate.IInterceptor interceptor, bool shouldAutoJoinTransaction, NHibernate.Connection.IConnectionAccess connectionAccess) => throw null; - public ConnectionManager(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection suppliedConnection, NHibernate.ConnectionReleaseMode connectionReleaseMode, NHibernate.IInterceptor interceptor, bool shouldAutoJoinTransaction) => throw null; - public System.Data.Common.DbCommand CreateCommand() => throw null; - public System.Threading.Tasks.Task CreateCommandAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.ITransaction CurrentTransaction { get => throw null; } - public System.Collections.Generic.IReadOnlyCollection DependentSessions { get => throw null; } - public System.Data.Common.DbConnection Disconnect() => throw null; - public void EnlistIfRequired(System.Transactions.Transaction transaction) => throw null; - public void EnlistInTransaction(System.Data.Common.DbCommand command) => throw null; - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public void FlushBeginning() => throw null; - public void FlushEnding() => throw null; - public System.Data.Common.DbConnection GetConnection() => throw null; - public System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public bool IsConnected { get => throw null; } - public bool IsInActiveExplicitTransaction { get => throw null; } - public bool IsInActiveTransaction { get => throw null; } - public bool IsReadyForSerialization { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public bool ProcessingFromSystemTransaction { get => throw null; } - public void Reconnect(System.Data.Common.DbConnection suppliedConnection) => throw null; - public void Reconnect() => throw null; - public void RemoveDependentSession(NHibernate.Engine.ISessionImplementor session) => throw null; - public NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public bool ShouldAutoJoinTransaction { get => throw null; } - public NHibernate.ITransaction Transaction { get => throw null; } - } - - // Generated from `NHibernate.AdoNet.Expectations` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Expectations - { - public static NHibernate.AdoNet.IExpectation AppropriateExpectation(NHibernate.Engine.ExecuteUpdateResultCheckStyle style) => throw null; - public static NHibernate.AdoNet.IExpectation Basic; - // Generated from `NHibernate.AdoNet.Expectations+BasicExpectation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicExpectation : NHibernate.AdoNet.IExpectation - { - public BasicExpectation(int expectedRowCount) => throw null; - public virtual bool CanBeBatched { get => throw null; } - protected virtual int DetermineRowCount(int reportedRowCount, System.Data.Common.DbCommand statement) => throw null; - public virtual int ExpectedRowCount { get => throw null; } - public void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement) => throw null; - } - - - public static NHibernate.AdoNet.IExpectation None; - // Generated from `NHibernate.AdoNet.Expectations+NoneExpectation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoneExpectation : NHibernate.AdoNet.IExpectation - { - public bool CanBeBatched { get => throw null; } - public int ExpectedRowCount { get => throw null; } - public NoneExpectation() => throw null; - public void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement) => throw null; - } - - - public static void VerifyOutcomeBatched(int expectedRowCount, int rowCount, System.Data.Common.DbCommand statement) => throw null; - public static void VerifyOutcomeBatched(int expectedRowCount, int rowCount) => throw null; - } - - // Generated from `NHibernate.AdoNet.GenericBatchingBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericBatchingBatcher : NHibernate.AdoNet.AbstractBatcher - { - public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; - public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; - public override int BatchSize { get => throw null; set => throw null; } - public override void CloseCommands() => throw null; - protected override int CountOfStatementsInCurrentBatch { get => throw null; } - protected override void Dispose(bool isDisposing) => throw null; - protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; - protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public GenericBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; - } - - // Generated from `NHibernate.AdoNet.GenericBatchingBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory - { - public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public GenericBatchingBatcherFactory() => throw null; - } - - // Generated from `NHibernate.AdoNet.HanaBatchingBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaBatchingBatcher : NHibernate.AdoNet.AbstractBatcher - { - public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; - public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; - public override int BatchSize { get => throw null; set => throw null; } - public override void CloseCommands() => throw null; - protected override int CountOfStatementsInCurrentBatch { get => throw null; } - protected override void Dispose(bool isDisposing) => throw null; - protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; - protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public HanaBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; - } - - // Generated from `NHibernate.AdoNet.HanaBatchingBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory - { - public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public HanaBatchingBatcherFactory() => throw null; - } - - // Generated from `NHibernate.AdoNet.IBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBatcherFactory - { - NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor); - } - - // Generated from `NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEmbeddedBatcherFactoryProvider - { - System.Type BatcherFactoryClass { get; } - } - - // Generated from `NHibernate.AdoNet.IExpectation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IExpectation - { - bool CanBeBatched { get; } - int ExpectedRowCount { get; } - void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement); - } - - // Generated from `NHibernate.AdoNet.IParameterAdjuster` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IParameterAdjuster - { - void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value); - } - - // Generated from `NHibernate.AdoNet.MySqlClientBatchingBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySqlClientBatchingBatcher : NHibernate.AdoNet.AbstractBatcher - { - public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; - public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; - public override int BatchSize { get => throw null; set => throw null; } - public override void CloseCommands() => throw null; - protected override int CountOfStatementsInCurrentBatch { get => throw null; } - protected override void Dispose(bool isDisposing) => throw null; - protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; - protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public MySqlClientBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; - } - - // Generated from `NHibernate.AdoNet.MySqlClientBatchingBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySqlClientBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory - { - public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public MySqlClientBatchingBatcherFactory() => throw null; - } - - // Generated from `NHibernate.AdoNet.MySqlClientSqlCommandSet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySqlClientSqlCommandSet : System.IDisposable - { - public void Append(System.Data.Common.DbCommand command) => throw null; - public int CountOfCommands { get => throw null; } - public void Dispose() => throw null; - public int ExecuteNonQuery() => throw null; - public MySqlClientSqlCommandSet(int batchSize) => throw null; - } - - // Generated from `NHibernate.AdoNet.NonBatchingBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonBatchingBatcher : NHibernate.AdoNet.AbstractBatcher - { - public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; - public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; - public override int BatchSize { get => throw null; set => throw null; } - protected override int CountOfStatementsInCurrentBatch { get => throw null; } - protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; - protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public NonBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; - } - - // Generated from `NHibernate.AdoNet.NonBatchingBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory - { - public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public NonBatchingBatcherFactory() => throw null; - } - - // Generated from `NHibernate.AdoNet.OracleDataClientBatchingBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleDataClientBatchingBatcher : NHibernate.AdoNet.AbstractBatcher - { - public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; - public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; - public override int BatchSize { get => throw null; set => throw null; } - protected override int CountOfStatementsInCurrentBatch { get => throw null; } - protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; - protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; - public OracleDataClientBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; - } - - // Generated from `NHibernate.AdoNet.OracleDataClientBatchingBatcherFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleDataClientBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory - { - public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; - public OracleDataClientBatchingBatcherFactory() => throw null; - } - - // Generated from `NHibernate.AdoNet.ResultSetWrapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultSetWrapper : System.Data.Common.DbDataReader - { - public override void Close() => throw null; - public override int Depth { get => throw null; } - protected override void Dispose(bool disposing) => throw null; - public override bool Equals(object obj) => throw null; - public override int FieldCount { get => throw null; } - public override bool GetBoolean(int i) => throw null; - public override System.Byte GetByte(int i) => throw null; - public override System.Int64 GetBytes(int i, System.Int64 fieldOffset, System.Byte[] buffer, int bufferoffset, int length) => throw null; - public override System.Char GetChar(int i) => throw null; - public override System.Int64 GetChars(int i, System.Int64 fieldoffset, System.Char[] buffer, int bufferoffset, int length) => throw null; - public override string GetDataTypeName(int i) => throw null; - public override System.DateTime GetDateTime(int i) => throw null; - protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; - public override System.Decimal GetDecimal(int i) => throw null; - public override double GetDouble(int i) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override System.Type GetFieldType(int i) => throw null; - public override float GetFloat(int i) => throw null; - public override System.Guid GetGuid(int i) => throw null; - public override int GetHashCode() => throw null; - public override System.Int16 GetInt16(int i) => throw null; - public override int GetInt32(int i) => throw null; - public override System.Int64 GetInt64(int i) => throw null; - public override string GetName(int i) => throw null; - public override int GetOrdinal(string name) => throw null; - public override System.Data.DataTable GetSchemaTable() => throw null; - public override string GetString(int i) => throw null; - public override object GetValue(int i) => throw null; - public override int GetValues(object[] values) => throw null; - public override bool HasRows { get => throw null; } - public override bool IsClosed { get => throw null; } - public override bool IsDBNull(int i) => throw null; - public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; - public override object this[string name] { get => throw null; } - public override object this[int i] { get => throw null; } - public override bool NextResult() => throw null; - public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override bool Read() => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override int RecordsAffected { get => throw null; } - public ResultSetWrapper(System.Data.Common.DbDataReader resultSet, NHibernate.AdoNet.ColumnNameCache columnNameCache) => throw null; - } - - // Generated from `NHibernate.AdoNet.TooManyRowsAffectedException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TooManyRowsAffectedException : NHibernate.HibernateException - { - public int ActualRowCount { get => throw null; } - public int ExpectedRowCount { get => throw null; } - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public TooManyRowsAffectedException(string message, int expectedRowCount, int actualRowCount) => throw null; - protected TooManyRowsAffectedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - namespace Util - { - // Generated from `NHibernate.AdoNet.Util.BasicFormatter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicFormatter : NHibernate.AdoNet.Util.IFormatter - { - public BasicFormatter() => throw null; - public virtual string Format(string source) => throw null; - protected const string IndentString = default; - protected const string Initial = default; - protected static System.Collections.Generic.HashSet beginClauses; - protected static System.Collections.Generic.HashSet dml; - protected static System.Collections.Generic.HashSet endClauses; - protected static System.Collections.Generic.HashSet logical; - protected static System.Collections.Generic.HashSet misc; - protected static System.Collections.Generic.HashSet quantifiers; - } - - // Generated from `NHibernate.AdoNet.Util.DdlFormatter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DdlFormatter : NHibernate.AdoNet.Util.IFormatter - { - public DdlFormatter() => throw null; - public virtual string Format(string sql) => throw null; - protected virtual string FormatAlterTable(string sql) => throw null; - protected virtual string FormatCommentOn(string sql) => throw null; - protected virtual string FormatCreateTable(string sql) => throw null; - } - - // Generated from `NHibernate.AdoNet.Util.FormatStyle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FormatStyle - { - public static NHibernate.AdoNet.Util.FormatStyle Basic; - public static NHibernate.AdoNet.Util.FormatStyle Ddl; - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.AdoNet.Util.FormatStyle other) => throw null; - public NHibernate.AdoNet.Util.IFormatter Formatter { get => throw null; set => throw null; } - public override int GetHashCode() => throw null; - public string Name { get => throw null; set => throw null; } - public static NHibernate.AdoNet.Util.FormatStyle None; - } - - // Generated from `NHibernate.AdoNet.Util.IFormatter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFormatter - { - string Format(string source); - } - - // Generated from `NHibernate.AdoNet.Util.SqlStatementLogger` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlStatementLogger - { - public NHibernate.AdoNet.Util.FormatStyle DetermineActualStyle(NHibernate.AdoNet.Util.FormatStyle style) => throw null; - public bool FormatSql { get => throw null; set => throw null; } - public string GetCommandLineWithParameters(System.Data.Common.DbCommand command) => throw null; - public string GetParameterLoggableValue(System.Data.Common.DbParameter parameter) => throw null; - public bool IsDebugEnabled { get => throw null; } - public void LogBatchCommand(string batchCommand) => throw null; - public virtual void LogCommand(string message, System.Data.Common.DbCommand command, NHibernate.AdoNet.Util.FormatStyle style) => throw null; - public virtual void LogCommand(System.Data.Common.DbCommand command, NHibernate.AdoNet.Util.FormatStyle style) => throw null; - public bool LogToStdout { get => throw null; set => throw null; } - public SqlStatementLogger(bool logToStdout, bool formatSql) => throw null; - public SqlStatementLogger() => throw null; - } - - } - } - namespace Bytecode - { - // Generated from `NHibernate.Bytecode.AbstractBytecodeProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractBytecodeProvider : NHibernate.Bytecode.IInjectableProxyFactoryFactory, NHibernate.Bytecode.IInjectableCollectionTypeFactoryClass, NHibernate.Bytecode.IBytecodeProvider - { - protected AbstractBytecodeProvider() => throw null; - public virtual NHibernate.Bytecode.ICollectionTypeFactory CollectionTypeFactory { get => throw null; } - public abstract NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters); - public virtual NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get => throw null; } - public virtual NHibernate.Bytecode.IProxyFactoryFactory ProxyFactoryFactory { get => throw null; } - public void SetCollectionTypeFactoryClass(string typeAssemblyQualifiedName) => throw null; - public void SetCollectionTypeFactoryClass(System.Type type) => throw null; - public virtual void SetProxyFactoryFactory(string typeName) => throw null; - protected System.Type proxyFactoryFactory; - } - - // Generated from `NHibernate.Bytecode.AccessOptimizerExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class AccessOptimizerExtensions - { - public static object GetPropertyValue(this NHibernate.Bytecode.IAccessOptimizer optimizer, object target, int i) => throw null; - public static void SetPropertyValue(this NHibernate.Bytecode.IAccessOptimizer optimizer, object target, int i, object value) => throw null; - } - - // Generated from `NHibernate.Bytecode.ActivatorObjectsFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ActivatorObjectsFactory : NHibernate.Bytecode.IObjectsFactory - { - public ActivatorObjectsFactory() => throw null; - public object CreateInstance(System.Type type, params object[] ctorArgs) => throw null; - public object CreateInstance(System.Type type, bool nonPublic) => throw null; - public object CreateInstance(System.Type type) => throw null; - } - - // Generated from `NHibernate.Bytecode.BytecodeProviderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class BytecodeProviderExtensions - { - public static NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(this NHibernate.Bytecode.IBytecodeProvider bytecodeProvider, System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters, NHibernate.Properties.IGetter specializedGetter, NHibernate.Properties.ISetter specializedSetter) => throw null; - } - - // Generated from `NHibernate.Bytecode.DefaultProxyFactoryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory - { - public NHibernate.Proxy.IProxyFactory BuildProxyFactory() => throw null; - public DefaultProxyFactoryFactory() => throw null; - public bool IsInstrumented(System.Type entityClass) => throw null; - public bool IsProxy(object entity) => throw null; - public NHibernate.Proxy.IProxyValidator ProxyValidator { get => throw null; } - } - - // Generated from `NHibernate.Bytecode.HibernateByteCodeException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HibernateByteCodeException : NHibernate.HibernateException - { - public HibernateByteCodeException(string message, System.Exception inner) => throw null; - public HibernateByteCodeException(string message) => throw null; - public HibernateByteCodeException() => throw null; - protected HibernateByteCodeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Bytecode.HibernateObjectsFactoryException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HibernateObjectsFactoryException : NHibernate.HibernateException - { - public HibernateObjectsFactoryException(string message, System.Exception inner) => throw null; - public HibernateObjectsFactoryException(string message) => throw null; - public HibernateObjectsFactoryException() => throw null; - protected HibernateObjectsFactoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Bytecode.IAccessOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAccessOptimizer - { - object[] GetPropertyValues(object target); - void SetPropertyValues(object target, object[] values); - } - - // Generated from `NHibernate.Bytecode.IBytecodeEnhancementMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBytecodeEnhancementMetadata - { - bool EnhancedForLazyLoading { get; } - string EntityName { get; } - NHibernate.Intercept.IFieldInterceptor ExtractInterceptor(object entity); - System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState); - System.Collections.Generic.ISet GetUninitializedLazyProperties(object entity); - bool HasAnyUninitializedLazyProperties(object entity); - NHibernate.Intercept.IFieldInterceptor InjectInterceptor(object entity, NHibernate.Engine.ISessionImplementor session); - NHibernate.Bytecode.LazyPropertiesMetadata LazyPropertiesMetadata { get; } - NHibernate.Bytecode.UnwrapProxyPropertiesMetadata UnwrapProxyPropertiesMetadata { get; } - } - - // Generated from `NHibernate.Bytecode.IBytecodeProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBytecodeProvider - { - NHibernate.Bytecode.ICollectionTypeFactory CollectionTypeFactory { get; } - NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters); - NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get; } - NHibernate.Bytecode.IProxyFactoryFactory ProxyFactoryFactory { get; } - } - - // Generated from `NHibernate.Bytecode.ICollectionTypeFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionTypeFactory - { - NHibernate.Type.CollectionType Array(string role, string propertyRef, System.Type elementClass); - NHibernate.Type.CollectionType Bag(string role, string propertyRef); - NHibernate.Type.CollectionType IdBag(string role, string propertyRef); - NHibernate.Type.CollectionType List(string role, string propertyRef); - NHibernate.Type.CollectionType Map(string role, string propertyRef); - NHibernate.Type.CollectionType OrderedSet(string role, string propertyRef); - NHibernate.Type.CollectionType Set(string role, string propertyRef); - NHibernate.Type.CollectionType SortedDictionary(string role, string propertyRef, System.Collections.Generic.IComparer comparer); - NHibernate.Type.CollectionType SortedList(string role, string propertyRef, System.Collections.Generic.IComparer comparer); - NHibernate.Type.CollectionType SortedSet(string role, string propertyRef, System.Collections.Generic.IComparer comparer); - } - - // Generated from `NHibernate.Bytecode.IInjectableCollectionTypeFactoryClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInjectableCollectionTypeFactoryClass - { - void SetCollectionTypeFactoryClass(string typeAssemblyQualifiedName); - void SetCollectionTypeFactoryClass(System.Type type); - } - - // Generated from `NHibernate.Bytecode.IInjectableProxyFactoryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInjectableProxyFactoryFactory - { - void SetProxyFactoryFactory(string typeName); - } - - // Generated from `NHibernate.Bytecode.IInstantiationOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInstantiationOptimizer - { - object CreateInstance(); - } - - // Generated from `NHibernate.Bytecode.IObjectsFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IObjectsFactory - { - object CreateInstance(System.Type type, params object[] ctorArgs); - object CreateInstance(System.Type type, bool nonPublic); - object CreateInstance(System.Type type); - } - - // Generated from `NHibernate.Bytecode.IProxyFactoryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProxyFactoryFactory - { - NHibernate.Proxy.IProxyFactory BuildProxyFactory(); - bool IsInstrumented(System.Type entityClass); - bool IsProxy(object entity); - NHibernate.Proxy.IProxyValidator ProxyValidator { get; } - } - - // Generated from `NHibernate.Bytecode.IReflectionOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IReflectionOptimizer - { - NHibernate.Bytecode.IAccessOptimizer AccessOptimizer { get; } - NHibernate.Bytecode.IInstantiationOptimizer InstantiationOptimizer { get; } - } - - // Generated from `NHibernate.Bytecode.LazyPropertiesMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LazyPropertiesMetadata - { - public string EntityName { get => throw null; } - public System.Collections.Generic.ISet FetchGroupNames { get => throw null; } - public static NHibernate.Bytecode.LazyPropertiesMetadata From(string entityName, System.Collections.Generic.IEnumerable lazyPropertyDescriptors) => throw null; - public string GetFetchGroupName(string propertyName) => throw null; - public System.Collections.Generic.IEnumerable GetFetchGroupPropertyDescriptors(string groupName) => throw null; - public NHibernate.Bytecode.LazyPropertyDescriptor GetLazyPropertyDescriptor(string propertyName) => throw null; - public System.Collections.Generic.ISet GetPropertiesInFetchGroup(string groupName) => throw null; - public bool HasLazyProperties { get => throw null; } - public LazyPropertiesMetadata(string entityName, System.Collections.Generic.IDictionary lazyPropertyDescriptors, System.Collections.Generic.IDictionary> fetchGroups) => throw null; - public System.Collections.Generic.IEnumerable LazyPropertyDescriptors { get => throw null; } - public System.Collections.Generic.ISet LazyPropertyNames { get => throw null; } - public static NHibernate.Bytecode.LazyPropertiesMetadata NonEnhanced(string entityName) => throw null; - } - - // Generated from `NHibernate.Bytecode.LazyPropertyDescriptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LazyPropertyDescriptor - { - public string FetchGroupName { get => throw null; } - public static NHibernate.Bytecode.LazyPropertyDescriptor From(NHibernate.Mapping.Property property, int propertyIndex, int lazyIndex) => throw null; - public int LazyIndex { get => throw null; } - public string Name { get => throw null; } - public int PropertyIndex { get => throw null; } - public NHibernate.Type.IType Type { get => throw null; } - } - - // Generated from `NHibernate.Bytecode.NotInstrumentedException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NotInstrumentedException : NHibernate.HibernateException - { - public NotInstrumentedException(string message) => throw null; - protected NotInstrumentedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Bytecode.NullBytecodeProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NullBytecodeProvider : NHibernate.Bytecode.AbstractBytecodeProvider - { - public override NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; - public NullBytecodeProvider() => throw null; - } - - // Generated from `NHibernate.Bytecode.StaticProxyFactoryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StaticProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory - { - public NHibernate.Proxy.IProxyFactory BuildProxyFactory() => throw null; - public bool IsInstrumented(System.Type entityClass) => throw null; - public bool IsProxy(object entity) => throw null; - public NHibernate.Proxy.IProxyValidator ProxyValidator { get => throw null; } - public StaticProxyFactoryFactory() => throw null; - } - - // Generated from `NHibernate.Bytecode.UnableToLoadProxyFactoryFactoryException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnableToLoadProxyFactoryFactoryException : NHibernate.Bytecode.HibernateByteCodeException - { - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override string Message { get => throw null; } - public string TypeName { get => throw null; } - public UnableToLoadProxyFactoryFactoryException(string typeName, System.Exception inner) => throw null; - protected UnableToLoadProxyFactoryFactoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Bytecode.UnwrapProxyPropertiesMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnwrapProxyPropertiesMetadata - { - public string EntityName { get => throw null; } - public static NHibernate.Bytecode.UnwrapProxyPropertiesMetadata From(string entityName, System.Collections.Generic.IEnumerable unwrapProxyPropertyDescriptors) => throw null; - public int GetUnwrapProxyPropertyIndex(string propertyName) => throw null; - public bool HasUnwrapProxyProperties { get => throw null; } - public static NHibernate.Bytecode.UnwrapProxyPropertiesMetadata NonEnhanced(string entityName) => throw null; - public UnwrapProxyPropertiesMetadata(string entityName, System.Collections.Generic.IDictionary unwrapProxyPropertyDescriptors) => throw null; - public System.Collections.Generic.IEnumerable UnwrapProxyPropertyDescriptors { get => throw null; } - public System.Collections.Generic.ISet UnwrapProxyPropertyNames { get => throw null; } - } - - // Generated from `NHibernate.Bytecode.UnwrapProxyPropertyDescriptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnwrapProxyPropertyDescriptor - { - public static NHibernate.Bytecode.UnwrapProxyPropertyDescriptor From(NHibernate.Mapping.Property property, int propertyIndex) => throw null; - public string Name { get => throw null; } - public int PropertyIndex { get => throw null; } - public NHibernate.Type.IType Type { get => throw null; } - } - - namespace Lightweight - { - // Generated from `NHibernate.Bytecode.Lightweight.AccessOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AccessOptimizer : NHibernate.Bytecode.IAccessOptimizer - { - public AccessOptimizer(NHibernate.Bytecode.Lightweight.GetPropertyValuesInvoker getDelegate, NHibernate.Bytecode.Lightweight.SetPropertyValuesInvoker setDelegate, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; - public AccessOptimizer(NHibernate.Bytecode.Lightweight.GetPropertyValuesInvoker getDelegate, NHibernate.Bytecode.Lightweight.SetPropertyValuesInvoker setDelegate, NHibernate.Bytecode.Lightweight.GetPropertyValueInvoker[] getters, NHibernate.Bytecode.Lightweight.SetPropertyValueInvoker[] setters, NHibernate.Bytecode.Lightweight.GetPropertyValueInvoker specializedGetter, NHibernate.Bytecode.Lightweight.SetPropertyValueInvoker specializedSetter) => throw null; - public object GetPropertyValue(object target, int i) => throw null; - public object[] GetPropertyValues(object target) => throw null; - public void SetPropertyValue(object target, int i, object value) => throw null; - public void SetPropertyValues(object target, object[] values) => throw null; - } - - // Generated from `NHibernate.Bytecode.Lightweight.BytecodeProviderImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BytecodeProviderImpl : NHibernate.Bytecode.AbstractBytecodeProvider - { - public BytecodeProviderImpl() => throw null; - public override NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type mappedClass, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; - } - - // Generated from `NHibernate.Bytecode.Lightweight.CreateInstanceInvoker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object CreateInstanceInvoker(); - - // Generated from `NHibernate.Bytecode.Lightweight.GetPropertyValueInvoker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object GetPropertyValueInvoker(object obj); - - // Generated from `NHibernate.Bytecode.Lightweight.GetPropertyValuesInvoker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object[] GetPropertyValuesInvoker(object obj, NHibernate.Bytecode.Lightweight.GetterCallback callback); - - // Generated from `NHibernate.Bytecode.Lightweight.GetterCallback` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object GetterCallback(object obj, int index); - - // Generated from `NHibernate.Bytecode.Lightweight.ReflectionOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReflectionOptimizer : NHibernate.Bytecode.IReflectionOptimizer, NHibernate.Bytecode.IInstantiationOptimizer - { - public NHibernate.Bytecode.IAccessOptimizer AccessOptimizer { get => throw null; } - protected virtual NHibernate.Bytecode.Lightweight.CreateInstanceInvoker CreateCreateInstanceMethod(System.Type type) => throw null; - protected System.Reflection.Emit.DynamicMethod CreateDynamicMethod(System.Type returnType, System.Type[] argumentTypes) => throw null; - public virtual object CreateInstance() => throw null; - public NHibernate.Bytecode.IInstantiationOptimizer InstantiationOptimizer { get => throw null; } - public ReflectionOptimizer(System.Type mappedType, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters, NHibernate.Properties.IGetter specializedGetter, NHibernate.Properties.ISetter specializedSetter) => throw null; - public ReflectionOptimizer(System.Type mappedType, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; - protected virtual void ThrowExceptionForNoDefaultCtor(System.Type type) => throw null; - protected System.Type mappedType; - } - - // Generated from `NHibernate.Bytecode.Lightweight.SetPropertyValueInvoker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SetPropertyValueInvoker(object obj, object value); - - // Generated from `NHibernate.Bytecode.Lightweight.SetPropertyValuesInvoker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SetPropertyValuesInvoker(object obj, object[] values, NHibernate.Bytecode.Lightweight.SetterCallback callback); - - // Generated from `NHibernate.Bytecode.Lightweight.SetterCallback` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SetterCallback(object obj, int index, object value); - - } - } - namespace Cache - { - // Generated from `NHibernate.Cache.CacheBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CacheBase : NHibernate.Cache.ICache - { - protected CacheBase() => throw null; - public abstract void Clear(); - public virtual System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public abstract void Destroy(); - public abstract object Get(object key); - public virtual System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object[] GetMany(object[] keys) => throw null; - public virtual System.Threading.Tasks.Task GetManyAsync(object[] keys, System.Threading.CancellationToken cancellationToken) => throw null; - void NHibernate.Cache.ICache.Lock(object key) => throw null; - public abstract object Lock(object key); - public virtual System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task NHibernate.Cache.ICache.LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object LockMany(object[] keys) => throw null; - public virtual System.Threading.Tasks.Task LockManyAsync(object[] keys, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Int64 NextTimestamp(); - public virtual bool PreferMultipleGet { get => throw null; } - public abstract void Put(object key, object value); - public virtual System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void PutMany(object[] keys, object[] values) => throw null; - public virtual System.Threading.Tasks.Task PutManyAsync(object[] keys, object[] values, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract string RegionName { get; } - public abstract void Remove(object key); - public virtual System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract int Timeout { get; } - void NHibernate.Cache.ICache.Unlock(object key) => throw null; - public abstract void Unlock(object key, object lockValue); - public virtual System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task NHibernate.Cache.ICache.UnlockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void UnlockMany(object[] keys, object lockValue) => throw null; - public virtual System.Threading.Tasks.Task UnlockManyAsync(object[] keys, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.CacheBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheBatcher - { - } - - // Generated from `NHibernate.Cache.CacheException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheException : NHibernate.HibernateException - { - public CacheException(string message, System.Exception innerException) => throw null; - public CacheException(string message) => throw null; - public CacheException(System.Exception innerException) => throw null; - public CacheException() => throw null; - protected CacheException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Cache.CacheFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CacheFactory - { - public static NHibernate.Cache.ICacheConcurrencyStrategy CreateCache(string usage, string name, bool mutable, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary properties) => throw null; - public static NHibernate.Cache.ICacheConcurrencyStrategy CreateCache(string usage, NHibernate.Cache.CacheBase cache) => throw null; - public const string NonstrictReadWrite = default; - public const string ReadOnly = default; - public const string ReadWrite = default; - public const string Transactional = default; - } - - // Generated from `NHibernate.Cache.CacheKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheKey : System.Runtime.Serialization.IDeserializationCallback - { - public CacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName, NHibernate.Engine.ISessionFactoryImplementor factory, string tenantIdentifier) => throw null; - public CacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public string EntityOrRoleName { get => throw null; } - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public object Key { get => throw null; } - public void OnDeserialization(object sender) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cache.CacheLock` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheLock : NHibernate.Cache.ReadWriteCache.ILockable, NHibernate.Cache.Access.ISoftLock - { - public CacheLock(System.Int64 timeout, int id, object version) => throw null; - public CacheLock() => throw null; - public int Id { get => throw null; set => throw null; } - public bool IsGettable(System.Int64 txTimestamp) => throw null; - public bool IsLock { get => throw null; } - public bool IsPuttable(System.Int64 txTimestamp, object newVersion, System.Collections.IComparer comparator) => throw null; - public NHibernate.Cache.CacheLock Lock(System.Int64 timeout, int id) => throw null; - public int Multiplicity { get => throw null; set => throw null; } - public System.Int64 Timeout { get => throw null; set => throw null; } - public override string ToString() => throw null; - public void Unlock(System.Int64 currentTimestamp) => throw null; - public System.Int64 UnlockTimestamp { get => throw null; set => throw null; } - public object Version { get => throw null; set => throw null; } - public bool WasLockedConcurrently { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cache.CachedItem` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CachedItem : NHibernate.Cache.ReadWriteCache.ILockable - { - public CachedItem(object value, System.Int64 currentTimestamp, object version) => throw null; - public CachedItem() => throw null; - public System.Int64 FreshTimestamp { get => throw null; set => throw null; } - public bool IsGettable(System.Int64 txTimestamp) => throw null; - public bool IsLock { get => throw null; } - public bool IsPuttable(System.Int64 txTimestamp, object newVersion, System.Collections.IComparer comparator) => throw null; - public NHibernate.Cache.CacheLock Lock(System.Int64 timeout, int id) => throw null; - public override string ToString() => throw null; - public object Value { get => throw null; set => throw null; } - public object Version { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cache.FakeCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FakeCache : NHibernate.Cache.CacheBase - { - public override void Clear() => throw null; - public override System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override void Destroy() => throw null; - public FakeCache(string regionName) => throw null; - public override object Get(object key) => throw null; - public override System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public override object Lock(object key) => throw null; - public override System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 NextTimestamp() => throw null; - public override bool PreferMultipleGet { get => throw null; } - public override void Put(object key, object value) => throw null; - public override System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; - public override string RegionName { get => throw null; } - public override void Remove(object key) => throw null; - public override System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public override int Timeout { get => throw null; } - public override void Unlock(object key, object lockValue) => throw null; - public override System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.FilterKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterKey - { - public static System.Collections.Generic.ISet CreateFilterKeys(System.Collections.Generic.IDictionary enabledFilters) => throw null; - public override bool Equals(object other) => throw null; - public FilterKey(string name, System.Collections.Generic.IEnumerable> @params, System.Collections.Generic.IDictionary types) => throw null; - public FilterKey(NHibernate.Impl.FilterImpl filter) => throw null; - public override int GetHashCode() => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cache.HashtableCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HashtableCache : NHibernate.Cache.CacheBase - { - public override void Clear() => throw null; - public override System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override void Destroy() => throw null; - public override object Get(object key) => throw null; - public override System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public HashtableCache(string regionName) => throw null; - public override object Lock(object key) => throw null; - public override System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 NextTimestamp() => throw null; - public override bool PreferMultipleGet { get => throw null; } - public override void Put(object key, object value) => throw null; - public override System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; - public override string RegionName { get => throw null; } - public override void Remove(object key) => throw null; - public override System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; - public override int Timeout { get => throw null; } - public override void Unlock(object key, object lockValue) => throw null; - public override System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.HashtableCacheProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HashtableCacheProvider : NHibernate.Cache.ICacheProvider - { - public NHibernate.Cache.CacheBase BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; - NHibernate.Cache.ICache NHibernate.Cache.ICacheProvider.BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; - public HashtableCacheProvider() => throw null; - public System.Int64 NextTimestamp() => throw null; - public void Start(System.Collections.Generic.IDictionary properties) => throw null; - public void Stop() => throw null; - } - - // Generated from `NHibernate.Cache.IBatchableCacheConcurrencyStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBatchableCacheConcurrencyStrategy : NHibernate.Cache.ICacheConcurrencyStrategy - { - NHibernate.Cache.CacheBase Cache { get; set; } - object[] GetMany(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp); - System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken); - bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts); - System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Cache.IBatchableQueryCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBatchableQueryCache : NHibernate.Cache.IQueryCache - { - System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - System.Collections.IList[] GetMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - bool Put(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - bool[] PutMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Cache.ICache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICache - { - void Clear(); - System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); - void Destroy(); - object Get(object key); - System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken); - void Lock(object key); - System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken); - System.Int64 NextTimestamp(); - void Put(object key, object value); - System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken); - string RegionName { get; } - void Remove(object key); - System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken); - int Timeout { get; } - void Unlock(object key); - System.Threading.Tasks.Task UnlockAsync(object key, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Cache.ICacheConcurrencyStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheConcurrencyStrategy - { - bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version); - System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken); - bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock); - System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken); - NHibernate.Cache.ICache Cache { get; set; } - void Clear(); - System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); - void Destroy(); - void Evict(NHibernate.Cache.CacheKey key); - System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken); - object Get(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp); - System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp, System.Threading.CancellationToken cancellationToken); - bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion); - NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version); - System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken); - bool Put(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparer, bool minimalPut); - System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparer, bool minimalPut, System.Threading.CancellationToken cancellationToken); - string RegionName { get; } - void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock); - System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken); - void Remove(NHibernate.Cache.CacheKey key); - System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken); - bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion); - System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Cache.ICacheProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheProvider - { - NHibernate.Cache.ICache BuildCache(string regionName, System.Collections.Generic.IDictionary properties); - System.Int64 NextTimestamp(); - void Start(System.Collections.Generic.IDictionary properties); - void Stop(); - } - - // Generated from `NHibernate.Cache.IOptimisticCacheSource` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOptimisticCacheSource - { - bool IsVersioned { get; } - System.Collections.IComparer VersionComparator { get; } - } - - // Generated from `NHibernate.Cache.IQueryCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryCache - { - NHibernate.Cache.ICache Cache { get; } - void Clear(); - System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); - void Destroy(); - System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - bool Put(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - string RegionName { get; } - } - - // Generated from `NHibernate.Cache.IQueryCacheFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryCacheFactory - { - NHibernate.Cache.IQueryCache GetQueryCache(string regionName, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props); - } - - // Generated from `NHibernate.Cache.NoCacheProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoCacheProvider : NHibernate.Cache.ICacheProvider - { - public NHibernate.Cache.CacheBase BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; - NHibernate.Cache.ICache NHibernate.Cache.ICacheProvider.BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; - public System.Int64 NextTimestamp() => throw null; - public NoCacheProvider() => throw null; - public void Start(System.Collections.Generic.IDictionary properties) => throw null; - public void Stop() => throw null; - public const string WarnMessage = default; - } - - // Generated from `NHibernate.Cache.NonstrictReadWriteCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonstrictReadWriteCache : NHibernate.Cache.ICacheConcurrencyStrategy, NHibernate.Cache.IBatchableCacheConcurrencyStrategy - { - public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; - public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock) => throw null; - public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Cache.ICache Cache { get => throw null; set => throw null; } - NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set => throw null; } - public void Clear() => throw null; - public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void Destroy() => throw null; - public void Evict(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public object Get(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp) => throw null; - public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetMany(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp) => throw null; - public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; - public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; - public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public NonstrictReadWriteCache() => throw null; - public bool Put(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; - public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; - public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; - public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; - public string RegionName { get => throw null; } - public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock) => throw null; - public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; - public void Remove(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; - public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.QueryCacheFactoryExtension` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class QueryCacheFactoryExtension - { - public static NHibernate.Cache.IQueryCache GetQueryCache(this NHibernate.Cache.IQueryCacheFactory factory, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, System.Collections.Generic.IDictionary props, NHibernate.Cache.CacheBase regionCache) => throw null; - } - - // Generated from `NHibernate.Cache.QueryCacheResultBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryCacheResultBuilder - { - public static bool IsCacheWithFetches(NHibernate.Loader.Loader loader) => throw null; - } - - // Generated from `NHibernate.Cache.QueryKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryKey : System.Runtime.Serialization.IDeserializationCallback, System.IEquatable - { - public int ComputeHashCode() => throw null; - public override bool Equals(object other) => throw null; - public bool Equals(NHibernate.Cache.QueryKey other) => throw null; - public override int GetHashCode() => throw null; - public void OnDeserialization(object sender) => throw null; - public QueryKey(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.SqlCommand.SqlString queryString, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet filters, NHibernate.Transform.CacheableResultTransformer customTransformer, string tenantIdentifier) => throw null; - public QueryKey(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.SqlCommand.SqlString queryString, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet filters, NHibernate.Transform.CacheableResultTransformer customTransformer) => throw null; - public NHibernate.Transform.CacheableResultTransformer ResultTransformer { get => throw null; } - public NHibernate.Cache.QueryKey SetFirstRows(int[] firstRows) => throw null; - public NHibernate.Cache.QueryKey SetMaxRows(int[] maxRows) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cache.ReadOnlyCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReadOnlyCache : NHibernate.Cache.ICacheConcurrencyStrategy, NHibernate.Cache.IBatchableCacheConcurrencyStrategy - { - public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; - public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock) => throw null; - public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Cache.ICache Cache { get => throw null; set => throw null; } - NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set => throw null; } - public void Clear() => throw null; - public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void Destroy() => throw null; - public void Evict(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public object Get(NHibernate.Cache.CacheKey key, System.Int64 timestamp) => throw null; - public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetMany(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp) => throw null; - public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; - public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; - public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Put(NHibernate.Cache.CacheKey key, object value, System.Int64 timestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; - public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, System.Int64 timestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; - public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; - public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; - public ReadOnlyCache() => throw null; - public string RegionName { get => throw null; } - public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock) => throw null; - public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; - public void Remove(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; - public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.ReadWriteCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReadWriteCache : NHibernate.Cache.ICacheConcurrencyStrategy, NHibernate.Cache.IBatchableCacheConcurrencyStrategy - { - public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; - public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock clientLock) => throw null; - public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock clientLock, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Cache.ICache Cache { get => throw null; set => throw null; } - NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set => throw null; } - public void Clear() => throw null; - public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void Destroy() => throw null; - public void Evict(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public object Get(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp) => throw null; - public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, System.Int64 txTimestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetMany(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp) => throw null; - public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Cache.ReadWriteCache+ILockable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILockable - { - bool IsGettable(System.Int64 txTimestamp); - bool IsLock { get; } - bool IsPuttable(System.Int64 txTimestamp, object newVersion, System.Collections.IComparer comparator); - NHibernate.Cache.CacheLock Lock(System.Int64 timeout, int id); - } - - - public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; - public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; - public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Put(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; - public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, System.Int64 txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; - public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; - public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, System.Int64 timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; - public ReadWriteCache() => throw null; - public string RegionName { get => throw null; } - public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock clientLock) => throw null; - public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock clientLock, System.Threading.CancellationToken cancellationToken) => throw null; - public void Remove(NHibernate.Cache.CacheKey key) => throw null; - public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; - public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Cache.StandardQueryCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardQueryCache : NHibernate.Cache.IQueryCache, NHibernate.Cache.IBatchableQueryCache - { - public NHibernate.Cache.ICache Cache { get => throw null; } - public void Clear() => throw null; - public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void Destroy() => throw null; - public System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.IList[] GetMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool IsUpToDate(System.Collections.Generic.ISet spaces, System.Int64 timestamp) => throw null; - protected virtual System.Threading.Tasks.Task IsUpToDateAsync(System.Collections.Generic.ISet spaces, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Put(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session) => throw null; - public bool Put(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public bool[] PutMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public string RegionName { get => throw null; } - public StandardQueryCache(NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, string regionName) => throw null; - public StandardQueryCache(NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cache.CacheBase regionCache) => throw null; - } - - // Generated from `NHibernate.Cache.StandardQueryCacheFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardQueryCacheFactory : NHibernate.Cache.IQueryCacheFactory - { - public virtual NHibernate.Cache.IQueryCache GetQueryCache(NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, System.Collections.Generic.IDictionary props, NHibernate.Cache.CacheBase regionCache) => throw null; - public NHibernate.Cache.IQueryCache GetQueryCache(string regionName, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props) => throw null; - public StandardQueryCacheFactory() => throw null; - } - - // Generated from `NHibernate.Cache.Timestamper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class Timestamper - { - public static System.Int64 Next() => throw null; - public const System.Int16 OneMs = default; - } - - // Generated from `NHibernate.Cache.UpdateTimestampsCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UpdateTimestampsCache - { - public virtual bool[] AreUpToDate(System.Collections.Generic.ISet[] spaces, System.Int64[] timestamps) => throw null; - public virtual System.Threading.Tasks.Task AreUpToDateAsync(System.Collections.Generic.ISet[] spaces, System.Int64[] timestamps, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void Clear() => throw null; - public virtual System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void Destroy() => throw null; - public void Invalidate(object[] spaces) => throw null; - public virtual void Invalidate(System.Collections.Generic.IReadOnlyCollection spaces) => throw null; - public virtual System.Threading.Tasks.Task InvalidateAsync(System.Collections.Generic.IReadOnlyCollection spaces, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task InvalidateAsync(object[] spaces, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual bool IsUpToDate(System.Collections.Generic.ISet spaces, System.Int64 timestamp) => throw null; - public virtual System.Threading.Tasks.Task IsUpToDateAsync(System.Collections.Generic.ISet spaces, System.Int64 timestamp, System.Threading.CancellationToken cancellationToken) => throw null; - public void PreInvalidate(object[] spaces) => throw null; - public virtual void PreInvalidate(System.Collections.Generic.IReadOnlyCollection spaces) => throw null; - public virtual System.Threading.Tasks.Task PreInvalidateAsync(System.Collections.Generic.IReadOnlyCollection spaces, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PreInvalidateAsync(object[] spaces, System.Threading.CancellationToken cancellationToken) => throw null; - public UpdateTimestampsCache(NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props) => throw null; - public UpdateTimestampsCache(NHibernate.Cache.CacheBase cache) => throw null; - } - - namespace Access - { - // Generated from `NHibernate.Cache.Access.ISoftLock` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISoftLock - { - } - - } - namespace Entry - { - // Generated from `NHibernate.Cache.Entry.CacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheEntry - { - public bool AreLazyPropertiesUnfetched { get => throw null; set => throw null; } - public object[] Assemble(object instance, object id, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.IInterceptor interceptor, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task AssembleAsync(object instance, object id, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.IInterceptor interceptor, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public CacheEntry(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public CacheEntry() => throw null; - public static NHibernate.Cache.Entry.CacheEntry Create(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public static NHibernate.Cache.Entry.CacheEntry Create(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public static System.Threading.Tasks.Task CreateAsync(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, object version, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task CreateAsync(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] DisassembledState { get => throw null; set => throw null; } - public string Subclass { get => throw null; set => throw null; } - public object Version { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cache.Entry.CollectionCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionCacheEntry - { - public virtual void Assemble(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object owner) => throw null; - public virtual System.Threading.Tasks.Task AssembleAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public CollectionCacheEntry(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public CollectionCacheEntry() => throw null; - public static NHibernate.Cache.Entry.CollectionCacheEntry Create(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public static System.Threading.Tasks.Task CreateAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object[] State { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cache.Entry.ICacheEntryStructure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheEntryStructure - { - object Destructure(object map, NHibernate.Engine.ISessionFactoryImplementor factory); - object Structure(object item); - } - - // Generated from `NHibernate.Cache.Entry.StructuredCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StructuredCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure - { - public object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public object Structure(object item) => throw null; - public StructuredCacheEntry(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - } - - // Generated from `NHibernate.Cache.Entry.StructuredCollectionCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StructuredCollectionCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure - { - public virtual object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public virtual object Structure(object item) => throw null; - public StructuredCollectionCacheEntry() => throw null; - } - - // Generated from `NHibernate.Cache.Entry.StructuredMapCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StructuredMapCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure - { - public object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public object Structure(object item) => throw null; - public StructuredMapCacheEntry() => throw null; - } - - // Generated from `NHibernate.Cache.Entry.UnstructuredCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnstructuredCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure - { - public object Destructure(object map, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public object Structure(object item) => throw null; - public UnstructuredCacheEntry() => throw null; - } - - } - } - namespace Cfg - { - // Generated from `NHibernate.Cfg.AppSettings` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class AppSettings - { - public const string LoggerFactoryClassName = default; - } - - // Generated from `NHibernate.Cfg.BindMappingEventArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BindMappingEventArgs : System.EventArgs - { - public BindMappingEventArgs(NHibernate.Dialect.Dialect dialect, NHibernate.Cfg.MappingSchema.HbmMapping mapping, string fileName) => throw null; - public BindMappingEventArgs(NHibernate.Cfg.MappingSchema.HbmMapping mapping, string fileName) => throw null; - public NHibernate.Dialect.Dialect Dialect { get => throw null; } - public string FileName { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmMapping Mapping { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ClassExtractor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassExtractor - { - // Generated from `NHibernate.Cfg.ClassExtractor+ClassEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassEntry - { - public ClassEntry(string extends, string className, string entityName, string assembly, string @namespace) => throw null; - public string EntityName { get => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Cfg.ClassExtractor.ClassEntry obj) => throw null; - public string ExtendsEntityName { get => throw null; } - public NHibernate.Util.AssemblyQualifiedTypeName FullClassName { get => throw null; } - public NHibernate.Util.AssemblyQualifiedTypeName FullExtends { get => throw null; } - public override int GetHashCode() => throw null; - } - - - public ClassExtractor() => throw null; - public static System.Collections.Generic.ICollection GetClassEntries(NHibernate.Cfg.MappingSchema.HbmMapping document) => throw null; - } - - // Generated from `NHibernate.Cfg.Configuration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Configuration : System.Runtime.Serialization.ISerializable - { - public NHibernate.Cfg.Configuration AddAssembly(string assemblyName) => throw null; - public NHibernate.Cfg.Configuration AddAssembly(System.Reflection.Assembly assembly) => throw null; - public void AddAuxiliaryDatabaseObject(NHibernate.Mapping.IAuxiliaryDatabaseObject obj) => throw null; - public NHibernate.Cfg.Configuration AddClass(System.Type persistentClass) => throw null; - public void AddDeserializedMapping(NHibernate.Cfg.MappingSchema.HbmMapping mappingDocument, string documentFileName) => throw null; - public NHibernate.Cfg.Configuration AddDirectory(System.IO.DirectoryInfo dir) => throw null; - public NHibernate.Cfg.Configuration AddDocument(System.Xml.XmlDocument doc, string name) => throw null; - public NHibernate.Cfg.Configuration AddDocument(System.Xml.XmlDocument doc) => throw null; - public NHibernate.Cfg.Configuration AddFile(string xmlFile) => throw null; - public NHibernate.Cfg.Configuration AddFile(System.IO.FileInfo xmlFile) => throw null; - public void AddFilterDefinition(NHibernate.Engine.FilterDefinition definition) => throw null; - public NHibernate.Cfg.Configuration AddInputStream(System.IO.Stream xmlInputStream, string name) => throw null; - public NHibernate.Cfg.Configuration AddInputStream(System.IO.Stream xmlInputStream) => throw null; - public void AddMapping(NHibernate.Cfg.MappingSchema.HbmMapping mappingDocument) => throw null; - public NHibernate.Cfg.Configuration AddNamedQuery(string queryIdentifier, System.Action namedQueryDefinition) => throw null; - public NHibernate.Cfg.Configuration AddProperties(System.Collections.Generic.IDictionary additionalProperties) => throw null; - public NHibernate.Cfg.Configuration AddResource(string path, System.Reflection.Assembly assembly) => throw null; - public NHibernate.Cfg.Configuration AddResources(System.Collections.Generic.IEnumerable paths, System.Reflection.Assembly assembly) => throw null; - public void AddSqlFunction(string functionName, NHibernate.Dialect.Function.ISQLFunction sqlFunction) => throw null; - public NHibernate.Cfg.Configuration AddUrl(string url) => throw null; - public NHibernate.Cfg.Configuration AddUrl(System.Uri url) => throw null; - public NHibernate.Cfg.Configuration AddXml(string xml, string name) => throw null; - public NHibernate.Cfg.Configuration AddXml(string xml) => throw null; - public NHibernate.Cfg.Configuration AddXmlFile(string xmlFile) => throw null; - public NHibernate.Cfg.Configuration AddXmlReader(System.Xml.XmlReader hbmReader, string name) => throw null; - public NHibernate.Cfg.Configuration AddXmlReader(System.Xml.XmlReader hbmReader) => throw null; - public NHibernate.Cfg.Configuration AddXmlString(string xml) => throw null; - public event System.EventHandler AfterBindMapping; - public void AppendListeners(NHibernate.Event.ListenerType type, object[] listeners) => throw null; - public event System.EventHandler BeforeBindMapping; - public virtual NHibernate.Engine.IMapping BuildMapping() => throw null; - public virtual void BuildMappings() => throw null; - public NHibernate.ISessionFactory BuildSessionFactory() => throw null; - public NHibernate.Cfg.Configuration Cache(System.Action cacheProperties) => throw null; - public System.Collections.Generic.ICollection ClassMappings { get => throw null; } - public System.Collections.Generic.ICollection CollectionMappings { get => throw null; } - public NHibernate.Cfg.Configuration CollectionTypeFactory() => throw null; - public Configuration(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public Configuration() => throw null; - protected Configuration(NHibernate.Cfg.SettingsFactory settingsFactory) => throw null; - public NHibernate.Cfg.Configuration Configure(string fileName) => throw null; - public NHibernate.Cfg.Configuration Configure(System.Xml.XmlReader textReader) => throw null; - public NHibernate.Cfg.Configuration Configure(System.Reflection.Assembly assembly, string resourceName) => throw null; - public NHibernate.Cfg.Configuration Configure() => throw null; - protected virtual void ConfigureProxyFactoryFactory() => throw null; - public NHibernate.Cfg.Mappings CreateMappings(NHibernate.Dialect.Dialect dialect) => throw null; - public NHibernate.Cfg.Mappings CreateMappings() => throw null; - public NHibernate.Cfg.Configuration CurrentSessionContext() where TCurrentSessionContext : NHibernate.Context.ICurrentSessionContext => throw null; - public NHibernate.Cfg.Configuration DataBaseIntegration(System.Action dataBaseIntegration) => throw null; - public const string DefaultHibernateCfgFileName = default; - protected NHibernate.Cfg.Configuration DoConfigure(NHibernate.Cfg.ISessionFactoryConfiguration factoryConfiguration) => throw null; - public NHibernate.Cfg.Configuration EntityCache(System.Action> entityCacheConfiguration) where TEntity : class => throw null; - public NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get => throw null; set => throw null; } - public NHibernate.Event.EventListeners EventListeners { get => throw null; } - public System.Collections.Generic.IDictionary FilterDefinitions { get => throw null; set => throw null; } - public string[] GenerateDropSchemaScript(NHibernate.Dialect.Dialect dialect) => throw null; - public string[] GenerateSchemaCreationScript(NHibernate.Dialect.Dialect dialect) => throw null; - public string[] GenerateSchemaUpdateScript(NHibernate.Dialect.Dialect dialect, NHibernate.Tool.hbm2ddl.IDatabaseMetadata databaseMetadata) => throw null; - public NHibernate.Mapping.PersistentClass GetClassMapping(string entityName) => throw null; - public NHibernate.Mapping.PersistentClass GetClassMapping(System.Type persistentClass) => throw null; - public NHibernate.Mapping.Collection GetCollectionMapping(string role) => throw null; - protected virtual string GetDefaultConfigurationFilePath() => throw null; - public System.Collections.Generic.IDictionary GetDerivedProperties() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public string GetProperty(string name) => throw null; - public NHibernate.Cfg.Configuration HqlQueryTranslator() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; - public System.Collections.Generic.IDictionary Imports { get => throw null; set => throw null; } - public static bool IncludeAction(NHibernate.Mapping.SchemaAction actionsSource, NHibernate.Mapping.SchemaAction includedAction) => throw null; - public NHibernate.IInterceptor Interceptor { get => throw null; set => throw null; } - public NHibernate.Cfg.Configuration LinqQueryProvider() where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; - public NHibernate.Cfg.Configuration LinqToHqlGeneratorsRegistry() where TLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry => throw null; - public NHibernate.Cfg.NamedXmlDocument LoadMappingDocument(System.Xml.XmlReader hbmReader, string name) => throw null; - public NHibernate.Cfg.Configuration Mappings(System.Action mappingsProperties) => throw null; - public System.Collections.Generic.IDictionary NamedQueries { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary NamedSQLQueries { get => throw null; set => throw null; } - public NHibernate.Cfg.INamingStrategy NamingStrategy { get => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; set => throw null; } - public NHibernate.Cfg.Configuration Proxy(System.Action proxyProperties) => throw null; - protected void Reset() => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration SessionFactory() => throw null; - public NHibernate.Cfg.Configuration SessionFactory(System.Action configure) => throw null; - public NHibernate.Cfg.Configuration SessionFactoryName(string sessionFactoryName) => throw null; - public void SetCacheConcurrencyStrategy(string clazz, string concurrencyStrategy, string region) => throw null; - public NHibernate.Cfg.Configuration SetCacheConcurrencyStrategy(string clazz, string concurrencyStrategy) => throw null; - public NHibernate.Cfg.Configuration SetCollectionCacheConcurrencyStrategy(string collectionRole, string concurrencyStrategy) => throw null; - public NHibernate.Cfg.Configuration SetDefaultAssembly(string newDefaultAssembly) => throw null; - public NHibernate.Cfg.Configuration SetDefaultNamespace(string newDefaultNamespace) => throw null; - public NHibernate.Cfg.Configuration SetInterceptor(NHibernate.IInterceptor newInterceptor) => throw null; - public void SetListener(NHibernate.Event.ListenerType type, object listener) => throw null; - public void SetListeners(NHibernate.Event.ListenerType type, string[] listenerClasses) => throw null; - public void SetListeners(NHibernate.Event.ListenerType type, object[] listeners) => throw null; - public NHibernate.Cfg.Configuration SetNamingStrategy(NHibernate.Cfg.INamingStrategy newNamingStrategy) => throw null; - public NHibernate.Cfg.Configuration SetProperties(System.Collections.Generic.IDictionary newProperties) => throw null; - public NHibernate.Cfg.Configuration SetProperty(string name, string value) => throw null; - public System.Collections.Generic.IDictionary SqlFunctions { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary SqlResultSetMappings { get => throw null; set => throw null; } - public NHibernate.Cfg.Configuration TypeDefinition(System.Action typeDefConfiguration) where TDef : class => throw null; - public void ValidateSchema(NHibernate.Dialect.Dialect dialect, NHibernate.Tool.hbm2ddl.IDatabaseMetadata databaseMetadata) => throw null; - protected System.Collections.Generic.IList auxiliaryDatabaseObjects; - protected System.Collections.Generic.IDictionary classes; - protected System.Collections.Generic.IDictionary collections; - protected System.Collections.Generic.IDictionary columnNameBindingPerTable; - protected System.Collections.Generic.ISet extendsQueue; - protected System.Collections.Generic.Queue filtersSecondPasses; - protected System.Collections.Generic.IList propertyReferences; - protected System.Collections.Generic.IList secondPasses; - protected internal NHibernate.Cfg.SettingsFactory settingsFactory; - protected System.Collections.Generic.IDictionary tableNameBinding; - protected System.Collections.Generic.IDictionary tables; - protected System.Collections.Generic.IDictionary typeDefs; - } - - // Generated from `NHibernate.Cfg.ConfigurationExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ConfigurationExtensions - { - public static NHibernate.Cfg.Configuration AddNamedQuery(this NHibernate.Cfg.Configuration configuration, string queryIdentifier, System.Action namedQueryDefinition) => throw null; - public static NHibernate.Cfg.Configuration Cache(this NHibernate.Cfg.Configuration configuration, System.Action cacheProperties) => throw null; - public static NHibernate.Cfg.Configuration CollectionTypeFactory(this NHibernate.Cfg.Configuration configuration) => throw null; - public static NHibernate.Cfg.Configuration CurrentSessionContext(this NHibernate.Cfg.Configuration configuration) where TCurrentSessionContext : NHibernate.Context.ICurrentSessionContext => throw null; - public static NHibernate.Cfg.Configuration DataBaseIntegration(this NHibernate.Cfg.Configuration configuration, System.Action dataBaseIntegration) => throw null; - public static NHibernate.Cfg.Configuration EntityCache(this NHibernate.Cfg.Configuration configuration, System.Action> entityCacheConfiguration) where TEntity : class => throw null; - public static NHibernate.Cfg.Configuration HqlQueryTranslator(this NHibernate.Cfg.Configuration configuration) where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; - public static NHibernate.Cfg.Configuration LinqQueryProvider(this NHibernate.Cfg.Configuration configuration) where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; - public static NHibernate.Cfg.Configuration LinqToHqlGeneratorsRegistry(this NHibernate.Cfg.Configuration configuration) where TLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry => throw null; - public static NHibernate.Cfg.Configuration Mappings(this NHibernate.Cfg.Configuration configuration, System.Action mappingsProperties) => throw null; - public static NHibernate.Cfg.Configuration Proxy(this NHibernate.Cfg.Configuration configuration, System.Action proxyProperties) => throw null; - public static NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration SessionFactory(this NHibernate.Cfg.Configuration configuration) => throw null; - public static NHibernate.Cfg.Configuration SessionFactoryName(this NHibernate.Cfg.Configuration configuration, string sessionFactoryName) => throw null; - public static NHibernate.Cfg.Configuration TypeDefinition(this NHibernate.Cfg.Configuration configuration, System.Action typeDefConfiguration) where TDef : class => throw null; - } - - // Generated from `NHibernate.Cfg.ConfigurationProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ConfigurationProvider - { - protected ConfigurationProvider() => throw null; - public static NHibernate.Cfg.ConfigurationProvider Current { get => throw null; set => throw null; } - public abstract NHibernate.Cfg.IHibernateConfiguration GetConfiguration(); - public abstract string GetLoggerFactoryClassName(); - public abstract string GetNamedConnectionString(string name); - } - - // Generated from `NHibernate.Cfg.ConfigurationSectionHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConfigurationSectionHandler : System.Configuration.IConfigurationSectionHandler - { - public ConfigurationSectionHandler() => throw null; - object System.Configuration.IConfigurationSectionHandler.Create(object parent, object configContext, System.Xml.XmlNode section) => throw null; - } - - // Generated from `NHibernate.Cfg.DefaultNamingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultNamingStrategy : NHibernate.Cfg.INamingStrategy - { - public string ClassToTableName(string className) => throw null; - public string ColumnName(string columnName) => throw null; - public static NHibernate.Cfg.INamingStrategy Instance; - public string LogicalColumnName(string columnName, string propertyName) => throw null; - public string PropertyToColumnName(string propertyName) => throw null; - public string PropertyToTableName(string className, string propertyName) => throw null; - public string TableName(string tableName) => throw null; - } - - // Generated from `NHibernate.Cfg.EntityCacheUsage` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum EntityCacheUsage - { - NonStrictReadWrite, - ReadWrite, - Readonly, - Transactional, - } - - // Generated from `NHibernate.Cfg.EntityCacheUsageParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EntityCacheUsageParser - { - public static NHibernate.Cfg.EntityCacheUsage Parse(string value) => throw null; - public static string ToString(NHibernate.Cfg.EntityCacheUsage value) => throw null; - } - - // Generated from `NHibernate.Cfg.Environment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class Environment - { - public const string AutoJoinTransaction = default; - public const string BatchSize = default; - public const string BatchStrategy = default; - public const string BatchVersionedData = default; - public static NHibernate.Bytecode.IBytecodeProvider BuildBytecodeProvider(System.Collections.Generic.IDictionary properties) => throw null; - public static NHibernate.Bytecode.IObjectsFactory BuildObjectsFactory(System.Collections.Generic.IDictionary properties) => throw null; - public static NHibernate.Bytecode.IBytecodeProvider BytecodeProvider { get => throw null; set => throw null; } - public const string CacheDefaultExpiration = default; - public const string CacheProvider = default; - public const string CacheRegionPrefix = default; - public const string CollectionTypeFactoryClass = default; - public const string CommandTimeout = default; - public const string ConnectionDriver = default; - public const string ConnectionProvider = default; - public const string ConnectionString = default; - public const string ConnectionStringName = default; - public const string CurrentSessionContextClass = default; - public const string DefaultBatchFetchSize = default; - public const string DefaultCatalog = default; - public const string DefaultEntityMode = default; - public const string DefaultFlushMode = default; - public const string DefaultSchema = default; - public const string Dialect = default; - public const string FirebirdDisableParameterCasting = default; - public const string FormatSql = default; - public const string GenerateStatistics = default; - public const string Hbm2ddlAuto = default; - public const string Hbm2ddlKeyWords = default; - public const string Hbm2ddlThrowOnUpdate = default; - public static void InitializeGlobalProperties(NHibernate.Cfg.IHibernateConfiguration config) => throw null; - public const string Isolation = default; - public const string LinqToHqlFallbackOnPreEvaluation = default; - public const string LinqToHqlGeneratorsRegistry = default; - public const string LinqToHqlLegacyPreEvaluation = default; - public const string MaxFetchDepth = default; - public const string MultiTenancy = default; - public const string MultiTenancyConnectionProvider = default; - public static NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get => throw null; set => throw null; } - public const string OdbcDateTimeScale = default; - public const string OracleUseBinaryFloatingPointTypes = default; - public const string OracleUseNPrefixedTypesForUnicode = default; - public const string OrderInserts = default; - public const string OrderUpdates = default; - public const string OutputStylesheet = default; - public const string PreTransformerRegistrar = default; - public const string PreferPooledValuesLo = default; - public const string PrepareSql = default; - public static System.Collections.Generic.IDictionary Properties { get => throw null; } - public const string PropertyBytecodeProvider = default; - public const string PropertyObjectsFactory = default; - public const string PropertyUseReflectionOptimizer = default; - public const string ProxyFactoryFactoryClass = default; - public const string QueryCacheFactory = default; - public const string QueryDefaultCastLength = default; - public const string QueryDefaultCastPrecision = default; - public const string QueryDefaultCastScale = default; - public const string QueryImports = default; - public const string QueryLinqProvider = default; - public const string QueryModelRewriterFactory = default; - public const string QueryStartupChecking = default; - public const string QuerySubstitutions = default; - public const string QueryTranslator = default; - public const string ReleaseConnections = default; - public const string SessionFactoryName = default; - public const string ShowSql = default; - public const string SqlExceptionConverter = default; - public const string SqlTypesKeepDateTime = default; - public const string SqliteBinaryGuid = default; - public const string StatementFetchSize = default; - public const string SystemTransactionCompletionLockTimeout = default; - public const string TrackSessionId = default; - public const string TransactionManagerStrategy = default; - public const string TransactionStrategy = default; - public const string UseConnectionOnSystemTransactionPrepare = default; - public const string UseGetGeneratedKeys = default; - public const string UseIdentifierRollBack = default; - public const string UseMinimalPuts = default; - public const string UseProxyValidator = default; - public const string UseQueryCache = default; - public static bool UseReflectionOptimizer { get => throw null; set => throw null; } - public const string UseSecondLevelCache = default; - public const string UseSqlComments = default; - public static void VerifyProperties(System.Collections.Generic.IDictionary props) => throw null; - public static string Version { get => throw null; } - public const string WrapResultSets = default; - } - - // Generated from `NHibernate.Cfg.ExtendsQueueEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExtendsQueueEntry - { - public System.Xml.XmlDocument Document { get => throw null; } - public string ExplicitName { get => throw null; } - public ExtendsQueueEntry(string explicitName, string mappingPackage, System.Xml.XmlDocument document) => throw null; - public string MappingPackage { get => throw null; } - } - - // Generated from `NHibernate.Cfg.FilterSecondPassArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterSecondPassArgs - { - public string FilterName { get => throw null; set => throw null; } - public FilterSecondPassArgs(NHibernate.Mapping.IFilterable filterable, string filterName) => throw null; - public NHibernate.Mapping.IFilterable Filterable { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cfg.Hbm2DDLKeyWords` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Hbm2DDLKeyWords - { - public static bool operator !=(string a, NHibernate.Cfg.Hbm2DDLKeyWords b) => throw null; - public static bool operator !=(NHibernate.Cfg.Hbm2DDLKeyWords a, string b) => throw null; - public static bool operator ==(string a, NHibernate.Cfg.Hbm2DDLKeyWords b) => throw null; - public static bool operator ==(NHibernate.Cfg.Hbm2DDLKeyWords a, string b) => throw null; - public static NHibernate.Cfg.Hbm2DDLKeyWords AutoQuote; - public override bool Equals(object obj) => throw null; - public bool Equals(string other) => throw null; - public bool Equals(NHibernate.Cfg.Hbm2DDLKeyWords other) => throw null; - public override int GetHashCode() => throw null; - public static NHibernate.Cfg.Hbm2DDLKeyWords Keywords; - public static NHibernate.Cfg.Hbm2DDLKeyWords None; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cfg.HbmConstants` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmConstants - { - public HbmConstants() => throw null; - public const string nsClass = default; - public const string nsCollectionId = default; - public const string nsColumn = default; - public const string nsCreate = default; - public const string nsDatabaseObject = default; - public const string nsDefinition = default; - public const string nsDialectScope = default; - public const string nsDrop = default; - public const string nsFilter = default; - public const string nsFilterDef = default; - public const string nsFilterParam = default; - public const string nsFormula = default; - public const string nsGenerator = default; - public const string nsImport = default; - public const string nsIndex = default; - public const string nsJoinedSubclass = default; - public const string nsKey = default; - public const string nsListIndex = default; - public const string nsLoader = default; - public const string nsMeta = default; - public const string nsMetaValue = default; - public const string nsOneToMany = default; - public const string nsParam = default; - public const string nsPrefix = default; - public const string nsQuery = default; - public const string nsQueryParam = default; - public const string nsResultset = default; - public const string nsReturnColumn = default; - public const string nsReturnDiscriminator = default; - public const string nsReturnProperty = default; - public const string nsSqlDelete = default; - public const string nsSqlDeleteAll = default; - public const string nsSqlInsert = default; - public const string nsSqlQuery = default; - public const string nsSqlUpdate = default; - public const string nsSubclass = default; - public const string nsSynchronize = default; - public const string nsTuplizer = default; - public const string nsType = default; - public const string nsUnionSubclass = default; - } - - // Generated from `NHibernate.Cfg.HibernateConfigException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HibernateConfigException : NHibernate.MappingException - { - public HibernateConfigException(string message, System.Exception innerException) : base(default(System.Exception)) => throw null; - public HibernateConfigException(string message) : base(default(System.Exception)) => throw null; - public HibernateConfigException(System.Exception innerException) : base(default(System.Exception)) => throw null; - public HibernateConfigException() : base(default(System.Exception)) => throw null; - protected HibernateConfigException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(System.Exception)) => throw null; - } - - // Generated from `NHibernate.Cfg.IHibernateConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IHibernateConfiguration - { - string ByteCodeProviderType { get; } - NHibernate.Cfg.ISessionFactoryConfiguration SessionFactory { get; } - bool UseReflectionOptimizer { get; } - } - - // Generated from `NHibernate.Cfg.INamingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INamingStrategy - { - string ClassToTableName(string className); - string ColumnName(string columnName); - string LogicalColumnName(string columnName, string propertyName); - string PropertyToColumnName(string propertyName); - string PropertyToTableName(string className, string propertyName); - string TableName(string tableName); - } - - // Generated from `NHibernate.Cfg.ISessionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionFactoryConfiguration - { - System.Collections.Generic.IList ClassesCache { get; } - System.Collections.Generic.IList CollectionsCache { get; } - System.Collections.Generic.IList Events { get; } - System.Collections.Generic.IList Listeners { get; } - System.Collections.Generic.IList Mappings { get; } - string Name { get; } - System.Collections.Generic.IDictionary Properties { get; } - } - - // Generated from `NHibernate.Cfg.ImprovedNamingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ImprovedNamingStrategy : NHibernate.Cfg.INamingStrategy - { - public string ClassToTableName(string className) => throw null; - public string ColumnName(string columnName) => throw null; - public static NHibernate.Cfg.INamingStrategy Instance; - public string LogicalColumnName(string columnName, string propertyName) => throw null; - public string PropertyToColumnName(string propertyName) => throw null; - public string PropertyToTableName(string className, string propertyName) => throw null; - public string TableName(string tableName) => throw null; - } - - // Generated from `NHibernate.Cfg.Mappings` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Mappings - { - public void AddAuxiliaryDatabaseObject(NHibernate.Mapping.IAuxiliaryDatabaseObject auxiliaryDatabaseObject) => throw null; - public void AddClass(NHibernate.Mapping.PersistentClass persistentClass) => throw null; - public void AddCollection(NHibernate.Mapping.Collection collection) => throw null; - public void AddColumnBinding(string logicalName, NHibernate.Mapping.Column finalColumn, NHibernate.Mapping.Table table) => throw null; - public NHibernate.Mapping.Table AddDenormalizedTable(string schema, string catalog, string name, bool isAbstract, string subselect, NHibernate.Mapping.Table includedTable) => throw null; - public void AddFilterDefinition(NHibernate.Engine.FilterDefinition definition) => throw null; - public void AddImport(string className, string rename) => throw null; - public void AddPropertyReference(string referencedClass, string propertyName) => throw null; - public void AddQuery(string name, NHibernate.Engine.NamedQueryDefinition query) => throw null; - public void AddResultSetMapping(NHibernate.Engine.ResultSetMappingDefinition sqlResultSetMapping) => throw null; - public void AddSQLQuery(string name, NHibernate.Engine.NamedSQLQueryDefinition query) => throw null; - public void AddSecondPass(NHibernate.Cfg.SecondPassCommand command, bool onTopOfTheQueue) => throw null; - public void AddSecondPass(NHibernate.Cfg.SecondPassCommand command) => throw null; - public NHibernate.Mapping.Table AddTable(string schema, string catalog, string name, string subselect, bool isAbstract, string schemaAction) => throw null; - public void AddTableBinding(string schema, string catalog, string logicalName, string physicalName, NHibernate.Mapping.Table denormalizedSuperTable) => throw null; - public void AddToExtendsQueue(NHibernate.Cfg.ExtendsQueueEntry entry) => throw null; - public void AddTypeDef(string typeName, string typeClass, System.Collections.Generic.IDictionary paramMap) => throw null; - public void AddUniquePropertyReference(string referencedClass, string propertyName) => throw null; - public string CatalogName { get => throw null; set => throw null; } - // Generated from `NHibernate.Cfg.Mappings+ColumnNames` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnNames - { - public ColumnNames() => throw null; - public System.Collections.Generic.IDictionary logicalToPhysical; - public System.Collections.Generic.IDictionary physicalToLogical; - } - - - public string DefaultAccess { get => throw null; set => throw null; } - public string DefaultAssembly { get => throw null; set => throw null; } - public string DefaultCascade { get => throw null; set => throw null; } - public string DefaultCatalog { get => throw null; set => throw null; } - public bool DefaultLazy { get => throw null; set => throw null; } - public string DefaultNamespace { get => throw null; set => throw null; } - public string DefaultSchema { get => throw null; set => throw null; } - public NHibernate.Dialect.Dialect Dialect { get => throw null; } - public void ExpectedFilterDefinition(NHibernate.Mapping.IFilterable filterable, string filterName, string condition) => throw null; - public System.Collections.Generic.IDictionary FilterDefinitions { get => throw null; } - public NHibernate.Mapping.PersistentClass GetClass(string className) => throw null; - public NHibernate.Mapping.Collection GetCollection(string role) => throw null; - public NHibernate.Engine.FilterDefinition GetFilterDefinition(string name) => throw null; - public string GetLogicalColumnName(string physicalName, NHibernate.Mapping.Table table) => throw null; - public string GetLogicalTableName(NHibernate.Mapping.Table table) => throw null; - public string GetPhysicalColumnName(string logicalName, NHibernate.Mapping.Table table) => throw null; - public NHibernate.Engine.NamedQueryDefinition GetQuery(string name) => throw null; - public NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string name) => throw null; - public NHibernate.Mapping.Table GetTable(string schema, string catalog, string name) => throw null; - public NHibernate.Mapping.TypeDef GetTypeDef(string typeName) => throw null; - public bool IsAutoImport { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable IterateCollections { get => throw null; } - public System.Collections.Generic.IEnumerable IterateTables { get => throw null; } - public NHibernate.Mapping.PersistentClass LocatePersistentClassByEntityName(string entityName) => throw null; - protected internal Mappings(System.Collections.Generic.IDictionary classes, System.Collections.Generic.IDictionary collections, System.Collections.Generic.IDictionary tables, System.Collections.Generic.IDictionary queries, System.Collections.Generic.IDictionary sqlqueries, System.Collections.Generic.IDictionary resultSetMappings, System.Collections.Generic.IDictionary imports, System.Collections.Generic.IList secondPasses, System.Collections.Generic.Queue filtersSecondPasses, System.Collections.Generic.IList propertyReferences, NHibernate.Cfg.INamingStrategy namingStrategy, System.Collections.Generic.IDictionary typeDefs, System.Collections.Generic.IDictionary filterDefinitions, System.Collections.Generic.ISet extendsQueue, System.Collections.Generic.IList auxiliaryDatabaseObjects, System.Collections.Generic.IDictionary tableNameBinding, System.Collections.Generic.IDictionary columnNameBindingPerTable, string defaultAssembly, string defaultNamespace, string defaultCatalog, string defaultSchema, string preferPooledValuesLo, NHibernate.Dialect.Dialect dialect) => throw null; - protected internal Mappings(System.Collections.Generic.IDictionary classes, System.Collections.Generic.IDictionary collections, System.Collections.Generic.IDictionary tables, System.Collections.Generic.IDictionary queries, System.Collections.Generic.IDictionary sqlqueries, System.Collections.Generic.IDictionary resultSetMappings, System.Collections.Generic.IDictionary imports, System.Collections.Generic.IList secondPasses, System.Collections.Generic.Queue filtersSecondPasses, System.Collections.Generic.IList propertyReferences, NHibernate.Cfg.INamingStrategy namingStrategy, System.Collections.Generic.IDictionary typeDefs, System.Collections.Generic.IDictionary filterDefinitions, System.Collections.Generic.ISet extendsQueue, System.Collections.Generic.IList auxiliaryDatabaseObjects, System.Collections.Generic.IDictionary tableNameBinding, System.Collections.Generic.IDictionary columnNameBindingPerTable, string defaultAssembly, string defaultNamespace, string defaultCatalog, string defaultSchema, string preferPooledValuesLo) => throw null; - public NHibernate.Cfg.INamingStrategy NamingStrategy { get => throw null; } - public string PreferPooledValuesLo { get => throw null; set => throw null; } - // Generated from `NHibernate.Cfg.Mappings+PropertyReference` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyReference - { - public PropertyReference() => throw null; - public string propertyName; - public string referencedClass; - public bool unique; - } - - - public string SchemaName { get => throw null; set => throw null; } - // Generated from `NHibernate.Cfg.Mappings+TableDescription` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableDescription - { - public TableDescription(string logicalName, NHibernate.Mapping.Table denormalizedSupertable) => throw null; - public NHibernate.Mapping.Table denormalizedSupertable; - public string logicalName; - } - - - protected internal System.Collections.Generic.IDictionary columnNameBindingPerTable; - protected internal System.Collections.Generic.ISet extendsQueue; - protected internal System.Collections.Generic.IDictionary tableNameBinding; - protected internal System.Collections.Generic.IDictionary typeDefs; - } - - // Generated from `NHibernate.Cfg.MappingsQueue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingsQueue - { - public void AddDocument(NHibernate.Cfg.NamedXmlDocument document) => throw null; - public void CheckNoUnavailableEntries() => throw null; - public NHibernate.Cfg.NamedXmlDocument GetNextAvailableResource() => throw null; - public MappingsQueue() => throw null; - } - - // Generated from `NHibernate.Cfg.MappingsQueueEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingsQueueEntry - { - public System.Collections.Generic.ICollection ContainedClassNames { get => throw null; } - public NHibernate.Cfg.NamedXmlDocument Document { get => throw null; } - public MappingsQueueEntry(NHibernate.Cfg.NamedXmlDocument document, System.Collections.Generic.IEnumerable classEntries) => throw null; - public System.Collections.Generic.ICollection RequiredClassNames { get => throw null; } - // Generated from `NHibernate.Cfg.MappingsQueueEntry+RequiredEntityName` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RequiredEntityName - { - public string EntityName { get => throw null; set => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Cfg.MappingsQueueEntry.RequiredEntityName obj) => throw null; - public string FullClassName { get => throw null; set => throw null; } - public override int GetHashCode() => throw null; - public RequiredEntityName(string entityName, string fullClassName) => throw null; - public override string ToString() => throw null; - } - - - } - - // Generated from `NHibernate.Cfg.NamedXmlDocument` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedXmlDocument - { - public NHibernate.Cfg.MappingSchema.HbmMapping Document { get => throw null; } - public string Name { get => throw null; } - public NamedXmlDocument(string name, System.Xml.XmlDocument document, System.Xml.Serialization.XmlSerializer serializer) => throw null; - public NamedXmlDocument(string name, System.Xml.XmlDocument document) => throw null; - } - - // Generated from `NHibernate.Cfg.SchemaAutoAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SchemaAutoAction - { - public static bool operator !=(string a, NHibernate.Cfg.SchemaAutoAction b) => throw null; - public static bool operator !=(NHibernate.Cfg.SchemaAutoAction a, string b) => throw null; - public static bool operator ==(string a, NHibernate.Cfg.SchemaAutoAction b) => throw null; - public static bool operator ==(NHibernate.Cfg.SchemaAutoAction a, string b) => throw null; - public static NHibernate.Cfg.SchemaAutoAction Create; - public override bool Equals(object obj) => throw null; - public bool Equals(string other) => throw null; - public bool Equals(NHibernate.Cfg.SchemaAutoAction other) => throw null; - public override int GetHashCode() => throw null; - public static NHibernate.Cfg.SchemaAutoAction Recreate; - public override string ToString() => throw null; - public static NHibernate.Cfg.SchemaAutoAction Update; - public static NHibernate.Cfg.SchemaAutoAction Validate; - } - - // Generated from `NHibernate.Cfg.SecondPassCommand` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SecondPassCommand(System.Collections.Generic.IDictionary persistentClasses); - - // Generated from `NHibernate.Cfg.SessionFactoryConfigurationBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionFactoryConfigurationBase : NHibernate.Cfg.ISessionFactoryConfiguration - { - public System.Collections.Generic.IList ClassesCache { get => throw null; } - public System.Collections.Generic.IList CollectionsCache { get => throw null; } - public System.Collections.Generic.IList Events { get => throw null; } - public System.Collections.Generic.IList Listeners { get => throw null; } - public System.Collections.Generic.IList Mappings { get => throw null; } - public string Name { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary Properties { get => throw null; } - public SessionFactoryConfigurationBase() => throw null; - } - - // Generated from `NHibernate.Cfg.Settings` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Settings - { - public int AdoBatchSize { get => throw null; set => throw null; } - public bool AutoJoinTransaction { get => throw null; set => throw null; } - public NHibernate.AdoNet.IBatcherFactory BatcherFactory { get => throw null; set => throw null; } - public NHibernate.Cache.ICacheProvider CacheProvider { get => throw null; set => throw null; } - public string CacheRegionPrefix { get => throw null; set => throw null; } - public NHibernate.Connection.IConnectionProvider ConnectionProvider { get => throw null; set => throw null; } - public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { get => throw null; set => throw null; } - public int DefaultBatchFetchSize { get => throw null; set => throw null; } - public string DefaultCatalogName { get => throw null; set => throw null; } - public NHibernate.FlushMode DefaultFlushMode { get => throw null; set => throw null; } - public string DefaultSchemaName { get => throw null; set => throw null; } - public NHibernate.Dialect.Dialect Dialect { get => throw null; set => throw null; } - public bool IsAutoCloseSessionEnabled { get => throw null; set => throw null; } - public bool IsAutoCreateSchema { get => throw null; set => throw null; } - public bool IsAutoDropSchema { get => throw null; set => throw null; } - public bool IsAutoQuoteEnabled { get => throw null; set => throw null; } - public bool IsAutoUpdateSchema { get => throw null; set => throw null; } - public bool IsAutoValidateSchema { get => throw null; set => throw null; } - public bool IsBatchVersionedDataEnabled { get => throw null; set => throw null; } - public bool IsCommentsEnabled { get => throw null; set => throw null; } - public bool IsDataDefinitionImplicitCommit { get => throw null; set => throw null; } - public bool IsDataDefinitionInTransactionSupported { get => throw null; set => throw null; } - public bool IsFlushBeforeCompletionEnabled { get => throw null; set => throw null; } - public bool IsGetGeneratedKeysEnabled { get => throw null; set => throw null; } - public bool IsIdentifierRollbackEnabled { get => throw null; set => throw null; } - public bool IsKeywordsImportEnabled { get => throw null; set => throw null; } - public bool IsMinimalPutsEnabled { get => throw null; set => throw null; } - public bool IsNamedQueryStartupCheckingEnabled { get => throw null; set => throw null; } - public bool IsOrderInsertsEnabled { get => throw null; set => throw null; } - public bool IsOrderUpdatesEnabled { get => throw null; set => throw null; } - public bool IsOuterJoinFetchEnabled { get => throw null; set => throw null; } - public bool IsQueryCacheEnabled { get => throw null; set => throw null; } - public bool IsScrollableResultSetsEnabled { get => throw null; set => throw null; } - public bool IsSecondLevelCacheEnabled { get => throw null; set => throw null; } - public bool IsStatisticsEnabled { get => throw null; set => throw null; } - public bool IsStructuredCacheEntriesEnabled { get => throw null; set => throw null; } - public bool IsWrapResultSetsEnabled { get => throw null; set => throw null; } - public System.Data.IsolationLevel IsolationLevel { get => throw null; set => throw null; } - public System.Type LinqQueryProviderType { get => throw null; set => throw null; } - public bool LinqToHqlFallbackOnPreEvaluation { get => throw null; set => throw null; } - public NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry LinqToHqlGeneratorsRegistry { get => throw null; set => throw null; } - public bool LinqToHqlLegacyPreEvaluation { get => throw null; set => throw null; } - public int MaximumFetchDepth { get => throw null; set => throw null; } - public NHibernate.MultiTenancy.IMultiTenancyConnectionProvider MultiTenancyConnectionProvider { get => throw null; set => throw null; } - public NHibernate.MultiTenancy.MultiTenancyStrategy MultiTenancyStrategy { get => throw null; set => throw null; } - public NHibernate.Linq.Visitors.IExpressionTransformerRegistrar PreTransformerRegistrar { get => throw null; set => throw null; } - public NHibernate.Cache.IQueryCacheFactory QueryCacheFactory { get => throw null; set => throw null; } - public NHibernate.Linq.Visitors.IQueryModelRewriterFactory QueryModelRewriterFactory { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary QuerySubstitutions { get => throw null; set => throw null; } - public NHibernate.Hql.IQueryTranslatorFactory QueryTranslatorFactory { get => throw null; set => throw null; } - public string SessionFactoryName { get => throw null; set => throw null; } - public Settings() => throw null; - public NHibernate.Exceptions.ISQLExceptionConverter SqlExceptionConverter { get => throw null; set => throw null; } - public NHibernate.AdoNet.Util.SqlStatementLogger SqlStatementLogger { get => throw null; set => throw null; } - public bool ThrowOnSchemaUpdate { get => throw null; set => throw null; } - public bool TrackSessionId { get => throw null; set => throw null; } - public NHibernate.Transaction.ITransactionFactory TransactionFactory { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cfg.SettingsFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SettingsFactory - { - public NHibernate.Cfg.Settings BuildSettings(System.Collections.Generic.IDictionary properties) => throw null; - public SettingsFactory() => throw null; - } - - // Generated from `NHibernate.Cfg.SystemConfigurationProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SystemConfigurationProvider : NHibernate.Cfg.ConfigurationProvider - { - public override NHibernate.Cfg.IHibernateConfiguration GetConfiguration() => throw null; - public override string GetLoggerFactoryClassName() => throw null; - public override string GetNamedConnectionString(string name) => throw null; - public SystemConfigurationProvider(System.Configuration.Configuration configuration) => throw null; - } - - namespace ConfigurationSchema - { - // Generated from `NHibernate.Cfg.ConfigurationSchema.BytecodeProviderType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum BytecodeProviderType - { - Lcg, - Null, - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.CfgXmlHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CfgXmlHelper - { - public static System.Xml.XPath.XPathExpression ByteCodeProviderExpression; - public const string CfgNamespacePrefix = default; - public const string CfgSchemaXMLNS = default; - public const string CfgSectionName = default; - public static NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude ClassCacheIncludeConvertFrom(string include) => throw null; - public static NHibernate.Event.ListenerType ListenerTypeConvertFrom(string listenerType) => throw null; - public static System.Xml.XPath.XPathExpression ObjectsFactoryExpression; - public static System.Xml.XPath.XPathExpression ReflectionOptimizerExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryClassesCacheExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryCollectionsCacheExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryEventsExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryListenersExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryMappingsExpression; - public static System.Xml.XPath.XPathExpression SessionFactoryPropertiesExpression; - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.ClassCacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassCacheConfiguration - { - public string Class { get => throw null; } - public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, string region) => throw null; - public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude include, string region) => throw null; - public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude include) => throw null; - public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage) => throw null; - public NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude Include { get => throw null; } - public string Region { get => throw null; } - public NHibernate.Cfg.EntityCacheUsage Usage { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum ClassCacheInclude - { - All, - NonLazy, - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.CollectionCacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionCacheConfiguration - { - public string Collection { get => throw null; } - public CollectionCacheConfiguration(string collection, NHibernate.Cfg.EntityCacheUsage usage, string region) => throw null; - public CollectionCacheConfiguration(string collection, NHibernate.Cfg.EntityCacheUsage usage) => throw null; - public string Region { get => throw null; } - public NHibernate.Cfg.EntityCacheUsage Usage { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.EventConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EventConfiguration - { - public EventConfiguration(NHibernate.Cfg.ConfigurationSchema.ListenerConfiguration listener, NHibernate.Event.ListenerType type) => throw null; - public System.Collections.Generic.IList Listeners { get => throw null; } - public NHibernate.Event.ListenerType Type { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.HibernateConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HibernateConfiguration : NHibernate.Cfg.IHibernateConfiguration - { - public string ByteCodeProviderType { get => throw null; } - public static NHibernate.Cfg.ConfigurationSchema.HibernateConfiguration FromAppConfig(string xml) => throw null; - public static NHibernate.Cfg.ConfigurationSchema.HibernateConfiguration FromAppConfig(System.Xml.XmlNode node) => throw null; - public HibernateConfiguration(System.Xml.XmlReader hbConfigurationReader) => throw null; - public string ObjectsFactoryType { get => throw null; set => throw null; } - public NHibernate.Cfg.ISessionFactoryConfiguration SessionFactory { get => throw null; } - public bool UseReflectionOptimizer { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.ListenerConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ListenerConfiguration - { - public string Class { get => throw null; } - public ListenerConfiguration(string clazz, NHibernate.Event.ListenerType type) => throw null; - public ListenerConfiguration(string clazz) => throw null; - public NHibernate.Event.ListenerType Type { get => throw null; } - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.MappingConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingConfiguration : System.IEquatable - { - public string Assembly { get => throw null; } - public bool Equals(NHibernate.Cfg.ConfigurationSchema.MappingConfiguration other) => throw null; - public string File { get => throw null; } - public bool IsEmpty() => throw null; - public MappingConfiguration(string file) => throw null; - public MappingConfiguration(string assembly, string resource) => throw null; - public string Resource { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Cfg.ConfigurationSchema.SessionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionFactoryConfiguration : NHibernate.Cfg.SessionFactoryConfigurationBase - { - public SessionFactoryConfiguration(string name) => throw null; - } - - } - namespace Loquacious - { - // Generated from `NHibernate.Cfg.Loquacious.BatcherConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BatcherConfiguration : NHibernate.Cfg.Loquacious.IBatcherConfiguration - { - public BatcherConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; - public NHibernate.Cfg.Loquacious.BatcherConfiguration DisablingInsertsOrdering() => throw null; - NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.DisablingInsertsOrdering() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Each(System.Int16 batchSize) => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.Each(System.Int16 batchSize) => throw null; - public NHibernate.Cfg.Loquacious.BatcherConfiguration OrderingInserts() => throw null; - NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.OrderingInserts() => throw null; - public NHibernate.Cfg.Loquacious.BatcherConfiguration Through() where TBatcher : NHibernate.AdoNet.IBatcherFactory => throw null; - NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.Through() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.CacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheConfiguration : NHibernate.Cfg.Loquacious.ICacheConfiguration - { - public CacheConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; - public NHibernate.Cfg.Loquacious.CacheConfiguration PrefixingRegionsWith(string regionPrefix) => throw null; - NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.PrefixingRegionsWith(string regionPrefix) => throw null; - public NHibernate.Cfg.Loquacious.QueryCacheConfiguration Queries { get => throw null; } - NHibernate.Cfg.Loquacious.IQueryCacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.Queries { get => throw null; } - public NHibernate.Cfg.Loquacious.CacheConfiguration Through() where TProvider : NHibernate.Cache.ICacheProvider => throw null; - NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.Through() => throw null; - public NHibernate.Cfg.Loquacious.CacheConfiguration UsingMinimalPuts() => throw null; - NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.UsingMinimalPuts() => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration WithDefaultExpiration(int seconds) => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.WithDefaultExpiration(int seconds) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.CacheConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheConfigurationProperties : NHibernate.Cfg.Loquacious.ICacheConfigurationProperties - { - public CacheConfigurationProperties(NHibernate.Cfg.Configuration cfg) => throw null; - public int DefaultExpiration { set => throw null; } - public void Provider() where TProvider : NHibernate.Cache.ICacheProvider => throw null; - public void QueryCache() where TFactory : NHibernate.Cache.IQueryCache => throw null; - public void QueryCacheFactory() where TFactory : NHibernate.Cache.IQueryCacheFactory => throw null; - public string RegionsPrefix { set => throw null; } - public bool UseMinimalPuts { set => throw null; } - public bool UseQueryCache { set => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.CacheConfigurationPropertiesExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CacheConfigurationPropertiesExtensions - { - public static void QueryCacheFactory(this NHibernate.Cfg.Loquacious.ICacheConfigurationProperties config) where TFactory : NHibernate.Cache.IQueryCacheFactory => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.CollectionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionFactoryConfiguration : NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration - { - public CollectionFactoryConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Through() where TCollectionsFactory : NHibernate.Bytecode.ICollectionTypeFactory => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration.Through() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.CommandsConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CommandsConfiguration : NHibernate.Cfg.Loquacious.ICommandsConfiguration - { - public NHibernate.Cfg.Loquacious.CommandsConfiguration AutoCommentingSql() => throw null; - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.AutoCommentingSql() => throw null; - public CommandsConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; - public NHibernate.Cfg.Loquacious.CommandsConfiguration ConvertingExceptionsThrough() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter => throw null; - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.ConvertingExceptionsThrough() => throw null; - public NHibernate.Cfg.Loquacious.CommandsConfiguration Preparing() => throw null; - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.Preparing() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration WithDefaultHqlToSqlSubstitutions() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithDefaultHqlToSqlSubstitutions() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration WithHqlToSqlSubstitutions(string csvQuerySubstitutions) => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithHqlToSqlSubstitutions(string csvQuerySubstitutions) => throw null; - public NHibernate.Cfg.Loquacious.CommandsConfiguration WithMaximumDepthOfOuterJoinFetching(System.Byte maxFetchDepth) => throw null; - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithMaximumDepthOfOuterJoinFetching(System.Byte maxFetchDepth) => throw null; - public NHibernate.Cfg.Loquacious.CommandsConfiguration WithTimeout(System.Byte seconds) => throw null; - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithTimeout(System.Byte seconds) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.ConnectionConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConnectionConfiguration : NHibernate.Cfg.Loquacious.IConnectionConfiguration - { - public NHibernate.Cfg.Loquacious.ConnectionConfiguration By() where TDriver : NHibernate.Driver.IDriver => throw null; - NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.By() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration ByAppConfing(string connectionStringName) => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.ByAppConfing(string connectionStringName) => throw null; - public ConnectionConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; - public NHibernate.Cfg.Loquacious.ConnectionConfiguration Releasing(NHibernate.ConnectionReleaseMode releaseMode) => throw null; - NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Releasing(NHibernate.ConnectionReleaseMode releaseMode) => throw null; - public NHibernate.Cfg.Loquacious.ConnectionConfiguration Through() where TProvider : NHibernate.Connection.IConnectionProvider => throw null; - NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Through() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using(string connectionString) => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder) => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Using(string connectionString) => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder) => throw null; - public NHibernate.Cfg.Loquacious.ConnectionConfiguration With(System.Data.IsolationLevel level) => throw null; - NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.With(System.Data.IsolationLevel level) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.DbIntegrationConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DbIntegrationConfiguration : NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration - { - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration AutoQuoteKeywords() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.AutoQuoteKeywords() => throw null; - public NHibernate.Cfg.Loquacious.BatcherConfiguration BatchingQueries { get => throw null; } - NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.BatchingQueries { get => throw null; } - public NHibernate.Cfg.Configuration Configuration { get => throw null; } - public NHibernate.Cfg.Loquacious.ConnectionConfiguration Connected { get => throw null; } - NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Connected { get => throw null; } - public NHibernate.Cfg.Loquacious.CommandsConfiguration CreateCommands { get => throw null; } - NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.CreateCommands { get => throw null; } - public DbIntegrationConfiguration(NHibernate.Cfg.Configuration configuration) => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration DisableKeywordsAutoImport() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.DisableKeywordsAutoImport() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration EnableLogFormattedSql() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.EnableLogFormattedSql() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration LogSqlInConsole() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.LogSqlInConsole() => throw null; - public NHibernate.Cfg.Loquacious.DbSchemaIntegrationConfiguration Schema { get => throw null; } - NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Schema { get => throw null; } - public NHibernate.Cfg.Loquacious.TransactionConfiguration Transactions { get => throw null; } - NHibernate.Cfg.Loquacious.ITransactionConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Transactions { get => throw null; } - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using() where TDialect : NHibernate.Dialect.Dialect => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Using() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.DbIntegrationConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DbIntegrationConfigurationProperties : NHibernate.Cfg.Loquacious.IDbIntegrationConfigurationProperties - { - public bool AutoCommentSql { set => throw null; } - public System.Int16 BatchSize { set => throw null; } - public void Batcher() where TBatcher : NHibernate.AdoNet.IBatcherFactory => throw null; - public void ConnectionProvider() where TProvider : NHibernate.Connection.IConnectionProvider => throw null; - public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { set => throw null; } - public string ConnectionString { set => throw null; } - public string ConnectionStringName { set => throw null; } - public DbIntegrationConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; - public void Dialect() where TDialect : NHibernate.Dialect.Dialect => throw null; - public void Driver() where TDriver : NHibernate.Driver.IDriver => throw null; - public void ExceptionConverter() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter => throw null; - public string HqlToSqlSubstitutions { set => throw null; } - public System.Data.IsolationLevel IsolationLevel { set => throw null; } - public NHibernate.Cfg.Hbm2DDLKeyWords KeywordsAutoImport { set => throw null; } - public bool LogFormattedSql { set => throw null; } - public bool LogSqlInConsole { set => throw null; } - public System.Byte MaximumDepthOfOuterJoinFetching { set => throw null; } - public NHibernate.MultiTenancy.MultiTenancyStrategy MultiTenancy { set => throw null; } - public void MultiTenancyConnectionProvider() where TProvider : NHibernate.MultiTenancy.IMultiTenancyConnectionProvider => throw null; - public bool OrderInserts { set => throw null; } - public void PreTransformerRegistrar() where TRegistrar : NHibernate.Linq.Visitors.IExpressionTransformerRegistrar => throw null; - public bool PrepareCommands { set => throw null; } - public void QueryModelRewriterFactory() where TFactory : NHibernate.Linq.Visitors.IQueryModelRewriterFactory => throw null; - public NHibernate.Cfg.SchemaAutoAction SchemaAction { set => throw null; } - public bool ThrowOnSchemaUpdate { set => throw null; } - public System.Byte Timeout { set => throw null; } - public void TransactionFactory() where TFactory : NHibernate.Transaction.ITransactionFactory => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.DbSchemaIntegrationConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DbSchemaIntegrationConfiguration : NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration - { - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Creating() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Creating() => throw null; - public DbSchemaIntegrationConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Recreating() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Recreating() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration ThrowOnSchemaUpdate(bool @throw) => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Updating() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Updating() => throw null; - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Validating() => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Validating() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.EntityCacheConfigurationProperties<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityCacheConfigurationProperties : NHibernate.Cfg.Loquacious.IEntityCacheConfigurationProperties where TEntity : class - { - void NHibernate.Cfg.Loquacious.IEntityCacheConfigurationProperties.Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) => throw null; - public void Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) where TCollection : System.Collections.IEnumerable => throw null; - public EntityCacheConfigurationProperties() => throw null; - public string RegionName { get => throw null; set => throw null; } - public NHibernate.Cfg.EntityCacheUsage? Strategy { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.EntityCollectionCacheConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityCollectionCacheConfigurationProperties : NHibernate.Cfg.Loquacious.IEntityCollectionCacheConfigurationProperties - { - public EntityCollectionCacheConfigurationProperties() => throw null; - public string RegionName { get => throw null; set => throw null; } - public NHibernate.Cfg.EntityCacheUsage Strategy { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FluentSessionFactoryConfiguration : NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration - { - public NHibernate.Cfg.Loquacious.CacheConfiguration Caching { get => throw null; } - NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Caching { get => throw null; } - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration DefaultFlushMode(NHibernate.FlushMode flushMode) => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.DefaultFlushMode(NHibernate.FlushMode flushMode) => throw null; - public FluentSessionFactoryConfiguration(NHibernate.Cfg.Configuration configuration) => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration GenerateStatistics() => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.GenerateStatistics() => throw null; - public NHibernate.Cfg.Loquacious.CollectionFactoryConfiguration GeneratingCollections { get => throw null; } - NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.GeneratingCollections { get => throw null; } - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Integrate { get => throw null; } - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Integrate { get => throw null; } - public NHibernate.Cfg.Loquacious.MappingsConfiguration Mapping { get => throw null; } - NHibernate.Cfg.Loquacious.IMappingsConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Mapping { get => throw null; } - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Named(string sessionFactoryName) => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Named(string sessionFactoryName) => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration ParsingHqlThrough() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.ParsingHqlThrough() => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration ParsingLinqThrough() where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.ParsingLinqThrough() => throw null; - public NHibernate.Cfg.Loquacious.ProxyConfiguration Proxy { get => throw null; } - NHibernate.Cfg.Loquacious.IProxyConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Proxy { get => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IBatcherConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBatcherConfiguration - { - NHibernate.Cfg.Loquacious.IBatcherConfiguration DisablingInsertsOrdering(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Each(System.Int16 batchSize); - NHibernate.Cfg.Loquacious.IBatcherConfiguration OrderingInserts(); - NHibernate.Cfg.Loquacious.IBatcherConfiguration Through() where TBatcher : NHibernate.AdoNet.IBatcherFactory; - } - - // Generated from `NHibernate.Cfg.Loquacious.ICacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheConfiguration - { - NHibernate.Cfg.Loquacious.ICacheConfiguration PrefixingRegionsWith(string regionPrefix); - NHibernate.Cfg.Loquacious.IQueryCacheConfiguration Queries { get; } - NHibernate.Cfg.Loquacious.ICacheConfiguration Through() where TProvider : NHibernate.Cache.ICacheProvider; - NHibernate.Cfg.Loquacious.ICacheConfiguration UsingMinimalPuts(); - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration WithDefaultExpiration(int seconds); - } - - // Generated from `NHibernate.Cfg.Loquacious.ICacheConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheConfigurationProperties - { - int DefaultExpiration { set; } - void Provider() where TProvider : NHibernate.Cache.ICacheProvider; - void QueryCache() where TFactory : NHibernate.Cache.IQueryCache; - string RegionsPrefix { set; } - bool UseMinimalPuts { set; } - bool UseQueryCache { set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionFactoryConfiguration - { - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Through() where TCollecionsFactory : NHibernate.Bytecode.ICollectionTypeFactory; - } - - // Generated from `NHibernate.Cfg.Loquacious.ICommandsConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICommandsConfiguration - { - NHibernate.Cfg.Loquacious.ICommandsConfiguration AutoCommentingSql(); - NHibernate.Cfg.Loquacious.ICommandsConfiguration ConvertingExceptionsThrough() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter; - NHibernate.Cfg.Loquacious.ICommandsConfiguration Preparing(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration WithDefaultHqlToSqlSubstitutions(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration WithHqlToSqlSubstitutions(string csvQuerySubstitutions); - NHibernate.Cfg.Loquacious.ICommandsConfiguration WithMaximumDepthOfOuterJoinFetching(System.Byte maxFetchDepth); - NHibernate.Cfg.Loquacious.ICommandsConfiguration WithTimeout(System.Byte seconds); - } - - // Generated from `NHibernate.Cfg.Loquacious.IConnectionConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConnectionConfiguration - { - NHibernate.Cfg.Loquacious.IConnectionConfiguration By() where TDriver : NHibernate.Driver.IDriver; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration ByAppConfing(string connectionStringName); - NHibernate.Cfg.Loquacious.IConnectionConfiguration Releasing(NHibernate.ConnectionReleaseMode releaseMode); - NHibernate.Cfg.Loquacious.IConnectionConfiguration Through() where TProvider : NHibernate.Connection.IConnectionProvider; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using(string connectionString); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder); - NHibernate.Cfg.Loquacious.IConnectionConfiguration With(System.Data.IsolationLevel level); - } - - // Generated from `NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDbIntegrationConfiguration - { - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration AutoQuoteKeywords(); - NHibernate.Cfg.Loquacious.IBatcherConfiguration BatchingQueries { get; } - NHibernate.Cfg.Loquacious.IConnectionConfiguration Connected { get; } - NHibernate.Cfg.Loquacious.ICommandsConfiguration CreateCommands { get; } - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration DisableKeywordsAutoImport(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration EnableLogFormattedSql(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration LogSqlInConsole(); - NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration Schema { get; } - NHibernate.Cfg.Loquacious.ITransactionConfiguration Transactions { get; } - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using() where TDialect : NHibernate.Dialect.Dialect; - } - - // Generated from `NHibernate.Cfg.Loquacious.IDbIntegrationConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDbIntegrationConfigurationProperties - { - bool AutoCommentSql { set; } - System.Int16 BatchSize { set; } - void Batcher() where TBatcher : NHibernate.AdoNet.IBatcherFactory; - void ConnectionProvider() where TProvider : NHibernate.Connection.IConnectionProvider; - NHibernate.ConnectionReleaseMode ConnectionReleaseMode { set; } - string ConnectionString { set; } - string ConnectionStringName { set; } - void Dialect() where TDialect : NHibernate.Dialect.Dialect; - void Driver() where TDriver : NHibernate.Driver.IDriver; - void ExceptionConverter() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter; - string HqlToSqlSubstitutions { set; } - System.Data.IsolationLevel IsolationLevel { set; } - NHibernate.Cfg.Hbm2DDLKeyWords KeywordsAutoImport { set; } - bool LogFormattedSql { set; } - bool LogSqlInConsole { set; } - System.Byte MaximumDepthOfOuterJoinFetching { set; } - bool OrderInserts { set; } - bool PrepareCommands { set; } - void QueryModelRewriterFactory() where TFactory : NHibernate.Linq.Visitors.IQueryModelRewriterFactory; - NHibernate.Cfg.SchemaAutoAction SchemaAction { set; } - System.Byte Timeout { set; } - void TransactionFactory() where TFactory : NHibernate.Transaction.ITransactionFactory; - } - - // Generated from `NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDbSchemaIntegrationConfiguration - { - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Creating(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Recreating(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Updating(); - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Validating(); - } - - // Generated from `NHibernate.Cfg.Loquacious.IEntityCacheConfigurationProperties<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityCacheConfigurationProperties where TEntity : class - { - void Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) where TCollection : System.Collections.IEnumerable; - string RegionName { get; set; } - NHibernate.Cfg.EntityCacheUsage? Strategy { get; set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IEntityCollectionCacheConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityCollectionCacheConfigurationProperties - { - string RegionName { get; set; } - NHibernate.Cfg.EntityCacheUsage Strategy { get; set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFluentSessionFactoryConfiguration - { - NHibernate.Cfg.Loquacious.ICacheConfiguration Caching { get; } - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration DefaultFlushMode(NHibernate.FlushMode flushMode); - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration GenerateStatistics(); - NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration GeneratingCollections { get; } - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Integrate { get; } - NHibernate.Cfg.Loquacious.IMappingsConfiguration Mapping { get; } - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Named(string sessionFactoryName); - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration ParsingHqlThrough() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration ParsingLinqThrough() where TQueryProvider : NHibernate.Linq.INhQueryProvider; - NHibernate.Cfg.Loquacious.IProxyConfiguration Proxy { get; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IMappingsConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMappingsConfiguration - { - NHibernate.Cfg.Loquacious.IMappingsConfiguration UsingDefaultCatalog(string defaultCatalogName); - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration UsingDefaultSchema(string defaultSchemaName); - } - - // Generated from `NHibernate.Cfg.Loquacious.IMappingsConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMappingsConfigurationProperties - { - string DefaultCatalog { set; } - string DefaultSchema { set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.INamedQueryDefinitionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INamedQueryDefinitionBuilder - { - NHibernate.CacheMode? CacheMode { get; set; } - string CacheRegion { get; set; } - string Comment { get; set; } - int FetchSize { get; set; } - NHibernate.FlushMode FlushMode { get; set; } - bool IsCacheable { get; set; } - bool IsReadOnly { get; set; } - string Query { get; set; } - int Timeout { get; set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IProxyConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProxyConfiguration - { - NHibernate.Cfg.Loquacious.IProxyConfiguration DisableValidation(); - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Through() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory; - } - - // Generated from `NHibernate.Cfg.Loquacious.IProxyConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProxyConfigurationProperties - { - void ProxyFactoryFactory() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory; - bool Validation { set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.IQueryCacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryCacheConfiguration - { - NHibernate.Cfg.Loquacious.ICacheConfiguration Through(); - } - - // Generated from `NHibernate.Cfg.Loquacious.ITransactionConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITransactionConfiguration - { - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Through() where TFactory : NHibernate.Transaction.ITransactionFactory; - } - - // Generated from `NHibernate.Cfg.Loquacious.ITypeDefConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITypeDefConfigurationProperties - { - string Alias { get; set; } - object Properties { get; set; } - } - - // Generated from `NHibernate.Cfg.Loquacious.MappingsConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingsConfiguration : NHibernate.Cfg.Loquacious.IMappingsConfiguration - { - public MappingsConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; - public NHibernate.Cfg.Loquacious.MappingsConfiguration UsingDefaultCatalog(string defaultCatalogName) => throw null; - NHibernate.Cfg.Loquacious.IMappingsConfiguration NHibernate.Cfg.Loquacious.IMappingsConfiguration.UsingDefaultCatalog(string defaultCatalogName) => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration UsingDefaultSchema(string defaultSchemaName) => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IMappingsConfiguration.UsingDefaultSchema(string defaultSchemaName) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.MappingsConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingsConfigurationProperties : NHibernate.Cfg.Loquacious.IMappingsConfigurationProperties - { - public string DefaultCatalog { set => throw null; } - public string DefaultSchema { set => throw null; } - public MappingsConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.NamedQueryDefinitionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedQueryDefinitionBuilder : NHibernate.Cfg.Loquacious.INamedQueryDefinitionBuilder - { - public NHibernate.CacheMode? CacheMode { get => throw null; set => throw null; } - public string CacheRegion { get => throw null; set => throw null; } - public string Comment { get => throw null; set => throw null; } - public int FetchSize { get => throw null; set => throw null; } - public NHibernate.FlushMode FlushMode { get => throw null; set => throw null; } - public bool IsCacheable { get => throw null; set => throw null; } - public bool IsReadOnly { get => throw null; set => throw null; } - public NamedQueryDefinitionBuilder() => throw null; - public string Query { get => throw null; set => throw null; } - public int Timeout { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.ProxyConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProxyConfiguration : NHibernate.Cfg.Loquacious.IProxyConfiguration - { - public NHibernate.Cfg.Loquacious.ProxyConfiguration DisableValidation() => throw null; - NHibernate.Cfg.Loquacious.IProxyConfiguration NHibernate.Cfg.Loquacious.IProxyConfiguration.DisableValidation() => throw null; - public ProxyConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; - public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Through() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory => throw null; - NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IProxyConfiguration.Through() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.ProxyConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProxyConfigurationProperties : NHibernate.Cfg.Loquacious.IProxyConfigurationProperties - { - public ProxyConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; - public void ProxyFactoryFactory() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory => throw null; - public bool Validation { set => throw null; } - } - - // Generated from `NHibernate.Cfg.Loquacious.QueryCacheConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryCacheConfiguration : NHibernate.Cfg.Loquacious.IQueryCacheConfiguration - { - public QueryCacheConfiguration(NHibernate.Cfg.Loquacious.CacheConfiguration cc) => throw null; - public NHibernate.Cfg.Loquacious.CacheConfiguration Through() => throw null; - NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.IQueryCacheConfiguration.Through() => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.TransactionConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TransactionConfiguration : NHibernate.Cfg.Loquacious.ITransactionConfiguration - { - public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Through() where TFactory : NHibernate.Transaction.ITransactionFactory => throw null; - NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ITransactionConfiguration.Through() => throw null; - public TransactionConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; - } - - // Generated from `NHibernate.Cfg.Loquacious.TypeDefConfigurationProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypeDefConfigurationProperties : NHibernate.Cfg.Loquacious.ITypeDefConfigurationProperties - { - public string Alias { get => throw null; set => throw null; } - public object Properties { get => throw null; set => throw null; } - public TypeDefConfigurationProperties() => throw null; - } - - } - namespace MappingSchema - { - // Generated from `NHibernate.Cfg.MappingSchema.AbstractDecoratable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractDecoratable : NHibernate.Cfg.MappingSchema.IDecoratable - { - protected AbstractDecoratable() => throw null; - protected void CreateMappedMetadata(NHibernate.Cfg.MappingSchema.HbmMeta[] metadatas) => throw null; - public System.Collections.Generic.IDictionary InheritableMetaData { get => throw null; } - public virtual System.Collections.Generic.IDictionary MappedMetaData { get => throw null; } - protected abstract NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.EndsWithHbmXmlFilter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EndsWithHbmXmlFilter : NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter - { - public EndsWithHbmXmlFilter() => throw null; - public bool ShouldParse(string resourceName) => throw null; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmAny` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmAny : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping - { - public string Access { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmAny() => throw null; - public bool IsLazyProperty { get => throw null; } - public string MetaType { get => throw null; } - public System.Collections.Generic.ICollection MetaValues { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string access; - public string cascade; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string idtype; - public string index; - public bool insert; - public bool lazy; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string metatype; - public NHibernate.Cfg.MappingSchema.HbmMetaValue[] metavalue; - public string name; - public string node; - public bool optimisticlock; - public bool update; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmArray` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmArray : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmArray() => throw null; - public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public object Item1; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public string elementclass; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmBag` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmBag : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmBag() => throw null; - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool generic; - public bool genericSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HbmBase - { - protected static T Find(object[] array) => throw null; - protected static T[] FindAll(object[] array) => throw null; - protected HbmBase() => throw null; - protected static string JoinString(string[] text) => throw null; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCache - { - public HbmCache() => throw null; - public NHibernate.Cfg.MappingSchema.HbmCacheInclude include; - public string region; - public NHibernate.Cfg.MappingSchema.HbmCacheUsage usage; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCacheInclude` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCacheInclude - { - All, - NonLazy, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCacheMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCacheMode - { - Get, - Ignore, - Normal, - Put, - Refresh, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCacheUsage` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCacheUsage - { - NonstrictReadWrite, - ReadOnly, - ReadWrite, - Transactional, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmClass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IEntityDiscriminableMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCompositeId CompositeId { get => throw null; } - public string DiscriminatorValue { get => throw null; } - public bool DynamicInsert { get => throw null; } - public bool DynamicUpdate { get => throw null; } - public string EntityName { get => throw null; } - public HbmClass() => throw null; - public NHibernate.Cfg.MappingSchema.HbmId Id { get => throw null; } - public bool? IsAbstract { get => throw null; } - public object Item; - public object Item1; - public object[] Items; - public object[] Items1; - public object[] Items2; - public System.Collections.Generic.IEnumerable JoinedSubclasses { get => throw null; } - public System.Collections.Generic.IEnumerable Joins { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public string Node { get => throw null; } - public string Persister { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string Proxy { get => throw null; } - public bool SelectBeforeUpdate { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public System.Collections.Generic.IEnumerable Subclasses { get => throw null; } - public string Subselect { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTimestamp Timestamp { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } - public System.Collections.Generic.IEnumerable UnionSubclasses { get => throw null; } - public bool? UseLazy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmVersion Version { get => throw null; } - public bool @abstract; - public bool abstractSpecified; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string catalog; - public string check; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminator; - public string discriminatorvalue; - public bool dynamicinsert; - public bool dynamicupdate; - public string entityname; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public NHibernate.Cfg.MappingSchema.HbmNaturalId naturalid; - public string node; - public NHibernate.Cfg.MappingSchema.HbmOptimisticLockMode optimisticlock; - public string persister; - public NHibernate.Cfg.MappingSchema.HbmPolymorphismType polymorphism; - public string proxy; - public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; - public string rowid; - public string schema; - public string schemaaction; - public bool selectbeforeupdate; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCollectionFetchMode - { - Join, - Select, - Subselect, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCollectionId` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCollectionId : NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmCollectionId() => throw null; - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public NHibernate.Cfg.MappingSchema.HbmGenerator generator; - public string length; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCollectionLazy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCollectionLazy - { - Extra, - False, - True, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmColumn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmColumn - { - public HbmColumn() => throw null; - public string check; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public string @default; - public string index; - public string length; - public string name; - public bool notnull; - public bool notnullSpecified; - public string precision; - public string scale; - public string sqltype; - public bool unique; - public bool uniqueSpecified; - public string uniquekey; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmComment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmComment - { - public HbmComment() => throw null; - public string[] Text; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmComponent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmComponent : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmComponent() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string access; - public string @class; - public bool insert; - public bool lazy; - public string lazygroup; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public bool optimisticlock; - public NHibernate.Cfg.MappingSchema.HbmParent parent; - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; - public bool unique; - public bool update; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCompositeElement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCompositeElement : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmCompositeElement() => throw null; - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string @class; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string node; - public NHibernate.Cfg.MappingSchema.HbmParent parent; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCompositeId` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCompositeId - { - public HbmCompositeId() => throw null; - public object[] Items; - public string access; - public string @class; - public bool mapped; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmUnsavedValueType unsavedvalue; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCompositeIndex` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCompositeIndex : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmCompositeIndex() => throw null; - public object[] Items; - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string @class; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCompositeMapKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCompositeMapKey : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmCompositeMapKey() => throw null; - public object[] Items; - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string @class; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCreate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCreate - { - public HbmCreate() => throw null; - public string[] Text; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCustomSQL` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmCustomSQL - { - public HbmCustomSQL() => throw null; - public string[] Text; - public bool callable; - public bool callableSpecified; - public NHibernate.Cfg.MappingSchema.HbmCustomSQLCheck check; - public bool checkSpecified; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmCustomSQLCheck` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmCustomSQLCheck - { - None, - Param, - Rowcount, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDatabaseObject` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDatabaseObject : NHibernate.Cfg.MappingSchema.HbmBase - { - public string FindCreateText() => throw null; - public NHibernate.Cfg.MappingSchema.HbmDefinition FindDefinition() => throw null; - public System.Collections.Generic.IList FindDialectScopeNames() => throw null; - public string FindDropText() => throw null; - public bool HasDefinition() => throw null; - public HbmDatabaseObject() => throw null; - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmDialectScope[] dialectscope; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDefinition : NHibernate.Cfg.MappingSchema.HbmBase - { - public System.Collections.Generic.IDictionary FindParameterValues() => throw null; - public HbmDefinition() => throw null; - public string @class; - public NHibernate.Cfg.MappingSchema.HbmParam[] param; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDialectScope` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDialectScope - { - public HbmDialectScope() => throw null; - public string[] Text; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDiscriminator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDiscriminator : NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmDiscriminator() => throw null; - public object Item; - public string column; - public bool force; - public string formula; - public bool insert; - public string length; - public bool notnull; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDrop` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDrop - { - public HbmDrop() => throw null; - public string[] Text; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmDynamicComponent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmDynamicComponent : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmDynamicComponent() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string access; - public bool insert; - public string name; - public string node; - public bool optimisticlock; - public bool unique; - public bool update; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmElement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmElement : NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmElement() => throw null; - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public string column; - public string formula; - public string length; - public string node; - public bool notnull; - public string precision; - public string scale; - public NHibernate.Cfg.MappingSchema.HbmType type; - public string type1; - public bool unique; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class HbmExtensions - { - public static string JoinString(this string[] source) => throw null; - public static string ToCacheConcurrencyStrategy(this NHibernate.Cfg.MappingSchema.HbmCacheUsage cacheUsage) => throw null; - public static NHibernate.CacheMode? ToCacheMode(this NHibernate.Cfg.MappingSchema.HbmCacheMode cacheMode) => throw null; - public static string ToNullValue(this NHibernate.Cfg.MappingSchema.HbmUnsavedValueType unsavedValueType) => throw null; - public static NHibernate.Engine.Versioning.OptimisticLock ToOptimisticLock(this NHibernate.Cfg.MappingSchema.HbmOptimisticLockMode hbmOptimisticLockMode) => throw null; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFetchMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmFetchMode - { - Join, - Select, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFilter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmFilter - { - public HbmFilter() => throw null; - public string[] Text; - public string condition; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFilterDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmFilterDef : NHibernate.Cfg.MappingSchema.HbmBase - { - public string GetDefaultCondition() => throw null; - public HbmFilterDef() => throw null; - public NHibernate.Cfg.MappingSchema.HbmFilterParam[] Items; - public NHibernate.Cfg.MappingSchema.HbmFilterParam[] ListParameters() => throw null; - public string[] Text; - public string condition; - public string name; - public bool usemanytoone; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFilterParam` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmFilterParam - { - public HbmFilterParam() => throw null; - public string name; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFlushMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmFlushMode - { - Always, - Auto, - Manual, - Never, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmFormula` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmFormula - { - public HbmFormula() => throw null; - public string[] Text; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmGenerator - { - public HbmGenerator() => throw null; - public string @class; - public NHibernate.Cfg.MappingSchema.HbmParam[] param; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmId` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmId : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmId() => throw null; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public string access; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public NHibernate.Cfg.MappingSchema.HbmGenerator generator; - public string generator1; - public string length; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmType type; - public string type1; - public string unsavedvalue; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmIdbag` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmIdbag : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmIdbag() => throw null; - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public NHibernate.Cfg.MappingSchema.HbmCollectionId collectionid; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool generic; - public bool genericSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmImport` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmImport - { - public HbmImport() => throw null; - public string @class; - public string rename; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmIndex` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmIndex : NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmIndex() => throw null; - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string length; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmIndexManyToAny` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmIndexManyToAny : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmIndexManyToAny() => throw null; - public string MetaType { get => throw null; } - public System.Collections.Generic.ICollection MetaValues { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string idtype; - public string metatype; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmIndexManyToMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmIndexManyToMany : NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Class { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public string EntityName { get => throw null; } - public HbmIndexManyToMany() => throw null; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public string @class; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string entityname; - public string foreignkey; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmJoin : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping - { - public HbmJoin() => throw null; - public object[] Items; - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string catalog; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmJoinFetch fetch; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public bool optional; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public string table; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmJoinFetch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmJoinFetch - { - Join, - Select, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmJoinedSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmJoinedSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - public int? BatchSize { get => throw null; } - public bool DynamicInsert { get => throw null; } - public bool DynamicUpdate { get => throw null; } - public string EntityName { get => throw null; } - public HbmJoinedSubclass() => throw null; - public bool? IsAbstract { get => throw null; } - public object[] Items; - public object[] Items1; - public System.Collections.Generic.IEnumerable JoinedSubclasses { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public string Node { get => throw null; } - public string Persister { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string Proxy { get => throw null; } - public bool SelectBeforeUpdate { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } - public bool? UseLazy { get => throw null; } - public bool @abstract; - public bool abstractSpecified; - public string batchsize; - public string catalog; - public string check; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public bool dynamicinsert; - public bool dynamicupdate; - public string entityname; - public string extends; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public NHibernate.Cfg.MappingSchema.HbmJoinedSubclass[] joinedsubclass1; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public bool lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public string persister; - public string proxy; - public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; - public string schema; - public string schemaaction; - public bool selectbeforeupdate; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmKey : NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmKey() => throw null; - public bool? IsNullable { get => throw null; } - public bool? IsUpdatable { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string foreignkey; - public bool notnull; - public bool notnullSpecified; - public NHibernate.Cfg.MappingSchema.HbmOndelete ondelete; - public string propertyref; - public bool unique; - public bool uniqueSpecified; - public bool update; - public bool updateSpecified; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmKeyManyToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmKeyManyToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public string EntityName { get => throw null; } - public HbmKeyManyToOne() => throw null; - public bool IsLazyProperty { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string access; - public string @class; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string entityname; - public string foreignkey; - public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmKeyProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmKeyProperty : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Access { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmKeyProperty() => throw null; - public bool IsLazyProperty { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public string access; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string length; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmType type; - public string type1; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmLaziness` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmLaziness - { - False, - NoProxy, - Proxy, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmList` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmList : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmList() => throw null; - public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public object Item1; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool generic; - public bool genericSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmListIndex` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmListIndex : NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmListIndex() => throw null; - public string @base; - public NHibernate.Cfg.MappingSchema.HbmColumn column; - public string column1; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmLoadCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmLoadCollection - { - public HbmLoadCollection() => throw null; - public string alias; - public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; - public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; - public string role; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmLoader - { - public HbmLoader() => throw null; - public string queryref; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmLockMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmLockMode - { - None, - Read, - Upgrade, - UpgradeNowait, - Write, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmManyToAny` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmManyToAny : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmManyToAny() => throw null; - public string MetaType { get => throw null; } - public System.Collections.Generic.ICollection MetaValues { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public string idtype; - public string metatype; - public NHibernate.Cfg.MappingSchema.HbmMetaValue[] metavalue; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmManyToMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmManyToMany : NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Class { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public string EntityName { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmManyToMany() => throw null; - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public string @class; - public string column; - public string entityname; - public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public string foreignkey; - public string formula; - public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string node; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string propertyref; - public bool unique; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmManyToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmManyToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public string EntityName { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmManyToOne() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmLaziness? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string access; - public string cascade; - public string @class; - public string column; - public string entityname; - public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; - public bool fetchSpecified; - public string foreignkey; - public string formula; - public string index; - public bool insert; - public NHibernate.Cfg.MappingSchema.HbmLaziness lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; - public bool notnull; - public bool notnullSpecified; - public bool optimisticlock; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string propertyref; - public bool unique; - public string uniquekey; - public bool update; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMap : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmMap() => throw null; - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public object Item1; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool generic; - public bool genericSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public string sort; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMapKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMapKey : NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmMapKey() => throw null; - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public string column; - public string formula; - public string length; - public string node; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMapKeyManyToMany : NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Class { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public string EntityName { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmMapKeyManyToMany() => throw null; - public object[] Items; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public string @class; - public string column; - public string entityname; - public string foreignkey; - public string formula; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMapping : NHibernate.Cfg.MappingSchema.AbstractDecoratable - { - public NHibernate.Cfg.MappingSchema.HbmDatabaseObject[] DatabaseObjects { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmFilterDef[] FilterDefinitions { get => throw null; } - public HbmMapping() => throw null; - public NHibernate.Cfg.MappingSchema.HbmQuery[] HqlQueries { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmImport[] Imports { get => throw null; } - public object[] Items; - public object[] Items1; - public NHibernate.Cfg.MappingSchema.HbmJoinedSubclass[] JoinedSubclasses { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmResultSet[] ResultSets { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmClass[] RootClasses { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSqlQuery[] SqlQueries { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSubclass[] SubClasses { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTypedef[] TypeDefinitions { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmUnionSubclass[] UnionSubclasses { get => throw null; } - public string assembly; - public bool autoimport; - public string catalog; - public NHibernate.Cfg.MappingSchema.HbmDatabaseObject[] databaseobject; - public string defaultaccess; - public string defaultcascade; - public bool defaultlazy; - public NHibernate.Cfg.MappingSchema.HbmFilterDef[] filterdef; - public NHibernate.Cfg.MappingSchema.HbmImport[] import; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string @namespace; - public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmTypedef[] typedef; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMeta` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMeta : NHibernate.Cfg.MappingSchema.HbmBase - { - public string GetText() => throw null; - public HbmMeta() => throw null; - public string[] Text; - public string attribute; - public bool inherit; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmMetaValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmMetaValue - { - public HbmMetaValue() => throw null; - public string @class; - public string value; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmNaturalId` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmNaturalId : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping - { - public HbmNaturalId() => throw null; - public object[] Items; - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public bool mutable; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmNestedCompositeElement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmNestedCompositeElement : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmNestedCompositeElement() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string access; - public string @class; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmParent parent; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmNotFoundMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmNotFoundMode - { - Exception, - Ignore, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmOndelete` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmOndelete - { - Cascade, - Noaction, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmOneToMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmOneToMany : NHibernate.Cfg.MappingSchema.IRelationship - { - public string Class { get => throw null; } - public string EntityName { get => throw null; } - public HbmOneToMany() => throw null; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public string @class; - public string entityname; - public string node; - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmOneToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmOneToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public string EntityName { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmOneToOne() => throw null; - public bool IsLazyProperty { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLaziness? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string access; - public string cascade; - public string @class; - public bool constrained; - public string entityname; - public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; - public bool fetchSpecified; - public string foreignkey; - public NHibernate.Cfg.MappingSchema.HbmFormula[] formula; - public string formula1; - public NHibernate.Cfg.MappingSchema.HbmLaziness lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string propertyref; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmOptimisticLockMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmOptimisticLockMode - { - All, - Dirty, - None, - Version, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmOuterJoinStrategy - { - Auto, - False, - True, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmParam` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmParam : NHibernate.Cfg.MappingSchema.HbmBase - { - public string GetText() => throw null; - public HbmParam() => throw null; - public string[] Text; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmParent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmParent - { - public HbmParent() => throw null; - public string access; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmPolymorphismType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmPolymorphismType - { - Explicit, - Implicit, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmPrimitiveArray` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmPrimitiveArray : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmPrimitiveArray() => throw null; - public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public string batchsize; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmElement element; - public NHibernate.Cfg.MappingSchema.HbmPrimitivearrayFetch fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public NHibernate.Cfg.MappingSchema.HbmPrimitivearrayOuterjoin outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmPrimitivearrayFetch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmPrimitivearrayFetch - { - Join, - Select, - Subselect, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmPrimitivearrayOuterjoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmPrimitivearrayOuterjoin - { - Auto, - False, - True, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmProperties` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmProperties : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping - { - public string Access { get => throw null; } - public string Class { get => throw null; } - public string EmbeddedNode { get => throw null; } - public HbmProperties() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public bool insert; - public string name; - public string node; - public bool optimisticlock; - public bool unique; - public bool update; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmProperty : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public string Access { get => throw null; } - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } - public string FetchGroup { get => throw null; } - public System.Collections.Generic.IEnumerable Formulas { get => throw null; } - public HbmProperty() => throw null; - public bool IsLazyProperty { get => throw null; } - public object[] Items; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } - public string access; - public string column; - public string formula; - public NHibernate.Cfg.MappingSchema.HbmPropertyGeneration generated; - public string index; - public bool insert; - public bool insertSpecified; - public bool lazy; - public string lazygroup; - public string length; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public bool notnull; - public bool notnullSpecified; - public bool optimisticlock; - public string precision; - public string scale; - public NHibernate.Cfg.MappingSchema.HbmType type; - public string type1; - public bool unique; - public string uniquekey; - public bool update; - public bool updateSpecified; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmPropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmPropertyGeneration - { - Always, - Insert, - Never, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmQuery : NHibernate.Cfg.MappingSchema.HbmBase - { - public string GetText() => throw null; - public HbmQuery() => throw null; - public NHibernate.Cfg.MappingSchema.HbmQueryParam[] Items; - public string[] Text; - public bool cacheable; - public NHibernate.Cfg.MappingSchema.HbmCacheMode cachemode; - public bool cachemodeSpecified; - public string cacheregion; - public string comment; - public int fetchsize; - public bool fetchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmFlushMode flushmode; - public bool flushmodeSpecified; - public string name; - public bool @readonly; - public bool readonlySpecified; - public string timeout; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmQueryParam` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmQueryParam - { - public HbmQueryParam() => throw null; - public string name; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmRestrictedLaziness - { - False, - Proxy, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmResultSet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmResultSet - { - public HbmResultSet() => throw null; - public object[] Items; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturn - { - public HbmReturn() => throw null; - public string alias; - public string @class; - public string entityname; - public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; - public NHibernate.Cfg.MappingSchema.HbmReturnDiscriminator returndiscriminator; - public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturnColumn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturnColumn - { - public HbmReturnColumn() => throw null; - public string name; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturnDiscriminator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturnDiscriminator - { - public HbmReturnDiscriminator() => throw null; - public string column; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturnJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturnJoin - { - public HbmReturnJoin() => throw null; - public string alias; - public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; - public string property; - public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturnProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturnProperty - { - public HbmReturnProperty() => throw null; - public string column; - public string name; - public NHibernate.Cfg.MappingSchema.HbmReturnColumn[] returncolumn; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmReturnScalar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmReturnScalar - { - public HbmReturnScalar() => throw null; - public string column; - public string type; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmSet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmSet : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping - { - public string Access { get => throw null; } - public int? BatchSize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } - public string Cascade { get => throw null; } - public string Catalog { get => throw null; } - public string Check { get => throw null; } - public string CollectionType { get => throw null; } - public object ElementRelationship { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } - public System.Collections.Generic.IEnumerable Filters { get => throw null; } - public bool? Generic { get => throw null; } - public HbmSet() => throw null; - public bool Inverse { get => throw null; } - public bool IsLazyProperty { get => throw null; } - public object Item; - public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public bool Mutable { get => throw null; } - public string Name { get => throw null; } - public bool OptimisticLock { get => throw null; } - public string OrderBy { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } - public string PersisterQualifiedName { get => throw null; } - public string Schema { get => throw null; } - public string Sort { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public string Table { get => throw null; } - public string Where { get => throw null; } - public string access; - public int batchsize; - public bool batchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmCache cache; - public string cascade; - public string catalog; - public string check; - public string collectiontype; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; - public bool fetchSpecified; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public bool generic; - public bool genericSpecified; - public bool inverse; - public NHibernate.Cfg.MappingSchema.HbmKey key; - public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public bool mutable; - public string name; - public string node; - public bool optimisticlock; - public string orderby; - public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; - public bool outerjoinSpecified; - public string persister; - public string schema; - public string sort; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public string where; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmSqlQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmSqlQuery : NHibernate.Cfg.MappingSchema.HbmBase - { - public string GetText() => throw null; - public HbmSqlQuery() => throw null; - public object[] Items; - public string[] Text; - public bool cacheable; - public NHibernate.Cfg.MappingSchema.HbmCacheMode cachemode; - public bool cachemodeSpecified; - public string cacheregion; - public bool callable; - public string comment; - public int fetchsize; - public bool fetchsizeSpecified; - public NHibernate.Cfg.MappingSchema.HbmFlushMode flushmode; - public bool flushmodeSpecified; - public string name; - public bool @readonly; - public bool readonlySpecified; - public string resultsetref; - public string timeout; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IEntityDiscriminableMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - public int? BatchSize { get => throw null; } - public string DiscriminatorValue { get => throw null; } - public bool DynamicInsert { get => throw null; } - public bool DynamicUpdate { get => throw null; } - public string EntityName { get => throw null; } - public HbmSubclass() => throw null; - public bool? IsAbstract { get => throw null; } - public object[] Items; - public object[] Items1; - public System.Collections.Generic.IEnumerable Joins { get => throw null; } - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public string Node { get => throw null; } - public string Persister { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string Proxy { get => throw null; } - public bool SelectBeforeUpdate { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public System.Collections.Generic.IEnumerable Subclasses { get => throw null; } - public string Subselect { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } - public bool? UseLazy { get => throw null; } - public bool @abstract; - public bool abstractSpecified; - public string batchsize; - public string discriminatorvalue; - public bool dynamicinsert; - public bool dynamicupdate; - public string entityname; - public string extends; - public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; - public NHibernate.Cfg.MappingSchema.HbmJoin[] join; - public bool lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public string persister; - public string proxy; - public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; - public bool selectbeforeupdate; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubclass[] subclass1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmSubselect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmSubselect - { - public HbmSubselect() => throw null; - public string[] Text; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmSynchronize` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmSynchronize - { - public HbmSynchronize() => throw null; - public string table; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTimestamp` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmTimestamp : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmTimestamp() => throw null; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string access; - public string column; - public NHibernate.Cfg.MappingSchema.HbmVersionGeneration generated; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public NHibernate.Cfg.MappingSchema.HbmTimestampSource source; - public NHibernate.Cfg.MappingSchema.HbmTimestampUnsavedvalue unsavedvalue; - public bool unsavedvalueSpecified; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTimestampSource` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmTimestampSource - { - Db, - Vm, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTimestampUnsavedvalue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmTimestampUnsavedvalue - { - Null, - Undefined, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmTuplizer - { - public HbmTuplizer() => throw null; - public string @class; - public NHibernate.Cfg.MappingSchema.HbmTuplizerEntitymode entitymode; - public bool entitymodeSpecified; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTuplizerEntitymode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmTuplizerEntitymode - { - DynamicMap, - Poco, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmType - { - public HbmType() => throw null; - public string name; - public NHibernate.Cfg.MappingSchema.HbmParam[] param; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmTypedef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmTypedef - { - public HbmTypedef() => throw null; - public string @class; - public string name; - public NHibernate.Cfg.MappingSchema.HbmParam[] param; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmUnionSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmUnionSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - public int? BatchSize { get => throw null; } - public bool DynamicInsert { get => throw null; } - public bool DynamicUpdate { get => throw null; } - public string EntityName { get => throw null; } - public HbmUnionSubclass() => throw null; - public bool? IsAbstract { get => throw null; } - public object[] Items; - public object[] Items1; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string Name { get => throw null; } - public string Node { get => throw null; } - public string Persister { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public string Proxy { get => throw null; } - public bool SelectBeforeUpdate { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } - public string Subselect { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } - public System.Collections.Generic.IEnumerable UnionSubclasses { get => throw null; } - public bool? UseLazy { get => throw null; } - public bool @abstract; - public bool abstractSpecified; - public string batchsize; - public string catalog; - public string check; - public NHibernate.Cfg.MappingSchema.HbmComment comment; - public bool dynamicinsert; - public bool dynamicupdate; - public string entityname; - public string extends; - public bool lazy; - public bool lazySpecified; - public NHibernate.Cfg.MappingSchema.HbmLoader loader; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public string persister; - public string proxy; - public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; - public string schema; - public bool selectbeforeupdate; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; - public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; - public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; - public string subselect1; - public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; - public string table; - public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; - public NHibernate.Cfg.MappingSchema.HbmUnionSubclass[] unionsubclass1; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmUnsavedValueType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmUnsavedValueType - { - Any, - None, - Undefined, - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmVersion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HbmVersion : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping - { - public System.Collections.Generic.IEnumerable Columns { get => throw null; } - public HbmVersion() => throw null; - protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } - public string access; - public NHibernate.Cfg.MappingSchema.HbmColumn[] column; - public string column1; - public NHibernate.Cfg.MappingSchema.HbmVersionGeneration generated; - public bool insert; - public bool insertSpecified; - public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; - public string name; - public string node; - public string type; - public string unsavedvalue; - } - - // Generated from `NHibernate.Cfg.MappingSchema.HbmVersionGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HbmVersionGeneration - { - Always, - Never, - } - - // Generated from `NHibernate.Cfg.MappingSchema.IAnyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAnyMapping - { - string MetaType { get; } - System.Collections.Generic.ICollection MetaValues { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAssemblyResourceFilter - { - bool ShouldParse(string resourceName); - } - - // Generated from `NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionPropertiesMapping : NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping - { - int? BatchSize { get; } - NHibernate.Cfg.MappingSchema.HbmCache Cache { get; } - string Catalog { get; } - string Check { get; } - string CollectionType { get; } - object ElementRelationship { get; } - NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get; } - System.Collections.Generic.IEnumerable Filters { get; } - bool? Generic { get; } - bool Inverse { get; } - NHibernate.Cfg.MappingSchema.HbmKey Key { get; } - NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get; } - bool Mutable { get; } - string OrderBy { get; } - NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get; } - string PersisterQualifiedName { get; } - string Schema { get; } - string Sort { get; } - string Table { get; } - string Where { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionSqlsMapping - { - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get; } - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get; } - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get; } - NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get; } - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get; } - string Subselect { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IColumnsMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnsMapping - { - System.Collections.Generic.IEnumerable Columns { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IComponentMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentMapping : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping - { - string Class { get; } - string EmbeddedNode { get; } - string Name { get; } - NHibernate.Cfg.MappingSchema.HbmParent Parent { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IDecoratable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDecoratable - { - System.Collections.Generic.IDictionary InheritableMetaData { get; } - System.Collections.Generic.IDictionary MappedMetaData { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IEntityDiscriminableMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityDiscriminableMapping - { - string DiscriminatorValue { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IEntityMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityMapping : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IDecoratable - { - int? BatchSize { get; } - bool DynamicInsert { get; } - bool DynamicUpdate { get; } - string EntityName { get; } - bool? IsAbstract { get; } - string Name { get; } - string Node { get; } - string Persister { get; } - string Proxy { get; } - bool SelectBeforeUpdate { get; } - NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get; } - NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get; } - bool? UseLazy { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IEntityPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityPropertyMapping : NHibernate.Cfg.MappingSchema.IDecoratable - { - string Access { get; } - bool IsLazyProperty { get; } - string Name { get; } - bool OptimisticLock { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IEntitySqlsMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntitySqlsMapping - { - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get; } - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get; } - NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get; } - NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get; } - string Subselect { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IFormulasMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFormulasMapping - { - System.Collections.Generic.IEnumerable Formulas { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIndexedCollectionMapping - { - NHibernate.Cfg.MappingSchema.HbmIndex Index { get; } - NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IMappingDocumentParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMappingDocumentParser - { - NHibernate.Cfg.MappingSchema.HbmMapping Parse(System.IO.Stream stream); - } - - // Generated from `NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertiesContainerMapping - { - System.Collections.Generic.IEnumerable Properties { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IReferencePropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IReferencePropertyMapping - { - string Cascade { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.IRelationship` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRelationship - { - string Class { get; } - string EntityName { get; } - NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.ITypeMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITypeMapping - { - NHibernate.Cfg.MappingSchema.HbmType Type { get; } - } - - // Generated from `NHibernate.Cfg.MappingSchema.MappingDocumentAggregator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingDocumentAggregator - { - public void Add(string fileName) => throw null; - public void Add(System.Reflection.Assembly assembly, string resourceName) => throw null; - public void Add(System.Reflection.Assembly assembly, NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter filter) => throw null; - public void Add(System.Reflection.Assembly assembly) => throw null; - public void Add(System.IO.Stream stream) => throw null; - public void Add(System.IO.FileInfo file) => throw null; - public void Add(NHibernate.Cfg.MappingSchema.HbmMapping document) => throw null; - public System.Collections.Generic.IList List() => throw null; - public MappingDocumentAggregator(NHibernate.Cfg.MappingSchema.IMappingDocumentParser parser, NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter defaultFilter) => throw null; - public MappingDocumentAggregator() => throw null; - } - - // Generated from `NHibernate.Cfg.MappingSchema.MappingDocumentParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingDocumentParser : NHibernate.Cfg.MappingSchema.IMappingDocumentParser - { - public MappingDocumentParser() => throw null; - public NHibernate.Cfg.MappingSchema.HbmMapping Parse(System.IO.Stream stream) => throw null; - } - - // Generated from `NHibernate.Cfg.MappingSchema.MappingExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class MappingExtensions - { - public static NHibernate.EntityMode ToEntityMode(this NHibernate.Cfg.MappingSchema.HbmTuplizerEntitymode source) => throw null; - } - - } - namespace XmlHbmBinding - { - // Generated from `NHibernate.Cfg.XmlHbmBinding.Binder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Binder - { - protected Binder(NHibernate.Cfg.Mappings mappings) => throw null; - protected static System.Type ClassForFullNameChecked(string fullName, string errorMessage) => throw null; - protected static System.Type ClassForNameChecked(string name, NHibernate.Cfg.Mappings mappings, string errorMessage) => throw null; - protected static System.Collections.Generic.IDictionary EmptyMeta; - protected static string FullClassName(string className, NHibernate.Cfg.Mappings mappings) => throw null; - protected static string FullQualifiedClassName(string className, NHibernate.Cfg.Mappings mappings) => throw null; - protected static string GetClassName(string unqualifiedName, NHibernate.Cfg.Mappings mappings) => throw null; - public static System.Collections.Generic.IDictionary GetMetas(NHibernate.Cfg.MappingSchema.IDecoratable decoratable, System.Collections.Generic.IDictionary inheritedMeta, bool onlyInheritable) => throw null; - public static System.Collections.Generic.IDictionary GetMetas(NHibernate.Cfg.MappingSchema.IDecoratable decoratable, System.Collections.Generic.IDictionary inheritedMeta) => throw null; - protected static string GetQualifiedClassName(string unqualifiedName, NHibernate.Cfg.Mappings mappings) => throw null; - public NHibernate.Cfg.Mappings Mappings { get => throw null; } - protected static bool NeedQualifiedClassName(string className) => throw null; - protected static NHibernate.INHibernateLogger log; - protected NHibernate.Cfg.Mappings mappings; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ClassBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ClassBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - protected void BindAny(NHibernate.Cfg.MappingSchema.HbmAny node, NHibernate.Mapping.Any model, bool isNullable) => throw null; - protected void BindAnyMeta(NHibernate.Cfg.MappingSchema.IAnyMapping anyMapping, NHibernate.Mapping.Any model) => throw null; - protected void BindClass(NHibernate.Cfg.MappingSchema.IEntityMapping classMapping, NHibernate.Mapping.PersistentClass model, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected void BindComponent(NHibernate.Cfg.MappingSchema.IComponentMapping componentMapping, NHibernate.Mapping.Component model, System.Type reflectedClass, string className, string path, bool isNullable, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected void BindForeignKey(string foreignKey, NHibernate.Mapping.SimpleValue value) => throw null; - protected void BindJoinedSubclasses(System.Collections.Generic.IEnumerable joinedSubclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected void BindJoins(System.Collections.Generic.IEnumerable joins, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected void BindOneToOne(NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOneMapping, NHibernate.Mapping.OneToOne model) => throw null; - protected void BindSubclasses(System.Collections.Generic.IEnumerable subclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected void BindUnionSubclasses(System.Collections.Generic.IEnumerable unionSubclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - protected ClassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - protected ClassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - protected ClassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - protected string GetClassTableName(NHibernate.Mapping.PersistentClass model, string mappedTableName) => throw null; - protected static string GetEntityName(NHibernate.Cfg.MappingSchema.IRelationship relationship, NHibernate.Cfg.Mappings mappings) => throw null; - protected NHibernate.FetchMode GetFetchStyle(NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerJoinStrategyMapping) => throw null; - protected NHibernate.FetchMode GetFetchStyle(NHibernate.Cfg.MappingSchema.HbmFetchMode fetchModeMapping) => throw null; - protected static NHibernate.Engine.ExecuteUpdateResultCheckStyle GetResultCheckStyle(NHibernate.Cfg.MappingSchema.HbmCustomSQL customSQL) => throw null; - protected NHibernate.Mapping.PersistentClass GetSuperclass(string extendsName) => throw null; - protected static void InitLaziness(NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness? restrictedLaziness, NHibernate.Mapping.ToOne fetchable, bool defaultLazy) => throw null; - protected static void InitLaziness(NHibernate.Cfg.MappingSchema.HbmLaziness? laziness, NHibernate.Mapping.ToOne fetchable, bool defaultLazy) => throw null; - protected void InitOuterJoinFetchSetting(NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne, NHibernate.Mapping.OneToOne model) => throw null; - protected void InitOuterJoinFetchSetting(NHibernate.Cfg.MappingSchema.HbmManyToMany manyToMany, NHibernate.Mapping.IFetchable model) => throw null; - protected NHibernate.Dialect.Dialect dialect; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ClassCompositeIdBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassCompositeIdBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void BindCompositeId(NHibernate.Cfg.MappingSchema.HbmCompositeId idSchema, NHibernate.Mapping.PersistentClass rootClass) => throw null; - public ClassCompositeIdBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public ClassCompositeIdBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ClassDiscriminatorBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassDiscriminatorBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void BindDiscriminator(NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminatorSchema, NHibernate.Mapping.Table table) => throw null; - public ClassDiscriminatorBinder(NHibernate.Mapping.PersistentClass rootClass, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ClassIdBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassIdBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void BindId(NHibernate.Cfg.MappingSchema.HbmId idSchema, NHibernate.Mapping.PersistentClass rootClass, NHibernate.Mapping.Table table) => throw null; - public ClassIdBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public ClassIdBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.CollectionBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public CollectionBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public CollectionBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public NHibernate.Mapping.Collection Create(NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping collectionMapping, string className, string propertyFullPath, NHibernate.Mapping.PersistentClass owner, System.Type containingType, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ColumnsBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnsBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void Bind(System.Collections.Generic.IEnumerable columns, bool isNullable, System.Func defaultColumnDelegate) => throw null; - public void Bind(NHibernate.Cfg.MappingSchema.HbmColumn column, bool isNullable) => throw null; - public ColumnsBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.FilterDefinitionFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterDefinitionFactory - { - public static NHibernate.Engine.FilterDefinition CreateFilterDefinition(NHibernate.Cfg.MappingSchema.HbmFilterDef filterDefSchema) => throw null; - public FilterDefinitionFactory() => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.FiltersBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FiltersBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void Bind(System.Collections.Generic.IEnumerable filters, System.Action addFilterDelegate) => throw null; - public void Bind(System.Collections.Generic.IEnumerable filters) => throw null; - public FiltersBinder(NHibernate.Mapping.IFilterable filterable, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.IdGeneratorBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdGeneratorBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void BindGenerator(NHibernate.Mapping.SimpleValue id, NHibernate.Cfg.MappingSchema.HbmGenerator generatorMapping) => throw null; - public IdGeneratorBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.JoinedSubclassBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedSubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void Bind(NHibernate.Cfg.MappingSchema.HbmJoinedSubclass joinedSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public void HandleJoinedSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmJoinedSubclass joinedSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public JoinedSubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public JoinedSubclassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public JoinedSubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.MappingLogExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class MappingLogExtensions - { - public static void LogMapped(this NHibernate.Mapping.Property property, NHibernate.INHibernateLogger log) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.MappingRootBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MappingRootBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void AddImports(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; - public void AddTypeDefs(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; - public void Bind(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; - public MappingRootBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public MappingRootBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.NamedQueryBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedQueryBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void AddQuery(NHibernate.Cfg.MappingSchema.HbmQuery querySchema) => throw null; - public NamedQueryBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.NamedSQLQueryBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedSQLQueryBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void AddSqlQuery(NHibernate.Cfg.MappingSchema.HbmSqlQuery querySchema) => throw null; - public NamedSQLQueryBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.PropertiesBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertiesBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void Bind(System.Collections.Generic.IEnumerable properties, System.Collections.Generic.IDictionary inheritedMetas, System.Action modifier) => throw null; - public void Bind(System.Collections.Generic.IEnumerable properties, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public void Bind(System.Collections.Generic.IEnumerable properties, NHibernate.Mapping.Table table, System.Collections.Generic.IDictionary inheritedMetas, System.Action modifier, System.Action addToModelAction) => throw null; - public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.PersistentClass persistentClass) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.Component component, string className, string path, bool isNullable, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.Component component, string className, string path, bool isNullable) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ResultSetMappingBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultSetMappingBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public NHibernate.Engine.ResultSetMappingDefinition Create(NHibernate.Cfg.MappingSchema.HbmSqlQuery sqlQuerySchema) => throw null; - public NHibernate.Engine.ResultSetMappingDefinition Create(NHibernate.Cfg.MappingSchema.HbmResultSet resultSetSchema) => throw null; - public ResultSetMappingBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.RootClassBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RootClassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void Bind(NHibernate.Cfg.MappingSchema.HbmClass classSchema, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public RootClassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public RootClassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.SubclassBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void Bind(NHibernate.Cfg.MappingSchema.HbmSubclass subClassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public void HandleSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmSubclass subClassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.Binder parent, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.Binder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public SubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.TypeBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypeBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void Bind(string typeName) => throw null; - public void Bind(NHibernate.Cfg.MappingSchema.HbmType typeMapping) => throw null; - public TypeBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.UnionSubclassBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnionSubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder - { - public void Bind(NHibernate.Cfg.MappingSchema.HbmUnionSubclass unionSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public void HandleUnionSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmUnionSubclass unionSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; - public UnionSubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public UnionSubclassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; - public UnionSubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - // Generated from `NHibernate.Cfg.XmlHbmBinding.ValuePropertyBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ValuePropertyBinder : NHibernate.Cfg.XmlHbmBinding.Binder - { - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmMapKey mapKeyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOneMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmManyToMany manyToManyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmListIndex listIndexMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKeyProperty mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKeyManyToOne mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKey propertyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmIndexManyToMany indexManyToManyMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmIndex indexMapping, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmElement element, string propertyPath, bool isNullable) => throw null; - public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmCollectionId collectionIdMapping, string propertyPath) => throw null; - public ValuePropertyBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; - } - - } - } - namespace Classic - { - // Generated from `NHibernate.Classic.ILifecycle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILifecycle - { - NHibernate.Classic.LifecycleVeto OnDelete(NHibernate.ISession s); - void OnLoad(NHibernate.ISession s, object id); - NHibernate.Classic.LifecycleVeto OnSave(NHibernate.ISession s); - NHibernate.Classic.LifecycleVeto OnUpdate(NHibernate.ISession s); - } - - // Generated from `NHibernate.Classic.IValidatable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IValidatable - { - void Validate(); - } - - // Generated from `NHibernate.Classic.LifecycleVeto` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum LifecycleVeto - { - NoVeto, - Veto, - } - - // Generated from `NHibernate.Classic.ValidationFailure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ValidationFailure : NHibernate.HibernateException - { - public ValidationFailure(string message, System.Exception innerException) => throw null; - public ValidationFailure(string message) => throw null; - public ValidationFailure(System.Exception innerException) => throw null; - public ValidationFailure() => throw null; - protected ValidationFailure(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - } - namespace Collection - { - // Generated from `NHibernate.Collection.AbstractPersistentCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractPersistentCollection : NHibernate.Collection.IPersistentCollection, NHibernate.Collection.ILazyInitializedCollection - { - protected AbstractPersistentCollection(NHibernate.Engine.ISessionImplementor session) => throw null; - protected AbstractPersistentCollection() => throw null; - public virtual bool AfterInitialize(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public virtual void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id) => throw null; - public virtual void ApplyQueuedOperations() => throw null; - public abstract void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize); - public virtual void BeginRead() => throw null; - protected int CachedSize { get => throw null; set => throw null; } - public void ClearDirty() => throw null; - protected bool ClearQueueEnabled { get => throw null; } - public void Dirty() => throw null; - public abstract object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister); - public abstract System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); - public abstract bool Empty { get; } - public virtual bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public abstract System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister); - public abstract bool EntryExists(object entry, int i); - public abstract bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); - public abstract System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); - public virtual void ForceInitialization() => throw null; - public virtual System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula); - public abstract System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken); - public abstract object GetElement(object entry); - public virtual object GetIdentifier(object entry, int i) => throw null; - public abstract object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister); - public abstract System.Collections.ICollection GetOrphans(object snapshot, string entityName); - protected virtual System.Collections.ICollection GetOrphans(System.Collections.ICollection oldElements, System.Collections.ICollection currentElements, string entityName, NHibernate.Engine.ISessionImplementor session) => throw null; - public abstract System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken); - protected virtual System.Threading.Tasks.Task GetOrphansAsync(System.Collections.ICollection oldElements, System.Collections.ICollection currentElements, string entityName, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.ICollection GetQueuedOrphans(string entityName) => throw null; - public System.Threading.Tasks.Task GetQueuedOrphansAsync(string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); - protected virtual object GetSnapshot() => throw null; - public abstract object GetSnapshotElement(object entry, int i); - public virtual object GetValue() => throw null; - public bool HasQueuedOperations { get => throw null; } - // Generated from `NHibernate.Collection.AbstractPersistentCollection+IDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected interface IDelayedOperation - { - object AddedInstance { get; } - void Operate(); - object Orphan { get; } - } - - - public void IdentityRemove(System.Collections.IList list, object obj, string entityName, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task IdentityRemoveAsync(System.Collections.IList list, object obj, string entityName, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void Initialize(bool writing) => throw null; - protected virtual System.Threading.Tasks.Task InitializeAsync(bool writing, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner); - public abstract System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken); - protected bool InverseCollectionNoOrphanDelete { get => throw null; } - protected bool InverseOneToManyOrNoOrphanDelete { get => throw null; } - protected bool IsConnectedToSession { get => throw null; } - public virtual bool IsDirectlyAccessible { get => throw null; set => throw null; } - public bool IsDirty { get => throw null; } - protected bool IsInverseCollection { get => throw null; } - protected bool IsOperationQueueEnabled { get => throw null; } - public abstract bool IsSnapshotEmpty(object snapshot); - public bool IsUnreferenced { get => throw null; } - public abstract bool IsWrapper(object collection); - public object Key { get => throw null; } - public abstract bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType); - public abstract System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); - public virtual bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public abstract bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType); - public abstract System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); - protected internal static object NotFound; - public virtual object Owner { get => throw null; set => throw null; } - protected virtual void PerformQueuedOperations() => throw null; - public virtual void PostAction() => throw null; - public virtual void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public virtual System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - protected bool PutQueueEnabled { get => throw null; } - protected bool QueueAddElement(T element) => throw null; - protected void QueueAddElementAtIndex(int index, T element) => throw null; - protected void QueueAddElementByKey(TKey elementKey, TValue element) => throw null; - protected void QueueClearCollection() => throw null; - protected virtual void QueueOperation(NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation element) => throw null; - protected void QueueRemoveElementAtIndex(int index, T element) => throw null; - protected bool QueueRemoveElementByKey(TKey elementKey, TValue oldElement, bool? existsInDb) => throw null; - protected void QueueRemoveExistingElement(T element, bool? existsInDb) => throw null; - protected void QueueSetElementAtIndex(int index, T element, T oldElement) => throw null; - protected void QueueSetElementByKey(TKey elementKey, TValue element, TValue oldElement, bool? existsInDb) => throw null; - public System.Collections.IEnumerable QueuedAdditionIterator { get => throw null; } - public virtual void Read() => throw null; - protected virtual object ReadElementByIndex(object index) => throw null; - protected virtual bool? ReadElementExistence(T element, out bool? existsInDb) => throw null; - protected virtual bool? ReadElementExistence(object element) => throw null; - public abstract object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner); - public abstract System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken); - protected virtual bool? ReadIndexExistence(object index) => throw null; - protected virtual bool? ReadKeyExistence(TKey elementKey) => throw null; - protected virtual System.Threading.Tasks.Task ReadKeyExistenceAsync(TKey elementKey, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool ReadSize() => throw null; - public string Role { get => throw null; } - public virtual bool RowUpdatePossible { get => throw null; } - protected virtual NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public virtual bool SetCurrentSession(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual void SetInitialized() => throw null; - public void SetSnapshot(object key, string role, object snapshot) => throw null; - public object StoredSnapshot { get => throw null; } - protected void ThrowLazyInitializationException(string message) => throw null; - protected void ThrowLazyInitializationExceptionIfNotConnected() => throw null; - protected virtual bool? TryReadElementAtIndex(int index, out T element) => throw null; - protected virtual bool? TryReadElementByKey(TKey elementKey, out TValue element, out bool? existsInDb) => throw null; - protected internal static object Unknown; - public bool UnsetSession(NHibernate.Engine.ISessionImplementor currentSession) => throw null; - public bool WasInitialized { get => throw null; } - protected virtual void Write() => throw null; - } - - // Generated from `NHibernate.Collection.ILazyInitializedCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILazyInitializedCollection - { - void ForceInitialization(); - System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken); - bool WasInitialized { get; } - } - - // Generated from `NHibernate.Collection.IPersistentCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistentCollection - { - bool AfterInitialize(NHibernate.Persister.Collection.ICollectionPersister persister); - void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id); - void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize); - void BeginRead(); - void ClearDirty(); - void Dirty(); - object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister); - System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); - bool Empty { get; } - bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister); - System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister); - bool EntryExists(object entry, int i); - bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); - System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); - void ForceInitialization(); - System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken); - System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula); - System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken); - object GetElement(object entry); - object GetIdentifier(object entry, int i); - object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister); - System.Collections.ICollection GetOrphans(object snapshot, string entityName); - System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken); - System.Collections.ICollection GetQueuedOrphans(string entityName); - System.Threading.Tasks.Task GetQueuedOrphansAsync(string entityName, System.Threading.CancellationToken cancellationToken); - object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); - object GetSnapshotElement(object entry, int i); - object GetValue(); - bool HasQueuedOperations { get; } - void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner); - System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken); - bool IsDirectlyAccessible { get; } - bool IsDirty { get; } - bool IsSnapshotEmpty(object snapshot); - bool IsUnreferenced { get; } - bool IsWrapper(object collection); - object Key { get; } - bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType); - System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); - bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister); - bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType); - System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); - object Owner { get; set; } - void PostAction(); - void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister); - System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); - System.Collections.IEnumerable QueuedAdditionIterator { get; } - object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner); - System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken); - string Role { get; } - bool RowUpdatePossible { get; } - bool SetCurrentSession(NHibernate.Engine.ISessionImplementor session); - void SetSnapshot(object key, string role, object snapshot); - object StoredSnapshot { get; } - bool UnsetSession(NHibernate.Engine.ISessionImplementor currentSession); - bool WasInitialized { get; } - } - - // Generated from `NHibernate.Collection.PersistentArrayHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentArrayHolder : NHibernate.Collection.AbstractPersistentCollection, System.Collections.IEnumerable, System.Collections.ICollection - { - public object Array { get => throw null; set => throw null; } - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - public override void BeginRead() => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - int System.Collections.ICollection.Count { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.ICollection Elements() => throw null; - public override bool Empty { get => throw null; } - public override bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public override object GetValue() => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool IsDirectlyAccessible { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public PersistentArrayHolder(NHibernate.Engine.ISessionImplementor session, object array) => throw null; - public PersistentArrayHolder(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - // Generated from `NHibernate.Collection.PersistentCollectionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PersistentCollectionExtensions - { - public static void ApplyQueuedOperations(this NHibernate.Collection.IPersistentCollection collection) => throw null; - } - - namespace Generic - { - // Generated from `NHibernate.Collection.Generic.PersistentGenericBag<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentGenericBag : NHibernate.Collection.AbstractPersistentCollection, System.Linq.IQueryable, System.Linq.IQueryable, System.Collections.IList, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IList, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - public void Add(T item) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public override void ApplyQueuedOperations() => throw null; - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - public void Clear() => throw null; - public bool Contains(T item) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Type System.Linq.IQueryable.ElementType { get => throw null; } - public override bool Empty { get => throw null; } - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public int IndexOf(T item) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - public void Insert(int index, T item) => throw null; - protected System.Collections.Generic.IList InternalBag { get => throw null; set => throw null; } - bool System.Collections.IList.IsFixedSize { get => throw null; } - public bool IsReadOnly { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public PersistentGenericBag(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IEnumerable coll) => throw null; - public PersistentGenericBag(NHibernate.Engine.ISessionImplementor session) => throw null; - public PersistentGenericBag() => throw null; - System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } - public override object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public bool Remove(T item) => throw null; - public void RemoveAt(int index) => throw null; - public override bool RowUpdatePossible { get => throw null; } - object System.Collections.ICollection.SyncRoot { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentGenericList : NHibernate.Collection.AbstractPersistentCollection, System.Linq.IQueryable, System.Linq.IQueryable, System.Collections.IList, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IList, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - public void Add(T item) => throw null; - int System.Collections.IList.Add(object value) => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+AddDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class AddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public AddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, T value) => throw null; - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - } - - - public override void ApplyQueuedOperations() => throw null; - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - public void Clear() => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+ClearDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance) => throw null; - public void Operate() => throw null; - public object Orphan { get => throw null; } - } - - - public bool Contains(T item) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - protected virtual T DefaultForType { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Type System.Linq.IQueryable.ElementType { get => throw null; } - public override bool Empty { get => throw null; } - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool Equals(object obj) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public int IndexOf(T item) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - public void Insert(int index, T item) => throw null; - bool System.Collections.IList.IsFixedSize { get => throw null; } - bool System.Collections.IList.IsReadOnly { get => throw null; } - bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public PersistentGenericList(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IList list) => throw null; - public PersistentGenericList(NHibernate.Engine.ISessionImplementor session) => throw null; - public PersistentGenericList() => throw null; - System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } - public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public bool Remove(T item) => throw null; - public void RemoveAt(int index) => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+RemoveDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class RemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public RemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, object old) => throw null; - } - - - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+SetDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SetDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public SetDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, T value, object old) => throw null; - } - - - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+SimpleAddDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SimpleAddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public SimpleAddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, T value) => throw null; - } - - - // Generated from `NHibernate.Collection.Generic.PersistentGenericList<>+SimpleRemoveDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SimpleRemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public SimpleRemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, T value) => throw null; - } - - - object System.Collections.ICollection.SyncRoot { get => throw null; } - public override string ToString() => throw null; - protected System.Collections.Generic.IList WrappedList; - } - - // Generated from `NHibernate.Collection.Generic.PersistentGenericMap<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentGenericMap : NHibernate.Collection.AbstractPersistentCollection, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> - { - public void Add(TKey key, TValue value) => throw null; - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; - protected virtual void AddDuringInitialize(object index, object element) => throw null; - public override void ApplyQueuedOperations() => throw null; - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - public void Clear() => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericMap<,>+ClearDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance) => throw null; - public void Operate() => throw null; - public object Orphan { get => throw null; } - } - - - public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; - public bool ContainsKey(TKey key) => throw null; - public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; - public void CopyTo(System.Array array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool Empty { get => throw null; } - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool Equals(object other) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsReadOnly { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - public bool IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public TValue this[TKey key] { get => throw null; set => throw null; } - public System.Collections.Generic.ICollection Keys { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public PersistentGenericMap(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IDictionary map) => throw null; - public PersistentGenericMap(NHibernate.Engine.ISessionImplementor session) => throw null; - public PersistentGenericMap() => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericMap<,>+PutDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class PutDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public PutDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance, TKey index, TValue value, object old) => throw null; - } - - - public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Remove(TKey key) => throw null; - public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericMap<,>+RemoveDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class RemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public RemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance, TKey index, object old) => throw null; - } - - - public object SyncRoot { get => throw null; } - public override string ToString() => throw null; - public bool TryGetValue(TKey key, out TValue value) => throw null; - public System.Collections.Generic.ICollection Values { get => throw null; } - System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } - protected System.Collections.Generic.IDictionary WrappedMap; - } - - // Generated from `NHibernate.Collection.Generic.PersistentGenericSet<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentGenericSet : NHibernate.Collection.AbstractPersistentCollection, System.Linq.IQueryable, System.Linq.IQueryable, System.Collections.IEnumerable, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - void System.Collections.Generic.ICollection.Add(T item) => throw null; - public bool Add(T o) => throw null; - public override void ApplyQueuedOperations() => throw null; - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - public override void BeginRead() => throw null; - public void Clear() => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericSet<>+ClearDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance) => throw null; - public void Operate() => throw null; - public object Orphan { get => throw null; } - } - - - public bool Contains(T item) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Type System.Linq.IQueryable.ElementType { get => throw null; } - public override bool Empty { get => throw null; } - public override bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool Equals(object other) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override int GetHashCode() => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsReadOnly { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; - public bool IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; - public PersistentGenericSet(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet original) => throw null; - public PersistentGenericSet(NHibernate.Engine.ISessionImplementor session) => throw null; - public PersistentGenericSet() => throw null; - System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } - public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public bool Remove(T o) => throw null; - public override bool RowUpdatePossible { get => throw null; } - public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; - // Generated from `NHibernate.Collection.Generic.PersistentGenericSet<>+SimpleAddDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SimpleAddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public SimpleAddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance, T value) => throw null; - } - - - // Generated from `NHibernate.Collection.Generic.PersistentGenericSet<>+SimpleRemoveDelayedOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SimpleRemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation - { - public object AddedInstance { get => throw null; } - public void Operate() => throw null; - public object Orphan { get => throw null; } - public SimpleRemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance, T value) => throw null; - } - - - public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; - public object SyncRoot { get => throw null; } - public override string ToString() => throw null; - public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; - protected System.Collections.Generic.ISet WrappedSet; - } - - // Generated from `NHibernate.Collection.Generic.PersistentIdentifierBag<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistentIdentifierBag : NHibernate.Collection.AbstractPersistentCollection, System.Linq.IQueryable, System.Linq.IQueryable, System.Collections.IList, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IList, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection - { - public void Add(T item) => throw null; - int System.Collections.IList.Add(object value) => throw null; - public override void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id) => throw null; - public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; - protected void BeforeInsert(int index) => throw null; - protected void BeforeRemove(int index) => throw null; - public void Clear() => throw null; - public bool Contains(T item) => throw null; - bool System.Collections.IList.Contains(object value) => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; - public void CopyTo(T[] array, int arrayIndex) => throw null; - public int Count { get => throw null; } - public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Type System.Linq.IQueryable.ElementType { get => throw null; } - public override bool Empty { get => throw null; } - public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override bool EntryExists(object entry, int i) => throw null; - public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } - public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; - public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetElement(object entry) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public override object GetIdentifier(object entry, int i) => throw null; - public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; - public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; - public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override object GetSnapshotElement(object entry, int i) => throw null; - public int IndexOf(T item) => throw null; - int System.Collections.IList.IndexOf(object value) => throw null; - public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; - public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Insert(int index, object value) => throw null; - public void Insert(int index, T item) => throw null; - protected System.Collections.Generic.IList InternalValues { get => throw null; set => throw null; } - bool System.Collections.IList.IsFixedSize { get => throw null; } - public bool IsReadOnly { get => throw null; } - public override bool IsSnapshotEmpty(object snapshot) => throw null; - bool System.Collections.ICollection.IsSynchronized { get => throw null; } - public override bool IsWrapper(object collection) => throw null; - public T this[int index] { get => throw null; set => throw null; } - object System.Collections.IList.this[int index] { get => throw null; set => throw null; } - public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; - public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; - public PersistentIdentifierBag(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IEnumerable coll) => throw null; - public PersistentIdentifierBag(NHibernate.Engine.ISessionImplementor session) => throw null; - public PersistentIdentifierBag() => throw null; - public override void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public override System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } - public override object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; - public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Collections.IList.Remove(object value) => throw null; - public bool Remove(T item) => throw null; - public void RemoveAt(int index) => throw null; - object System.Collections.ICollection.SyncRoot { get => throw null; } - } - - } - } - namespace Connection - { - // Generated from `NHibernate.Connection.ConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ConnectionProvider : System.IDisposable, NHibernate.Connection.IConnectionProvider - { - public virtual void CloseConnection(System.Data.Common.DbConnection conn) => throw null; - public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; - protected virtual void ConfigureDriver(System.Collections.Generic.IDictionary settings) => throw null; - protected ConnectionProvider() => throw null; - protected internal virtual string ConnectionString { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool isDisposing) => throw null; - public NHibernate.Driver.IDriver Driver { get => throw null; } - public virtual System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; - public virtual System.Data.Common.DbConnection GetConnection() => throw null; - public virtual System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual string GetNamedConnectionString(System.Collections.Generic.IDictionary settings) => throw null; - // ERR: Stub generator didn't handle member: ~ConnectionProvider - } - - // Generated from `NHibernate.Connection.ConnectionProviderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ConnectionProviderExtensions - { - public static string GetConnectionString(this NHibernate.Connection.IConnectionProvider connectionProvider) => throw null; - } - - // Generated from `NHibernate.Connection.ConnectionProviderFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ConnectionProviderFactory - { - public static NHibernate.Connection.IConnectionProvider NewConnectionProvider(System.Collections.Generic.IDictionary settings) => throw null; - } - - // Generated from `NHibernate.Connection.DriverConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DriverConnectionProvider : NHibernate.Connection.ConnectionProvider - { - public override void CloseConnection(System.Data.Common.DbConnection conn) => throw null; - public DriverConnectionProvider() => throw null; - public override System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; - public override System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Connection.IConnectionAccess` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConnectionAccess - { - void CloseConnection(System.Data.Common.DbConnection connection); - string ConnectionString { get; } - System.Data.Common.DbConnection GetConnection(); - System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Connection.IConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConnectionProvider : System.IDisposable - { - void CloseConnection(System.Data.Common.DbConnection conn); - void Configure(System.Collections.Generic.IDictionary settings); - NHibernate.Driver.IDriver Driver { get; } - System.Data.Common.DbConnection GetConnection(); - System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Connection.UserSuppliedConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UserSuppliedConnectionProvider : NHibernate.Connection.ConnectionProvider - { - public override void CloseConnection(System.Data.Common.DbConnection conn) => throw null; - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; - public override System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; - public UserSuppliedConnectionProvider() => throw null; - } - - } - namespace Context - { - // Generated from `NHibernate.Context.AsyncLocalSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AsyncLocalSessionContext : NHibernate.Context.CurrentSessionContext - { - public AsyncLocalSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected override NHibernate.ISession Session { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Context.CallSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CallSessionContext : NHibernate.Context.MapBasedSessionContext - { - public CallSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override System.Collections.IDictionary GetMap() => throw null; - protected override void SetMap(System.Collections.IDictionary value) => throw null; - } - - // Generated from `NHibernate.Context.CurrentSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CurrentSessionContext : NHibernate.Context.ICurrentSessionContext - { - public static void Bind(NHibernate.ISession session) => throw null; - public virtual NHibernate.ISession CurrentSession() => throw null; - protected CurrentSessionContext() => throw null; - public static bool HasBind(NHibernate.ISessionFactory factory) => throw null; - protected abstract NHibernate.ISession Session { get; set; } - public static NHibernate.ISession Unbind(NHibernate.ISessionFactory factory) => throw null; - } - - // Generated from `NHibernate.Context.ICurrentSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICurrentSessionContext - { - NHibernate.ISession CurrentSession(); - } - - // Generated from `NHibernate.Context.ISessionFactoryAwareCurrentSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionFactoryAwareCurrentSessionContext : NHibernate.Context.ICurrentSessionContext - { - void SetFactory(NHibernate.Engine.ISessionFactoryImplementor factory); - } - - // Generated from `NHibernate.Context.MapBasedSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class MapBasedSessionContext : NHibernate.Context.CurrentSessionContext - { - protected abstract System.Collections.IDictionary GetMap(); - protected MapBasedSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected override NHibernate.ISession Session { get => throw null; set => throw null; } - protected abstract void SetMap(System.Collections.IDictionary value); - } - - // Generated from `NHibernate.Context.ReflectiveHttpContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ReflectiveHttpContext - { - public static System.Func HttpContextCurrentGetter { get => throw null; set => throw null; } - public static System.Collections.IDictionary HttpContextCurrentItems { get => throw null; } - public static System.Func HttpContextItemsGetter { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Context.ThreadLocalSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ThreadLocalSessionContext : NHibernate.Context.ICurrentSessionContext - { - public static void Bind(NHibernate.ISession session) => throw null; - public static System.Threading.Tasks.Task BindAsync(NHibernate.ISession session, System.Threading.CancellationToken cancellationToken) => throw null; - protected NHibernate.ISession BuildOrObtainSession() => throw null; - public NHibernate.ISession CurrentSession() => throw null; - protected virtual bool IsAutoCloseEnabled() => throw null; - protected virtual bool IsAutoFlushEnabled() => throw null; - public ThreadLocalSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static NHibernate.ISession Unbind(NHibernate.ISessionFactory factory) => throw null; - protected static System.Collections.Generic.IDictionary context; - protected NHibernate.Engine.ISessionFactoryImplementor factory; - } - - // Generated from `NHibernate.Context.ThreadStaticSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ThreadStaticSessionContext : NHibernate.Context.MapBasedSessionContext - { - protected override System.Collections.IDictionary GetMap() => throw null; - protected override void SetMap(System.Collections.IDictionary value) => throw null; - public ThreadStaticSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - } - - // Generated from `NHibernate.Context.WcfOperationSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WcfOperationSessionContext : NHibernate.Context.MapBasedSessionContext - { - protected override System.Collections.IDictionary GetMap() => throw null; - protected override void SetMap(System.Collections.IDictionary value) => throw null; - public WcfOperationSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - } - - // Generated from `NHibernate.Context.WebSessionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WebSessionContext : NHibernate.Context.MapBasedSessionContext - { - protected override System.Collections.IDictionary GetMap() => throw null; - protected override void SetMap(System.Collections.IDictionary value) => throw null; - public WebSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - } - - } - namespace Criterion - { - // Generated from `NHibernate.Criterion.AbstractCriterion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractCriterion : NHibernate.Criterion.ICriterion - { - public static NHibernate.Criterion.AbstractCriterion operator !(NHibernate.Criterion.AbstractCriterion crit) => throw null; - public static NHibernate.Criterion.AbstractCriterion operator &(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractEmptinessExpression rhs) => throw null; - public static NHibernate.Criterion.AbstractCriterion operator &(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractCriterion rhs) => throw null; - protected AbstractCriterion() => throw null; - public abstract NHibernate.Criterion.IProjection[] GetProjections(); - public abstract NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - public abstract NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - public abstract override string ToString(); - public static bool operator false(NHibernate.Criterion.AbstractCriterion criteria) => throw null; - public static bool operator true(NHibernate.Criterion.AbstractCriterion criteria) => throw null; - public static NHibernate.Criterion.AbstractCriterion operator |(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractEmptinessExpression rhs) => throw null; - public static NHibernate.Criterion.AbstractCriterion operator |(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractCriterion rhs) => throw null; - } - - // Generated from `NHibernate.Criterion.AbstractEmptinessExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEmptinessExpression : NHibernate.Criterion.AbstractCriterion - { - protected AbstractEmptinessExpression(string propertyName) => throw null; - protected abstract bool ExcludeEmpty { get; } - protected NHibernate.Persister.Collection.IQueryableCollection GetQueryableCollection(string entityName, string actualPropertyName, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.AggregateProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AggregateProjection : NHibernate.Criterion.SimpleProjection - { - protected internal AggregateProjection(string aggregate, string propertyName) => throw null; - protected internal AggregateProjection(string aggregate, NHibernate.Criterion.IProjection projection) => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - protected string aggregate; - protected NHibernate.Criterion.IProjection projection; - protected string propertyName; - } - - // Generated from `NHibernate.Criterion.AliasedProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AliasedProjection : NHibernate.Criterion.IProjection - { - protected internal AliasedProjection(NHibernate.Criterion.IProjection projection, string alias) => throw null; - public virtual string[] Aliases { get => throw null; } - public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public bool IsAggregate { get => throw null; } - public virtual bool IsGrouped { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.AndExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AndExpression : NHibernate.Criterion.LogicalExpression - { - public AndExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) : base(default(NHibernate.Criterion.ICriterion), default(NHibernate.Criterion.ICriterion)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.AvgProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AvgProjection : NHibernate.Criterion.AggregateProjection - { - public AvgProjection(string propertyName) : base(default(string), default(NHibernate.Criterion.IProjection)) => throw null; - public AvgProjection(NHibernate.Criterion.IProjection projection) : base(default(string), default(NHibernate.Criterion.IProjection)) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.BetweenExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BetweenExpression : NHibernate.Criterion.AbstractCriterion - { - public BetweenExpression(string propertyName, object lo, object hi) => throw null; - public BetweenExpression(NHibernate.Criterion.IProjection projection, object lo, object hi) => throw null; - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.CastProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CastProjection : NHibernate.Criterion.SimpleProjection - { - public CastProjection(NHibernate.Type.IType type, NHibernate.Criterion.IProjection projection) => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.ConditionalProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConditionalProjection : NHibernate.Criterion.SimpleProjection - { - public ConditionalProjection(NHibernate.Criterion.ICriterion criterion, NHibernate.Criterion.IProjection whenTrue, NHibernate.Criterion.IProjection whenFalse) => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.Conjunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Conjunction : NHibernate.Criterion.Junction - { - public Conjunction() => throw null; - protected override NHibernate.SqlCommand.SqlString EmptyExpression { get => throw null; } - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.ConstantProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConstantProjection : NHibernate.Criterion.SimpleProjection - { - public ConstantProjection(object value, NHibernate.Type.IType type) => throw null; - public ConstantProjection(object value) => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Engine.TypedValue TypedValue { get => throw null; } - } - - // Generated from `NHibernate.Criterion.CountProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CountProjection : NHibernate.Criterion.AggregateProjection - { - protected internal CountProjection(string prop) : base(default(string), default(NHibernate.Criterion.IProjection)) => throw null; - protected internal CountProjection(NHibernate.Criterion.IProjection projection) : base(default(string), default(NHibernate.Criterion.IProjection)) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Criterion.CountProjection SetDistinct() => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.CriteriaSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CriteriaSpecification - { - public static NHibernate.Transform.IResultTransformer AliasToEntityMap; - public static NHibernate.Transform.IResultTransformer DistinctRootEntity; - public static NHibernate.SqlCommand.JoinType FullJoin; - public static NHibernate.SqlCommand.JoinType InnerJoin; - public static NHibernate.SqlCommand.JoinType LeftJoin; - public static NHibernate.Transform.IResultTransformer Projection; - public static string RootAlias; - public static NHibernate.Transform.IResultTransformer RootEntity; - } - - // Generated from `NHibernate.Criterion.CriterionUtil` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CriterionUtil - { - public static NHibernate.SqlCommand.SqlString[] GetColumnNames(string propertyName, NHibernate.Criterion.IProjection projection, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria) => throw null; - public static NHibernate.SqlCommand.SqlString[] GetColumnNamesForSimpleExpression(string propertyName, NHibernate.Criterion.IProjection projection, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriterion criterion, object value) => throw null; - public static NHibernate.Engine.TypedValue GetTypedValue(NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.IProjection projection, string propertyName, object value) => throw null; - public static NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.IProjection projection, string propertyName, params object[] values) => throw null; - } - - // Generated from `NHibernate.Criterion.DetachedCriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DetachedCriteria - { - public NHibernate.Criterion.DetachedCriteria Add(NHibernate.Criterion.ICriterion criterion) => throw null; - public NHibernate.Criterion.DetachedCriteria AddOrder(NHibernate.Criterion.Order order) => throw null; - public string Alias { get => throw null; } - public void ClearOrders() => throw null; - public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath) => throw null; - protected internal DetachedCriteria(NHibernate.Impl.CriteriaImpl impl, NHibernate.ICriteria criteria) => throw null; - protected DetachedCriteria(string entityName, string alias) => throw null; - protected DetachedCriteria(string entityName) => throw null; - protected DetachedCriteria(System.Type entityType, string alias) => throw null; - protected DetachedCriteria(System.Type entityType) => throw null; - public string EntityOrClassName { get => throw null; } - public static NHibernate.Criterion.DetachedCriteria For(string alias) => throw null; - public static NHibernate.Criterion.DetachedCriteria For() => throw null; - public static NHibernate.Criterion.DetachedCriteria For(System.Type entityType, string alias) => throw null; - public static NHibernate.Criterion.DetachedCriteria For(System.Type entityType) => throw null; - public static NHibernate.Criterion.DetachedCriteria ForEntityName(string entityName, string alias) => throw null; - public static NHibernate.Criterion.DetachedCriteria ForEntityName(string entityName) => throw null; - public NHibernate.Criterion.DetachedCriteria GetCriteriaByAlias(string alias) => throw null; - public NHibernate.Criterion.DetachedCriteria GetCriteriaByPath(string path) => throw null; - protected internal NHibernate.Impl.CriteriaImpl GetCriteriaImpl() => throw null; - public NHibernate.ICriteria GetExecutableCriteria(NHibernate.IStatelessSession session) => throw null; - public NHibernate.ICriteria GetExecutableCriteria(NHibernate.ISession session) => throw null; - public System.Type GetRootEntityTypeIfAvailable() => throw null; - public NHibernate.Criterion.DetachedCriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.Criterion.DetachedCriteria SetCacheRegion(string region) => throw null; - public NHibernate.Criterion.DetachedCriteria SetCacheable(bool cacheable) => throw null; - public NHibernate.Criterion.DetachedCriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; - public NHibernate.Criterion.DetachedCriteria SetFirstResult(int firstResult) => throw null; - public NHibernate.Criterion.DetachedCriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; - public NHibernate.Criterion.DetachedCriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; - public NHibernate.Criterion.DetachedCriteria SetMaxResults(int maxResults) => throw null; - public NHibernate.Criterion.DetachedCriteria SetProjection(NHibernate.Criterion.IProjection projection) => throw null; - public NHibernate.Criterion.DetachedCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.Disjunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Disjunction : NHibernate.Criterion.Junction - { - public Disjunction() => throw null; - protected override NHibernate.SqlCommand.SqlString EmptyExpression { get => throw null; } - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.Distinct` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Distinct : NHibernate.Criterion.IProjection - { - public virtual string[] Aliases { get => throw null; } - public Distinct(NHibernate.Criterion.IProjection proj) => throw null; - public virtual string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public bool IsAggregate { get => throw null; } - public virtual bool IsGrouped { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.EntityProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityProjection : NHibernate.Criterion.IProjection - { - string[] NHibernate.Criterion.IProjection.Aliases { get => throw null; } - public EntityProjection(System.Type entityType, string entityAlias) => throw null; - public EntityProjection() => throw null; - public bool FetchLazyProperties { get => throw null; set => throw null; } - public System.Collections.Generic.ICollection FetchLazyPropertyGroups { get => throw null; set => throw null; } - string[] NHibernate.Criterion.IProjection.GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - string[] NHibernate.Criterion.IProjection.GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - NHibernate.Engine.TypedValue[] NHibernate.Criterion.IProjection.GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - NHibernate.Type.IType[] NHibernate.Criterion.IProjection.GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - NHibernate.Type.IType[] NHibernate.Criterion.IProjection.GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - bool NHibernate.Criterion.IProjection.IsAggregate { get => throw null; } - bool NHibernate.Criterion.IProjection.IsGrouped { get => throw null; } - public bool Lazy { get => throw null; set => throw null; } - public NHibernate.Criterion.EntityProjection SetFetchLazyProperties(bool fetchLazyProperties = default(bool)) => throw null; - public NHibernate.Criterion.EntityProjection SetFetchLazyPropertyGroups(params string[] lazyPropertyGroups) => throw null; - public NHibernate.Criterion.EntityProjection SetLazy(bool lazy = default(bool)) => throw null; - NHibernate.SqlCommand.SqlString NHibernate.Criterion.IProjection.ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - NHibernate.SqlCommand.SqlString NHibernate.Criterion.IProjection.ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.EqPropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EqPropertyExpression : NHibernate.Criterion.PropertyExpression - { - public EqPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public EqPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public EqPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public EqPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.Example` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Example : NHibernate.Criterion.AbstractCriterion - { - protected void AddComponentTypedValues(string path, object component, NHibernate.Type.IAbstractComponentType type, System.Collections.IList list, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - protected void AddPropertyTypedValue(object value, NHibernate.Type.IType type, System.Collections.IList list) => throw null; - protected static NHibernate.Criterion.Example.IPropertySelector All; - protected void AppendComponentCondition(string path, object component, NHibernate.Type.IAbstractComponentType type, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.SqlCommand.SqlStringBuilder builder) => throw null; - protected void AppendPropertyCondition(string propertyName, object propertyValue, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery cq, NHibernate.SqlCommand.SqlStringBuilder builder) => throw null; - public static NHibernate.Criterion.Example Create(object entity) => throw null; - public NHibernate.Criterion.Example EnableLike(NHibernate.Criterion.MatchMode matchMode) => throw null; - public NHibernate.Criterion.Example EnableLike() => throw null; - protected Example(object entity, NHibernate.Criterion.Example.IPropertySelector selector) => throw null; - public NHibernate.Criterion.Example ExcludeNone() => throw null; - public NHibernate.Criterion.Example ExcludeNulls() => throw null; - public NHibernate.Criterion.Example ExcludeProperty(string name) => throw null; - public NHibernate.Criterion.Example ExcludeZeroes() => throw null; - protected virtual NHibernate.Criterion.ICriterion GetNotNullPropertyCriterion(object propertyValue, string propertyName) => throw null; - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - // Generated from `NHibernate.Criterion.Example+IPropertySelector` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertySelector - { - bool Include(object propertyValue, string propertyName, NHibernate.Type.IType type); - } - - - public NHibernate.Criterion.Example IgnoreCase() => throw null; - protected static NHibernate.Criterion.Example.IPropertySelector NotNullOrEmptyString; - protected static NHibernate.Criterion.Example.IPropertySelector NotNullOrZero; - public virtual NHibernate.Criterion.Example SetEscapeCharacter(System.Char? escapeCharacter) => throw null; - public NHibernate.Criterion.Example SetPropertySelector(NHibernate.Criterion.Example.IPropertySelector selector) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.ExistsSubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExistsSubqueryExpression : NHibernate.Criterion.SubqueryExpression - { - internal ExistsSubqueryExpression(string quantifier, NHibernate.Criterion.DetachedCriteria dc) : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) => throw null; - protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.Expression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Expression : NHibernate.Criterion.Restrictions - { - public static NHibernate.Criterion.AbstractCriterion Sql(string sql, object[] values, NHibernate.Type.IType[] types) => throw null; - public static NHibernate.Criterion.AbstractCriterion Sql(string sql, object value, NHibernate.Type.IType type) => throw null; - public static NHibernate.Criterion.AbstractCriterion Sql(string sql) => throw null; - public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql, object[] values, NHibernate.Type.IType[] types) => throw null; - public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql, object value, NHibernate.Type.IType type) => throw null; - public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql) => throw null; - } - - // Generated from `NHibernate.Criterion.GePropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GePropertyExpression : NHibernate.Criterion.PropertyExpression - { - public GePropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GePropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.GroupedProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GroupedProjection : NHibernate.Criterion.IProjection - { - public virtual string[] Aliases { get => throw null; } - public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public GroupedProjection(NHibernate.Criterion.IProjection projection) => throw null; - public bool IsAggregate { get => throw null; } - public virtual bool IsGrouped { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.GtPropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GtPropertyExpression : NHibernate.Criterion.PropertyExpression - { - public GtPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GtPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public GtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.ICriteriaQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICriteriaQuery - { - System.Collections.Generic.ICollection CollectedParameterSpecifications { get; } - System.Collections.Generic.ICollection CollectedParameters { get; } - NHibernate.SqlCommand.Parameter CreateSkipParameter(int value); - NHibernate.SqlCommand.Parameter CreateTakeParameter(int value); - NHibernate.Engine.ISessionFactoryImplementor Factory { get; } - string GenerateSQLAlias(); - string GetColumn(NHibernate.ICriteria criteria, string propertyPath); - string[] GetColumnAliasesUsingProjection(NHibernate.ICriteria criteria, string propertyPath); - string[] GetColumns(NHibernate.ICriteria criteria, string propertyPath); - string[] GetColumnsUsingProjection(NHibernate.ICriteria criteria, string propertyPath); - string GetEntityName(NHibernate.ICriteria criteria, string propertyPath); - string GetEntityName(NHibernate.ICriteria criteria); - string[] GetIdentifierColumns(NHibernate.ICriteria subcriteria); - NHibernate.Type.IType GetIdentifierType(NHibernate.ICriteria subcriteria); - int GetIndexForAlias(); - string GetPropertyName(string propertyName); - string GetSQLAlias(NHibernate.ICriteria subcriteria); - string GetSQLAlias(NHibernate.ICriteria criteria, string propertyPath); - NHibernate.Type.IType GetType(NHibernate.ICriteria criteria, string propertyPath); - NHibernate.Type.IType GetTypeUsingProjection(NHibernate.ICriteria criteria, string propertyPath); - NHibernate.Engine.TypedValue GetTypedIdentifierValue(NHibernate.ICriteria subcriteria, object value); - NHibernate.Engine.TypedValue GetTypedValue(NHibernate.ICriteria criteria, string propertyPath, object value); - System.Collections.Generic.IEnumerable NewQueryParameter(NHibernate.Engine.TypedValue parameter); - } - - // Generated from `NHibernate.Criterion.ICriterion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICriterion - { - NHibernate.Criterion.IProjection[] GetProjections(); - NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - } - - // Generated from `NHibernate.Criterion.IProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProjection - { - string[] Aliases { get; } - string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - bool IsAggregate { get; } - bool IsGrouped { get; } - NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - } - - // Generated from `NHibernate.Criterion.IPropertyProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertyProjection - { - string PropertyName { get; } - } - - // Generated from `NHibernate.Criterion.ISupportEntityJoinQueryOver<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportEntityJoinQueryOver - { - NHibernate.IQueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName); - } - - // Generated from `NHibernate.Criterion.ISupportSelectModeQueryOver<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportSelectModeQueryOver - { - NHibernate.IQueryOver Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path); - } - - // Generated from `NHibernate.Criterion.IdentifierEqExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierEqExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public IdentifierEqExpression(object value) => throw null; - public IdentifierEqExpression(NHibernate.Criterion.IProjection projection) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.IdentifierProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierProjection : NHibernate.Criterion.SimpleProjection, NHibernate.Criterion.IPropertyProjection - { - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - protected internal IdentifierProjection(bool grouped) => throw null; - protected internal IdentifierProjection() => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public string PropertyName { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.InExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public InExpression(string propertyName, object[] values) => throw null; - public InExpression(NHibernate.Criterion.IProjection projection, object[] values) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - public object[] Values { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Criterion.InsensitiveLikeExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsensitiveLikeExpression : NHibernate.Criterion.AbstractCriterion - { - public NHibernate.Engine.TypedValue GetParameterTypedValue(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public InsensitiveLikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public InsensitiveLikeExpression(string propertyName, object value) => throw null; - public InsensitiveLikeExpression(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public InsensitiveLikeExpression(NHibernate.Criterion.IProjection projection, object value) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.IsEmptyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IsEmptyExpression : NHibernate.Criterion.AbstractEmptinessExpression - { - protected override bool ExcludeEmpty { get => throw null; } - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public IsEmptyExpression(string propertyName) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Criterion.IsNotEmptyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IsNotEmptyExpression : NHibernate.Criterion.AbstractEmptinessExpression - { - protected override bool ExcludeEmpty { get => throw null; } - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public IsNotEmptyExpression(string propertyName) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Criterion.Junction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Junction : NHibernate.Criterion.AbstractCriterion - { - public NHibernate.Criterion.Junction Add(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Junction Add(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Junction Add(NHibernate.Criterion.ICriterion criterion) => throw null; - protected abstract NHibernate.SqlCommand.SqlString EmptyExpression { get; } - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - protected Junction() => throw null; - protected abstract string Op { get; } - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.LePropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LePropertyExpression : NHibernate.Criterion.PropertyExpression - { - public LePropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LePropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.LikeExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LikeExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public LikeExpression(string propertyName, string value, System.Char? escapeChar, bool ignoreCase) => throw null; - public LikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode, System.Char? escapeChar, bool ignoreCase) => throw null; - public LikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public LikeExpression(string propertyName, string value) => throw null; - public LikeExpression(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.LogicalExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class LogicalExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - protected NHibernate.Criterion.ICriterion LeftHandSide { get => throw null; } - protected LogicalExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; - protected abstract string Op { get; } - protected NHibernate.Criterion.ICriterion RightHandSide { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.LtPropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LtPropertyExpression : NHibernate.Criterion.PropertyExpression - { - public LtPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LtPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - public LtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(NHibernate.Criterion.IProjection)) => throw null; - protected override string Op { get => throw null; } - } - - // Generated from `NHibernate.Criterion.MatchMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class MatchMode - { - public static NHibernate.Criterion.MatchMode Anywhere; - public static NHibernate.Criterion.MatchMode End; - public static NHibernate.Criterion.MatchMode Exact; - protected MatchMode(int intCode, string name) => throw null; - public static NHibernate.Criterion.MatchMode Start; - public abstract string ToMatchString(string pattern); - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.NaturalIdentifier` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NaturalIdentifier : NHibernate.Criterion.ICriterion - { - public NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NaturalIdentifier() => throw null; - public NHibernate.Criterion.NaturalIdentifier Set(string property, object value) => throw null; - public NHibernate.Criterion.Lambda.LambdaNaturalIdentifierBuilder Set(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.LambdaNaturalIdentifierBuilder Set(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.NotExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NotExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NotExpression(NHibernate.Criterion.ICriterion criterion) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.NotNullExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NotNullExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NotNullExpression(string propertyName) => throw null; - public NotNullExpression(NHibernate.Criterion.IProjection projection) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.NullExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NullExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NullExpression(string propertyName) => throw null; - public NullExpression(NHibernate.Criterion.IProjection projection) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.NullSubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NullSubqueryExpression : NHibernate.Criterion.SubqueryExpression - { - internal NullSubqueryExpression(string quantifier, NHibernate.Criterion.DetachedCriteria dc) : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) => throw null; - protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.OrExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OrExpression : NHibernate.Criterion.LogicalExpression - { - protected override string Op { get => throw null; } - public OrExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) : base(default(NHibernate.Criterion.ICriterion), default(NHibernate.Criterion.ICriterion)) => throw null; - } - - // Generated from `NHibernate.Criterion.Order` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Order - { - public static NHibernate.Criterion.Order Asc(string propertyName) => throw null; - public static NHibernate.Criterion.Order Asc(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.Order Desc(string propertyName) => throw null; - public static NHibernate.Criterion.Order Desc(NHibernate.Criterion.IProjection projection) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Criterion.Order IgnoreCase() => throw null; - public Order(string propertyName, bool ascending) => throw null; - public Order(NHibernate.Criterion.IProjection projection, bool ascending) => throw null; - public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - protected bool ascending; - protected NHibernate.Criterion.IProjection projection; - protected string propertyName; - } - - // Generated from `NHibernate.Criterion.ProjectionList` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProjectionList : NHibernate.Criterion.IProjection - { - public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection projection, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection projection, string alias) => throw null; - public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection proj) => throw null; - public string[] Aliases { get => throw null; } - public NHibernate.Criterion.ProjectionList Create() => throw null; - public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public bool IsAggregate { get => throw null; } - public bool IsGrouped { get => throw null; } - public NHibernate.Criterion.IProjection this[int index] { get => throw null; } - public int Length { get => throw null; } - protected internal ProjectionList() => throw null; - public NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.Projections` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class Projections - { - public static NHibernate.Criterion.IProjection Alias(NHibernate.Criterion.IProjection projection, string alias) => throw null; - public static NHibernate.Criterion.AggregateProjection Avg(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Avg(string propertyName) => throw null; - public static NHibernate.Criterion.AggregateProjection Avg(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Avg(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.IProjection Cast(NHibernate.Type.IType type, NHibernate.Criterion.IProjection projection) => throw null; - public static string Concat(params string[] strings) => throw null; - public static NHibernate.Criterion.IProjection Conditional(NHibernate.Criterion.ICriterion criterion, NHibernate.Criterion.IProjection whenTrue, NHibernate.Criterion.IProjection whenFalse) => throw null; - public static NHibernate.Criterion.IProjection Constant(object obj, NHibernate.Type.IType type) => throw null; - public static NHibernate.Criterion.IProjection Constant(object obj) => throw null; - public static NHibernate.Criterion.CountProjection Count(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.CountProjection Count(string propertyName) => throw null; - public static NHibernate.Criterion.CountProjection Count(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.CountProjection Count(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.CountProjection CountDistinct(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.CountProjection CountDistinct(string propertyName) => throw null; - public static NHibernate.Criterion.CountProjection CountDistinct(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.CountProjection CountDistinct(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.IProjection Distinct(NHibernate.Criterion.IProjection proj) => throw null; - public static NHibernate.Criterion.EntityProjection Entity(string alias) => throw null; - public static NHibernate.Criterion.EntityProjection Entity(System.Linq.Expressions.Expression> alias) => throw null; - public static NHibernate.Criterion.EntityProjection Entity(System.Type type, string alias) => throw null; - public static NHibernate.Criterion.PropertyProjection Group(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.PropertyProjection Group(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.IProjection GroupProjection(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.IProjection GroupProjection(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.PropertyProjection GroupProperty(string propertyName) => throw null; - public static NHibernate.Criterion.GroupedProjection GroupProperty(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.IdentifierProjection Id() => throw null; - public static NHibernate.Criterion.AggregateProjection Max(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Max(string propertyName) => throw null; - public static NHibernate.Criterion.AggregateProjection Max(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Max(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AggregateProjection Min(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Min(string propertyName) => throw null; - public static NHibernate.Criterion.AggregateProjection Min(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Min(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.ProjectionList ProjectionList() => throw null; - public static NHibernate.Criterion.PropertyProjection Property(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.PropertyProjection Property(string propertyName) => throw null; - public static NHibernate.Criterion.PropertyProjection Property(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.EntityProjection RootEntity() => throw null; - public static NHibernate.Criterion.IProjection RowCount() => throw null; - public static NHibernate.Criterion.IProjection RowCountInt64() => throw null; - public static NHibernate.Criterion.IProjection SqlFunction(string functionName, NHibernate.Type.IType type, params NHibernate.Criterion.IProjection[] projections) => throw null; - public static NHibernate.Criterion.IProjection SqlFunction(NHibernate.Dialect.Function.ISQLFunction function, NHibernate.Type.IType type, params NHibernate.Criterion.IProjection[] projections) => throw null; - public static NHibernate.Criterion.IProjection SqlGroupProjection(string sql, string groupBy, string[] columnAliases, NHibernate.Type.IType[] types) => throw null; - public static NHibernate.Criterion.IProjection SqlProjection(string sql, string[] columnAliases, NHibernate.Type.IType[] types) => throw null; - public static NHibernate.Criterion.IProjection SubQuery(NHibernate.Criterion.QueryOver detachedQueryOver) => throw null; - public static NHibernate.Criterion.IProjection SubQuery(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public static NHibernate.Criterion.AggregateProjection Sum(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Sum(string propertyName) => throw null; - public static NHibernate.Criterion.AggregateProjection Sum(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AggregateProjection Sum(NHibernate.Criterion.IProjection projection) => throw null; - } - - // Generated from `NHibernate.Criterion.ProjectionsExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ProjectionsExtensions - { - public static int Abs(this int numericProperty) => throw null; - public static double Abs(this double numericProperty) => throw null; - public static System.Int64 Abs(this System.Int64 numericProperty) => throw null; - public static T AsEntity(this T alias) where T : class => throw null; - public static int BitLength(this string stringProperty) => throw null; - public static int CharIndex(this string stringProperty, string theChar, int startLocation) => throw null; - public static T? Coalesce(this T? objectProperty, T replaceValueIfIsNull) where T : struct => throw null; - public static T Coalesce(this T objectProperty, T replaceValueIfIsNull) => throw null; - public static string Lower(this string stringProperty) => throw null; - public static int Mod(this int numericProperty, int divisor) => throw null; - public static double Sqrt(this int numericProperty) => throw null; - public static double Sqrt(this double numericProperty) => throw null; - public static double Sqrt(this System.Int64 numericProperty) => throw null; - public static double Sqrt(this System.Decimal numericProperty) => throw null; - public static double Sqrt(this System.Byte numericProperty) => throw null; - public static int StrLength(this string stringProperty) => throw null; - public static string Substr(this string stringProperty, int startIndex, int length) => throw null; - public static string TrimStr(this string stringProperty) => throw null; - public static string Upper(this string stringProperty) => throw null; - public static NHibernate.Criterion.IProjection WithAlias(this NHibernate.Criterion.IProjection projection, string alias) => throw null; - public static NHibernate.Criterion.IProjection WithAlias(this NHibernate.Criterion.IProjection projection, System.Linq.Expressions.Expression> alias) => throw null; - } - - // Generated from `NHibernate.Criterion.Property` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Property : NHibernate.Criterion.PropertyProjection - { - public NHibernate.Criterion.Order Asc() => throw null; - public NHibernate.Criterion.AggregateProjection Avg() => throw null; - public NHibernate.Criterion.AbstractCriterion Between(object min, object max) => throw null; - public NHibernate.Criterion.AbstractCriterion Bt(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.CountProjection Count() => throw null; - public NHibernate.Criterion.Order Desc() => throw null; - public NHibernate.Criterion.AbstractCriterion Eq(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Eq(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion EqAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion EqProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.Property other) => throw null; - public static NHibernate.Criterion.Property ForName(string propertyName) => throw null; - public NHibernate.Criterion.AbstractCriterion Ge(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Ge(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion GeAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion GeProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.Property other) => throw null; - public NHibernate.Criterion.AbstractCriterion GeSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.Property GetProperty(string propertyName) => throw null; - public NHibernate.Criterion.PropertyProjection Group() => throw null; - public NHibernate.Criterion.AbstractCriterion Gt(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion GtAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion GtProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.Property other) => throw null; - public NHibernate.Criterion.AbstractCriterion GtSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion In(object[] values) => throw null; - public NHibernate.Criterion.AbstractCriterion In(System.Collections.ICollection values) => throw null; - public NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractEmptinessExpression IsEmpty() => throw null; - public NHibernate.Criterion.AbstractEmptinessExpression IsNotEmpty() => throw null; - public NHibernate.Criterion.AbstractCriterion IsNotNull() => throw null; - public NHibernate.Criterion.AbstractCriterion IsNull() => throw null; - public NHibernate.Criterion.AbstractCriterion Le(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Le(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion LeAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion LeProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.Property other) => throw null; - public NHibernate.Criterion.AbstractCriterion LeSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion Like(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public NHibernate.Criterion.AbstractCriterion Like(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Lt(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Lt(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion LtAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion LtProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.Property other) => throw null; - public NHibernate.Criterion.AbstractCriterion LtSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AggregateProjection Max() => throw null; - public NHibernate.Criterion.AggregateProjection Min() => throw null; - public NHibernate.Criterion.AbstractCriterion Ne(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - public NHibernate.Criterion.AbstractCriterion NotEqProperty(string other) => throw null; - public NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.Property other) => throw null; - public NHibernate.Criterion.AbstractCriterion NotIn(NHibernate.Criterion.DetachedCriteria subselect) => throw null; - internal Property(string propertyName) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Criterion.PropertyExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class PropertyExpression : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - protected abstract string Op { get; } - protected PropertyExpression(string lhsPropertyName, string rhsPropertyName) => throw null; - protected PropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) => throw null; - protected PropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) => throw null; - protected PropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.PropertyProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyProjection : NHibernate.Criterion.SimpleProjection, NHibernate.Criterion.IPropertyProjection - { - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public string PropertyName { get => throw null; } - protected internal PropertyProjection(string propertyName, bool grouped) => throw null; - protected internal PropertyProjection(string propertyName) => throw null; - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.PropertySubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertySubqueryExpression : NHibernate.Criterion.SubqueryExpression - { - internal PropertySubqueryExpression(string propertyName, string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc) : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) => throw null; - protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.QueryOver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class QueryOver - { - public NHibernate.Criterion.DetachedCriteria DetachedCriteria { get => throw null; } - public static NHibernate.Criterion.QueryOver Of(string entityName, System.Linq.Expressions.Expression> alias) => throw null; - public static NHibernate.Criterion.QueryOver Of(string entityName) => throw null; - public static NHibernate.Criterion.QueryOver Of(System.Linq.Expressions.Expression> alias) => throw null; - public static NHibernate.Criterion.QueryOver Of() => throw null; - protected QueryOver() => throw null; - public NHibernate.ICriteria RootCriteria { get => throw null; } - public NHibernate.ICriteria UnderlyingCriteria { get => throw null; } - protected NHibernate.ICriteria criteria; - protected NHibernate.Impl.CriteriaImpl impl; - } - - // Generated from `NHibernate.Criterion.QueryOver<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOver : NHibernate.Criterion.QueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver, NHibernate.Criterion.ISupportSelectModeQueryOver, NHibernate.Criterion.ISupportEntityJoinQueryOver - { - public NHibernate.Criterion.QueryOver And(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver And(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver And(NHibernate.Criterion.ICriterion expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.And(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.And(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.And(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.Criterion.QueryOver AndNot(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver AndNot(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver AndNot(NHibernate.Criterion.ICriterion expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverFetchBuilder Fetch(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.IQueryOver NHibernate.Criterion.ISupportSelectModeQueryOver.Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverFetchBuilder NHibernate.IQueryOver.Fetch(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Full { get => throw null; } - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Full { get => throw null; } - public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Inner { get => throw null; } - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Inner { get => throw null; } - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - public NHibernate.Criterion.QueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; - NHibernate.IQueryOver NHibernate.Criterion.ISupportEntityJoinQueryOver.JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Left { get => throw null; } - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Left { get => throw null; } - public NHibernate.Criterion.Lambda.QueryOverLockBuilder Lock(System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.Lambda.QueryOverLockBuilder Lock() => throw null; - NHibernate.Criterion.Lambda.IQueryOverLockBuilder NHibernate.IQueryOver.Lock(System.Linq.Expressions.Expression> alias) => throw null; - NHibernate.Criterion.Lambda.IQueryOverLockBuilder NHibernate.IQueryOver.Lock() => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(NHibernate.Criterion.IProjection projection) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(NHibernate.Criterion.IProjection projection) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderByAlias(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderByAlias(System.Linq.Expressions.Expression> path) => throw null; - protected internal QueryOver(string entityName, System.Linq.Expressions.Expression> alias) => throw null; - protected internal QueryOver(string entityName) => throw null; - protected internal QueryOver(System.Linq.Expressions.Expression> alias) => throw null; - protected internal QueryOver(NHibernate.Impl.CriteriaImpl rootImpl, NHibernate.ICriteria criteria) => throw null; - protected internal QueryOver(NHibernate.Impl.CriteriaImpl impl) => throw null; - protected internal QueryOver() => throw null; - public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Right { get => throw null; } - NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Right { get => throw null; } - public NHibernate.Criterion.QueryOver Select(params System.Linq.Expressions.Expression>[] projections) => throw null; - public NHibernate.Criterion.QueryOver Select(params NHibernate.Criterion.IProjection[] projections) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Select(params System.Linq.Expressions.Expression>[] projections) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Select(params NHibernate.Criterion.IProjection[] projections) => throw null; - public NHibernate.Criterion.QueryOver SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(NHibernate.Criterion.IProjection projection) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(NHibernate.Criterion.IProjection projection) => throw null; - public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenByAlias(System.Linq.Expressions.Expression> path) => throw null; - NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenByAlias(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.QueryOver TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - public NHibernate.Criterion.QueryOver Where(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver Where(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver Where(NHibernate.Criterion.ICriterion expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Where(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Where(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Where(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.Criterion.QueryOver WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.QueryOver WhereNot(NHibernate.Criterion.ICriterion expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverSubqueryBuilder WithSubquery { get => throw null; } - NHibernate.Criterion.Lambda.IQueryOverSubqueryBuilder NHibernate.IQueryOver.WithSubquery { get => throw null; } - } - - // Generated from `NHibernate.Criterion.QueryOver<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class QueryOver : NHibernate.Criterion.QueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver - { - public S As() => throw null; - public NHibernate.Criterion.QueryOver CacheMode(NHibernate.CacheMode cacheMode) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.CacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.Criterion.QueryOver CacheRegion(string cacheRegion) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.CacheRegion(string cacheRegion) => throw null; - public NHibernate.Criterion.QueryOver Cacheable() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Cacheable() => throw null; - public NHibernate.Criterion.QueryOver ClearOrders() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.ClearOrders() => throw null; - public NHibernate.Criterion.QueryOver Clone() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Clone() => throw null; - protected internal NHibernate.Criterion.QueryOver Create(NHibernate.ICriteria criteria) => throw null; - NHibernate.IFutureEnumerable NHibernate.IQueryOver.Future() => throw null; - NHibernate.IFutureEnumerable NHibernate.IQueryOver.Future() => throw null; - NHibernate.IFutureValue NHibernate.IQueryOver.FutureValue() => throw null; - NHibernate.IFutureValue NHibernate.IQueryOver.FutureValue() => throw null; - public NHibernate.IQueryOver GetExecutableQueryOver(NHibernate.IStatelessSession session) => throw null; - public NHibernate.IQueryOver GetExecutableQueryOver(NHibernate.ISession session) => throw null; - System.Collections.Generic.IList NHibernate.IQueryOver.List() => throw null; - System.Collections.Generic.IList NHibernate.IQueryOver.List() => throw null; - System.Threading.Tasks.Task> NHibernate.IQueryOver.ListAsync(System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task> NHibernate.IQueryOver.ListAsync(System.Threading.CancellationToken cancellationToken) => throw null; - protected QueryOver() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.ReadOnly() => throw null; - int NHibernate.IQueryOver.RowCount() => throw null; - System.Threading.Tasks.Task NHibernate.IQueryOver.RowCountAsync(System.Threading.CancellationToken cancellationToken) => throw null; - System.Int64 NHibernate.IQueryOver.RowCountInt64() => throw null; - System.Threading.Tasks.Task NHibernate.IQueryOver.RowCountInt64Async(System.Threading.CancellationToken cancellationToken) => throw null; - U NHibernate.IQueryOver.SingleOrDefault() => throw null; - TRoot NHibernate.IQueryOver.SingleOrDefault() => throw null; - System.Threading.Tasks.Task NHibernate.IQueryOver.SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - System.Threading.Tasks.Task NHibernate.IQueryOver.SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Criterion.QueryOver Skip(int firstResult) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Skip(int firstResult) => throw null; - public NHibernate.Criterion.QueryOver Take(int maxResults) => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.Take(int maxResults) => throw null; - public NHibernate.Criterion.QueryOver ToRowCountInt64Query() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.ToRowCountInt64Query() => throw null; - public NHibernate.Criterion.QueryOver ToRowCountQuery() => throw null; - NHibernate.IQueryOver NHibernate.IQueryOver.ToRowCountQuery() => throw null; - } - - // Generated from `NHibernate.Criterion.QueryOverBuilderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class QueryOverBuilderExtensions - { - public static NHibernate.IQueryOver Asc(this NHibernate.Criterion.Lambda.IQueryOverOrderBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Asc(this NHibernate.Criterion.Lambda.QueryOverOrderBuilder builder) => throw null; - public static NHibernate.IQueryOver Default(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Default(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; - public static NHibernate.IQueryOver Desc(this NHibernate.Criterion.Lambda.IQueryOverOrderBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Desc(this NHibernate.Criterion.Lambda.QueryOverOrderBuilder builder) => throw null; - public static NHibernate.IQueryOver Eager(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Eager(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; - public static NHibernate.IQueryOver Force(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Force(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - public static NHibernate.IQueryOver IsEmpty(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver IsEmpty(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.IQueryOver IsNotEmpty(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver IsNotEmpty(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.IQueryOver IsNotNull(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver IsNotNull(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.IQueryOver IsNull(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver IsNull(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; - public static NHibernate.IQueryOver Lazy(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Lazy(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; - public static NHibernate.IQueryOver None(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver None(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - public static NHibernate.IQueryOver Read(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Read(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - public static NHibernate.IQueryOver Upgrade(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Upgrade(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - public static NHibernate.IQueryOver UpgradeNoWait(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver UpgradeNoWait(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - public static NHibernate.IQueryOver Write(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; - public static NHibernate.Criterion.QueryOver Write(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; - } - - // Generated from `NHibernate.Criterion.RestrictionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class RestrictionExtensions - { - public static NHibernate.Criterion.RestrictionExtensions.RestrictionBetweenBuilder IsBetween(this object projection, object lo) => throw null; - public static bool IsIn(this object projection, object[] values) => throw null; - public static bool IsIn(this object projection, System.Collections.ICollection values) => throw null; - public static bool IsInsensitiveLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static bool IsInsensitiveLike(this string projection, string comparison) => throw null; - public static bool IsLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode, System.Char? escapeChar) => throw null; - public static bool IsLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static bool IsLike(this string projection, string comparison) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsBetween(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsInArray(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsInCollection(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsInsensitiveLike(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsInsensitiveLikeMatchMode(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsLike(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsLikeMatchMode(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessIsLikeMatchModeEscapeChar(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; - // Generated from `NHibernate.Criterion.RestrictionExtensions+RestrictionBetweenBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RestrictionBetweenBuilder - { - public bool And(object hi) => throw null; - public RestrictionBetweenBuilder() => throw null; - } - - - } - - // Generated from `NHibernate.Criterion.Restrictions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Restrictions - { - public static NHibernate.Criterion.AbstractCriterion AllEq(System.Collections.IDictionary propertyNameValues) => throw null; - public static NHibernate.Criterion.AbstractCriterion And(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; - public static NHibernate.Criterion.AbstractCriterion Between(string propertyName, object lo, object hi) => throw null; - public static NHibernate.Criterion.AbstractCriterion Between(NHibernate.Criterion.IProjection projection, object lo, object hi) => throw null; - public static NHibernate.Criterion.Conjunction Conjunction() => throw null; - public static NHibernate.Criterion.Disjunction Disjunction() => throw null; - public static NHibernate.Criterion.SimpleExpression Eq(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Eq(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion EqProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion EqProperty(string propertyName, NHibernate.Criterion.IProjection rshProjection) => throw null; - public static NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.IProjection lshProjection, NHibernate.Criterion.IProjection rshProjection) => throw null; - public static NHibernate.Criterion.SimpleExpression Ge(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Ge(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.SimpleExpression Gt(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Gt(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.AbstractCriterion IdEq(object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion IdEq(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion In(string propertyName, object[] values) => throw null; - public static NHibernate.Criterion.AbstractCriterion In(string propertyName, System.Collections.ICollection values) => throw null; - public static NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.IProjection projection, object[] values) => throw null; - public static NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.IProjection projection, System.Collections.ICollection values) => throw null; - public static NHibernate.Criterion.AbstractCriterion InG(string propertyName, System.Collections.Generic.IEnumerable values) => throw null; - public static NHibernate.Criterion.AbstractCriterion InG(NHibernate.Criterion.IProjection projection, System.Collections.Generic.IEnumerable values) => throw null; - public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(string propertyName, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractEmptinessExpression IsEmpty(string propertyName) => throw null; - public static NHibernate.Criterion.AbstractEmptinessExpression IsNotEmpty(string propertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNotNull(string propertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNotNull(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNull(string propertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNull(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.SimpleExpression Le(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Le(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.SimpleExpression Like(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static NHibernate.Criterion.SimpleExpression Like(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Like(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public static NHibernate.Criterion.SimpleExpression Like(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion Like(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode, System.Char? escapeChar) => throw null; - public static NHibernate.Criterion.SimpleExpression Lt(string propertyName, object value) => throw null; - public static NHibernate.Criterion.SimpleExpression Lt(NHibernate.Criterion.IProjection projection, object value) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.NaturalIdentifier NaturalId() => throw null; - public static NHibernate.Criterion.AbstractCriterion Not(NHibernate.Criterion.ICriterion expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotEqProperty(string propertyName, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotEqProperty(string propertyName, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; - public static NHibernate.Criterion.Lambda.LambdaRestrictionBuilder On(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.Lambda.LambdaRestrictionBuilder On(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion Or(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; - internal Restrictions() => throw null; - public static NHibernate.Criterion.ICriterion Where(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.ICriterion Where(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.ICriterion WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.ICriterion WhereNot(System.Linq.Expressions.Expression> expression) => throw null; - } - - // Generated from `NHibernate.Criterion.RowCountInt64Projection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RowCountInt64Projection : NHibernate.Criterion.RowCountProjection - { - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public RowCountInt64Projection() => throw null; - } - - // Generated from `NHibernate.Criterion.RowCountProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RowCountProjection : NHibernate.Criterion.SimpleProjection - { - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - protected internal RowCountProjection() => throw null; - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.SQLCriterion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLCriterion : NHibernate.Criterion.AbstractCriterion - { - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public SQLCriterion(NHibernate.SqlCommand.SqlString sql, object[] values, NHibernate.Type.IType[] types) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.SQLProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLProjection : NHibernate.Criterion.IProjection - { - public string[] Aliases { get => throw null; } - public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(string alias, int loc) => throw null; - public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(int loc) => throw null; - public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria crit, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria crit, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public bool IsAggregate { get => throw null; } - public bool IsGrouped { get => throw null; } - public NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.SelectSubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectSubqueryExpression : NHibernate.Criterion.SubqueryExpression - { - internal SelectSubqueryExpression(NHibernate.Criterion.DetachedCriteria dc) : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) => throw null; - protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.SimpleExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SimpleExpression : NHibernate.Criterion.AbstractCriterion - { - public NHibernate.Engine.TypedValue GetParameterTypedValue(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Criterion.SimpleExpression IgnoreCase() => throw null; - protected virtual string Op { get => throw null; } - public string PropertyName { get => throw null; } - public SimpleExpression(string propertyName, object value, string op, bool ignoreCase) => throw null; - public SimpleExpression(string propertyName, object value, string op) => throw null; - protected internal SimpleExpression(NHibernate.Criterion.IProjection projection, object value, string op) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - public object Value { get => throw null; } - } - - // Generated from `NHibernate.Criterion.SimpleProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class SimpleProjection : NHibernate.Criterion.IProjection - { - public virtual string[] Aliases { get => throw null; } - public NHibernate.Criterion.IProjection As(string alias) => throw null; - public virtual string[] GetColumnAliases(string alias, int loc) => throw null; - public virtual string[] GetColumnAliases(int loc) => throw null; - public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public abstract NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - public abstract bool IsAggregate { get; } - public abstract bool IsGrouped { get; } - protected SimpleProjection() => throw null; - public abstract NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - public abstract NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery); - } - - // Generated from `NHibernate.Criterion.SimpleSubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SimpleSubqueryExpression : NHibernate.Criterion.SubqueryExpression - { - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - internal SimpleSubqueryExpression(object value, string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc) : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) => throw null; - protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.SqlFunctionProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlFunctionProjection : NHibernate.Criterion.SimpleProjection - { - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - public SqlFunctionProjection(string functionName, NHibernate.Type.IType returnType, params NHibernate.Criterion.IProjection[] args) => throw null; - public SqlFunctionProjection(string functionName, NHibernate.Criterion.IProjection returnTypeProjection, params NHibernate.Criterion.IProjection[] args) => throw null; - public SqlFunctionProjection(NHibernate.Dialect.Function.ISQLFunction function, NHibernate.Type.IType returnType, params NHibernate.Criterion.IProjection[] args) => throw null; - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - } - - // Generated from `NHibernate.Criterion.Subqueries` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Subqueries - { - public static NHibernate.Criterion.AbstractCriterion Eq(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion EqAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Exists(NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Ge(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion GeSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Gt(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion GtSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion In(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNotNull(NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion IsNull(NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Le(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion LeSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Lt(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion LtSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Ne(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotExists(NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion NotIn(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyEq(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyEqAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGeAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGeSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGt(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGtAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyGtSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyIn(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLeAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLeSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLt(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLtAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyLtSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyNe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion PropertyNotIn(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; - public static NHibernate.Criterion.AbstractCriterion Select(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public Subqueries() => throw null; - public static NHibernate.Criterion.AbstractCriterion Where(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion Where(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereAll(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereAll(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereNotExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; - public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereSome(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion WhereSome(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereValue(object value) => throw null; - } - - // Generated from `NHibernate.Criterion.SubqueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class SubqueryExpression : NHibernate.Criterion.AbstractCriterion - { - public NHibernate.ICriteria Criteria { get => throw null; } - public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public NHibernate.Type.IType[] GetTypes() => throw null; - protected SubqueryExpression(string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc, bool prefixOp) => throw null; - protected SubqueryExpression(string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc) => throw null; - protected abstract NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery); - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Criterion.SubqueryProjection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubqueryProjection : NHibernate.Criterion.SimpleProjection - { - public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override bool IsAggregate { get => throw null; } - public override bool IsGrouped { get => throw null; } - protected internal SubqueryProjection(NHibernate.Criterion.SelectSubqueryExpression subquery) => throw null; - public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; - public override string ToString() => throw null; - } - - namespace Lambda - { - // Generated from `NHibernate.Criterion.Lambda.IQueryOverFetchBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverFetchBuilder : NHibernate.Criterion.Lambda.QueryOverFetchBuilderBase, TRoot, TSubType> - { - public IQueryOverFetchBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverJoinBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverJoinBuilder : NHibernate.Criterion.Lambda.QueryOverJoinBuilderBase, TRoot, TSubType> - { - public IQueryOverJoinBuilder(NHibernate.IQueryOver root, NHibernate.SqlCommand.JoinType joinType) : base(default(NHibernate.IQueryOver), default(NHibernate.SqlCommand.JoinType)) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverLockBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverLockBuilder : NHibernate.Criterion.Lambda.QueryOverLockBuilderBase, TRoot, TSubType> - { - public IQueryOverLockBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> alias) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverOrderBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverOrderBuilder : NHibernate.Criterion.Lambda.QueryOverOrderBuilderBase, TRoot, TSubType> - { - public IQueryOverOrderBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path, bool isAlias) : base(default(NHibernate.IQueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - public IQueryOverOrderBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.IQueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - public IQueryOverOrderBuilder(NHibernate.IQueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.IQueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverRestrictionBuilder : NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase, TRoot, TSubType> - { - public IQueryOverRestrictionBuilder(NHibernate.IQueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.IQueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - public NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder Not { get => throw null; } - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverSubqueryBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverSubqueryBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryBuilderBase, TRoot, TSubType, NHibernate.Criterion.Lambda.IQueryOverSubqueryPropertyBuilder> - { - public IQueryOverSubqueryBuilder(NHibernate.IQueryOver root) : base(default(NHibernate.IQueryOver)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.IQueryOverSubqueryPropertyBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IQueryOverSubqueryPropertyBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, TRoot, TSubType> - { - public IQueryOverSubqueryPropertyBuilder() => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.LambdaNaturalIdentifierBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LambdaNaturalIdentifierBuilder - { - public NHibernate.Criterion.NaturalIdentifier Is(object value) => throw null; - public LambdaNaturalIdentifierBuilder(NHibernate.Criterion.NaturalIdentifier naturalIdentifier, string propertyName) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.LambdaRestrictionBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LambdaRestrictionBuilder - { - public NHibernate.Criterion.Lambda.LambdaRestrictionBuilder.LambdaBetweenBuilder IsBetween(object lo) => throw null; - public NHibernate.Criterion.AbstractCriterion IsEmpty { get => throw null; } - public NHibernate.Criterion.AbstractCriterion IsIn(object[] values) => throw null; - public NHibernate.Criterion.AbstractCriterion IsIn(System.Collections.ICollection values) => throw null; - public NHibernate.Criterion.AbstractCriterion IsInG(System.Collections.Generic.IEnumerable values) => throw null; - public NHibernate.Criterion.AbstractCriterion IsInsensitiveLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public NHibernate.Criterion.AbstractCriterion IsInsensitiveLike(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion IsLike(string value, NHibernate.Criterion.MatchMode matchMode, System.Char? escapeChar) => throw null; - public NHibernate.Criterion.AbstractCriterion IsLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public NHibernate.Criterion.AbstractCriterion IsLike(object value) => throw null; - public NHibernate.Criterion.AbstractCriterion IsNotEmpty { get => throw null; } - public NHibernate.Criterion.AbstractCriterion IsNotNull { get => throw null; } - public NHibernate.Criterion.AbstractCriterion IsNull { get => throw null; } - // Generated from `NHibernate.Criterion.Lambda.LambdaRestrictionBuilder+LambdaBetweenBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LambdaBetweenBuilder - { - public NHibernate.Criterion.AbstractCriterion And(object hi) => throw null; - public LambdaBetweenBuilder(NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection, object lo, bool isNot) => throw null; - } - - - public LambdaRestrictionBuilder(NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; - public NHibernate.Criterion.Lambda.LambdaRestrictionBuilder Not { get => throw null; } - } - - // Generated from `NHibernate.Criterion.Lambda.LambdaSubqueryBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LambdaSubqueryBuilder - { - public NHibernate.Criterion.AbstractCriterion Eq(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion EqAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion Ge(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion GeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion GeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion Gt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion GtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion GtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public LambdaSubqueryBuilder(string propertyName, object value) => throw null; - public NHibernate.Criterion.AbstractCriterion Le(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion LeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion LeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion Lt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion LtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion LtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion Ne(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public NHibernate.Criterion.AbstractCriterion NotIn(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverFetchBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverFetchBuilder : NHibernate.Criterion.Lambda.QueryOverFetchBuilderBase, TRoot, TSubType> - { - public QueryOverFetchBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverFetchBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverFetchBuilderBase where TReturn : NHibernate.IQueryOver - { - public TReturn Default { get => throw null; } - public TReturn Eager { get => throw null; } - public TReturn Lazy { get => throw null; } - protected QueryOverFetchBuilderBase(TReturn root, System.Linq.Expressions.Expression> path) => throw null; - protected string path; - protected TReturn root; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverJoinBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverJoinBuilder : NHibernate.Criterion.Lambda.QueryOverJoinBuilderBase, TRoot, TSubType> - { - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; - public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; - public QueryOverJoinBuilder(NHibernate.Criterion.QueryOver root, NHibernate.SqlCommand.JoinType joinType) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.SqlCommand.JoinType)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverJoinBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverJoinBuilderBase where TReturn : NHibernate.IQueryOver - { - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; - public QueryOverJoinBuilderBase(TReturn root, NHibernate.SqlCommand.JoinType joinType) => throw null; - protected NHibernate.SqlCommand.JoinType joinType; - protected TReturn root; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverLockBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverLockBuilder : NHibernate.Criterion.Lambda.QueryOverLockBuilderBase, TRoot, TSubType> - { - public QueryOverLockBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> alias) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverLockBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverLockBuilderBase where TReturn : NHibernate.IQueryOver - { - public TReturn Force { get => throw null; } - public TReturn None { get => throw null; } - protected QueryOverLockBuilderBase(TReturn root, System.Linq.Expressions.Expression> alias) => throw null; - public TReturn Read { get => throw null; } - public TReturn Upgrade { get => throw null; } - public TReturn UpgradeNoWait { get => throw null; } - public TReturn Write { get => throw null; } - protected string alias; - protected TReturn root; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverOrderBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverOrderBuilder : NHibernate.Criterion.Lambda.QueryOverOrderBuilderBase, TRoot, TSubType> - { - public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path, bool isAlias) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverOrderBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverOrderBuilderBase where TReturn : NHibernate.IQueryOver - { - public TReturn Asc { get => throw null; } - public TReturn Desc { get => throw null; } - protected QueryOverOrderBuilderBase(TReturn root, System.Linq.Expressions.Expression> path, bool isAlias) => throw null; - protected QueryOverOrderBuilderBase(TReturn root, System.Linq.Expressions.Expression> path) => throw null; - protected QueryOverOrderBuilderBase(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; - protected bool isAlias; - protected System.Linq.Expressions.LambdaExpression path; - protected NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection; - protected TReturn root; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverProjectionBuilder<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverProjectionBuilder - { - public QueryOverProjectionBuilder() => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(NHibernate.Criterion.IProjection projection) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectAvg(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectAvg(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCount(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCount(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCountDistinct(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCountDistinct(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectGroup(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectGroup(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMax(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMax(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMin(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMin(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSubQuery(NHibernate.Criterion.QueryOver detachedQueryOver) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSum(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSum(System.Linq.Expressions.Expression> expression) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder WithAlias(string alias) => throw null; - public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder WithAlias(System.Linq.Expressions.Expression> alias) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverRestrictionBuilder : NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase, TRoot, TSubType> - { - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder Not { get => throw null; } - public QueryOverRestrictionBuilder(NHibernate.Criterion.QueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverRestrictionBuilderBase where TReturn : NHibernate.IQueryOver - { - public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase.LambdaBetweenBuilder IsBetween(object lo) => throw null; - public TReturn IsEmpty { get => throw null; } - public TReturn IsIn(object[] values) => throw null; - public TReturn IsIn(System.Collections.ICollection values) => throw null; - public TReturn IsInG(System.Collections.Generic.IEnumerable values) => throw null; - public TReturn IsInsensitiveLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public TReturn IsInsensitiveLike(object value) => throw null; - public TReturn IsLike(string value, NHibernate.Criterion.MatchMode matchMode, System.Char? escapeChar) => throw null; - public TReturn IsLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; - public TReturn IsLike(object value) => throw null; - public TReturn IsNotEmpty { get => throw null; } - public TReturn IsNotNull { get => throw null; } - public TReturn IsNull { get => throw null; } - // Generated from `NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase<,,>+LambdaBetweenBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LambdaBetweenBuilder - { - public TReturn And(object hi) => throw null; - public LambdaBetweenBuilder(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection, bool isNot, object lo) => throw null; - } - - - public QueryOverRestrictionBuilderBase(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; - protected bool isNot; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverSubqueryBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverSubqueryBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryBuilderBase, TRoot, TSubType, NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilder> - { - public QueryOverSubqueryBuilder(NHibernate.Criterion.QueryOver root) : base(default(NHibernate.Criterion.QueryOver)) => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverSubqueryBuilderBase<,,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverSubqueryBuilderBase where TBuilderType : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, new() where TReturn : NHibernate.IQueryOver - { - protected QueryOverSubqueryBuilderBase(TReturn root) => throw null; - public TReturn Where(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn Where(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn WhereAll(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn WhereAll(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn WhereExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; - public TReturn WhereNotExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; - public TBuilderType WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; - public TBuilderType WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn WhereSome(System.Linq.Expressions.Expression> expression) => throw null; - public TReturn WhereSome(System.Linq.Expressions.Expression> expression) => throw null; - public TBuilderType WhereValue(object value) => throw null; - protected TReturn root; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverSubqueryPropertyBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, TRoot, TSubType> - { - public QueryOverSubqueryPropertyBuilder() => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class QueryOverSubqueryPropertyBuilderBase - { - protected QueryOverSubqueryPropertyBuilderBase() => throw null; - } - - // Generated from `NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryOverSubqueryPropertyBuilderBase : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase where TReturn : NHibernate.IQueryOver - { - public TReturn Eq(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn EqAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn Ge(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn GeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn GeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn Gt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn GtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn GtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn In(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn Le(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn LeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn LeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn Lt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn LtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn LtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn Ne(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - public TReturn NotIn(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; - protected QueryOverSubqueryPropertyBuilderBase() => throw null; - protected string path; - protected TReturn root; - protected object value; - } - - } - } - namespace DebugHelpers - { - // Generated from `NHibernate.DebugHelpers.CollectionProxy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionProxy - { - public CollectionProxy(System.Collections.ICollection dic) => throw null; - public object[] Items { get => throw null; } - } - - // Generated from `NHibernate.DebugHelpers.CollectionProxy<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionProxy - { - public CollectionProxy(System.Collections.Generic.ICollection dic) => throw null; - public T[] Items { get => throw null; } - } - - // Generated from `NHibernate.DebugHelpers.DictionaryProxy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryProxy - { - public DictionaryProxy(System.Collections.IDictionary dic) => throw null; - public System.Collections.DictionaryEntry[] Items { get => throw null; } - } - - // Generated from `NHibernate.DebugHelpers.DictionaryProxy<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryProxy - { - public DictionaryProxy(System.Collections.Generic.IDictionary dic) => throw null; - public System.Collections.Generic.KeyValuePair[] Items { get => throw null; } - } - - } - namespace Dialect - { - // Generated from `NHibernate.Dialect.AnsiSqlKeywords` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnsiSqlKeywords - { - public AnsiSqlKeywords() => throw null; - public static System.Collections.Generic.IReadOnlyCollection Sql2003; - } - - // Generated from `NHibernate.Dialect.BitwiseFunctionOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BitwiseFunctionOperation : NHibernate.Dialect.Function.BitwiseFunctionOperation - { - public BitwiseFunctionOperation(string functionName) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Dialect.BitwiseNativeOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BitwiseNativeOperation : NHibernate.Dialect.Function.BitwiseNativeOperation - { - public BitwiseNativeOperation(string sqlOpToken, bool isNot) : base(default(string)) => throw null; - public BitwiseNativeOperation(string sqlOpToken) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Dialect.DB2400Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2400Dialect : NHibernate.Dialect.DB2Dialect - { - public DB2400Dialect() => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string IdentitySelectString { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public override bool UseMaxForLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.DB2Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2Dialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public DB2Dialect() => throw null; - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override string ForUpdateString { get => throw null; } - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentityInsertString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override bool SupportsCrossJoin { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExistsInSelect { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLobValueChangePropogation { get => throw null; } - public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override bool UseMaxForLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Dialect - { - public virtual string AddColumnString { get => throw null; } - public virtual string AddColumnSuffixString { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; - public virtual NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName) => throw null; - public virtual NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; - public virtual string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; - public virtual NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; - public virtual bool AreStringComparisonsCaseInsensitive { get => throw null; } - public virtual NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter() => throw null; - public virtual string CascadeConstraintsString { get => throw null; } - public virtual System.Char CloseQuote { get => throw null; } - public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public virtual string ConvertQuotesForAliasName(string aliasName) => throw null; - public virtual string ConvertQuotesForCatalogName(string catalogName) => throw null; - public virtual string ConvertQuotesForColumnName(string columnName) => throw null; - public virtual string ConvertQuotesForSchemaName(string schemaName) => throw null; - public virtual string ConvertQuotesForTableName(string tableName) => throw null; - public virtual NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; - public virtual string CreateMultisetTableString { get => throw null; } - public virtual NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; - public virtual string CreateTableString { get => throw null; } - public virtual string CreateTemporaryTablePostfix { get => throw null; } - public virtual string CreateTemporaryTableString { get => throw null; } - public virtual string CurrentTimestampSQLFunctionName { get => throw null; } - public virtual string CurrentTimestampSelectString { get => throw null; } - public virtual string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public virtual string CurrentUtcTimestampSelectString { get => throw null; } - protected const string DefaultBatchSize = default; - public int DefaultCastLength { get => throw null; set => throw null; } - public System.Byte DefaultCastPrecision { get => throw null; set => throw null; } - public System.Byte DefaultCastScale { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary DefaultProperties { get => throw null; } - protected Dialect() => throw null; - public virtual string DisableForeignKeyConstraintsString { get => throw null; } - public virtual bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public virtual bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public virtual bool DropConstraints { get => throw null; } - public virtual string DropForeignKeyString { get => throw null; } - public virtual bool DropTemporaryTableAfterUse() => throw null; - public virtual string EnableForeignKeyConstraintsString { get => throw null; } - public virtual string ForUpdateNowaitString { get => throw null; } - public virtual bool ForUpdateOfColumns { get => throw null; } - public virtual string ForUpdateString { get => throw null; } - public virtual System.Collections.Generic.IDictionary Functions { get => throw null; } - public virtual bool GenerateTablePrimaryKeyConstraintForIdentityColumn { get => throw null; } - public virtual string GenerateTemporaryTableName(string baseTableName) => throw null; - public virtual string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; - public virtual string GetAddPrimaryKeyConstraintString(string constraintName) => throw null; - public virtual string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected virtual string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, NHibernate.Dialect.TypeNames castTypeNames) => throw null; - public virtual string GetColumnComment(string comment) => throw null; - public virtual string GetCreateSequenceString(string sequenceName) => throw null; - protected virtual string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; - public virtual string[] GetCreateSequenceStrings(string sequenceName, int initialValue, int incrementSize) => throw null; - public virtual NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public static NHibernate.Dialect.Dialect GetDialect(System.Collections.Generic.IDictionary props) => throw null; - public static NHibernate.Dialect.Dialect GetDialect() => throw null; - public virtual string GetDropForeignKeyConstraintString(string constraintName) => throw null; - public virtual string GetDropIndexConstraintString(string constraintName) => throw null; - public virtual string GetDropPrimaryKeyConstraintString(string constraintName) => throw null; - public virtual string GetDropSequenceString(string sequenceName) => throw null; - public virtual string[] GetDropSequenceStrings(string sequenceName) => throw null; - public virtual string GetDropTableString(string tableName) => throw null; - public virtual string GetForUpdateNowaitString(string aliases) => throw null; - public virtual string GetForUpdateString(string aliases) => throw null; - public virtual string GetForUpdateString(NHibernate.LockMode lockMode) => throw null; - public virtual string GetIdentityColumnString(System.Data.DbType type) => throw null; - public virtual string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; - public virtual string GetIfExistsDropConstraint(string catalog, string schema, string table, string name) => throw null; - public virtual string GetIfExistsDropConstraint(NHibernate.Mapping.Table table, string name) => throw null; - public virtual string GetIfExistsDropConstraintEnd(string catalog, string schema, string table, string name) => throw null; - public virtual string GetIfExistsDropConstraintEnd(NHibernate.Mapping.Table table, string name) => throw null; - public virtual string GetIfNotExistsCreateConstraint(string catalog, string schema, string table, string name) => throw null; - public virtual string GetIfNotExistsCreateConstraint(NHibernate.Mapping.Table table, string name) => throw null; - public virtual string GetIfNotExistsCreateConstraintEnd(string catalog, string schema, string table, string name) => throw null; - public virtual string GetIfNotExistsCreateConstraintEnd(NHibernate.Mapping.Table table, string name) => throw null; - public virtual NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, int? offset, int? limit, NHibernate.SqlCommand.Parameter offsetParameter, NHibernate.SqlCommand.Parameter limitParameter) => throw null; - public int GetLimitValue(int offset, int limit) => throw null; - public virtual NHibernate.Dialect.Lock.ILockingStrategy GetLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; - public virtual string GetLongestTypeName(System.Data.DbType dbType) => throw null; - public int GetOffsetValue(int offset) => throw null; - public virtual System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; - public virtual System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public virtual string GetSelectSequenceNextValString(string sequenceName) => throw null; - public virtual string GetSequenceNextValString(string sequenceName) => throw null; - public virtual string GetTableComment(string comment) => throw null; - public virtual string GetTypeName(NHibernate.SqlTypes.SqlType sqlType, int length, int precision, int scale) => throw null; - public virtual string GetTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public virtual bool HasDataTypeInIdentityColumn { get => throw null; } - public virtual bool HasSelfReferentialForeignKeyBug { get => throw null; } - public virtual string IdentityColumnString { get => throw null; } - public virtual string IdentityInsertString { get => throw null; } - public virtual string IdentitySelectString { get => throw null; } - public virtual System.Type IdentityStyleIdentifierGeneratorClass { get => throw null; } - public virtual NHibernate.Dialect.InsertGeneratedIdentifierRetrievalMethod InsertGeneratedIdentifierRetrievalMethod { get => throw null; } - public virtual bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public bool IsKeyword(string str) => throw null; - public virtual bool IsKnownToken(string currentToken, string nextToken) => throw null; - public virtual bool IsQuoted(string name) => throw null; - public System.Collections.Generic.HashSet Keywords { get => throw null; } - public virtual string LowercaseFunction { get => throw null; } - public virtual int MaxAliasLength { get => throw null; } - public virtual int? MaxNumberOfParameters { get => throw null; } - public virtual System.Type NativeIdentifierGeneratorClass { get => throw null; } - protected const string NoBatch = default; - public virtual string NoColumnsInsertString { get => throw null; } - public virtual string NullColumnString { get => throw null; } - public virtual bool OffsetStartsAtOne { get => throw null; } - public virtual System.Char OpenQuote { get => throw null; } - public virtual NHibernate.SqlTypes.SqlType OverrideSqlType(NHibernate.SqlTypes.SqlType type) => throw null; - public virtual bool? PerformTemporaryTableDDLInIsolation() => throw null; - public const string PossibleClosedQuoteChars = default; - public const string PossibleQuoteChars = default; - public virtual string PrimaryKeyString { get => throw null; } - public virtual string Qualify(string catalog, string schema, string name) => throw null; - public virtual bool QualifyIndexName { get => throw null; } - public virtual string QuerySequencesString { get => throw null; } - protected virtual string Quote(string name) => throw null; - public virtual string QuoteForAliasName(string aliasName) => throw null; - public virtual string QuoteForCatalogName(string catalogName) => throw null; - public virtual string QuoteForColumnName(string columnName) => throw null; - public virtual string QuoteForSchemaName(string schemaName) => throw null; - public virtual string QuoteForTableName(string tableName) => throw null; - // Generated from `NHibernate.Dialect.Dialect+QuotedAndParenthesisStringTokenizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuotedAndParenthesisStringTokenizer : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - public System.Collections.IEnumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public System.Collections.Generic.IList GetTokens() => throw null; - public QuotedAndParenthesisStringTokenizer(NHibernate.SqlCommand.SqlString original) => throw null; - // Generated from `NHibernate.Dialect.Dialect+QuotedAndParenthesisStringTokenizer+TokenizerState` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum TokenizerState - { - InParenthesis, - Quoted, - Token, - WhiteSpace, - } - - - } - - - protected void RegisterColumnType(System.Data.DbType code, string name) => throw null; - protected void RegisterColumnType(System.Data.DbType code, int capacity, string name) => throw null; - protected void RegisterFunction(string name, NHibernate.Dialect.Function.ISQLFunction function) => throw null; - protected void RegisterKeyword(string word) => throw null; - protected internal void RegisterKeywords(params string[] keywords) => throw null; - protected internal void RegisterKeywords(System.Collections.Generic.IEnumerable keywords) => throw null; - public virtual int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; - public virtual bool ReplaceResultVariableInOrderByClauseWithPosition { get => throw null; } - public virtual string SelectGUIDString { get => throw null; } - public virtual System.Char StatementTerminator { get => throw null; } - public virtual bool SupportsBindAsCallableArgument { get => throw null; } - public virtual bool SupportsCascadeDelete { get => throw null; } - public virtual bool SupportsCircularCascadeDeleteConstraints { get => throw null; } - public virtual bool SupportsColumnCheck { get => throw null; } - public virtual bool SupportsCommentOn { get => throw null; } - public virtual bool SupportsConcurrentWritingConnections { get => throw null; } - public virtual bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } - public virtual bool SupportsCrossJoin { get => throw null; } - public virtual bool SupportsCurrentTimestampSelection { get => throw null; } - public virtual bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public virtual bool SupportsDateTimeScale { get => throw null; } - public virtual bool SupportsDistributedTransactions { get => throw null; } - public virtual bool SupportsEmptyInList { get => throw null; } - public virtual bool SupportsExistsInSelect { get => throw null; } - public virtual bool SupportsExpectedLobUsagePattern { get => throw null; } - public virtual bool SupportsForUpdateOf { get => throw null; } - public virtual bool SupportsForeignKeyConstraintInAlterTable { get => throw null; } - public virtual bool SupportsHavingOnGroupedByComputation { get => throw null; } - public virtual bool SupportsIdentityColumns { get => throw null; } - public virtual bool SupportsIfExistsAfterTableName { get => throw null; } - public virtual bool SupportsIfExistsBeforeTableName { get => throw null; } - public virtual bool SupportsInsertSelectIdentity { get => throw null; } - public virtual bool SupportsLimit { get => throw null; } - public virtual bool SupportsLimitOffset { get => throw null; } - public virtual bool SupportsLobValueChangePropogation { get => throw null; } - public virtual bool SupportsNotNullUnique { get => throw null; } - public virtual bool SupportsNullInUnique { get => throw null; } - public virtual bool SupportsOuterJoinForUpdate { get => throw null; } - public virtual bool SupportsParametersInInsertSelect { get => throw null; } - public virtual bool SupportsPooledSequences { get => throw null; } - public virtual bool SupportsPoolingParameter { get => throw null; } - public virtual bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } - public virtual bool SupportsRowValueConstructorSyntax { get => throw null; } - public virtual bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } - public virtual bool SupportsScalarSubSelects { get => throw null; } - public virtual bool SupportsSequences { get => throw null; } - public virtual bool SupportsSqlBatches { get => throw null; } - public virtual bool SupportsSubSelects { get => throw null; } - public virtual bool SupportsSubSelectsWithPagingAsInPredicateRhs { get => throw null; } - public virtual bool SupportsSubqueryOnMutatingTable { get => throw null; } - public virtual bool SupportsSubselectAsInPredicateLHS { get => throw null; } - public virtual bool SupportsTableCheck { get => throw null; } - public virtual bool SupportsTemporaryTables { get => throw null; } - public virtual bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } - public virtual bool SupportsUnionAll { get => throw null; } - public virtual bool SupportsUnique { get => throw null; } - public virtual bool SupportsUniqueConstraintInCreateAlterTable { get => throw null; } - public virtual bool SupportsVariableLimit { get => throw null; } - public virtual string TableTypeString { get => throw null; } - public virtual System.Int64 TimestampResolutionInTicks { get => throw null; } - public virtual string ToBooleanValueString(bool value) => throw null; - public virtual bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, out string typeName) => throw null; - protected virtual bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, NHibernate.Dialect.TypeNames castTypeNames, out string typeName) => throw null; - public virtual string[] UnQuote(string[] quoted) => throw null; - public virtual string UnQuote(string quoted) => throw null; - public virtual bool UseInputStreamToInsertBlob { get => throw null; } - public virtual bool UseMaxForLimit { get => throw null; } - public virtual bool UsesColumnsWithForUpdateOf { get => throw null; } - public virtual NHibernate.Exceptions.IViolatedConstraintNameExtracter ViolatedConstraintNameExtracter { get => throw null; } - } - - // Generated from `NHibernate.Dialect.FirebirdDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; - public override string CreateTemporaryTableString { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override bool DropTemporaryTableAfterUse() => throw null; - public FirebirdDialect() => throw null; - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override int MaxAliasLength { get => throw null; } - public override bool? PerformTemporaryTableDDLInIsolation() => throw null; - public override string QuerySequencesString { get => throw null; } - protected virtual void RegisterColumnTypes() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.GenericDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public GenericDialect() => throw null; - } - - // Generated from `NHibernate.Dialect.HanaColumnStoreDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaColumnStoreDialect : NHibernate.Dialect.HanaDialectBase - { - public override string CreateTableString { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public HanaColumnStoreDialect() => throw null; - } - - // Generated from `NHibernate.Dialect.HanaDialectBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HanaDialectBase : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override string AddColumnSuffixString { get => throw null; } - public override string CascadeConstraintsString { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSelectString { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override string ForUpdateNowaitString { get => throw null; } - public override string GenerateTemporaryTableName(string baseTableName) => throw null; - public override string GetColumnComment(string comment) => throw null; - public override string GetCreateSequenceString(string sequenceName) => throw null; - protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override string GetForUpdateNowaitString(string aliases) => throw null; - public override string GetForUpdateString(string aliases) => throw null; - public override string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override string GetTableComment(string comment) => throw null; - protected HanaDialectBase() => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override bool? PerformTemporaryTableDDLInIsolation() => throw null; - public override bool QualifyIndexName { get => throw null; } - public override string QuerySequencesString { get => throw null; } - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterHANAFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - protected virtual void RegisterNHibernateFunctions() => throw null; - public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsColumnCheck { get => throw null; } - public override bool SupportsCommentOn { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExistsInSelect { get => throw null; } - public override bool SupportsExpectedLobUsagePattern { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsRowValueConstructorSyntax { get => throw null; } - public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override string ToBooleanValueString(bool value) => throw null; - public override bool UsesColumnsWithForUpdateOf { get => throw null; } - } - - // Generated from `NHibernate.Dialect.HanaRowStoreDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaRowStoreDialect : NHibernate.Dialect.HanaDialectBase - { - public override string CreateTableString { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public HanaRowStoreDialect() => throw null; - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsOuterJoinForUpdate { get => throw null; } - } - - // Generated from `NHibernate.Dialect.IfxViolatedConstraintExtracter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IfxViolatedConstraintExtracter : NHibernate.Exceptions.TemplatedViolatedConstraintNameExtracter - { - public override string ExtractConstraintName(System.Data.Common.DbException sqle) => throw null; - public IfxViolatedConstraintExtracter() => throw null; - } - - // Generated from `NHibernate.Dialect.InformixDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InformixDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter() => throw null; - public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; - public override string CreateTemporaryTablePostfix { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override bool ForUpdateOfColumns { get => throw null; } - public override string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; - public override string GetForUpdateString(string aliases) => throw null; - public override string GetIdentityColumnString(System.Data.DbType type) => throw null; - public override string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; - public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool HasDataTypeInIdentityColumn { get => throw null; } - public override string IdentityColumnString { get => throw null; } - public override string IdentityInsertString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public InformixDialect() => throw null; - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override bool? PerformTemporaryTableDDLInIsolation() => throw null; - public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsOuterJoinForUpdate { get => throw null; } - public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override string ToBooleanValueString(bool value) => throw null; - public override NHibernate.Exceptions.IViolatedConstraintNameExtracter ViolatedConstraintNameExtracter { get => throw null; } - } - - // Generated from `NHibernate.Dialect.InformixDialect0940` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InformixDialect0940 : NHibernate.Dialect.InformixDialect - { - public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public InformixDialect0940() => throw null; - public override int MaxAliasLength { get => throw null; } - public override string QuerySequencesString { get => throw null; } - public override bool SupportsCrossJoin { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - } - - // Generated from `NHibernate.Dialect.InformixDialect1000` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InformixDialect1000 : NHibernate.Dialect.InformixDialect0940 - { - public InformixDialect1000() => throw null; - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Ingres9Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Ingres9Dialect : NHibernate.Dialect.IngresDialect - { - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override System.Type IdentityStyleIdentifierGeneratorClass { get => throw null; } - public Ingres9Dialect() => throw null; - public override System.Type NativeIdentifierGeneratorClass { get => throw null; } - public override string QuerySequencesString { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.IngresDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IngresDialect : NHibernate.Dialect.Dialect - { - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public IngresDialect() => throw null; - public override int MaxAliasLength { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExpectedLobUsagePattern { get => throw null; } - public override bool SupportsSubselectAsInPredicateLHS { get => throw null; } - } - - // Generated from `NHibernate.Dialect.InsertGeneratedIdentifierRetrievalMethod` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum InsertGeneratedIdentifierRetrievalMethod - { - OutputParameter, - ReturnValueParameter, - } - - // Generated from `NHibernate.Dialect.MsSql2000Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSql2000Dialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; - public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; - public override NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; - public override bool AreStringComparisonsCaseInsensitive { get => throw null; } - public override System.Char CloseQuote { get => throw null; } - // Generated from `NHibernate.Dialect.MsSql2000Dialect+CountBigQueryFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class CountBigQueryFunction : NHibernate.Dialect.Function.ClassicAggregateFunction - { - public CountBigQueryFunction() : base(default(string), default(bool)) => throw null; - } - - - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSelectString { get => throw null; } - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override bool DropTemporaryTableAfterUse() => throw null; - public override string ForUpdateString { get => throw null; } - public override string GenerateTemporaryTableName(string baseTableName) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropTableString(string tableName) => throw null; - public override string GetIfExistsDropConstraint(string catalog, string schema, string tableName, string name) => throw null; - public override string GetIfNotExistsCreateConstraint(string catalog, string schema, string table, string name) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - protected virtual string GetSelectExistingObject(string name, NHibernate.Mapping.Table table) => throw null; - protected virtual string GetSelectExistingObject(string catalog, string schema, string table, string name) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override bool IsKnownToken(string currentToken, string nextToken) => throw null; - // Generated from `NHibernate.Dialect.MsSql2000Dialect+LockHintAppender` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct LockHintAppender - { - public NHibernate.SqlCommand.SqlString AppendLockHint(NHibernate.SqlCommand.SqlString sql) => throw null; - public LockHintAppender(NHibernate.Dialect.MsSql2000Dialect dialect, System.Collections.Generic.IDictionary aliasedLockModes) => throw null; - // Stub generator skipped constructor - } - - - public override int MaxAliasLength { get => throw null; } - public const System.Byte MaxDateTime2 = default; - public const System.Byte MaxDateTimeOffset = default; - public override int? MaxNumberOfParameters { get => throw null; } - public const int MaxSizeForAnsiClob = default; - public const int MaxSizeForBlob = default; - public const int MaxSizeForClob = default; - public const int MaxSizeForLengthLimitedAnsiString = default; - public const int MaxSizeForLengthLimitedBinary = default; - public const int MaxSizeForLengthLimitedString = default; - public MsSql2000Dialect() => throw null; - protected bool NeedsLockHint(NHibernate.LockMode lockMode) => throw null; - public override string NoColumnsInsertString { get => throw null; } - public override string NullColumnString { get => throw null; } - public override System.Char OpenQuote { get => throw null; } - public override string Qualify(string catalog, string schema, string name) => throw null; - public override bool QualifyIndexName { get => throw null; } - protected override string Quote(string name) => throw null; - protected virtual void RegisterCharacterTypeMappings() => throw null; - protected virtual void RegisterDateTimeTypeMappings() => throw null; - protected virtual void RegisterDefaultProperties() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterGuidTypeMapping() => throw null; - protected virtual void RegisterKeywords() => throw null; - protected virtual void RegisterLargeObjectTypeMappings() => throw null; - protected virtual void RegisterNumericTypeMappings() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCircularCascadeDeleteConstraints { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsLobValueChangePropogation { get => throw null; } - public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } - public override bool SupportsSqlBatches { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override string UnQuote(string quoted) => throw null; - public override bool UseMaxForLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSql2005Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSql2005Dialect : NHibernate.Dialect.MsSql2000Dialect - { - public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - protected override string GetSelectExistingObject(string catalog, string schema, string table, string name) => throw null; - public override int MaxAliasLength { get => throw null; } - public const int MaxSizeForXml = default; - public MsSql2005Dialect() => throw null; - protected override void RegisterCharacterTypeMappings() => throw null; - protected override void RegisterKeywords() => throw null; - protected override void RegisterLargeObjectTypeMappings() => throw null; - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public override bool UseMaxForLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSql2008Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSql2008Dialect : NHibernate.Dialect.MsSql2005Dialect - { - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - protected bool KeepDateTime { get => throw null; set => throw null; } - public MsSql2008Dialect() => throw null; - public override NHibernate.SqlTypes.SqlType OverrideSqlType(NHibernate.SqlTypes.SqlType type) => throw null; - protected override void RegisterDateTimeTypeMappings() => throw null; - protected override void RegisterDefaultProperties() => throw null; - protected override void RegisterFunctions() => throw null; - protected override void RegisterKeywords() => throw null; - public override bool SupportsDateTimeScale { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSql2012Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSql2012Dialect : NHibernate.Dialect.MsSql2008Dialect - { - public override string GetCreateSequenceString(string sequenceName) => throw null; - protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public MsSql2012Dialect() => throw null; - public override string QuerySequencesString { get => throw null; } - protected override void RegisterFunctions() => throw null; - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSql7Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSql7Dialect : NHibernate.Dialect.MsSql2000Dialect - { - public override string IdentitySelectString { get => throw null; } - public MsSql7Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.MsSqlAzure2008Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlAzure2008Dialect : NHibernate.Dialect.MsSql2008Dialect - { - public MsSqlAzure2008Dialect() => throw null; - public override string PrimaryKeyString { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSqlCe40Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCe40Dialect : NHibernate.Dialect.MsSqlCeDialect - { - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public MsSqlCe40Dialect() => throw null; - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MsSqlCeDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override string ForUpdateString { get => throw null; } - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public MsSqlCeDialect() => throw null; - public override System.Type NativeIdentifierGeneratorClass { get => throw null; } - public override string NullColumnString { get => throw null; } - public override string Qualify(string catalog, string schema, string table) => throw null; - public override bool QualifyIndexName { get => throw null; } - protected virtual void RegisterDefaultProperties() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - protected virtual void RegisterTypeMapping() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCircularCascadeDeleteConstraints { get => throw null; } - public override bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsPoolingParameter { get => throw null; } - public override bool SupportsScalarSubSelects { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MySQL55Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQL55Dialect : NHibernate.Dialect.MySQL5Dialect - { - public MySQL55Dialect() => throw null; - protected override void RegisterFunctions() => throw null; - } - - // Generated from `NHibernate.Dialect.MySQL55InnoDBDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQL55InnoDBDialect : NHibernate.Dialect.MySQL55Dialect - { - public override bool HasSelfReferentialForeignKeyBug { get => throw null; } - public MySQL55InnoDBDialect() => throw null; - public override bool SupportsCascadeDelete { get => throw null; } - public override string TableTypeString { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MySQL57Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQL57Dialect : NHibernate.Dialect.MySQL55Dialect - { - public MySQL57Dialect() => throw null; - public override bool SupportsDateTimeScale { get => throw null; } - public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MySQL5Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQL5Dialect : NHibernate.Dialect.MySQLDialect - { - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; - public override int MaxAliasLength { get => throw null; } - public MySQL5Dialect() => throw null; - protected override void RegisterCastTypes() => throw null; - protected override void RegisterFunctions() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - public override bool SupportsSubSelects { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MySQL5InnoDBDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQL5InnoDBDialect : NHibernate.Dialect.MySQL5Dialect - { - public override bool HasSelfReferentialForeignKeyBug { get => throw null; } - public MySQL5InnoDBDialect() => throw null; - public override bool SupportsCascadeDelete { get => throw null; } - public override string TableTypeString { get => throw null; } - } - - // Generated from `NHibernate.Dialect.MySQLDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override bool AreStringComparisonsCaseInsensitive { get => throw null; } - public override System.Char CloseQuote { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public override string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; - public override string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropForeignKeyConstraintString(string constraintName) => throw null; - public override string GetDropIndexConstraintString(string constraintName) => throw null; - public override string GetDropPrimaryKeyConstraintString(string constraintName) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public MySQLDialect() => throw null; - public override System.Char OpenQuote { get => throw null; } - public override bool QualifyIndexName { get => throw null; } - protected void RegisterCastType(System.Data.DbType code, string name) => throw null; - protected void RegisterCastType(System.Data.DbType code, int capacity, string name) => throw null; - protected virtual void RegisterCastTypes() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - public override bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsHavingOnGroupedByComputation { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsIfExistsBeforeTableName { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLobValueChangePropogation { get => throw null; } - public override bool SupportsSubSelects { get => throw null; } - public override bool SupportsSubSelectsWithPagingAsInPredicateRhs { get => throw null; } - public override bool SupportsSubqueryOnMutatingTable { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, out string typeName) => throw null; - } - - // Generated from `NHibernate.Dialect.Oracle10gDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Oracle10gDialect : NHibernate.Dialect.Oracle9iDialect - { - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; - public Oracle10gDialect() => throw null; - protected override void RegisterFloatingPointTypeMappings() => throw null; - protected override void RegisterFunctions() => throw null; - public override bool SupportsCrossJoin { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Oracle12cDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Oracle12cDialect : NHibernate.Dialect.Oracle10gDialect - { - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public Oracle12cDialect() => throw null; - public override bool UseMaxForLimit { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Oracle8iDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Oracle8iDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; - public override string CascadeConstraintsString { get => throw null; } - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; - public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; - public override string CreateTemporaryTablePostfix { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override bool DropTemporaryTableAfterUse() => throw null; - public override string ForUpdateNowaitString { get => throw null; } - public override bool ForUpdateOfColumns { get => throw null; } - public override string GenerateTemporaryTableName(string baseTableName) => throw null; - public virtual string GetBasicSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override string GetForUpdateNowaitString(string aliases) => throw null; - public override string GetForUpdateString(string aliases) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public Oracle8iDialect() => throw null; - public override string QuerySequencesString { get => throw null; } - protected virtual void RegisterCharacterTypeMappings() => throw null; - protected virtual void RegisterDateTimeTypeMappings() => throw null; - protected internal virtual void RegisterDefaultProperties() => throw null; - protected virtual void RegisterFloatingPointTypeMappings() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterGuidTypeMapping() => throw null; - protected virtual void RegisterKeywords() => throw null; - protected virtual void RegisterLargeObjectTypeMappings() => throw null; - protected virtual void RegisterNumericTypeMappings() => throw null; - protected virtual void RegisterReverseHibernateTypeMappings() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCommentOn { get => throw null; } - public override bool SupportsCrossJoin { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExistsInSelect { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override bool UseMaxForLimit { get => throw null; } - public bool UseNPrefixedTypesForUnicode { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Dialect.Oracle9iDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Oracle9iDialect : NHibernate.Dialect.Oracle8iDialect - { - public override NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSelectString { get => throw null; } - public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public Oracle9iDialect() => throw null; - protected override void RegisterDateTimeTypeMappings() => throw null; - protected override void RegisterFunctions() => throw null; - public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public override bool SupportsDateTimeScale { get => throw null; } - public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.OracleLiteDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleLiteDialect : NHibernate.Dialect.Oracle9iDialect - { - public override string GetCreateSequenceString(string sequenceName) => throw null; - protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; - public OracleLiteDialect() => throw null; - } - - // Generated from `NHibernate.Dialect.PostgreSQL81Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQL81Dialect : NHibernate.Dialect.PostgreSQLDialect - { - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName) => throw null; - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; - public override string ForUpdateNowaitString { get => throw null; } - public override string GetForUpdateNowaitString(string aliases) => throw null; - public override string GetIdentityColumnString(System.Data.DbType type) => throw null; - public override bool HasDataTypeInIdentityColumn { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override string NoColumnsInsertString { get => throw null; } - public PostgreSQL81Dialect() => throw null; - protected override void RegisterDateTimeTypeMappings() => throw null; - public override bool SupportsDateTimeScale { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - } - - // Generated from `NHibernate.Dialect.PostgreSQL82Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQL82Dialect : NHibernate.Dialect.PostgreSQL81Dialect - { - public override string GetDropSequenceString(string sequenceName) => throw null; - public PostgreSQL82Dialect() => throw null; - public override bool SupportsIfExistsBeforeTableName { get => throw null; } - public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } - } - - // Generated from `NHibernate.Dialect.PostgreSQL83Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQL83Dialect : NHibernate.Dialect.PostgreSQL82Dialect - { - public PostgreSQL83Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.PostgreSQLDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; - public override string CascadeConstraintsString { get => throw null; } - public override string CreateTemporaryTablePostfix { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override string GetForUpdateString(string aliases) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override NHibernate.Dialect.InsertGeneratedIdentifierRetrievalMethod InsertGeneratedIdentifierRetrievalMethod { get => throw null; } - public PostgreSQLDialect() => throw null; - public override string QuerySequencesString { get => throw null; } - protected virtual void RegisterDateTimeTypeMappings() => throw null; - protected virtual void RegisterKeywords() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsForUpdateOf { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsLobValueChangePropogation { get => throw null; } - public override bool SupportsOuterJoinForUpdate { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - public override string ToBooleanValueString(bool value) => throw null; - public override bool UseInputStreamToInsertBlob { get => throw null; } - } - - // Generated from `NHibernate.Dialect.SQLiteDialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteDialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override string CreateTemporaryTableString { get => throw null; } - public override string DisableForeignKeyConstraintsString { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override bool DropTemporaryTableAfterUse() => throw null; - public override string EnableForeignKeyConstraintsString { get => throw null; } - public override string ForUpdateString { get => throw null; } - public override bool GenerateTablePrimaryKeyConstraintForIdentityColumn { get => throw null; } - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override bool HasDataTypeInIdentityColumn { get => throw null; } - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override string NoColumnsInsertString { get => throw null; } - public override string Qualify(string catalog, string schema, string table) => throw null; - protected virtual void RegisterColumnTypes() => throw null; - protected virtual void RegisterDefaultProperties() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - // Generated from `NHibernate.Dialect.SQLiteDialect+SQLiteCastFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class SQLiteCastFunction : NHibernate.Dialect.Function.CastFunction - { - protected override bool CastingIsRequired(string sqlType) => throw null; - public SQLiteCastFunction() => throw null; - } - - - public SQLiteDialect() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsConcurrentWritingConnections { get => throw null; } - public override bool SupportsDistributedTransactions { get => throw null; } - public override bool SupportsForeignKeyConstraintInAlterTable { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsIfExistsBeforeTableName { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsSubSelects { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - } - - // Generated from `NHibernate.Dialect.SapSQLAnywhere17Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSQLAnywhere17Dialect : NHibernate.Dialect.SybaseSQLAnywhere12Dialect - { - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - protected virtual void RegisterConfigurationDependentFunctions() => throw null; - protected override void RegisterKeywords() => throw null; - protected override void RegisterMathFunctions() => throw null; - protected override void RegisterStringFunctions() => throw null; - public SapSQLAnywhere17Dialect() => throw null; - public override bool SupportsNullInUnique { get => throw null; } - } - - // Generated from `NHibernate.Dialect.SybaseASA9Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseASA9Dialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override string ForUpdateString { get => throw null; } - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override string NoColumnsInsertString { get => throw null; } - public override string NullColumnString { get => throw null; } - public override bool OffsetStartsAtOne { get => throw null; } - public override bool QualifyIndexName { get => throw null; } - public override bool SupportsCrossJoin { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public SybaseASA9Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.SybaseASE15Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseASE15Dialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; - public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; - public override NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; - public override bool AreStringComparisonsCaseInsensitive { get => throw null; } - public override System.Char CloseQuote { get => throw null; } - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSelectString { get => throw null; } - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override bool DropTemporaryTableAfterUse() => throw null; - public override string ForUpdateString { get => throw null; } - public override string GenerateTemporaryTableName(string baseTableName) => throw null; - public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; - public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override string NullColumnString { get => throw null; } - public override System.Char OpenQuote { get => throw null; } - public override bool QualifyIndexName { get => throw null; } - public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCascadeDelete { get => throw null; } - public override bool SupportsCrossJoin { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExistsInSelect { get => throw null; } - public override bool SupportsExpectedLobUsagePattern { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public SybaseASE15Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.SybaseSQLAnywhere10Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseSQLAnywhere10Dialect : NHibernate.Dialect.Dialect - { - public override string AddColumnString { get => throw null; } - public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; - public override bool AreStringComparisonsCaseInsensitive { get => throw null; } - public override System.Char CloseQuote { get => throw null; } - public override string CreateTemporaryTablePostfix { get => throw null; } - public override string CreateTemporaryTableString { get => throw null; } - public override string CurrentTimestampSQLFunctionName { get => throw null; } - public override string CurrentTimestampSelectString { get => throw null; } - public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } - public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } - public override bool DropConstraints { get => throw null; } - public override string DropForeignKeyString { get => throw null; } - public string ForReadOnlyString { get => throw null; } - public string ForUpdateByLockString { get => throw null; } - public override string ForUpdateNowaitString { get => throw null; } - public override bool ForUpdateOfColumns { get => throw null; } - public override string ForUpdateString { get => throw null; } - protected static int GetAfterSelectInsertPoint(NHibernate.SqlCommand.SqlString sql) => throw null; - public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public override string GetForUpdateString(NHibernate.LockMode lockMode) => throw null; - public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; - public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; - public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; - public override string IdentityColumnString { get => throw null; } - public override string IdentitySelectString { get => throw null; } - public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } - public override int MaxAliasLength { get => throw null; } - public override string NoColumnsInsertString { get => throw null; } - public override string NullColumnString { get => throw null; } - public override bool OffsetStartsAtOne { get => throw null; } - public override System.Char OpenQuote { get => throw null; } - public override bool? PerformTemporaryTableDDLInIsolation() => throw null; - public override bool QualifyIndexName { get => throw null; } - protected virtual void RegisterAggregationFunctions() => throw null; - protected virtual void RegisterBitFunctions() => throw null; - protected virtual void RegisterCharacterTypeMappings() => throw null; - protected virtual void RegisterDateFunctions() => throw null; - protected virtual void RegisterDateTimeTypeMappings() => throw null; - protected virtual void RegisterFunctions() => throw null; - protected virtual void RegisterKeywords() => throw null; - protected virtual void RegisterMathFunctions() => throw null; - protected virtual void RegisterMiscellaneousFunctions() => throw null; - protected virtual void RegisterNumericTypeMappings() => throw null; - public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; - protected virtual void RegisterReverseNHibernateTypeMappings() => throw null; - protected virtual void RegisterSoapFunctions() => throw null; - protected virtual void RegisterStringFunctions() => throw null; - protected virtual void RegisterXmlFunctions() => throw null; - public override string SelectGUIDString { get => throw null; } - public override bool SupportsCommentOn { get => throw null; } - public override bool SupportsCurrentTimestampSelection { get => throw null; } - public override bool SupportsEmptyInList { get => throw null; } - public override bool SupportsExistsInSelect { get => throw null; } - public override bool SupportsIdentityColumns { get => throw null; } - public override bool SupportsInsertSelectIdentity { get => throw null; } - public override bool SupportsLimit { get => throw null; } - public override bool SupportsLimitOffset { get => throw null; } - public override bool SupportsOuterJoinForUpdate { get => throw null; } - public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } - public override bool SupportsTemporaryTables { get => throw null; } - public override bool SupportsUnionAll { get => throw null; } - public override bool SupportsVariableLimit { get => throw null; } - public SybaseSQLAnywhere10Dialect() => throw null; - public override System.Int64 TimestampResolutionInTicks { get => throw null; } - } - - // Generated from `NHibernate.Dialect.SybaseSQLAnywhere11Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseSQLAnywhere11Dialect : NHibernate.Dialect.SybaseSQLAnywhere10Dialect - { - public SybaseSQLAnywhere11Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.SybaseSQLAnywhere12Dialect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseSQLAnywhere12Dialect : NHibernate.Dialect.SybaseSQLAnywhere11Dialect - { - public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } - public override string CurrentUtcTimestampSelectString { get => throw null; } - public override string GetCreateSequenceString(string sequenceName) => throw null; - public override string GetDropSequenceString(string sequenceName) => throw null; - public override string GetSelectSequenceNextValString(string sequenceName) => throw null; - public override string GetSequenceNextValString(string sequenceName) => throw null; - public override string NoColumnsInsertString { get => throw null; } - public override string QuerySequencesString { get => throw null; } - protected override void RegisterDateFunctions() => throw null; - protected override void RegisterDateTimeTypeMappings() => throw null; - protected override void RegisterKeywords() => throw null; - public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } - public override bool SupportsPooledSequences { get => throw null; } - public override bool SupportsSequences { get => throw null; } - public SybaseSQLAnywhere12Dialect() => throw null; - } - - // Generated from `NHibernate.Dialect.TypeNames` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypeNames - { - public string Get(System.Data.DbType typecode, int size, int precision, int scale) => throw null; - public string Get(System.Data.DbType typecode) => throw null; - public string GetLongest(System.Data.DbType typecode) => throw null; - public const string LengthPlaceHolder = default; - public const string PrecisionPlaceHolder = default; - public void Put(System.Data.DbType typecode, string value) => throw null; - public void Put(System.Data.DbType typecode, int capacity, string value) => throw null; - public const string ScalePlaceHolder = default; - public bool TryGet(System.Data.DbType typecode, out string typeName) => throw null; - public bool TryGet(System.Data.DbType typecode, int size, int precision, int scale, out string typeName) => throw null; - public TypeNames() => throw null; - } - - namespace Function - { - // Generated from `NHibernate.Dialect.Function.AnsiExtractFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnsiExtractFunction : NHibernate.Dialect.Function.SQLFunctionTemplate, NHibernate.Dialect.Function.IFunctionGrammar - { - public AnsiExtractFunction() : base(default(NHibernate.Type.IType), default(string)) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.AnsiSubstringFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnsiSubstringFunction : NHibernate.Dialect.Function.ISQLFunction - { - public AnsiSubstringFunction() => throw null; - public NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.AnsiTrimEmulationFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnsiTrimEmulationFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar - { - public AnsiTrimEmulationFunction(string replaceFunction) => throw null; - public AnsiTrimEmulationFunction() => throw null; - public NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.AnsiTrimFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnsiTrimFunction : NHibernate.Dialect.Function.SQLFunctionTemplate, NHibernate.Dialect.Function.IFunctionGrammar - { - public AnsiTrimFunction() : base(default(NHibernate.Type.IType), default(string)) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.BitwiseFunctionOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BitwiseFunctionOperation : NHibernate.Dialect.Function.ISQLFunction - { - public BitwiseFunctionOperation(string functionName) => throw null; - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.BitwiseNativeOperation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BitwiseNativeOperation : NHibernate.Dialect.Function.ISQLFunction - { - public BitwiseNativeOperation(string sqlOpToken, bool isUnary) => throw null; - public BitwiseNativeOperation(string sqlOpToken) => throw null; - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.CastFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CastFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar - { - public CastFunction() => throw null; - protected virtual bool CastingIsRequired(string sqlType) => throw null; - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; - public string Name { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected virtual NHibernate.SqlCommand.SqlString Render(object expression, string sqlType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.CharIndexFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CharIndexFunction : NHibernate.Dialect.Function.ISQLFunction - { - public CharIndexFunction() => throw null; - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.ClassicAggregateFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassicAggregateFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar - { - public ClassicAggregateFunction(string name, bool acceptAsterisk, NHibernate.Type.IType typeValue) => throw null; - public ClassicAggregateFunction(string name, bool acceptAsterisk) => throw null; - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; - bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; - public string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - public override string ToString() => throw null; - protected bool TryGetArgumentType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError, out NHibernate.Type.IType argumentType, out NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected bool acceptAsterisk; - } - - // Generated from `NHibernate.Dialect.Function.ClassicAvgFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassicAvgFunction : NHibernate.Dialect.Function.ClassicAggregateFunction - { - public ClassicAvgFunction() : base(default(string), default(bool)) => throw null; - public override NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public override NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.ClassicCountFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassicCountFunction : NHibernate.Dialect.Function.ClassicAggregateFunction - { - public ClassicCountFunction() : base(default(string), default(bool)) => throw null; - public override NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public override NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.ClassicSumFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassicSumFunction : NHibernate.Dialect.Function.ClassicAggregateFunction - { - public ClassicSumFunction() : base(default(string), default(bool)) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.CommonGrammar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CommonGrammar : NHibernate.Dialect.Function.IFunctionGrammar - { - public CommonGrammar() => throw null; - public bool IsKnownArgument(string token) => throw null; - public bool IsSeparator(string token) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.EmulatedLengthSubstringFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmulatedLengthSubstringFunction : NHibernate.Dialect.Function.StandardSQLFunction - { - public EmulatedLengthSubstringFunction() : base(default(string)) => throw null; - public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.IFunctionGrammar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFunctionGrammar - { - bool IsKnownArgument(string token); - bool IsSeparator(string token); - } - - // Generated from `NHibernate.Dialect.Function.ISQLFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISQLFunction - { - bool HasArguments { get; } - bool HasParenthesesIfNoArguments { get; } - NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory); - NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping); - } - - // Generated from `NHibernate.Dialect.Function.ISQLFunctionExtended` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface ISQLFunctionExtended : NHibernate.Dialect.Function.ISQLFunction - { - NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError); - NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError); - string Name { get; } - } - - // Generated from `NHibernate.Dialect.Function.NoArgSQLFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoArgSQLFunction : NHibernate.Dialect.Function.ISQLFunction - { - public NHibernate.Type.IType FunctionReturnType { get => throw null; set => throw null; } - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public NoArgSQLFunction(string name, NHibernate.Type.IType returnType, bool hasParenthesesIfNoArguments) => throw null; - public NoArgSQLFunction(string name, NHibernate.Type.IType returnType) => throw null; - public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.NvlFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NvlFunction : NHibernate.Dialect.Function.ISQLFunction - { - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public NvlFunction() => throw null; - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.PositionSubstringFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PositionSubstringFunction : NHibernate.Dialect.Function.ISQLFunction - { - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public PositionSubstringFunction() => throw null; - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.SQLFunctionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SQLFunctionExtensions - { - public static NHibernate.Type.IType GetEffectiveReturnType(this NHibernate.Dialect.Function.ISQLFunction sqlFunction, System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public static NHibernate.Type.IType GetReturnType(this NHibernate.Dialect.Function.ISQLFunction sqlFunction, System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.SQLFunctionRegistry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLFunctionRegistry - { - public NHibernate.Dialect.Function.ISQLFunction FindSQLFunction(string functionName) => throw null; - public bool HasFunction(string functionName) => throw null; - public SQLFunctionRegistry(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary userFunctions) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.SQLFunctionTemplate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLFunctionTemplate : NHibernate.Dialect.Function.ISQLFunction - { - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public virtual string Name { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - public SQLFunctionTemplate(NHibernate.Type.IType type, string template, bool hasParenthesesIfNoArgs) => throw null; - public SQLFunctionTemplate(NHibernate.Type.IType type, string template) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Dialect.Function.SQLFunctionTemplateWithRequiredParameters` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLFunctionTemplateWithRequiredParameters : NHibernate.Dialect.Function.SQLFunctionTemplate - { - public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public SQLFunctionTemplateWithRequiredParameters(NHibernate.Type.IType type, string template, object[] requiredArgs, bool hasParenthesesIfNoArgs) : base(default(NHibernate.Type.IType), default(string)) => throw null; - public SQLFunctionTemplateWithRequiredParameters(NHibernate.Type.IType type, string template, object[] requiredArgs) : base(default(NHibernate.Type.IType), default(string)) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.StandardSQLFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardSQLFunction : NHibernate.Dialect.Function.ISQLFunction - { - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public string Name { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - public StandardSQLFunction(string name, NHibernate.Type.IType typeValue) => throw null; - public StandardSQLFunction(string name) => throw null; - public override string ToString() => throw null; - protected string name; - } - - // Generated from `NHibernate.Dialect.Function.StandardSafeSQLFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardSafeSQLFunction : NHibernate.Dialect.Function.StandardSQLFunction - { - public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public StandardSafeSQLFunction(string name, int allowedArgsCount) : base(default(string)) => throw null; - public StandardSafeSQLFunction(string name, NHibernate.Type.IType typeValue, int allowedArgsCount) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Dialect.Function.TransparentCastFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TransparentCastFunction : NHibernate.Dialect.Function.CastFunction - { - protected override bool CastingIsRequired(string sqlType) => throw null; - protected override NHibernate.SqlCommand.SqlString Render(object expression, string sqlType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public TransparentCastFunction() => throw null; - } - - // Generated from `NHibernate.Dialect.Function.VarArgsSQLFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class VarArgsSQLFunction : NHibernate.Dialect.Function.ISQLFunction - { - public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; - public bool HasArguments { get => throw null; } - public bool HasParenthesesIfNoArguments { get => throw null; } - public virtual string Name { get => throw null; } - public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; - public VarArgsSQLFunction(string begin, string sep, string end) => throw null; - public VarArgsSQLFunction(NHibernate.Type.IType type, string begin, string sep, string end) => throw null; - } - - } - namespace Lock - { - // Generated from `NHibernate.Dialect.Lock.ILockingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILockingStrategy - { - void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Dialect.Lock.SelectLockingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectLockingStrategy : NHibernate.Dialect.Lock.ILockingStrategy - { - public void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public SelectLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; - } - - // Generated from `NHibernate.Dialect.Lock.UpdateLockingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UpdateLockingStrategy : NHibernate.Dialect.Lock.ILockingStrategy - { - public void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public UpdateLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; - } - - } - namespace Schema - { - // Generated from `NHibernate.Dialect.Schema.AbstractColumnMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractColumnMetaData : NHibernate.Dialect.Schema.IColumnMetadata - { - public AbstractColumnMetaData(System.Data.DataRow rs) => throw null; - public int ColumnSize { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string Nullable { get => throw null; set => throw null; } - public int NumericalPrecision { get => throw null; set => throw null; } - protected void SetColumnSize(object columnSizeValue) => throw null; - protected void SetNumericalPrecision(object numericalPrecisionValue) => throw null; - public override string ToString() => throw null; - public string TypeName { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.AbstractDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractDataBaseSchema : NHibernate.Dialect.Schema.IDataBaseSchema - { - protected AbstractDataBaseSchema(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) => throw null; - protected AbstractDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; - public virtual string ColumnNameForTableName { get => throw null; } - protected System.Data.Common.DbConnection Connection { get => throw null; } - protected virtual string ForeignKeysSchemaName { get => throw null; } - public virtual System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public virtual System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public virtual System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public virtual System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public virtual System.Collections.Generic.ISet GetReservedWords() => throw null; - public abstract NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras); - public virtual System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public virtual bool IncludeDataTypesInReservedWords { get => throw null; } - public virtual bool StoresLowerCaseIdentifiers { get => throw null; } - public virtual bool StoresLowerCaseQuotedIdentifiers { get => throw null; } - public virtual bool StoresMixedCaseQuotedIdentifiers { get => throw null; } - public virtual bool StoresUpperCaseIdentifiers { get => throw null; } - public virtual bool StoresUpperCaseQuotedIdentifiers { get => throw null; } - public virtual bool UseDialectQualifyInsteadOfTableName { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.AbstractForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AbstractForeignKeyMetadata : NHibernate.Dialect.Schema.IForeignKeyMetadata - { - public AbstractForeignKeyMetadata(System.Data.DataRow rs) => throw null; - public void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column) => throw null; - public NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get => throw null; } - public string Name { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.AbstractIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractIndexMetadata : NHibernate.Dialect.Schema.IIndexMetadata - { - public AbstractIndexMetadata(System.Data.DataRow rs) => throw null; - public void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column) => throw null; - public NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get => throw null; } - public string Name { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.AbstractTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractTableMetadata : NHibernate.Dialect.Schema.ITableMetadata - { - public AbstractTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) => throw null; - public string Catalog { get => throw null; set => throw null; } - public NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(string columnName) => throw null; - protected abstract NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs); - protected abstract string GetColumnName(System.Data.DataRow rs); - protected abstract string GetConstraintName(System.Data.DataRow rs); - public NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(string keyName) => throw null; - protected abstract NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs); - public NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(string indexName) => throw null; - protected abstract NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs); - protected abstract string GetIndexName(System.Data.DataRow rs); - public string Name { get => throw null; set => throw null; } - public virtual bool NeedPhysicalConstraintCreation(string fkName) => throw null; - protected abstract void ParseTableInfo(System.Data.DataRow rs); - public string Schema { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.DB2ColumnMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2ColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public DB2ColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.DB2ForeignKeyMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2ForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public DB2ForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.DB2IndexMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2IndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public DB2IndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.DB2MetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2MetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public DB2MetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Collections.Generic.ISet GetReservedWords() => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.DB2TableMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2TableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata - { - public DB2TableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.FirebirdColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public FirebirdColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.FirebirdDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public FirebirdDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override bool StoresUpperCaseIdentifiers { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.FirebirdForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public FirebirdForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.FirebirdIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public FirebirdIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.FirebirdTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - public FirebirdTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.HanaColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public HanaColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.HanaDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public override System.Collections.Generic.ISet GetReservedWords() => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public HanaDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override bool StoresUpperCaseIdentifiers { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.HanaForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public HanaForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.HanaIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public HanaIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.HanaTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - public HanaTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.IColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnMetadata - { - int ColumnSize { get; } - string Name { get; } - string Nullable { get; } - int NumericalPrecision { get; } - string TypeName { get; } - } - - // Generated from `NHibernate.Dialect.Schema.IDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDataBaseSchema - { - string ColumnNameForTableName { get; } - System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern); - System.Data.DataTable GetForeignKeys(string catalog, string schema, string table); - System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName); - System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName); - System.Collections.Generic.ISet GetReservedWords(); - NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras); - System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types); - bool StoresLowerCaseIdentifiers { get; } - bool StoresLowerCaseQuotedIdentifiers { get; } - bool StoresMixedCaseQuotedIdentifiers { get; } - bool StoresUpperCaseIdentifiers { get; } - bool StoresUpperCaseQuotedIdentifiers { get; } - } - - // Generated from `NHibernate.Dialect.Schema.IForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IForeignKeyMetadata - { - void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column); - NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get; } - string Name { get; } - } - - // Generated from `NHibernate.Dialect.Schema.IIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIndexMetadata - { - void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column); - NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get; } - string Name { get; } - } - - // Generated from `NHibernate.Dialect.Schema.ITableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITableMetadata - { - string Catalog { get; } - NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(string columnName); - NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(string keyName); - NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(string indexName); - string Name { get; } - bool NeedPhysicalConstraintCreation(string fkName); - string Schema { get; } - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlCeColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public MsSqlCeColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlCeDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public MsSqlCeDataBaseSchema(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) : base(default(System.Data.Common.DbConnection)) => throw null; - public MsSqlCeDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override bool UseDialectQualifyInsteadOfTableName { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlCeForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public MsSqlCeForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlCeIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public MsSqlCeIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlCeTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlCeTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - public MsSqlCeTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public MsSqlColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public MsSqlDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public MsSqlForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public MsSqlIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MsSqlTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MsSqlTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - public MsSqlTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MySQLColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public MySQLColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MySQLDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - protected override string ForeignKeysSchemaName { get => throw null; } - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public MySQLDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MySQLForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public MySQLForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MySQLIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public MySQLIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.MySQLTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySQLTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - public MySQLTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.OracleColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public OracleColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.OracleDataBaseSchema` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public OracleDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override bool StoresUpperCaseIdentifiers { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.OracleForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public OracleForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.OracleIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public OracleIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.OracleTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - public OracleTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.PostgreSQLColumnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public PostgreSQLColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.PostgreSQLDataBaseMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLDataBaseMetadata : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public override bool IncludeDataTypesInReservedWords { get => throw null; } - public PostgreSQLDataBaseMetadata(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override bool StoresLowerCaseIdentifiers { get => throw null; } - public override bool StoresMixedCaseQuotedIdentifiers { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.PostgreSQLForeignKeyMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public PostgreSQLForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.PostgreSQLIndexMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public PostgreSQLIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.PostgreSQLTableMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostgreSQLTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - public PostgreSQLTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SQLiteColumnMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public SQLiteColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SQLiteDataBaseMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteDataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public SQLiteDataBaseMetaData(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) : base(default(System.Data.Common.DbConnection)) => throw null; - public SQLiteDataBaseMetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - public override bool UseDialectQualifyInsteadOfTableName { get => throw null; } - } - - // Generated from `NHibernate.Dialect.Schema.SQLiteForeignKeyMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public SQLiteForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SQLiteIndexMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteIndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public SQLiteIndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SQLiteTableMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLiteTableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - public SQLiteTableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SapSqlAnywhere17ColumnMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSqlAnywhere17ColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public SapSqlAnywhere17ColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SapSqlAnywhere17DataBaseMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSqlAnywhere17DataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public override System.Collections.Generic.ISet GetReservedWords() => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public SapSqlAnywhere17DataBaseMetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SapSqlAnywhere17ForeignKeyMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSqlAnywhere17ForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public SapSqlAnywhere17ForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SapSqlAnywhere17IndexMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSqlAnywhere17IndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public SapSqlAnywhere17IndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SapSqlAnywhere17TableMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSqlAnywhere17TableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - public SapSqlAnywhere17TableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SchemaHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SchemaHelper - { - public static string GetString(System.Data.DataRow row, params string[] alternativeColumnNames) => throw null; - public static object GetValue(System.Data.DataRow row, params string[] alternativeColumnNames) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SybaseAnywhereColumnMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAnywhereColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData - { - public SybaseAnywhereColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SybaseAnywhereDataBaseMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAnywhereDataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema - { - public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; - public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; - public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; - public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; - public override System.Collections.Generic.ISet GetReservedWords() => throw null; - public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; - public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; - public SybaseAnywhereDataBaseMetaData(System.Data.Common.DbConnection pObjConnection) : base(default(System.Data.Common.DbConnection)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SybaseAnywhereForeignKeyMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAnywhereForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata - { - public SybaseAnywhereForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SybaseAnywhereIndexMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAnywhereIndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata - { - public SybaseAnywhereIndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; - } - - // Generated from `NHibernate.Dialect.Schema.SybaseAnywhereTableMetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAnywhereTableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata - { - protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; - protected override string GetColumnName(System.Data.DataRow rs) => throw null; - protected override string GetConstraintName(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; - protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; - protected override string GetIndexName(System.Data.DataRow rs) => throw null; - protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; - public SybaseAnywhereTableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; - } - - } - } - namespace Driver - { - // Generated from `NHibernate.Driver.BasicResultSetsCommand` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicResultSetsCommand : NHibernate.Driver.IResultSetsCommand - { - public virtual void Append(NHibernate.SqlCommand.ISqlCommand command) => throw null; - public BasicResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual void BindParameters(System.Data.Common.DbCommand command) => throw null; - protected System.Collections.Generic.List Commands { get => throw null; set => throw null; } - protected void ForEachSqlCommand(System.Action actionToDo) => throw null; - public virtual System.Data.Common.DbDataReader GetReader(int? commandTimeout) => throw null; - public virtual System.Threading.Tasks.Task GetReaderAsync(int? commandTimeout, System.Threading.CancellationToken cancellationToken) => throw null; - public bool HasQueries { get => throw null; } - protected NHibernate.Engine.ISessionImplementor Session { get => throw null; set => throw null; } - public virtual NHibernate.SqlCommand.SqlString Sql { get => throw null; } - } - - // Generated from `NHibernate.Driver.BatcherDataReaderWrapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BatcherDataReaderWrapper : System.Data.Common.DbDataReader - { - protected BatcherDataReaderWrapper(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command) => throw null; - public override void Close() => throw null; - public static NHibernate.Driver.BatcherDataReaderWrapper Create(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command) => throw null; - public static System.Threading.Tasks.Task CreateAsync(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command, System.Threading.CancellationToken cancellationToken) => throw null; - public override int Depth { get => throw null; } - public override bool Equals(object obj) => throw null; - public override int FieldCount { get => throw null; } - public override bool GetBoolean(int i) => throw null; - public override System.Byte GetByte(int i) => throw null; - public override System.Int64 GetBytes(int i, System.Int64 fieldOffset, System.Byte[] buffer, int bufferoffset, int length) => throw null; - public override System.Char GetChar(int i) => throw null; - public override System.Int64 GetChars(int i, System.Int64 fieldoffset, System.Char[] buffer, int bufferoffset, int length) => throw null; - public override string GetDataTypeName(int i) => throw null; - public override System.DateTime GetDateTime(int i) => throw null; - protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; - public override System.Decimal GetDecimal(int i) => throw null; - public override double GetDouble(int i) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override System.Type GetFieldType(int i) => throw null; - public override float GetFloat(int i) => throw null; - public override System.Guid GetGuid(int i) => throw null; - public override int GetHashCode() => throw null; - public override System.Int16 GetInt16(int i) => throw null; - public override int GetInt32(int i) => throw null; - public override System.Int64 GetInt64(int i) => throw null; - public override string GetName(int i) => throw null; - public override int GetOrdinal(string name) => throw null; - public override System.Data.DataTable GetSchemaTable() => throw null; - public override string GetString(int i) => throw null; - public override object GetValue(int i) => throw null; - public override int GetValues(object[] values) => throw null; - public override bool HasRows { get => throw null; } - public override bool IsClosed { get => throw null; } - public override bool IsDBNull(int i) => throw null; - public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; - public override object this[string name] { get => throw null; } - public override object this[int i] { get => throw null; } - public override bool NextResult() => throw null; - public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override bool Read() => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override int RecordsAffected { get => throw null; } - } - - // Generated from `NHibernate.Driver.CsharpSqliteDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CsharpSqliteDriver : NHibernate.Driver.ReflectionBasedDriver - { - public CsharpSqliteDriver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.DB2400Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2400Driver : NHibernate.Driver.ReflectionBasedDriver - { - public DB2400Driver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.DB2CoreDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2CoreDriver : NHibernate.Driver.DB2DriverBase - { - public DB2CoreDriver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.DB2Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DB2Driver : NHibernate.Driver.DB2DriverBase - { - public DB2Driver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.DB2DriverBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class DB2DriverBase : NHibernate.Driver.ReflectionBasedDriver - { - protected DB2DriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.DbProviderFactoryDriveConnectionCommandProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DbProviderFactoryDriveConnectionCommandProvider : NHibernate.Driver.IDriveConnectionCommandProvider - { - public System.Data.Common.DbCommand CreateCommand() => throw null; - public System.Data.Common.DbConnection CreateConnection() => throw null; - public DbProviderFactoryDriveConnectionCommandProvider(System.Data.Common.DbProviderFactory dbProviderFactory) => throw null; - } - - // Generated from `NHibernate.Driver.DotConnectMySqlDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DotConnectMySqlDriver : NHibernate.Driver.ReflectionBasedDriver - { - public DotConnectMySqlDriver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.DriverBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class DriverBase : NHibernate.Driver.ISqlParameterFormatter, NHibernate.Driver.IDriver - { - public virtual void AdjustCommand(System.Data.Common.DbCommand command) => throw null; - public virtual System.Data.Common.DbTransaction BeginTransaction(System.Data.IsolationLevel isolationLevel, System.Data.Common.DbConnection connection) => throw null; - protected virtual System.Data.Common.DbParameter CloneParameter(System.Data.Common.DbCommand cmd, System.Data.Common.DbParameter originalParameter, NHibernate.SqlTypes.SqlType originalType) => throw null; - public virtual int CommandTimeout { get => throw null; } - public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public abstract System.Data.Common.DbCommand CreateCommand(); - public abstract System.Data.Common.DbConnection CreateConnection(); - protected DriverBase() => throw null; - public virtual void ExpandQueryParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - public string FormatNameForParameter(string parameterName) => throw null; - public string FormatNameForSql(string parameterName) => throw null; - public virtual System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - public System.Data.Common.DbParameter GenerateOutputParameter(System.Data.Common.DbCommand command) => throw null; - public System.Data.Common.DbParameter GenerateParameter(System.Data.Common.DbCommand command, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - string NHibernate.Driver.ISqlParameterFormatter.GetParameterName(int index) => throw null; - public virtual NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual NHibernate.Driver.SqlStringFormatter GetSqlStringFormatter() => throw null; - public virtual bool HasDelayedDistributedTransactionCompletion { get => throw null; } - protected virtual void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected bool IsPrepareSqlEnabled { get => throw null; } - public virtual System.DateTime MinDate { get => throw null; } - public abstract string NamedPrefix { get; } - protected virtual void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; - public void PrepareCommand(System.Data.Common.DbCommand command) => throw null; - public void RemoveUnusedCommandParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString) => throw null; - public virtual bool RequiresTimeSpanForTime { get => throw null; } - protected virtual void SetCommandTimeout(System.Data.Common.DbCommand cmd) => throw null; - public virtual bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } - public virtual bool SupportsMultipleOpenReaders { get => throw null; } - public virtual bool SupportsMultipleQueries { get => throw null; } - public virtual bool SupportsNullEnlistment { get => throw null; } - protected virtual bool SupportsPreparingCommands { get => throw null; } - public virtual bool SupportsSystemTransactions { get => throw null; } - public abstract bool UseNamedPrefixInParameter { get; } - public abstract bool UseNamedPrefixInSql { get; } - } - - // Generated from `NHibernate.Driver.DriverExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class DriverExtensions - { - public static System.Data.Common.DbTransaction BeginTransaction(this NHibernate.Driver.IDriver driver, System.Data.IsolationLevel isolationLevel, System.Data.Common.DbConnection connection) => throw null; - } - - // Generated from `NHibernate.Driver.FirebirdClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FirebirdClientDriver : NHibernate.Driver.ReflectionBasedDriver - { - public void ClearPool(string connectionString) => throw null; - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public FirebirdClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } - public override bool SupportsSystemTransactions { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.HanaColumnStoreDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaColumnStoreDriver : NHibernate.Driver.HanaDriverBase - { - public HanaColumnStoreDriver() => throw null; - } - - // Generated from `NHibernate.Driver.HanaDriverBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HanaDriverBase : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - protected HanaDriverBase() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public override bool SupportsNullEnlistment { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.HanaRowStoreDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HanaRowStoreDriver : NHibernate.Driver.HanaDriverBase - { - public HanaRowStoreDriver() => throw null; - public override bool SupportsSystemTransactions { get => throw null; } - } - - // Generated from `NHibernate.Driver.IDriveConnectionCommandProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDriveConnectionCommandProvider - { - System.Data.Common.DbCommand CreateCommand(); - System.Data.Common.DbConnection CreateConnection(); - } - - // Generated from `NHibernate.Driver.IDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDriver - { - void AdjustCommand(System.Data.Common.DbCommand command); - void Configure(System.Collections.Generic.IDictionary settings); - System.Data.Common.DbConnection CreateConnection(); - void ExpandQueryParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes); - System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes); - System.Data.Common.DbParameter GenerateParameter(System.Data.Common.DbCommand command, string name, NHibernate.SqlTypes.SqlType sqlType); - NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session); - bool HasDelayedDistributedTransactionCompletion { get; } - System.DateTime MinDate { get; } - void PrepareCommand(System.Data.Common.DbCommand command); - void RemoveUnusedCommandParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString); - bool RequiresTimeSpanForTime { get; } - bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get; } - bool SupportsMultipleOpenReaders { get; } - bool SupportsMultipleQueries { get; } - bool SupportsNullEnlistment { get; } - bool SupportsSystemTransactions { get; } - } - - // Generated from `NHibernate.Driver.IResultSetsCommand` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IResultSetsCommand - { - void Append(NHibernate.SqlCommand.ISqlCommand command); - System.Data.Common.DbDataReader GetReader(int? commandTimeout); - System.Threading.Tasks.Task GetReaderAsync(int? commandTimeout, System.Threading.CancellationToken cancellationToken); - bool HasQueries { get; } - NHibernate.SqlCommand.SqlString Sql { get; } - } - - // Generated from `NHibernate.Driver.ISqlParameterFormatter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlParameterFormatter - { - string GetParameterName(int index); - } - - // Generated from `NHibernate.Driver.IfxDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IfxDriver : NHibernate.Driver.ReflectionBasedDriver - { - public IfxDriver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.IngresDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IngresDriver : NHibernate.Driver.ReflectionBasedDriver - { - public IngresDriver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.MicrosoftDataSqlClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MicrosoftDataSqlClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IParameterAdjuster, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - public virtual void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value) => throw null; - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsAnsiText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsBlob(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public MicrosoftDataSqlClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override System.DateTime MinDate { get => throw null; } - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.MySqlDataDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MySqlDataDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.DateTime MinDate { get => throw null; } - public MySqlDataDriver() : base(default(string), default(string), default(string)) => throw null; - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - protected override bool SupportsPreparingCommands { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.NDataReader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NDataReader : System.Data.Common.DbDataReader - { - public override void Close() => throw null; - public static NHibernate.Driver.NDataReader Create(System.Data.Common.DbDataReader reader, bool isMidstream) => throw null; - public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, bool isMidstream, System.Threading.CancellationToken cancellationToken) => throw null; - public override int Depth { get => throw null; } - protected override void Dispose(bool disposing) => throw null; - public override int FieldCount { get => throw null; } - public override bool GetBoolean(int i) => throw null; - public override System.Byte GetByte(int i) => throw null; - public override System.Int64 GetBytes(int i, System.Int64 fieldOffset, System.Byte[] buffer, int bufferOffset, int length) => throw null; - public override System.Char GetChar(int i) => throw null; - public override System.Int64 GetChars(int i, System.Int64 fieldOffset, System.Char[] buffer, int bufferOffset, int length) => throw null; - public override string GetDataTypeName(int i) => throw null; - public override System.DateTime GetDateTime(int i) => throw null; - protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; - public override System.Decimal GetDecimal(int i) => throw null; - public override double GetDouble(int i) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override System.Type GetFieldType(int i) => throw null; - public override float GetFloat(int i) => throw null; - public override System.Guid GetGuid(int i) => throw null; - public override System.Int16 GetInt16(int i) => throw null; - public override int GetInt32(int i) => throw null; - public override System.Int64 GetInt64(int i) => throw null; - public override string GetName(int i) => throw null; - public override int GetOrdinal(string name) => throw null; - public override System.Data.DataTable GetSchemaTable() => throw null; - public override string GetString(int i) => throw null; - public override object GetValue(int i) => throw null; - public override int GetValues(object[] values) => throw null; - public override bool HasRows { get => throw null; } - public override bool IsClosed { get => throw null; } - public override bool IsDBNull(int i) => throw null; - public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; - public override object this[string name] { get => throw null; } - public override object this[int i] { get => throw null; } - protected NDataReader() => throw null; - public override bool NextResult() => throw null; - public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override bool Read() => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override int RecordsAffected { get => throw null; } - } - - // Generated from `NHibernate.Driver.NHybridDataReader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NHybridDataReader : System.Data.Common.DbDataReader - { - public override void Close() => throw null; - public static NHibernate.Driver.NHybridDataReader Create(System.Data.Common.DbDataReader reader, bool inMemory) => throw null; - public static NHibernate.Driver.NHybridDataReader Create(System.Data.Common.DbDataReader reader) => throw null; - public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, bool inMemory, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, System.Threading.CancellationToken cancellationToken) => throw null; - public override int Depth { get => throw null; } - protected override void Dispose(bool disposing) => throw null; - public override int FieldCount { get => throw null; } - public override bool GetBoolean(int i) => throw null; - public override System.Byte GetByte(int i) => throw null; - public override System.Int64 GetBytes(int i, System.Int64 fieldOffset, System.Byte[] buffer, int bufferoffset, int length) => throw null; - public override System.Char GetChar(int i) => throw null; - public override System.Int64 GetChars(int i, System.Int64 fieldoffset, System.Char[] buffer, int bufferoffset, int length) => throw null; - public override string GetDataTypeName(int i) => throw null; - public override System.DateTime GetDateTime(int i) => throw null; - protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; - public override System.Decimal GetDecimal(int i) => throw null; - public override double GetDouble(int i) => throw null; - public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override System.Type GetFieldType(int i) => throw null; - public override float GetFloat(int i) => throw null; - public override System.Guid GetGuid(int i) => throw null; - public override System.Int16 GetInt16(int i) => throw null; - public override int GetInt32(int i) => throw null; - public override System.Int64 GetInt64(int i) => throw null; - public override string GetName(int i) => throw null; - public override int GetOrdinal(string name) => throw null; - public override System.Data.DataTable GetSchemaTable() => throw null; - public override string GetString(int i) => throw null; - public override object GetValue(int i) => throw null; - public override int GetValues(object[] values) => throw null; - public override bool HasRows { get => throw null; } - public override bool IsClosed { get => throw null; } - public override bool IsDBNull(int i) => throw null; - public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsMidstream { get => throw null; } - public override object this[string name] { get => throw null; } - public override object this[int i] { get => throw null; } - protected NHybridDataReader() => throw null; - public override bool NextResult() => throw null; - public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override bool Read() => throw null; - public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void ReadIntoMemory() => throw null; - public System.Threading.Tasks.Task ReadIntoMemoryAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override int RecordsAffected { get => throw null; } - public System.Data.Common.DbDataReader Target { get => throw null; } - // ERR: Stub generator didn't handle member: ~NHybridDataReader - } - - // Generated from `NHibernate.Driver.NpgsqlDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NpgsqlDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - public NpgsqlDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool RequiresTimeSpanForTime { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - public override bool SupportsNullEnlistment { get => throw null; } - protected override bool SupportsPreparingCommands { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OdbcDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OdbcDriver : NHibernate.Driver.ReflectionBasedDriver - { - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override System.DateTime MinDate { get => throw null; } - public override string NamedPrefix { get => throw null; } - public OdbcDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool RequiresTimeSpanForTime { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OleDbDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OleDbDriver : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - public OleDbDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OracleClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleClientDriver : NHibernate.Driver.ReflectionBasedDriver - { - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - protected override void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; - public OracleClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OracleDataClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleDataClientDriver : NHibernate.Driver.OracleDataClientDriverBase - { - public OracleDataClientDriver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.OracleDataClientDriverBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class OracleDataClientDriverBase : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - protected override void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; - protected OracleDataClientDriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; - private OracleDataClientDriverBase(string driverAssemblyName, string clientNamespace) : base(default(string), default(string), default(string)) => throw null; - public bool UseBinaryFloatingPointTypes { get => throw null; set => throw null; } - public bool UseNPrefixedTypesForUnicode { get => throw null; set => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OracleLiteDataClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleLiteDataClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override string NamedPrefix { get => throw null; } - public OracleLiteDataClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.OracleManagedDataClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OracleManagedDataClientDriver : NHibernate.Driver.OracleDataClientDriverBase - { - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - public OracleManagedDataClientDriver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.ReflectionBasedDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ReflectionBasedDriver : NHibernate.Driver.DriverBase - { - public override System.Data.Common.DbCommand CreateCommand() => throw null; - public override System.Data.Common.DbConnection CreateConnection() => throw null; - protected System.Version DriverVersion { get => throw null; } - protected ReflectionBasedDriver(string providerInvariantName, string driverAssemblyName, string connectionTypeName, string commandTypeName) => throw null; - protected ReflectionBasedDriver(string driverAssemblyName, string connectionTypeName, string commandTypeName) => throw null; - protected const string ReflectionTypedProviderExceptionMessageTemplate = default; - } - - // Generated from `NHibernate.Driver.ReflectionDriveConnectionCommandProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReflectionDriveConnectionCommandProvider : NHibernate.Driver.IDriveConnectionCommandProvider - { - public System.Data.Common.DbCommand CreateCommand() => throw null; - public System.Data.Common.DbConnection CreateConnection() => throw null; - public ReflectionDriveConnectionCommandProvider(System.Type connectionType, System.Type commandType) => throw null; - } - - // Generated from `NHibernate.Driver.SQLite20Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLite20Driver : NHibernate.Driver.ReflectionBasedDriver - { - public override System.Data.Common.DbConnection CreateConnection() => throw null; - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - public override string NamedPrefix { get => throw null; } - public SQLite20Driver() : base(default(string), default(string), default(string)) => throw null; - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - public override bool SupportsNullEnlistment { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SapSQLAnywhere17Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SapSQLAnywhere17Driver : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public SapSQLAnywhere17Driver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.Sql2008ClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Sql2008ClientDriver : NHibernate.Driver.SqlClientDriver - { - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override System.DateTime MinDate { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public Sql2008ClientDriver() => throw null; - } - - // Generated from `NHibernate.Driver.SqlClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IParameterAdjuster, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider - { - public virtual void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value) => throw null; - System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } - public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsAnsiText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsBlob(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsChar(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - protected static bool IsText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public const System.Byte MaxDateTime2 = default; - public const System.Byte MaxDateTimeOffset = default; - public const System.Byte MaxPrecision = default; - public const System.Byte MaxScale = default; - public const int MaxSizeForAnsiClob = default; - public const int MaxSizeForBlob = default; - public const int MaxSizeForClob = default; - public const int MaxSizeForLengthLimitedAnsiString = default; - public const int MaxSizeForLengthLimitedBinary = default; - public const int MaxSizeForLengthLimitedString = default; - public const int MaxSizeForXml = default; - public override System.DateTime MinDate { get => throw null; } - public override string NamedPrefix { get => throw null; } - protected static void SetDefaultParameterSize(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public static void SetVariableLengthParameterSize(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public SqlClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsMultipleQueries { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SqlServerCeDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlServerCeDriver : NHibernate.Driver.ReflectionBasedDriver - { - public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; - protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; - public override System.DateTime MinDate { get => throw null; } - public override string NamedPrefix { get => throw null; } - protected override void SetCommandTimeout(System.Data.Common.DbCommand cmd) => throw null; - public SqlServerCeDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } - public override bool SupportsMultipleOpenReaders { get => throw null; } - public override bool SupportsNullEnlistment { get => throw null; } - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SqlStringFormatter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlStringFormatter : NHibernate.SqlCommand.ISqlStringVisitor - { - public string[] AssignedParameterNames { get => throw null; } - public void Format(NHibernate.SqlCommand.SqlString text) => throw null; - public string GetFormattedText() => throw null; - public bool HasReturnParameter { get => throw null; } - void NHibernate.SqlCommand.ISqlStringVisitor.Parameter(NHibernate.SqlCommand.Parameter parameter) => throw null; - public SqlStringFormatter(NHibernate.Driver.ISqlParameterFormatter formatter, string multipleQueriesSeparator) => throw null; - void NHibernate.SqlCommand.ISqlStringVisitor.String(string text) => throw null; - void NHibernate.SqlCommand.ISqlStringVisitor.String(NHibernate.SqlCommand.SqlString sqlString) => throw null; - } - - // Generated from `NHibernate.Driver.SybaseAdoNet45Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAdoNet45Driver : NHibernate.Driver.SybaseAseClientDriverBase - { - public SybaseAdoNet45Driver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.SybaseAdoNet4Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAdoNet4Driver : NHibernate.Driver.SybaseAseClientDriverBase - { - public SybaseAdoNet4Driver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.SybaseAsaClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAsaClientDriver : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public SybaseAsaClientDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SybaseAseClientDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseAseClientDriver : NHibernate.Driver.SybaseAseClientDriverBase - { - public SybaseAseClientDriver() : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Driver.SybaseAseClientDriverBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class SybaseAseClientDriverBase : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - protected SybaseAseClientDriverBase(string providerInvariantName, string assemblyName, string connectionTypeName, string commandTypeName) : base(default(string), default(string), default(string)) => throw null; - protected SybaseAseClientDriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SybaseSQLAnywhereDotNet4Driver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseSQLAnywhereDotNet4Driver : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public SybaseSQLAnywhereDotNet4Driver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - // Generated from `NHibernate.Driver.SybaseSQLAnywhereDriver` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SybaseSQLAnywhereDriver : NHibernate.Driver.ReflectionBasedDriver - { - public override string NamedPrefix { get => throw null; } - public override bool RequiresTimeSpanForTime { get => throw null; } - public SybaseSQLAnywhereDriver() : base(default(string), default(string), default(string)) => throw null; - public override bool UseNamedPrefixInParameter { get => throw null; } - public override bool UseNamedPrefixInSql { get => throw null; } - } - - } - namespace Engine - { - // Generated from `NHibernate.Engine.AbstractLhsAssociationTypeSqlInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractLhsAssociationTypeSqlInfo : NHibernate.Engine.ILhsAssociationTypeSqlInfo - { - protected AbstractLhsAssociationTypeSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) => throw null; - public string Alias { get => throw null; set => throw null; } - public string[] GetAliasedColumnNames(NHibernate.Type.IAssociationType type, int begin) => throw null; - protected abstract string[] GetAliasedColumns(); - public string[] GetColumnNames(NHibernate.Type.IAssociationType type, int begin) => throw null; - protected abstract string[] GetColumns(); - public abstract string GetTableName(NHibernate.Type.IAssociationType type); - public NHibernate.Engine.IMapping Mapping { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IOuterJoinLoadable Persister { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Engine.ActionQueue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ActionQueue - { - public ActionQueue(NHibernate.Engine.ISessionImplementor session) => throw null; - public void AddAction(NHibernate.Action.EntityUpdateAction action) => throw null; - public void AddAction(NHibernate.Action.EntityInsertAction action) => throw null; - public void AddAction(NHibernate.Action.EntityIdentityInsertAction insert) => throw null; - public void AddAction(NHibernate.Action.EntityDeleteAction action) => throw null; - public void AddAction(NHibernate.Action.CollectionUpdateAction action) => throw null; - public void AddAction(NHibernate.Action.CollectionRemoveAction action) => throw null; - public void AddAction(NHibernate.Action.CollectionRecreateAction action) => throw null; - public void AddAction(NHibernate.Action.BulkOperationCleanupAction cleanupAction) => throw null; - public System.Threading.Tasks.Task AddActionAsync(NHibernate.Action.BulkOperationCleanupAction cleanupAction, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void AfterTransactionCompletion(bool success) => throw null; - public System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public bool AreInsertionsOrDeletionsQueued { get => throw null; } - public virtual bool AreTablesToBeUpdated(System.Collections.Generic.ISet tables) => throw null; - public void BeforeTransactionCompletion() => throw null; - public System.Threading.Tasks.Task BeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void Clear() => throw null; - public void ClearFromFlushNeededCheck(int previousCollectionRemovalSize) => throw null; - public System.Collections.Generic.IList CloneDeletions() => throw null; - public int CollectionCreationsCount { get => throw null; } - public int CollectionRemovalsCount { get => throw null; } - public int CollectionUpdatesCount { get => throw null; } - public int DeletionsCount { get => throw null; } - public void Execute(NHibernate.Action.IExecutable executable) => throw null; - public void ExecuteActions() => throw null; - public System.Threading.Tasks.Task ExecuteActionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ExecuteAsync(NHibernate.Action.IExecutable executable, System.Threading.CancellationToken cancellationToken) => throw null; - public void ExecuteInserts() => throw null; - public System.Threading.Tasks.Task ExecuteInsertsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public bool HasAfterTransactionActions() => throw null; - public bool HasAnyQueuedActions { get => throw null; } - public bool HasBeforeTransactionActions() => throw null; - public int InsertionsCount { get => throw null; } - public void PrepareActions() => throw null; - public System.Threading.Tasks.Task PrepareActionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void RegisterProcess(NHibernate.Action.IBeforeTransactionCompletionProcess process) => throw null; - public void RegisterProcess(NHibernate.Action.IAfterTransactionCompletionProcess process) => throw null; - public void RegisterProcess(NHibernate.Action.BeforeTransactionCompletionProcessDelegate process) => throw null; - public void RegisterProcess(NHibernate.Action.AfterTransactionCompletionProcessDelegate process) => throw null; - public void SortActions() => throw null; - public void SortCollectionActions() => throw null; - public override string ToString() => throw null; - public int UpdatesCount { get => throw null; } - } - - // Generated from `NHibernate.Engine.BatchFetchQueue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BatchFetchQueue - { - public void AddBatchLoadableCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.CollectionEntry ce) => throw null; - public void AddBatchLoadableEntityKey(NHibernate.Engine.EntityKey key) => throw null; - public void AddSubselect(NHibernate.Engine.EntityKey key, NHibernate.Engine.SubselectFetch subquery) => throw null; - public BatchFetchQueue(NHibernate.Engine.IPersistenceContext context) => throw null; - public void Clear() => throw null; - public void ClearSubselects() => throw null; - public object[] GetCollectionBatch(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object id, int batchSize) => throw null; - public System.Threading.Tasks.Task GetCollectionBatchAsync(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object id, int batchSize, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetEntityBatch(NHibernate.Persister.Entity.IEntityPersister persister, object id, int batchSize) => throw null; - public System.Threading.Tasks.Task GetEntityBatchAsync(NHibernate.Persister.Entity.IEntityPersister persister, object id, int batchSize, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Engine.SubselectFetch GetSubselect(NHibernate.Engine.EntityKey key) => throw null; - public void RemoveBatchLoadableCollection(NHibernate.Engine.CollectionEntry ce) => throw null; - public void RemoveBatchLoadableEntityKey(NHibernate.Engine.EntityKey key) => throw null; - public void RemoveSubselect(NHibernate.Engine.EntityKey key) => throw null; - } - - // Generated from `NHibernate.Engine.Cascade` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Cascade - { - public Cascade(NHibernate.Engine.CascadingAction action, NHibernate.Engine.CascadePoint point, NHibernate.Event.IEventSource eventSource) => throw null; - public void CascadeOn(NHibernate.Persister.Entity.IEntityPersister persister, object parent, object anything) => throw null; - public void CascadeOn(NHibernate.Persister.Entity.IEntityPersister persister, object parent) => throw null; - public System.Threading.Tasks.Task CascadeOnAsync(NHibernate.Persister.Entity.IEntityPersister persister, object parent, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task CascadeOnAsync(NHibernate.Persister.Entity.IEntityPersister persister, object parent, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Engine.CascadePoint` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum CascadePoint - { - AfterEvict, - AfterInsertBeforeDelete, - AfterInsertBeforeDeleteViaCollection, - AfterLock, - AfterUpdate, - BeforeFlush, - BeforeInsertAfterDelete, - BeforeMerge, - BeforeRefresh, - } - - // Generated from `NHibernate.Engine.CascadeStyle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CascadeStyle : System.Runtime.Serialization.ISerializable - { - public static NHibernate.Engine.CascadeStyle All; - public static NHibernate.Engine.CascadeStyle AllDeleteOrphan; - internal CascadeStyle() => throw null; - public static NHibernate.Engine.CascadeStyle Delete; - public static NHibernate.Engine.CascadeStyle DeleteOrphan; - public abstract bool DoCascade(NHibernate.Engine.CascadingAction action); - public static NHibernate.Engine.CascadeStyle Evict; - public static NHibernate.Engine.CascadeStyle GetCascadeStyle(string cascade) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public virtual bool HasOrphanDelete { get => throw null; } - public static NHibernate.Engine.CascadeStyle Lock; - public static NHibernate.Engine.CascadeStyle Merge; - // Generated from `NHibernate.Engine.CascadeStyle+MultipleCascadeStyle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MultipleCascadeStyle : NHibernate.Engine.CascadeStyle, System.Runtime.Serialization.ISerializable - { - public override bool DoCascade(NHibernate.Engine.CascadingAction action) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override bool HasOrphanDelete { get => throw null; } - public MultipleCascadeStyle(NHibernate.Engine.CascadeStyle[] styles) => throw null; - public override bool ReallyDoCascade(NHibernate.Engine.CascadingAction action) => throw null; - public override string ToString() => throw null; - } - - - public static NHibernate.Engine.CascadeStyle None; - public static NHibernate.Engine.CascadeStyle Persist; - public virtual bool ReallyDoCascade(NHibernate.Engine.CascadingAction action) => throw null; - public static NHibernate.Engine.CascadeStyle Refresh; - public static NHibernate.Engine.CascadeStyle Replicate; - public static NHibernate.Engine.CascadeStyle Update; - } - - // Generated from `NHibernate.Engine.CascadingAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CascadingAction - { - public abstract void Cascade(NHibernate.Event.IEventSource session, object child, string entityName, object anything, bool isCascadeDeleteEnabled); - public abstract System.Threading.Tasks.Task CascadeAsync(NHibernate.Event.IEventSource session, object child, string entityName, object anything, bool isCascadeDeleteEnabled, System.Threading.CancellationToken cancellationToken); - protected CascadingAction() => throw null; - public static NHibernate.Engine.CascadingAction Delete; - public abstract bool DeleteOrphans { get; } - public static NHibernate.Engine.CascadingAction Evict; - public abstract System.Collections.IEnumerable GetCascadableChildrenIterator(NHibernate.Event.IEventSource session, NHibernate.Type.CollectionType collectionType, object collection); - public static System.Collections.IEnumerable GetLoadedElementsIterator(NHibernate.Engine.ISessionImplementor session, NHibernate.Type.CollectionType collectionType, object collection) => throw null; - public static NHibernate.Engine.CascadingAction Lock; - public static NHibernate.Engine.CascadingAction Merge; - public virtual void NoCascade(NHibernate.Event.IEventSource session, object child, object parent, NHibernate.Persister.Entity.IEntityPersister persister, int propertyIndex) => throw null; - public virtual System.Threading.Tasks.Task NoCascadeAsync(NHibernate.Event.IEventSource session, object child, object parent, NHibernate.Persister.Entity.IEntityPersister persister, int propertyIndex, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual bool PerformOnLazyProperty { get => throw null; } - public static NHibernate.Engine.CascadingAction Persist; - public static NHibernate.Engine.CascadingAction PersistOnFlush; - public static NHibernate.Engine.CascadingAction Refresh; - public static NHibernate.Engine.CascadingAction Replicate; - public virtual bool RequiresNoCascadeChecking { get => throw null; } - public static NHibernate.Engine.CascadingAction SaveUpdate; - } - - // Generated from `NHibernate.Engine.CollectionEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionEntry - { - public void AfterAction(NHibernate.Collection.IPersistentCollection collection) => throw null; - public CollectionEntry(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; - public CollectionEntry(NHibernate.Persister.Collection.ICollectionPersister loadedPersister, object loadedKey) => throw null; - public CollectionEntry(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister loadedPersister, object loadedKey, bool ignore) => throw null; - public object CurrentKey { get => throw null; set => throw null; } - public NHibernate.Persister.Collection.ICollectionPersister CurrentPersister { get => throw null; set => throw null; } - public System.Collections.ICollection GetOrphans(string entityName, NHibernate.Collection.IPersistentCollection collection) => throw null; - public System.Threading.Tasks.Task GetOrphansAsync(string entityName, NHibernate.Collection.IPersistentCollection collection, System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsDorecreate { get => throw null; set => throw null; } - public bool IsDoremove { get => throw null; set => throw null; } - public bool IsDoupdate { get => throw null; set => throw null; } - public bool IsIgnore { get => throw null; } - public bool IsProcessed { get => throw null; set => throw null; } - public bool IsReached { get => throw null; set => throw null; } - public bool IsSnapshotEmpty(NHibernate.Collection.IPersistentCollection collection) => throw null; - public object Key { get => throw null; } - public object LoadedKey { get => throw null; } - public NHibernate.Persister.Collection.ICollectionPersister LoadedPersister { get => throw null; } - public void PostFlush(NHibernate.Collection.IPersistentCollection collection) => throw null; - public void PostInitialize(NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.IPersistenceContext persistenceContext) => throw null; - public void PostInitialize(NHibernate.Collection.IPersistentCollection collection) => throw null; - public void PreFlush(NHibernate.Collection.IPersistentCollection collection) => throw null; - public System.Threading.Tasks.Task PreFlushAsync(NHibernate.Collection.IPersistentCollection collection, System.Threading.CancellationToken cancellationToken) => throw null; - public string Role { get => throw null; set => throw null; } - public object Snapshot { get => throw null; } - public override string ToString() => throw null; - public bool WasDereferenced { get => throw null; } - } - - // Generated from `NHibernate.Engine.CollectionKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionKey : System.Runtime.Serialization.IDeserializationCallback - { - public CollectionKey(NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public object Key { get => throw null; } - public void OnDeserialization(object sender) => throw null; - public string Role { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.Collections` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class Collections - { - public static void ProcessReachableCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task ProcessReachableCollectionAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static void ProcessUnreachableCollection(NHibernate.Collection.IPersistentCollection coll, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task ProcessUnreachableCollectionAsync(NHibernate.Collection.IPersistentCollection coll, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Engine.EntityEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityEntry - { - public object[] DeletedState { get => throw null; set => throw null; } - public NHibernate.Engine.EntityKey EntityKey { get => throw null; } - public string EntityName { get => throw null; } - public bool ExistsInDatabase { get => throw null; } - public void ForceLocked(object entity, object nextVersion) => throw null; - public object GetLoadedValue(string propertyName) => throw null; - public object Id { get => throw null; } - public bool IsBeingReplicated { get => throw null; } - public bool IsModifiableEntity() => throw null; - public bool IsNullifiable(bool earlyInsert, NHibernate.Engine.ISessionImplementor session) => throw null; - public bool IsReadOnly { get => throw null; } - public object[] LoadedState { get => throw null; } - public bool LoadedWithLazyPropertiesUnfetched { get => throw null; } - public NHibernate.LockMode LockMode { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set => throw null; } - public void PostDelete() => throw null; - public void PostInsert() => throw null; - public void PostUpdate(object entity, object[] updatedState, object nextVersion) => throw null; - public bool RequiresDirtyCheck(object entity) => throw null; - public object RowId { get => throw null; } - public void SetReadOnly(bool readOnly, object entity) => throw null; - public NHibernate.Engine.Status Status { get => throw null; set => throw null; } - public override string ToString() => throw null; - public object Version { get => throw null; } - } - - // Generated from `NHibernate.Engine.EntityKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityKey : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback, System.IEquatable - { - public EntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public string EntityName { get => throw null; } - public override bool Equals(object other) => throw null; - public bool Equals(NHibernate.Engine.EntityKey other) => throw null; - public override int GetHashCode() => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object Identifier { get => throw null; } - public bool IsBatchLoadable { get => throw null; } - public void OnDeserialization(object sender) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.EntityUniqueKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityUniqueKey : System.Runtime.Serialization.IDeserializationCallback - { - public string EntityName { get => throw null; } - public EntityUniqueKey(string entityName, string uniqueKeyName, object semiResolvedKey, NHibernate.Type.IType keyType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Engine.EntityUniqueKey that) => throw null; - public int GenerateHashCode() => throw null; - public override int GetHashCode() => throw null; - public object Key { get => throw null; } - public void OnDeserialization(object sender) => throw null; - public override string ToString() => throw null; - public string UniqueKeyName { get => throw null; } - } - - // Generated from `NHibernate.Engine.ExecuteUpdateResultCheckStyle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExecuteUpdateResultCheckStyle - { - public static NHibernate.Engine.ExecuteUpdateResultCheckStyle Count; - public static NHibernate.Engine.ExecuteUpdateResultCheckStyle DetermineDefault(NHibernate.SqlCommand.SqlString customSql, bool callable) => throw null; - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public static NHibernate.Engine.ExecuteUpdateResultCheckStyle None; - public static NHibernate.Engine.ExecuteUpdateResultCheckStyle Parse(string name) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.FilterDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterDefinition - { - public string DefaultFilterCondition { get => throw null; } - public FilterDefinition(string name, string defaultCondition, System.Collections.Generic.IDictionary parameterTypes, bool useManyToOne) => throw null; - public string FilterName { get => throw null; } - public NHibernate.Type.IType GetParameterType(string parameterName) => throw null; - public System.Collections.Generic.ICollection ParameterNames { get => throw null; } - public System.Collections.Generic.IDictionary ParameterTypes { get => throw null; } - public bool UseInManyToOne { get => throw null; } - } - - // Generated from `NHibernate.Engine.ForeignKeys` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ForeignKeys - { - public static object GetEntityIdentifierIfNotUnsaved(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task GetEntityIdentifierIfNotUnsavedAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool IsNotTransientSlow(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task IsNotTransientSlowAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool? IsTransientFast(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task IsTransientFastAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool IsTransientSlow(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task IsTransientSlowAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Engine.ForeignKeys+Nullifier` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Nullifier - { - public Nullifier(object self, bool isDelete, bool isEarlyInsert, NHibernate.Engine.ISessionImplementor session) => throw null; - public void NullifyTransientReferences(object[] values, NHibernate.Type.IType[] types) => throw null; - public System.Threading.Tasks.Task NullifyTransientReferencesAsync(object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken) => throw null; - } - - - } - - // Generated from `NHibernate.Engine.IBatcher` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBatcher : System.IDisposable - { - void AbortBatch(System.Exception e); - void AddToBatch(NHibernate.AdoNet.IExpectation expectation); - System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken); - int BatchSize { get; set; } - void CancelLastQuery(); - void CloseCommand(System.Data.Common.DbCommand cmd, System.Data.Common.DbDataReader reader); - void CloseCommands(); - void CloseReader(System.Data.Common.DbDataReader reader); - void ExecuteBatch(); - System.Threading.Tasks.Task ExecuteBatchAsync(System.Threading.CancellationToken cancellationToken); - int ExecuteNonQuery(System.Data.Common.DbCommand cmd); - System.Threading.Tasks.Task ExecuteNonQueryAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken); - System.Data.Common.DbDataReader ExecuteReader(System.Data.Common.DbCommand cmd); - System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken); - bool HasOpenResources { get; } - System.Data.Common.DbCommand PrepareBatchCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); - System.Threading.Tasks.Task PrepareBatchCommandAsync(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken); - System.Data.Common.DbCommand PrepareCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); - System.Threading.Tasks.Task PrepareCommandAsync(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken); - System.Data.Common.DbCommand PrepareQueryCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); - } - - // Generated from `NHibernate.Engine.ILhsAssociationTypeSqlInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILhsAssociationTypeSqlInfo - { - string[] GetAliasedColumnNames(NHibernate.Type.IAssociationType type, int begin); - string[] GetColumnNames(NHibernate.Type.IAssociationType type, int begin); - string GetTableName(NHibernate.Type.IAssociationType type); - } - - // Generated from `NHibernate.Engine.IMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapping - { - NHibernate.Dialect.Dialect Dialect { get; } - string GetIdentifierPropertyName(string className); - NHibernate.Type.IType GetIdentifierType(string className); - NHibernate.Type.IType GetReferencedPropertyType(string className, string propertyName); - bool HasNonIdentifierPropertyNamedId(string className); - } - - // Generated from `NHibernate.Engine.IPersistenceContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistenceContext - { - void AddChildParent(object child, object parent); - void AddCollectionHolder(NHibernate.Collection.IPersistentCollection holder); - void AddEntity(NHibernate.Engine.EntityUniqueKey euk, object entity); - void AddEntity(NHibernate.Engine.EntityKey key, object entity); - NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched); - NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched); - NHibernate.Engine.CollectionEntry AddInitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id); - void AddInitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection); - void AddNewCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection); - void AddNonLazyCollection(NHibernate.Collection.IPersistentCollection collection); - void AddNullProperty(NHibernate.Engine.EntityKey ownerKey, string propertyName); - void AddProxy(NHibernate.Engine.EntityKey key, NHibernate.Proxy.INHibernateProxy proxy); - void AddUninitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id); - void AddUninitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection); - void AddUnownedCollection(NHibernate.Engine.CollectionKey key, NHibernate.Collection.IPersistentCollection collection); - void AfterLoad(); - void AfterTransactionCompletion(); - NHibernate.Engine.BatchFetchQueue BatchFetchQueue { get; } - void BeforeLoad(); - int CascadeLevel { get; } - void CheckUniqueness(NHibernate.Engine.EntityKey key, object obj); - void Clear(); - System.Collections.IDictionary CollectionEntries { get; } - System.Collections.Generic.IDictionary CollectionsByKey { get; } - bool ContainsCollection(NHibernate.Collection.IPersistentCollection collection); - bool ContainsEntity(NHibernate.Engine.EntityKey key); - bool ContainsProxy(NHibernate.Proxy.INHibernateProxy proxy); - int DecrementCascadeLevel(); - bool DefaultReadOnly { get; set; } - System.Collections.Generic.IDictionary EntitiesByKey { get; } - System.Collections.IDictionary EntityEntries { get; } - bool Flushing { get; set; } - object[] GetCachedDatabaseSnapshot(NHibernate.Engine.EntityKey key); - NHibernate.Collection.IPersistentCollection GetCollection(NHibernate.Engine.CollectionKey collectionKey); - NHibernate.Engine.CollectionEntry GetCollectionEntry(NHibernate.Collection.IPersistentCollection coll); - NHibernate.Engine.CollectionEntry GetCollectionEntryOrNull(object collection); - NHibernate.Collection.IPersistentCollection GetCollectionHolder(object array); - object GetCollectionOwner(object key, NHibernate.Persister.Collection.ICollectionPersister collectionPersister); - object[] GetDatabaseSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister); - System.Threading.Tasks.Task GetDatabaseSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken); - object GetEntity(NHibernate.Engine.EntityUniqueKey euk); - object GetEntity(NHibernate.Engine.EntityKey key); - NHibernate.Engine.EntityEntry GetEntry(object entity); - object GetIndexInOwner(string entity, string property, object childObject, System.Collections.IDictionary mergeMap); - object GetLoadedCollectionOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection); - object GetLoadedCollectionOwnerOrNull(NHibernate.Collection.IPersistentCollection collection); - object[] GetNaturalIdSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister); - System.Threading.Tasks.Task GetNaturalIdSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken); - object GetOwnerId(string entity, string property, object childObject, System.Collections.IDictionary mergeMap); - object GetProxy(NHibernate.Engine.EntityKey key); - object GetSnapshot(NHibernate.Collection.IPersistentCollection coll); - bool HasNonReadOnlyEntities { get; } - int IncrementCascadeLevel(); - void InitializeNonLazyCollections(); - System.Threading.Tasks.Task InitializeNonLazyCollectionsAsync(System.Threading.CancellationToken cancellationToken); - bool IsEntryFor(object entity); - bool IsLoadFinished { get; } - bool IsPropertyNull(NHibernate.Engine.EntityKey ownerKey, string propertyName); - bool IsReadOnly(object entityOrProxy); - bool IsStateless { get; } - NHibernate.Engine.Loading.LoadContexts LoadContexts { get; } - object NarrowProxy(NHibernate.Proxy.INHibernateProxy proxy, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object obj); - System.Collections.Generic.ISet NullifiableEntityKeys { get; } - object ProxyFor(object impl); - object ProxyFor(NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object impl); - bool ReassociateIfUninitializedProxy(object value); - void ReassociateProxy(object value, object id); - void RemoveChildParent(object child); - NHibernate.Collection.IPersistentCollection RemoveCollectionHolder(object array); - object RemoveEntity(NHibernate.Engine.EntityKey key); - NHibernate.Engine.EntityEntry RemoveEntry(object entity); - object RemoveProxy(NHibernate.Engine.EntityKey key); - void ReplaceDelayedEntityIdentityInsertKeys(NHibernate.Engine.EntityKey oldKey, object generatedId); - NHibernate.Engine.ISessionImplementor Session { get; } - void SetEntryStatus(NHibernate.Engine.EntityEntry entry, NHibernate.Engine.Status status); - void SetReadOnly(object entityOrProxy, bool readOnly); - object Unproxy(object maybeProxy); - object UnproxyAndReassociate(object maybeProxy); - System.Threading.Tasks.Task UnproxyAndReassociateAsync(object maybeProxy, System.Threading.CancellationToken cancellationToken); - NHibernate.Collection.IPersistentCollection UseUnownedCollection(NHibernate.Engine.CollectionKey key); - } - - // Generated from `NHibernate.Engine.ISessionFactoryImplementor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionFactoryImplementor : System.IDisposable, NHibernate.ISessionFactory, NHibernate.Engine.IMapping - { - NHibernate.Connection.IConnectionProvider ConnectionProvider { get; } - NHibernate.Context.ICurrentSessionContext CurrentSessionContext { get; } - NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get; } - System.Collections.Generic.IDictionary GetAllSecondLevelCacheRegions(); - NHibernate.Persister.Collection.ICollectionPersister GetCollectionPersister(string role); - System.Collections.Generic.ISet GetCollectionRolesByEntityParticipant(string entityName); - NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName); - NHibernate.Id.IIdentifierGenerator GetIdentifierGenerator(string rootEntityName); - string[] GetImplementors(string entityOrClassName); - string GetImportedClassName(string name); - NHibernate.Engine.NamedQueryDefinition GetNamedQuery(string queryName); - NHibernate.Engine.NamedSQLQueryDefinition GetNamedSQLQuery(string queryName); - NHibernate.Cache.IQueryCache GetQueryCache(string regionName); - NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string resultSetRef); - string[] GetReturnAliases(string queryString); - NHibernate.Type.IType[] GetReturnTypes(string queryString); - NHibernate.Cache.ICache GetSecondLevelCacheRegion(string regionName); - NHibernate.IInterceptor Interceptor { get; } - NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, bool flushBeforeCompletionEnabled, bool autoCloseSessionEnabled, NHibernate.ConnectionReleaseMode connectionReleaseMode); - NHibernate.Cache.IQueryCache QueryCache { get; } - NHibernate.Engine.Query.QueryPlanCache QueryPlanCache { get; } - NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get; } - NHibernate.Dialect.Function.SQLFunctionRegistry SQLFunctionRegistry { get; } - NHibernate.Cfg.Settings Settings { get; } - NHibernate.Stat.IStatisticsImplementor StatisticsImplementor { get; } - NHibernate.Transaction.ITransactionFactory TransactionFactory { get; } - NHibernate.Persister.Entity.IEntityPersister TryGetEntityPersister(string entityName); - string TryGetGuessEntityName(System.Type implementor); - NHibernate.Cache.UpdateTimestampsCache UpdateTimestampsCache { get; } - } - - // Generated from `NHibernate.Engine.ISessionImplementor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionImplementor - { - void AfterTransactionBegin(NHibernate.ITransaction tx); - void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx); - System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); - NHibernate.Engine.IBatcher Batcher { get; } - void BeforeTransactionCompletion(NHibernate.ITransaction tx); - System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); - string BestGuessEntityName(object entity); - NHibernate.CacheMode CacheMode { get; set; } - void CloseSessionFromSystemTransaction(); - System.Data.Common.DbConnection Connection { get; } - NHibernate.AdoNet.ConnectionManager ConnectionManager { get; } - NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression); - System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken); - NHibernate.IQuery CreateQuery(NHibernate.IQueryExpression queryExpression); - System.Collections.Generic.IDictionary EnabledFilters { get; } - System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters); - System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - int ExecuteUpdate(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - NHibernate.Engine.ISessionFactoryImplementor Factory { get; } - string FetchProfile { get; set; } - void Flush(); - System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken); - void FlushBeforeTransactionCompletion(); - System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); - NHibernate.FlushMode FlushMode { get; set; } - NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get; } - NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get; } - NHibernate.Cache.CacheKey GenerateCacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName); - NHibernate.Engine.EntityKey GenerateEntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister); - object GetContextEntityIdentifier(object obj); - NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj); - object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key); - System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken); - NHibernate.Type.IType GetFilterParameterType(string filterParameterName); - object GetFilterParameterValue(string filterParameterName); - NHibernate.IQuery GetNamedQuery(string queryName); - NHibernate.IQuery GetNamedSQLQuery(string name); - NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar); - System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken); - string GuessEntityName(object entity); - object ImmediateLoad(string entityName, object id); - System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken); - void Initialize(); - void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing); - System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken); - object Instantiate(string entityName, object id); - NHibernate.IInterceptor Interceptor { get; } - object InternalLoad(string entityName, object id, bool eager, bool isNullable); - System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken); - bool IsClosed { get; } - bool IsConnected { get; } - bool IsEventSource { get; } - bool IsOpen { get; } - void JoinTransaction(); - void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results); - void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); - void List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); - System.Collections.IList List(NHibernate.Impl.CriteriaImpl criteria); - System.Collections.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters); - System.Collections.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters); - System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria); - System.Collections.Generic.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); - System.Collections.Generic.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); - System.Collections.Generic.IList ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task> ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - System.Collections.IList ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters); - System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - NHibernate.Event.EventListeners Listeners { get; } - NHibernate.Engine.IPersistenceContext PersistenceContext { get; } - System.Guid SessionId { get; } - System.Int64 Timestamp { get; } - NHibernate.Transaction.ITransactionContext TransactionContext { get; set; } - bool TransactionInProgress { get; } - } - - // Generated from `NHibernate.Engine.IdPropertiesLhsAssociationTypeSqlInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdPropertiesLhsAssociationTypeSqlInfo : NHibernate.Engine.AbstractLhsAssociationTypeSqlInfo - { - protected override string[] GetAliasedColumns() => throw null; - protected override string[] GetColumns() => throw null; - public override string GetTableName(NHibernate.Type.IAssociationType type) => throw null; - public IdPropertiesLhsAssociationTypeSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) : base(default(string), default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.IMapping)) => throw null; - } - - // Generated from `NHibernate.Engine.IdentifierValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierValue - { - public virtual object GetDefaultValue(object currentValue) => throw null; - public IdentifierValue(object value) => throw null; - protected IdentifierValue() => throw null; - public virtual bool? IsUnsaved(object id) => throw null; - public static NHibernate.Engine.IdentifierValue SaveAny; - public static NHibernate.Engine.IdentifierValue SaveNone; - public static NHibernate.Engine.IdentifierValue SaveNull; - public static NHibernate.Engine.IdentifierValue Undefined; - // Generated from `NHibernate.Engine.IdentifierValue+UndefinedClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UndefinedClass : NHibernate.Engine.IdentifierValue - { - public override object GetDefaultValue(object currentValue) => throw null; - public override bool? IsUnsaved(object id) => throw null; - public UndefinedClass() => throw null; - } - - - } - - // Generated from `NHibernate.Engine.JoinHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class JoinHelper - { - public static NHibernate.Engine.ILhsAssociationTypeSqlInfo GetIdLhsSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable lhsPersister, NHibernate.Engine.IMapping mapping) => throw null; - public static NHibernate.Engine.ILhsAssociationTypeSqlInfo GetLhsSqlInfo(string alias, int property, NHibernate.Persister.Entity.IOuterJoinLoadable lhsPersister, NHibernate.Engine.IMapping mapping) => throw null; - public static string[] GetRHSColumnNames(NHibernate.Type.IAssociationType type, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Engine.JoinSequence` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinSequence - { - public NHibernate.Engine.JoinSequence AddCondition(string alias, string[] columns, string condition, bool appendParameter) => throw null; - public NHibernate.Engine.JoinSequence AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; - public NHibernate.Engine.JoinSequence AddJoin(NHibernate.Type.IAssociationType associationType, string alias, NHibernate.SqlCommand.JoinType joinType, string[] referencingKey) => throw null; - public NHibernate.Engine.JoinSequence Copy() => throw null; - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public NHibernate.Engine.JoinSequence GetFromPart() => throw null; - // Generated from `NHibernate.Engine.JoinSequence+ISelector` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISelector - { - bool IncludeSubclasses(string alias); - } - - - public bool IsThetaStyle { get => throw null; } - public int JoinCount { get => throw null; } - public JoinSequence(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.Engine.JoinSequence SetNext(NHibernate.Engine.JoinSequence next) => throw null; - public NHibernate.Engine.JoinSequence SetRoot(NHibernate.Persister.Entity.IJoinable joinable, string alias) => throw null; - public NHibernate.Engine.JoinSequence SetSelector(NHibernate.Engine.JoinSequence.ISelector s) => throw null; - public NHibernate.Engine.JoinSequence SetUseThetaStyle(bool useThetaStyle) => throw null; - public NHibernate.SqlCommand.JoinFragment ToJoinFragment(System.Collections.Generic.IDictionary enabledFilters, bool includeExtraJoins, NHibernate.SqlCommand.SqlString withClauseFragment, string withClauseJoinAlias) => throw null; - public NHibernate.SqlCommand.JoinFragment ToJoinFragment(System.Collections.Generic.IDictionary enabledFilters, bool includeExtraJoins) => throw null; - public NHibernate.SqlCommand.JoinFragment ToJoinFragment() => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.NamedQueryDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedQueryDefinition - { - public NHibernate.CacheMode? CacheMode { get => throw null; } - public string CacheRegion { get => throw null; } - public string Comment { get => throw null; } - public int FetchSize { get => throw null; } - public NHibernate.FlushMode FlushMode { get => throw null; } - public bool IsCacheable { get => throw null; } - public bool IsReadOnly { get => throw null; } - public NamedQueryDefinition(string query, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes) => throw null; - public NamedQueryDefinition(string query, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes) => throw null; - public System.Collections.Generic.IDictionary ParameterTypes { get => throw null; } - public string Query { get => throw null; } - public string QueryString { get => throw null; } - public int Timeout { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.NamedSQLQueryDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedSQLQueryDefinition : NHibernate.Engine.NamedQueryDefinition - { - public bool IsCallable { get => throw null; } - public NamedSQLQueryDefinition(string query, string resultSetRef, System.Collections.Generic.IList querySpaces, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes, bool callable) : base(default(string), default(bool), default(string), default(int), default(int), default(NHibernate.FlushMode), default(bool), default(string), default(System.Collections.Generic.IDictionary)) => throw null; - public NamedSQLQueryDefinition(string query, NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, System.Collections.Generic.IList querySpaces, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes, bool callable) : base(default(string), default(bool), default(string), default(int), default(int), default(NHibernate.FlushMode), default(bool), default(string), default(System.Collections.Generic.IDictionary)) => throw null; - public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] QueryReturns { get => throw null; } - public System.Collections.Generic.IList QuerySpaces { get => throw null; } - public string ResultSetRef { get => throw null; } - } - - // Generated from `NHibernate.Engine.Nullability` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Nullability - { - public void CheckNullability(object[] values, NHibernate.Persister.Entity.IEntityPersister persister, bool isUpdate) => throw null; - public Nullability(NHibernate.Engine.ISessionImplementor session) => throw null; - } - - // Generated from `NHibernate.Engine.PersistenceContextExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PersistenceContextExtensions - { - public static NHibernate.Engine.EntityEntry AddEntity(this NHibernate.Engine.IPersistenceContext context, object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; - public static NHibernate.Engine.EntityEntry AddEntry(this NHibernate.Engine.IPersistenceContext context, object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; - } - - // Generated from `NHibernate.Engine.PropertiesLhsAssociationTypeSqlInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertiesLhsAssociationTypeSqlInfo : NHibernate.Engine.AbstractLhsAssociationTypeSqlInfo - { - protected override string[] GetAliasedColumns() => throw null; - protected override string[] GetColumns() => throw null; - public override string GetTableName(NHibernate.Type.IAssociationType type) => throw null; - public PropertiesLhsAssociationTypeSqlInfo(string alias, int propertyIdx, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) : base(default(string), default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.IMapping)) => throw null; - } - - // Generated from `NHibernate.Engine.QueryParameters` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryParameters - { - public NHibernate.CacheMode? CacheMode { get => throw null; set => throw null; } - public string CacheRegion { get => throw null; set => throw null; } - public bool Cacheable { get => throw null; set => throw null; } - public bool Callable { get => throw null; set => throw null; } - public bool CanGetFromCache(NHibernate.Engine.ISessionImplementor session) => throw null; - public bool CanPutToCache(NHibernate.Engine.ISessionImplementor session) => throw null; - public object[] CollectionKeys { get => throw null; set => throw null; } - public string Comment { get => throw null; set => throw null; } - public NHibernate.Engine.QueryParameters CreateCopyUsing(NHibernate.Engine.RowSelection selection) => throw null; - public bool ForceCacheRefresh { get => throw null; set => throw null; } - public bool HasAutoDiscoverScalarTypes { get => throw null; set => throw null; } - public bool HasRowSelection { get => throw null; } - public bool IsReadOnly(NHibernate.Engine.ISessionImplementor session) => throw null; - public bool IsReadOnlyInitialized { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary LockModes { get => throw null; set => throw null; } - public void LogParameters(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public System.Collections.Generic.IDictionary NamedParameters { get => throw null; set => throw null; } - public bool NaturalKeyLookup { get => throw null; set => throw null; } - public string OptionalEntityName { get => throw null; set => throw null; } - public object OptionalId { get => throw null; set => throw null; } - public object OptionalObject { get => throw null; set => throw null; } - public NHibernate.Type.IType[] PositionalParameterTypes { get => throw null; set => throw null; } - public object[] PositionalParameterValues { get => throw null; set => throw null; } - public NHibernate.Engine.RowSelection ProcessedRowSelection { get => throw null; set => throw null; } - public NHibernate.SqlCommand.SqlString ProcessedSql { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable ProcessedSqlParameters { get => throw null; set => throw null; } - public QueryParameters(System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, bool isLookupByNaturalKey, NHibernate.Transform.IResultTransformer transformer) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, object[] collectionKeys) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, object optionalObject, string optionalEntityName, object optionalObjectId) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, System.Collections.Generic.IDictionary namedParameters, object[] collectionKeys) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, bool isLookupByNaturalKey, NHibernate.Transform.IResultTransformer transformer) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, object[] collectionKeys, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Transform.IResultTransformer transformer) => throw null; - public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, object[] collectionKeys, NHibernate.Transform.IResultTransformer transformer) => throw null; - public QueryParameters() => throw null; - public bool ReadOnly { get => throw null; set => throw null; } - public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; set => throw null; } - public NHibernate.Engine.RowSelection RowSelection { get => throw null; set => throw null; } - public void ValidateParameters() => throw null; - } - - // Generated from `NHibernate.Engine.ResultSetMappingDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultSetMappingDefinition - { - public void AddQueryReturn(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn queryReturn) => throw null; - public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] GetQueryReturns() => throw null; - public string Name { get => throw null; } - public ResultSetMappingDefinition(string name) => throw null; - } - - // Generated from `NHibernate.Engine.RowSelection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RowSelection - { - public bool DefinesLimits { get => throw null; } - public int FetchSize { get => throw null; set => throw null; } - public int FirstRow { get => throw null; set => throw null; } - public int MaxRows { get => throw null; set => throw null; } - public static int NoValue; - public RowSelection() => throw null; - public int Timeout { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Engine.SessionImplementorExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SessionImplementorExtensions - { - public static string GetTenantIdentifier(this NHibernate.Engine.ISessionImplementor session) => throw null; - } - - // Generated from `NHibernate.Engine.StatefulPersistenceContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StatefulPersistenceContext : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback, NHibernate.Engine.IPersistenceContext - { - public void AddChildParent(object child, object parent) => throw null; - public void AddCollectionHolder(NHibernate.Collection.IPersistentCollection holder) => throw null; - public void AddEntity(NHibernate.Engine.EntityUniqueKey euk, object entity) => throw null; - public void AddEntity(NHibernate.Engine.EntityKey key, object entity) => throw null; - public NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched) => throw null; - public NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; - public NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched) => throw null; - public NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; - public NHibernate.Engine.CollectionEntry AddInitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id) => throw null; - public void AddInitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection) => throw null; - public void AddNewCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; - public void AddNonLazyCollection(NHibernate.Collection.IPersistentCollection collection) => throw null; - public void AddNullProperty(NHibernate.Engine.EntityKey ownerKey, string propertyName) => throw null; - public void AddProxy(NHibernate.Engine.EntityKey key, NHibernate.Proxy.INHibernateProxy proxy) => throw null; - public void AddUninitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id) => throw null; - public void AddUninitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; - public void AddUnownedCollection(NHibernate.Engine.CollectionKey key, NHibernate.Collection.IPersistentCollection collection) => throw null; - public void AfterLoad() => throw null; - public void AfterTransactionCompletion() => throw null; - public NHibernate.Engine.BatchFetchQueue BatchFetchQueue { get => throw null; } - public void BeforeLoad() => throw null; - public int CascadeLevel { get => throw null; } - public void CheckUniqueness(NHibernate.Engine.EntityKey key, object obj) => throw null; - public void Clear() => throw null; - public System.Collections.IDictionary CollectionEntries { get => throw null; } - public System.Collections.Generic.IDictionary CollectionsByKey { get => throw null; } - public bool ContainsCollection(NHibernate.Collection.IPersistentCollection collection) => throw null; - public bool ContainsEntity(NHibernate.Engine.EntityKey key) => throw null; - public bool ContainsProxy(NHibernate.Proxy.INHibernateProxy proxy) => throw null; - public int DecrementCascadeLevel() => throw null; - public bool DefaultReadOnly { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary EntitiesByKey { get => throw null; } - public System.Collections.IDictionary EntityEntries { get => throw null; } - public bool Flushing { get => throw null; set => throw null; } - public object[] GetCachedDatabaseSnapshot(NHibernate.Engine.EntityKey key) => throw null; - public NHibernate.Collection.IPersistentCollection GetCollection(NHibernate.Engine.CollectionKey collectionKey) => throw null; - public NHibernate.Engine.CollectionEntry GetCollectionEntry(NHibernate.Collection.IPersistentCollection coll) => throw null; - public NHibernate.Engine.CollectionEntry GetCollectionEntryOrNull(object collection) => throw null; - public NHibernate.Collection.IPersistentCollection GetCollectionHolder(object array) => throw null; - public object GetCollectionOwner(object key, NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; - public object[] GetDatabaseSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public System.Threading.Tasks.Task GetDatabaseSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public object GetEntity(NHibernate.Engine.EntityUniqueKey euk) => throw null; - public object GetEntity(NHibernate.Engine.EntityKey key) => throw null; - public NHibernate.Engine.EntityEntry GetEntry(object entity) => throw null; - public object GetIndexInOwner(string entity, string property, object childEntity, System.Collections.IDictionary mergeMap) => throw null; - public virtual object GetLoadedCollectionOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection) => throw null; - public virtual object GetLoadedCollectionOwnerOrNull(NHibernate.Collection.IPersistentCollection collection) => throw null; - public object[] GetNaturalIdSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public System.Threading.Tasks.Task GetNaturalIdSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object GetOwnerId(string entityName, string propertyName, object childEntity, System.Collections.IDictionary mergeMap) => throw null; - public object GetProxy(NHibernate.Engine.EntityKey key) => throw null; - public object GetSnapshot(NHibernate.Collection.IPersistentCollection coll) => throw null; - public bool HasNonReadOnlyEntities { get => throw null; } - public int IncrementCascadeLevel() => throw null; - public void InitializeNonLazyCollections() => throw null; - public System.Threading.Tasks.Task InitializeNonLazyCollectionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsEntryFor(object entity) => throw null; - public bool IsLoadFinished { get => throw null; } - public bool IsPropertyNull(NHibernate.Engine.EntityKey ownerKey, string propertyName) => throw null; - public bool IsReadOnly(object entityOrProxy) => throw null; - public bool IsStateless { get => throw null; } - public NHibernate.Engine.Loading.LoadContexts LoadContexts { get => throw null; } - public object NarrowProxy(NHibernate.Proxy.INHibernateProxy proxy, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object obj) => throw null; - public static object NoRow; - public System.Collections.Generic.ISet NullifiableEntityKeys { get => throw null; } - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public object ProxyFor(object impl) => throw null; - public object ProxyFor(NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object impl) => throw null; - public bool ReassociateIfUninitializedProxy(object value) => throw null; - public void ReassociateProxy(object value, object id) => throw null; - public void RemoveChildParent(object child) => throw null; - public NHibernate.Collection.IPersistentCollection RemoveCollectionHolder(object array) => throw null; - public object RemoveEntity(NHibernate.Engine.EntityKey key) => throw null; - public NHibernate.Engine.EntityEntry RemoveEntry(object entity) => throw null; - public object RemoveProxy(NHibernate.Engine.EntityKey key) => throw null; - public void ReplaceDelayedEntityIdentityInsertKeys(NHibernate.Engine.EntityKey oldKey, object generatedId) => throw null; - public NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public void SetEntryStatus(NHibernate.Engine.EntityEntry entry, NHibernate.Engine.Status status) => throw null; - public void SetReadOnly(object entityOrProxy, bool readOnly) => throw null; - public StatefulPersistenceContext(NHibernate.Engine.ISessionImplementor session) => throw null; - public override string ToString() => throw null; - public object Unproxy(object maybeProxy) => throw null; - public object UnproxyAndReassociate(object maybeProxy) => throw null; - public System.Threading.Tasks.Task UnproxyAndReassociateAsync(object maybeProxy, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Collection.IPersistentCollection UseUnownedCollection(NHibernate.Engine.CollectionKey key) => throw null; - } - - // Generated from `NHibernate.Engine.Status` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum Status - { - Deleted, - Gone, - Loaded, - Loading, - ReadOnly, - Saving, - } - - // Generated from `NHibernate.Engine.SubselectFetch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubselectFetch - { - public NHibernate.Engine.QueryParameters QueryParameters { get => throw null; } - public System.Collections.Generic.ISet Result { get => throw null; } - public SubselectFetch(string alias, NHibernate.Persister.Entity.ILoadable loadable, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet resultingEntityKeys) => throw null; - public override string ToString() => throw null; - public NHibernate.SqlCommand.SqlString ToSubselectString(string ukname) => throw null; - } - - // Generated from `NHibernate.Engine.TransactionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class TransactionHelper - { - public abstract object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction); - public abstract System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken); - public virtual object DoWorkInNewTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; - public virtual System.Threading.Tasks.Task DoWorkInNewTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected TransactionHelper() => throw null; - // Generated from `NHibernate.Engine.TransactionHelper+Work` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Work : NHibernate.Engine.Transaction.IIsolatedWork - { - public void DoWork(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction) => throw null; - public System.Threading.Tasks.Task DoWorkAsync(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; - public Work(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.TransactionHelper owner) => throw null; - } - - - } - - // Generated from `NHibernate.Engine.TwoPhaseLoad` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class TwoPhaseLoad - { - public static void AddUninitializedCachedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, object version, NHibernate.Engine.ISessionImplementor session) => throw null; - public static void AddUninitializedCachedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, object version, NHibernate.Engine.ISessionImplementor session) => throw null; - public static void AddUninitializedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; - public static void AddUninitializedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session) => throw null; - public static void InitializeEntity(object entity, bool readOnly, NHibernate.Engine.ISessionImplementor session, NHibernate.Event.PreLoadEvent preLoadEvent, NHibernate.Event.PostLoadEvent postLoadEvent) => throw null; - public static System.Threading.Tasks.Task InitializeEntityAsync(object entity, bool readOnly, NHibernate.Engine.ISessionImplementor session, NHibernate.Event.PreLoadEvent preLoadEvent, NHibernate.Event.PostLoadEvent postLoadEvent, System.Threading.CancellationToken cancellationToken) => throw null; - public static void PostHydrate(NHibernate.Persister.Entity.IEntityPersister persister, object id, object[] values, object rowId, object obj, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; - public static void PostHydrate(NHibernate.Persister.Entity.IEntityPersister persister, object id, object[] values, object rowId, object obj, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session) => throw null; - } - - // Generated from `NHibernate.Engine.TypedValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypedValue - { - public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } - // Generated from `NHibernate.Engine.TypedValue+DefaultComparer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultComparer : System.Collections.Generic.IEqualityComparer - { - public DefaultComparer() => throw null; - public bool Equals(NHibernate.Engine.TypedValue x, NHibernate.Engine.TypedValue y) => throw null; - public int GetHashCode(NHibernate.Engine.TypedValue obj) => throw null; - } - - - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - // Generated from `NHibernate.Engine.TypedValue+ParameterListComparer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParameterListComparer : System.Collections.Generic.IEqualityComparer - { - public bool Equals(NHibernate.Engine.TypedValue x, NHibernate.Engine.TypedValue y) => throw null; - public int GetHashCode(NHibernate.Engine.TypedValue obj) => throw null; - public ParameterListComparer() => throw null; - } - - - public override string ToString() => throw null; - public NHibernate.Type.IType Type { get => throw null; } - public TypedValue(NHibernate.Type.IType type, object value, bool isList) => throw null; - public TypedValue(NHibernate.Type.IType type, object value) => throw null; - public object Value { get => throw null; } - } - - // Generated from `NHibernate.Engine.UnsavedValueFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class UnsavedValueFactory - { - public static NHibernate.Engine.IdentifierValue GetUnsavedIdentifierValue(string unsavedValue, NHibernate.Properties.IGetter identifierGetter, NHibernate.Type.IType identifierType, System.Reflection.ConstructorInfo constructor) => throw null; - public static NHibernate.Engine.VersionValue GetUnsavedVersionValue(string versionUnsavedValue, NHibernate.Properties.IGetter versionGetter, NHibernate.Type.IVersionType versionType, System.Reflection.ConstructorInfo constructor) => throw null; - } - - // Generated from `NHibernate.Engine.ValueInclusion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum ValueInclusion - { - Full, - None, - Partial, - } - - // Generated from `NHibernate.Engine.VersionValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class VersionValue - { - public virtual object GetDefaultValue(object currentValue) => throw null; - public virtual bool? IsUnsaved(object version) => throw null; - public static NHibernate.Engine.VersionValue VersionNegative; - public static NHibernate.Engine.VersionValue VersionSaveNull; - public static NHibernate.Engine.VersionValue VersionUndefined; - public VersionValue(object value) => throw null; - protected VersionValue() => throw null; - } - - // Generated from `NHibernate.Engine.Versioning` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Versioning - { - public static object GetVersion(object[] fields, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public static object Increment(object version, NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task IncrementAsync(object version, NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool IsVersionIncrementRequired(int[] dirtyProperties, bool hasDirtyCollections, bool[] propertyVersionability) => throw null; - // Generated from `NHibernate.Engine.Versioning+OptimisticLock` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum OptimisticLock - { - All, - Dirty, - None, - Version, - } - - - public static object Seed(NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task SeedAsync(NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static bool SeedVersion(object[] fields, int versionProperty, NHibernate.Type.IVersionType versionType, bool? force, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task SeedVersionAsync(object[] fields, int versionProperty, NHibernate.Type.IVersionType versionType, bool? force, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static void SetVersion(object[] fields, object version, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public Versioning() => throw null; - } - - namespace Loading - { - // Generated from `NHibernate.Engine.Loading.CollectionLoadContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionLoadContext - { - public CollectionLoadContext(NHibernate.Engine.Loading.LoadContexts loadContexts, System.Data.Common.DbDataReader resultSet) => throw null; - public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, NHibernate.Cache.CacheBatcher cacheBatcher) => throw null; - public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache) => throw null; - public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; - public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, NHibernate.Cache.CacheBatcher cacheBatcher, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Collection.IPersistentCollection GetLoadingCollection(NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; - public NHibernate.Engine.Loading.LoadContexts LoadContext { get => throw null; } - public System.Data.Common.DbDataReader ResultSet { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Engine.Loading.LoadContexts` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LoadContexts - { - public void Cleanup() => throw null; - public virtual void Cleanup(System.Data.Common.DbDataReader resultSet) => throw null; - public NHibernate.Engine.Loading.CollectionLoadContext GetCollectionLoadContext(System.Data.Common.DbDataReader resultSet) => throw null; - public bool HasLoadingCollectionEntries { get => throw null; } - public bool HasRegisteredLoadingCollectionEntries { get => throw null; } - public LoadContexts(NHibernate.Engine.IPersistenceContext persistenceContext) => throw null; - public NHibernate.Collection.IPersistentCollection LocateLoadingCollection(NHibernate.Persister.Collection.ICollectionPersister persister, object ownerKey) => throw null; - public NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } - } - - // Generated from `NHibernate.Engine.Loading.LoadingCollectionEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LoadingCollectionEntry - { - public NHibernate.Collection.IPersistentCollection Collection { get => throw null; } - public object Key { get => throw null; } - public LoadingCollectionEntry(System.Data.Common.DbDataReader resultSet, NHibernate.Persister.Collection.ICollectionPersister persister, object key, NHibernate.Collection.IPersistentCollection collection) => throw null; - public NHibernate.Persister.Collection.ICollectionPersister Persister { get => throw null; } - public System.Data.Common.DbDataReader ResultSet { get => throw null; } - public bool StopLoading { get => throw null; set => throw null; } - public override string ToString() => throw null; - } - - } - namespace Query - { - // Generated from `NHibernate.Engine.Query.CallableParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CallableParser - { - // Generated from `NHibernate.Engine.Query.CallableParser+Detail` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Detail - { - public Detail() => throw null; - public string FunctionName; - public bool HasReturn; - public bool IsCallable; - } - - - public static NHibernate.Engine.Query.CallableParser.Detail Parse(string sqlString) => throw null; - } - - // Generated from `NHibernate.Engine.Query.FilterQueryPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterQueryPlan : NHibernate.Engine.Query.QueryExpressionPlan - { - public string CollectionRole { get => throw null; } - public override NHibernate.Engine.Query.QueryExpressionPlan Copy(NHibernate.IQueryExpression expression) => throw null; - public FilterQueryPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.Query.HQLQueryPlan), default(NHibernate.IQueryExpression)) => throw null; - protected FilterQueryPlan(NHibernate.Engine.Query.FilterQueryPlan source, NHibernate.IQueryExpression expression) : base(default(NHibernate.Engine.Query.HQLQueryPlan), default(NHibernate.IQueryExpression)) => throw null; - } - - // Generated from `NHibernate.Engine.Query.HQLQueryPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HQLQueryPlan : NHibernate.Engine.Query.IQueryPlan - { - protected HQLQueryPlan(string sourceQuery, NHibernate.Hql.IQueryTranslator[] translators) => throw null; - internal HQLQueryPlan(NHibernate.Engine.Query.HQLQueryPlan source) => throw null; - protected static NHibernate.INHibernateLogger Log; - public NHibernate.Engine.Query.ParameterMetadata ParameterMetadata { get => throw null; set => throw null; } - public int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; - public System.Collections.Generic.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; - public System.Threading.Tasks.Task PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task> PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - public void PerformList(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Collections.IList results) => throw null; - public System.Threading.Tasks.Task PerformListAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.Generic.ISet QuerySpaces { get => throw null; set => throw null; } - public NHibernate.Engine.Query.ReturnMetadata ReturnMetadata { get => throw null; set => throw null; } - public string[] SqlStrings { get => throw null; set => throw null; } - public NHibernate.Hql.IQueryTranslator[] Translators { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Engine.Query.IQueryExpressionPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryExpressionPlan : NHibernate.Engine.Query.IQueryPlan - { - NHibernate.IQueryExpression QueryExpression { get; } - } - - // Generated from `NHibernate.Engine.Query.IQueryPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryPlan - { - NHibernate.Engine.Query.ParameterMetadata ParameterMetadata { get; } - int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl); - System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Threading.CancellationToken cancellationToken); - System.Collections.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); - System.Collections.Generic.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); - System.Threading.Tasks.Task PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); - void PerformList(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Collections.IList results); - System.Threading.Tasks.Task PerformListAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - System.Collections.Generic.ISet QuerySpaces { get; } - NHibernate.Engine.Query.ReturnMetadata ReturnMetadata { get; } - NHibernate.Hql.IQueryTranslator[] Translators { get; } - } - - // Generated from `NHibernate.Engine.Query.NamedParameterDescriptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedParameterDescriptor - { - public NHibernate.Type.IType ExpectedType { get => throw null; } - public bool JpaStyle { get => throw null; } - public string Name { get => throw null; } - public NamedParameterDescriptor(string name, NHibernate.Type.IType expectedType, bool jpaStyle) => throw null; - } - - // Generated from `NHibernate.Engine.Query.NativeSQLQueryPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQueryPlan - { - public NHibernate.Loader.Custom.Sql.SQLCustomQuery CustomQuery { get => throw null; } - public NativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public string SourceQuery { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.OrdinalParameterDescriptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OrdinalParameterDescriptor - { - public NHibernate.Type.IType ExpectedType { get => throw null; } - public OrdinalParameterDescriptor(int ordinalPosition, NHibernate.Type.IType expectedType) => throw null; - public int OrdinalPosition { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.ParamLocationRecognizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParamLocationRecognizer : NHibernate.Engine.Query.ParameterParser.IRecognizer - { - public void JpaPositionalParameter(string name, int position) => throw null; - public void NamedParameter(string name, int position) => throw null; - // Generated from `NHibernate.Engine.Query.ParamLocationRecognizer+NamedParameterDescription` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NamedParameterDescription - { - public int[] BuildPositionsArray() => throw null; - public bool JpaStyle { get => throw null; } - public NamedParameterDescription(bool jpaStyle) => throw null; - } - - - public System.Collections.Generic.IDictionary NamedParameterDescriptionMap { get => throw null; } - public void OrdinalParameter(int position) => throw null; - public System.Collections.Generic.List OrdinalParameterLocationList { get => throw null; } - public void Other(string sqlPart) => throw null; - public void Other(System.Char character) => throw null; - public void OutParameter(int position) => throw null; - public ParamLocationRecognizer() => throw null; - public static NHibernate.Engine.Query.ParamLocationRecognizer ParseLocations(string query) => throw null; - } - - // Generated from `NHibernate.Engine.Query.ParameterMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParameterMetadata - { - public NHibernate.Engine.Query.NamedParameterDescriptor GetNamedParameterDescriptor(string name) => throw null; - public NHibernate.Type.IType GetNamedParameterExpectedType(string name) => throw null; - public NHibernate.Engine.Query.OrdinalParameterDescriptor GetOrdinalParameterDescriptor(int position) => throw null; - public NHibernate.Type.IType GetOrdinalParameterExpectedType(int position) => throw null; - public System.Collections.Generic.ICollection NamedParameterNames { get => throw null; } - public int OrdinalParameterCount { get => throw null; } - public ParameterMetadata(System.Collections.Generic.IEnumerable ordinalDescriptors, System.Collections.Generic.IDictionary namedDescriptorMap) => throw null; - } - - // Generated from `NHibernate.Engine.Query.ParameterParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParameterParser - { - // Generated from `NHibernate.Engine.Query.ParameterParser+IRecognizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRecognizer - { - void JpaPositionalParameter(string name, int position); - void NamedParameter(string name, int position); - void OrdinalParameter(int position); - void Other(string sqlPart); - void Other(System.Char character); - void OutParameter(int position); - } - - - public static void Parse(string sqlString, NHibernate.Engine.Query.ParameterParser.IRecognizer recognizer) => throw null; - } - - // Generated from `NHibernate.Engine.Query.QueryExpressionPlan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryExpressionPlan : NHibernate.Engine.Query.HQLQueryPlan, NHibernate.Engine.Query.IQueryPlan, NHibernate.Engine.Query.IQueryExpressionPlan - { - public virtual NHibernate.Engine.Query.QueryExpressionPlan Copy(NHibernate.IQueryExpression expression) => throw null; - protected static NHibernate.Hql.IQueryTranslator[] CreateTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public NHibernate.IQueryExpression QueryExpression { get => throw null; } - public QueryExpressionPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.Query.HQLQueryPlan)) => throw null; - public QueryExpressionPlan(NHibernate.IQueryExpression queryExpression, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.Query.HQLQueryPlan)) => throw null; - protected QueryExpressionPlan(string key, NHibernate.Hql.IQueryTranslator[] translators) : base(default(NHibernate.Engine.Query.HQLQueryPlan)) => throw null; - protected QueryExpressionPlan(NHibernate.Engine.Query.HQLQueryPlan source, NHibernate.IQueryExpression expression) : base(default(NHibernate.Engine.Query.HQLQueryPlan)) => throw null; - } - - // Generated from `NHibernate.Engine.Query.QueryPlanCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryPlanCache - { - public NHibernate.Engine.Query.IQueryExpressionPlan GetFilterQueryPlan(string filterString, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public NHibernate.Engine.Query.IQueryExpressionPlan GetFilterQueryPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public NHibernate.Engine.Query.IQueryExpressionPlan GetHQLQueryPlan(NHibernate.IQueryExpression queryExpression, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public NHibernate.Engine.Query.NativeSQLQueryPlan GetNativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec) => throw null; - public NHibernate.Engine.Query.ParameterMetadata GetSQLParameterMetadata(string query) => throw null; - public QueryPlanCache(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Engine.Query.ReturnMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReturnMetadata - { - public string[] ReturnAliases { get => throw null; } - public ReturnMetadata(string[] returnAliases, NHibernate.Type.IType[] returnTypes) => throw null; - public NHibernate.Type.IType[] ReturnTypes { get => throw null; } - } - - namespace Sql - { - // Generated from `NHibernate.Engine.Query.Sql.INativeSQLQueryReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INativeSQLQueryReturn - { - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQueryCollectionReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQueryCollectionReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn - { - public NativeSQLQueryCollectionReturn(string alias, string ownerEntityName, string ownerProperty, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; - public string OwnerEntityName { get => throw null; } - public string OwnerProperty { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQueryJoinReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQueryJoinReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn - { - public NativeSQLQueryJoinReturn(string alias, string ownerAlias, string ownerProperty, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; - public string OwnerAlias { get => throw null; } - public string OwnerProperty { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NativeSQLQueryNonScalarReturn : NHibernate.Engine.Query.Sql.INativeSQLQueryReturn - { - public string Alias { get => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn other) => throw null; - public override int GetHashCode() => throw null; - public NHibernate.LockMode LockMode { get => throw null; } - protected internal NativeSQLQueryNonScalarReturn(string alias, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) => throw null; - public System.Collections.Generic.IDictionary PropertyResultsMap { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQueryRootReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQueryRootReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn - { - public NativeSQLQueryRootReturn(string alias, string entityName, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; - public NativeSQLQueryRootReturn(string alias, string entityName, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; - public string ReturnEntityName { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQueryScalarReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQueryScalarReturn : NHibernate.Engine.Query.Sql.INativeSQLQueryReturn - { - public string ColumnAlias { get => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Engine.Query.Sql.NativeSQLQueryScalarReturn other) => throw null; - public override int GetHashCode() => throw null; - public NativeSQLQueryScalarReturn(string alias, NHibernate.Type.IType type) => throw null; - public NHibernate.Type.IType Type { get => throw null; } - } - - // Generated from `NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeSQLQuerySpecification - { - public override bool Equals(object obj) => throw null; - public override int GetHashCode() => throw null; - public NativeSQLQuerySpecification(string queryString, NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] sqlQueryReturns, System.Collections.Generic.ICollection querySpaces) => throw null; - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public string QueryString { get => throw null; } - public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] SqlQueryReturns { get => throw null; } - } - - } - } - namespace Transaction - { - // Generated from `NHibernate.Engine.Transaction.IIsolatedWork` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIsolatedWork - { - void DoWork(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction); - System.Threading.Tasks.Task DoWorkAsync(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Engine.Transaction.Isolater` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Isolater - { - public static void DoIsolatedWork(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task DoIsolatedWorkAsync(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static void DoNonTransactedWork(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task DoNonTransactedWorkAsync(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public Isolater() => throw null; - } - - } - } - namespace Event - { - // Generated from `NHibernate.Event.AbstractCollectionEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractCollectionEvent : NHibernate.Event.AbstractEvent - { - protected AbstractCollectionEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object affectedOwner, object affectedOwnerId) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object AffectedOwnerIdOrNull { get => throw null; } - public object AffectedOwnerOrNull { get => throw null; } - public NHibernate.Collection.IPersistentCollection Collection { get => throw null; } - public virtual string GetAffectedOwnerEntityName() => throw null; - protected static string GetAffectedOwnerEntityName(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object affectedOwner, NHibernate.Event.IEventSource source) => throw null; - protected static NHibernate.Persister.Collection.ICollectionPersister GetLoadedCollectionPersister(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; - protected static object GetLoadedOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; - protected static object GetLoadedOwnerOrNull(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; - protected static object GetOwnerIdOrNull(object owner, NHibernate.Event.IEventSource source) => throw null; - } - - // Generated from `NHibernate.Event.AbstractEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AbstractEvent : NHibernate.Event.IDatabaseEventArgs - { - public AbstractEvent(NHibernate.Event.IEventSource source) => throw null; - public NHibernate.Event.IEventSource Session { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.AbstractPostDatabaseOperationEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AbstractPostDatabaseOperationEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPostDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs - { - protected AbstractPostDatabaseOperationEvent(NHibernate.Event.IEventSource source, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object Entity { get => throw null; set => throw null; } - public object Id { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.AbstractPreDatabaseOperationEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractPreDatabaseOperationEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPreDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs - { - protected AbstractPreDatabaseOperationEvent(NHibernate.Event.IEventSource source, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object Entity { get => throw null; set => throw null; } - public object Id { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.AutoFlushEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AutoFlushEvent : NHibernate.Event.FlushEvent - { - public AutoFlushEvent(System.Collections.Generic.ISet querySpaces, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public bool FlushRequired { get => throw null; set => throw null; } - public System.Collections.Generic.ISet QuerySpaces { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.DeleteEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DeleteEvent : NHibernate.Event.AbstractEvent - { - public bool CascadeDeleteEnabled { get => throw null; } - public DeleteEvent(string entityName, object entity, bool isCascadeDeleteEnabled, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public DeleteEvent(string entityName, object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public DeleteEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object Entity { get => throw null; } - public string EntityName { get => throw null; } - } - - // Generated from `NHibernate.Event.DirtyCheckEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DirtyCheckEvent : NHibernate.Event.FlushEvent - { - public bool Dirty { get => throw null; set => throw null; } - public DirtyCheckEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.EventListeners` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EventListeners - { - public NHibernate.Event.IAutoFlushEventListener[] AutoFlushEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IDeleteEventListener[] DeleteEventListeners { get => throw null; set => throw null; } - public void DestroyListeners() => throw null; - public NHibernate.Event.IDirtyCheckEventListener[] DirtyCheckEventListeners { get => throw null; set => throw null; } - public EventListeners() => throw null; - public NHibernate.Event.IEvictEventListener[] EvictEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IFlushEntityEventListener[] FlushEntityEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IFlushEventListener[] FlushEventListeners { get => throw null; set => throw null; } - public System.Type GetListenerClassFor(NHibernate.Event.ListenerType type) => throw null; - public NHibernate.Event.IInitializeCollectionEventListener[] InitializeCollectionEventListeners { get => throw null; set => throw null; } - public virtual void InitializeListeners(NHibernate.Cfg.Configuration cfg) => throw null; - public NHibernate.Event.ILoadEventListener[] LoadEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.ILockEventListener[] LockEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IMergeEventListener[] MergeEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPersistEventListener[] PersistEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPersistEventListener[] PersistOnFlushEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostCollectionRecreateEventListener[] PostCollectionRecreateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostCollectionRemoveEventListener[] PostCollectionRemoveEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostCollectionUpdateEventListener[] PostCollectionUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostDeleteEventListener[] PostCommitDeleteEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostInsertEventListener[] PostCommitInsertEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostUpdateEventListener[] PostCommitUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostDeleteEventListener[] PostDeleteEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostInsertEventListener[] PostInsertEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostLoadEventListener[] PostLoadEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPostUpdateEventListener[] PostUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreCollectionRecreateEventListener[] PreCollectionRecreateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreCollectionRemoveEventListener[] PreCollectionRemoveEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreCollectionUpdateEventListener[] PreCollectionUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreDeleteEventListener[] PreDeleteEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreInsertEventListener[] PreInsertEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreLoadEventListener[] PreLoadEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IPreUpdateEventListener[] PreUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IRefreshEventListener[] RefreshEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.IReplicateEventListener[] ReplicateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.ISaveOrUpdateEventListener[] SaveEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.ISaveOrUpdateEventListener[] SaveOrUpdateEventListeners { get => throw null; set => throw null; } - public NHibernate.Event.EventListeners ShallowCopy() => throw null; - public NHibernate.Event.ISaveOrUpdateEventListener[] UpdateEventListeners { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.EvictEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EvictEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public EvictEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.FlushEntityEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FlushEntityEvent : NHibernate.Event.AbstractEvent - { - public object[] DatabaseSnapshot { get => throw null; set => throw null; } - public bool DirtyCheckHandledByInterceptor { get => throw null; set => throw null; } - public bool DirtyCheckPossible { get => throw null; set => throw null; } - public int[] DirtyProperties { get => throw null; set => throw null; } - public object Entity { get => throw null; } - public NHibernate.Engine.EntityEntry EntityEntry { get => throw null; } - public FlushEntityEvent(NHibernate.Event.IEventSource source, object entity, NHibernate.Engine.EntityEntry entry) : base(default(NHibernate.Event.IEventSource)) => throw null; - public bool HasDatabaseSnapshot { get => throw null; } - public bool HasDirtyCollection { get => throw null; set => throw null; } - public object[] PropertyValues { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.FlushEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FlushEvent : NHibernate.Event.AbstractEvent - { - public FlushEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.IAutoFlushEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAutoFlushEventListener - { - void OnAutoFlush(NHibernate.Event.AutoFlushEvent @event); - System.Threading.Tasks.Task OnAutoFlushAsync(NHibernate.Event.AutoFlushEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IDatabaseEventArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDatabaseEventArgs - { - NHibernate.Event.IEventSource Session { get; } - } - - // Generated from `NHibernate.Event.IDeleteEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDeleteEventListener - { - void OnDelete(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities); - void OnDelete(NHibernate.Event.DeleteEvent @event); - System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IDestructible` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDestructible - { - void Cleanup(); - } - - // Generated from `NHibernate.Event.IDirtyCheckEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDirtyCheckEventListener - { - void OnDirtyCheck(NHibernate.Event.DirtyCheckEvent @event); - System.Threading.Tasks.Task OnDirtyCheckAsync(NHibernate.Event.DirtyCheckEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IEventSource` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEventSource : System.IDisposable, NHibernate.ISession, NHibernate.Engine.ISessionImplementor - { - NHibernate.Engine.ActionQueue ActionQueue { get; } - bool AutoFlushSuspended { get; } - void Delete(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities); - System.Threading.Tasks.Task DeleteAsync(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken); - void ForceFlush(NHibernate.Engine.EntityEntry e); - System.Threading.Tasks.Task ForceFlushAsync(NHibernate.Engine.EntityEntry e, System.Threading.CancellationToken cancellationToken); - object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id); - void Merge(string entityName, object obj, System.Collections.IDictionary copiedAlready); - System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); - void Persist(string entityName, object obj, System.Collections.IDictionary createdAlready); - System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken); - void PersistOnFlush(string entityName, object obj, System.Collections.IDictionary copiedAlready); - System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); - void Refresh(object obj, System.Collections.IDictionary refreshedAlready); - System.Threading.Tasks.Task RefreshAsync(object obj, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken); - System.IDisposable SuspendAutoFlush(); - } - - // Generated from `NHibernate.Event.IEvictEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEvictEventListener - { - void OnEvict(NHibernate.Event.EvictEvent @event); - System.Threading.Tasks.Task OnEvictAsync(NHibernate.Event.EvictEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IFlushEntityEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFlushEntityEventListener - { - void OnFlushEntity(NHibernate.Event.FlushEntityEvent @event); - System.Threading.Tasks.Task OnFlushEntityAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IFlushEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFlushEventListener - { - void OnFlush(NHibernate.Event.FlushEvent @event); - System.Threading.Tasks.Task OnFlushAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IInitializable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInitializable - { - void Initialize(NHibernate.Cfg.Configuration cfg); - } - - // Generated from `NHibernate.Event.IInitializeCollectionEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInitializeCollectionEventListener - { - void OnInitializeCollection(NHibernate.Event.InitializeCollectionEvent @event); - System.Threading.Tasks.Task OnInitializeCollectionAsync(NHibernate.Event.InitializeCollectionEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.ILoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILoadEventListener - { - void OnLoad(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType); - System.Threading.Tasks.Task OnLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.ILockEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILockEventListener - { - void OnLock(NHibernate.Event.LockEvent @event); - System.Threading.Tasks.Task OnLockAsync(NHibernate.Event.LockEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IMergeEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMergeEventListener - { - void OnMerge(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready); - void OnMerge(NHibernate.Event.MergeEvent @event); - System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPersistEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistEventListener - { - void OnPersist(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready); - void OnPersist(NHibernate.Event.PersistEvent @event); - System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostCollectionRecreateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostCollectionRecreateEventListener - { - void OnPostRecreateCollection(NHibernate.Event.PostCollectionRecreateEvent @event); - System.Threading.Tasks.Task OnPostRecreateCollectionAsync(NHibernate.Event.PostCollectionRecreateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostCollectionRemoveEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostCollectionRemoveEventListener - { - void OnPostRemoveCollection(NHibernate.Event.PostCollectionRemoveEvent @event); - System.Threading.Tasks.Task OnPostRemoveCollectionAsync(NHibernate.Event.PostCollectionRemoveEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostCollectionUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostCollectionUpdateEventListener - { - void OnPostUpdateCollection(NHibernate.Event.PostCollectionUpdateEvent @event); - System.Threading.Tasks.Task OnPostUpdateCollectionAsync(NHibernate.Event.PostCollectionUpdateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostDatabaseOperationEventArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostDatabaseOperationEventArgs : NHibernate.Event.IDatabaseEventArgs - { - object Entity { get; } - object Id { get; } - NHibernate.Persister.Entity.IEntityPersister Persister { get; } - } - - // Generated from `NHibernate.Event.IPostDeleteEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostDeleteEventListener - { - void OnPostDelete(NHibernate.Event.PostDeleteEvent @event); - System.Threading.Tasks.Task OnPostDeleteAsync(NHibernate.Event.PostDeleteEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostInsertEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostInsertEventListener - { - void OnPostInsert(NHibernate.Event.PostInsertEvent @event); - System.Threading.Tasks.Task OnPostInsertAsync(NHibernate.Event.PostInsertEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPostLoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostLoadEventListener - { - void OnPostLoad(NHibernate.Event.PostLoadEvent @event); - } - - // Generated from `NHibernate.Event.IPostUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostUpdateEventListener - { - void OnPostUpdate(NHibernate.Event.PostUpdateEvent @event); - System.Threading.Tasks.Task OnPostUpdateAsync(NHibernate.Event.PostUpdateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreCollectionRecreateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreCollectionRecreateEventListener - { - void OnPreRecreateCollection(NHibernate.Event.PreCollectionRecreateEvent @event); - System.Threading.Tasks.Task OnPreRecreateCollectionAsync(NHibernate.Event.PreCollectionRecreateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreCollectionRemoveEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreCollectionRemoveEventListener - { - void OnPreRemoveCollection(NHibernate.Event.PreCollectionRemoveEvent @event); - System.Threading.Tasks.Task OnPreRemoveCollectionAsync(NHibernate.Event.PreCollectionRemoveEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreCollectionUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreCollectionUpdateEventListener - { - void OnPreUpdateCollection(NHibernate.Event.PreCollectionUpdateEvent @event); - System.Threading.Tasks.Task OnPreUpdateCollectionAsync(NHibernate.Event.PreCollectionUpdateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreDatabaseOperationEventArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreDatabaseOperationEventArgs : NHibernate.Event.IDatabaseEventArgs - { - object Entity { get; } - object Id { get; } - NHibernate.Persister.Entity.IEntityPersister Persister { get; } - } - - // Generated from `NHibernate.Event.IPreDeleteEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreDeleteEventListener - { - bool OnPreDelete(NHibernate.Event.PreDeleteEvent @event); - System.Threading.Tasks.Task OnPreDeleteAsync(NHibernate.Event.PreDeleteEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreInsertEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreInsertEventListener - { - bool OnPreInsert(NHibernate.Event.PreInsertEvent @event); - System.Threading.Tasks.Task OnPreInsertAsync(NHibernate.Event.PreInsertEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreLoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreLoadEventListener - { - void OnPreLoad(NHibernate.Event.PreLoadEvent @event); - System.Threading.Tasks.Task OnPreLoadAsync(NHibernate.Event.PreLoadEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IPreUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPreUpdateEventListener - { - bool OnPreUpdate(NHibernate.Event.PreUpdateEvent @event); - System.Threading.Tasks.Task OnPreUpdateAsync(NHibernate.Event.PreUpdateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IRefreshEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRefreshEventListener - { - void OnRefresh(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready); - void OnRefresh(NHibernate.Event.RefreshEvent @event); - System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.IReplicateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IReplicateEventListener - { - void OnReplicate(NHibernate.Event.ReplicateEvent @event); - System.Threading.Tasks.Task OnReplicateAsync(NHibernate.Event.ReplicateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.ISaveOrUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISaveOrUpdateEventListener - { - void OnSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event); - System.Threading.Tasks.Task OnSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Event.InitializeCollectionEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InitializeCollectionEvent : NHibernate.Event.AbstractCollectionEvent - { - public InitializeCollectionEvent(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.ListenerType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum ListenerType - { - Autoflush, - Create, - CreateOnFlush, - Delete, - DirtyCheck, - Evict, - Flush, - FlushEntity, - Load, - LoadCollection, - Lock, - Merge, - NotValidType, - PostCollectionRecreate, - PostCollectionRemove, - PostCollectionUpdate, - PostCommitDelete, - PostCommitInsert, - PostCommitUpdate, - PostDelete, - PostInsert, - PostLoad, - PostUpdate, - PreCollectionRecreate, - PreCollectionRemove, - PreCollectionUpdate, - PreDelete, - PreInsert, - PreLoad, - PreUpdate, - Refresh, - Replicate, - Save, - SaveUpdate, - Update, - } - - // Generated from `NHibernate.Event.LoadEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LoadEvent : NHibernate.Event.AbstractEvent - { - public static NHibernate.LockMode DefaultLockMode; - public string EntityClassName { get => throw null; set => throw null; } - public object EntityId { get => throw null; set => throw null; } - public object InstanceToLoad { get => throw null; set => throw null; } - public bool IsAssociationFetch { get => throw null; } - public LoadEvent(object entityId, string entityClassName, bool isAssociationFetch, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public LoadEvent(object entityId, string entityClassName, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public LoadEvent(object entityId, object instanceToLoad, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - private LoadEvent(object entityId, string entityClassName, object instanceToLoad, NHibernate.LockMode lockMode, bool isAssociationFetch, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public NHibernate.LockMode LockMode { get => throw null; set => throw null; } - public object Result { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.LoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class LoadEventListener - { - public static NHibernate.Event.LoadType Get; - public static NHibernate.Event.LoadType ImmediateLoad; - public static NHibernate.Event.LoadType InternalLoadEager; - public static NHibernate.Event.LoadType InternalLoadLazy; - public static NHibernate.Event.LoadType InternalLoadNullable; - public static NHibernate.Event.LoadType Load; - public static NHibernate.Event.LoadType Reload; - } - - // Generated from `NHibernate.Event.LoadType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LoadType - { - public bool ExactPersister { get => throw null; } - public bool IsAllowNulls { get => throw null; } - public bool IsAllowProxyCreation { get => throw null; } - public bool IsCheckDeleted { get => throw null; } - public bool IsNakedEntityReturned { get => throw null; } - public string Name { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Event.LockEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LockEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public LockEvent(string entityName, object original, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public LockEvent(object entity, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public NHibernate.LockMode LockMode { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.MergeEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MergeEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public MergeEvent(string entityName, object original, object id, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public MergeEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public MergeEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object Original { get => throw null; set => throw null; } - public object RequestedId { get => throw null; set => throw null; } - public object Result { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.PersistEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PersistEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public PersistEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public PersistEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.PostCollectionRecreateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostCollectionRecreateEvent : NHibernate.Event.AbstractCollectionEvent - { - public PostCollectionRecreateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PostCollectionRemoveEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostCollectionRemoveEvent : NHibernate.Event.AbstractCollectionEvent - { - public PostCollectionRemoveEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object loadedOwner) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PostCollectionUpdateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostCollectionUpdateEvent : NHibernate.Event.AbstractCollectionEvent - { - public PostCollectionUpdateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PostDeleteEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostDeleteEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent - { - public object[] DeletedState { get => throw null; set => throw null; } - public PostDeleteEvent(object entity, object id, object[] deletedState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - } - - // Generated from `NHibernate.Event.PostInsertEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostInsertEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent - { - public PostInsertEvent(object entity, object id, object[] state, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public object[] State { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.PostLoadEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostLoadEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPostDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs - { - public object Entity { get => throw null; set => throw null; } - public object Id { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set => throw null; } - public PostLoadEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.PostUpdateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PostUpdateEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent - { - public object[] OldState { get => throw null; set => throw null; } - public PostUpdateEvent(object entity, object id, object[] state, object[] oldState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public object[] State { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.PreCollectionRecreateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreCollectionRecreateEvent : NHibernate.Event.AbstractCollectionEvent - { - public PreCollectionRecreateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PreCollectionRemoveEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreCollectionRemoveEvent : NHibernate.Event.AbstractCollectionEvent - { - public PreCollectionRemoveEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object loadedOwner) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PreCollectionUpdateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreCollectionUpdateEvent : NHibernate.Event.AbstractCollectionEvent - { - public PreCollectionUpdateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.PreDeleteEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreDeleteEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent - { - public object[] DeletedState { get => throw null; set => throw null; } - public PreDeleteEvent(object entity, object id, object[] deletedState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - } - - // Generated from `NHibernate.Event.PreInsertEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreInsertEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent - { - public PreInsertEvent(object entity, object id, object[] state, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public object[] State { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.PreLoadEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreLoadEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPreDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs - { - public object Entity { get => throw null; set => throw null; } - public object Id { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set => throw null; } - public PreLoadEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public object[] State { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.PreUpdateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreUpdateEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent - { - public object[] OldState { get => throw null; set => throw null; } - public PreUpdateEvent(object entity, object id, object[] state, object[] oldState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; - public object[] State { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.RefreshEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RefreshEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; } - public NHibernate.LockMode LockMode { get => throw null; } - public RefreshEvent(object entity, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public RefreshEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.ReplicateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReplicateEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public ReplicateEvent(string entityName, object entity, NHibernate.ReplicationMode replicationMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public ReplicateEvent(object entity, NHibernate.ReplicationMode replicationMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public NHibernate.ReplicationMode ReplicationMode { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Event.SaveOrUpdateEvent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SaveOrUpdateEvent : NHibernate.Event.AbstractEvent - { - public object Entity { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public NHibernate.Engine.EntityEntry Entry { get => throw null; set => throw null; } - public object RequestedId { get => throw null; set => throw null; } - public object ResultEntity { get => throw null; set => throw null; } - public object ResultId { get => throw null; set => throw null; } - public SaveOrUpdateEvent(string entityName, object original, object id, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public SaveOrUpdateEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - public SaveOrUpdateEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - namespace Default - { - // Generated from `NHibernate.Event.Default.AbstractFlushingEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractFlushingEventListener - { - protected AbstractFlushingEventListener() => throw null; - protected virtual object Anything { get => throw null; } - protected virtual void CascadeOnFlush(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object key, object anything) => throw null; - protected virtual System.Threading.Tasks.Task CascadeOnFlushAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object key, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual NHibernate.Engine.CascadingAction CascadingAction { get => throw null; } - protected virtual void FlushCollections(NHibernate.Event.IEventSource session) => throw null; - protected virtual System.Threading.Tasks.Task FlushCollectionsAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void FlushEntities(NHibernate.Event.FlushEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task FlushEntitiesAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void FlushEverythingToExecutions(NHibernate.Event.FlushEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task FlushEverythingToExecutionsAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void PerformExecutions(NHibernate.Event.IEventSource session) => throw null; - protected virtual System.Threading.Tasks.Task PerformExecutionsAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void PostFlush(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual void PrepareCollectionFlushes(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task PrepareCollectionFlushesAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void PrepareEntityFlushes(NHibernate.Event.IEventSource session) => throw null; - protected virtual System.Threading.Tasks.Task PrepareEntityFlushesAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.AbstractLockUpgradeEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AbstractLockUpgradeEventListener : NHibernate.Event.Default.AbstractReassociateEventListener - { - public AbstractLockUpgradeEventListener() => throw null; - protected virtual void UpgradeLock(object entity, NHibernate.Engine.EntityEntry entry, NHibernate.LockMode requestedLockMode, NHibernate.Engine.ISessionImplementor source) => throw null; - protected virtual System.Threading.Tasks.Task UpgradeLockAsync(object entity, NHibernate.Engine.EntityEntry entry, NHibernate.LockMode requestedLockMode, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.AbstractReassociateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AbstractReassociateEventListener - { - public AbstractReassociateEventListener() => throw null; - protected NHibernate.Engine.EntityEntry Reassociate(NHibernate.Event.AbstractEvent @event, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected System.Threading.Tasks.Task ReassociateAsync(NHibernate.Event.AbstractEvent @event, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.AbstractSaveEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractSaveEventListener : NHibernate.Event.Default.AbstractReassociateEventListener - { - protected AbstractSaveEventListener() => throw null; - protected virtual bool? AssumedUnsaved { get => throw null; } - protected abstract NHibernate.Engine.CascadingAction CascadeAction { get; } - protected virtual void CascadeAfterSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; - protected virtual System.Threading.Tasks.Task CascadeAfterSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void CascadeBeforeSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; - protected virtual System.Threading.Tasks.Task CascadeBeforeSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual NHibernate.Event.Default.EntityState GetEntityState(object entity, string entityName, NHibernate.Engine.EntityEntry entry, NHibernate.Engine.ISessionImplementor source) => throw null; - protected virtual System.Threading.Tasks.Task GetEntityStateAsync(object entity, string entityName, NHibernate.Engine.EntityEntry entry, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual string GetLoggableName(string entityName, object entity) => throw null; - protected virtual System.Collections.IDictionary GetMergeMap(object anything) => throw null; - protected virtual bool InvokeSaveLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; - protected virtual object PerformSave(object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; - protected virtual System.Threading.Tasks.Task PerformSaveAsync(object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object PerformSaveOrReplicate(object entity, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; - protected virtual System.Threading.Tasks.Task PerformSaveOrReplicateAsync(object entity, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object SaveWithGeneratedId(object entity, string entityName, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; - protected virtual System.Threading.Tasks.Task SaveWithGeneratedIdAsync(object entity, string entityName, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object SaveWithRequestedId(object entity, object requestedId, string entityName, object anything, NHibernate.Event.IEventSource source) => throw null; - protected virtual System.Threading.Tasks.Task SaveWithRequestedIdAsync(object entity, object requestedId, string entityName, object anything, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool SubstituteValuesIfNecessary(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source) => throw null; - protected virtual System.Threading.Tasks.Task SubstituteValuesIfNecessaryAsync(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void Validate(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; - protected virtual bool VersionIncrementDisabled { get => throw null; } - protected virtual bool VisitCollectionsBeforeSave(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source) => throw null; - protected virtual System.Threading.Tasks.Task VisitCollectionsBeforeSaveAsync(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.AbstractVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractVisitor - { - public AbstractVisitor(NHibernate.Event.IEventSource session) => throw null; - public void ProcessEntityPropertyValues(object[] values, NHibernate.Type.IType[] types) => throw null; - public System.Threading.Tasks.Task ProcessEntityPropertyValuesAsync(object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Event.IEventSource Session { get => throw null; } - } - - // Generated from `NHibernate.Event.Default.DefaultAutoFlushEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultAutoFlushEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IAutoFlushEventListener - { - public DefaultAutoFlushEventListener() => throw null; - public virtual void OnAutoFlush(NHibernate.Event.AutoFlushEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnAutoFlushAsync(NHibernate.Event.AutoFlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultDeleteEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultDeleteEventListener : NHibernate.Event.IDeleteEventListener - { - protected virtual void CascadeAfterDelete(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.Generic.ISet transientEntities) => throw null; - protected virtual System.Threading.Tasks.Task CascadeAfterDeleteAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void CascadeBeforeDelete(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, NHibernate.Engine.EntityEntry entityEntry, System.Collections.Generic.ISet transientEntities) => throw null; - protected virtual System.Threading.Tasks.Task CascadeBeforeDeleteAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, NHibernate.Engine.EntityEntry entityEntry, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - public DefaultDeleteEventListener() => throw null; - protected virtual void DeleteEntity(NHibernate.Event.IEventSource session, object entity, NHibernate.Engine.EntityEntry entityEntry, bool isCascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities) => throw null; - protected virtual System.Threading.Tasks.Task DeleteEntityAsync(NHibernate.Event.IEventSource session, object entity, NHibernate.Engine.EntityEntry entityEntry, bool isCascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void DeleteTransientEntity(NHibernate.Event.IEventSource session, object entity, bool cascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities) => throw null; - protected virtual System.Threading.Tasks.Task DeleteTransientEntityAsync(NHibernate.Event.IEventSource session, object entity, bool cascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool InvokeDeleteLifecycle(NHibernate.Event.IEventSource session, object entity, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public virtual void OnDelete(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities) => throw null; - public virtual void OnDelete(NHibernate.Event.DeleteEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void PerformDetachedEntityDeletionCheck(NHibernate.Event.DeleteEvent @event) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultDirtyCheckEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultDirtyCheckEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IDirtyCheckEventListener - { - public DefaultDirtyCheckEventListener() => throw null; - public virtual void OnDirtyCheck(NHibernate.Event.DirtyCheckEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnDirtyCheckAsync(NHibernate.Event.DirtyCheckEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultEvictEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultEvictEventListener : NHibernate.Event.IEvictEventListener - { - public DefaultEvictEventListener() => throw null; - protected virtual void DoEvict(object obj, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource session) => throw null; - protected virtual System.Threading.Tasks.Task DoEvictAsync(object obj, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void OnEvict(NHibernate.Event.EvictEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnEvictAsync(NHibernate.Event.EvictEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultFlushEntityEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultFlushEntityEventListener : NHibernate.Event.IFlushEntityEventListener - { - public virtual void CheckId(object obj, NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; - public DefaultFlushEntityEventListener() => throw null; - protected virtual void DirtyCheck(NHibernate.Event.FlushEntityEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task DirtyCheckAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool HandleInterception(NHibernate.Event.FlushEntityEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task HandleInterceptionAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool InvokeInterceptor(NHibernate.Engine.ISessionImplementor session, object entity, NHibernate.Engine.EntityEntry entry, object[] values, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected bool IsUpdateNecessary(NHibernate.Event.FlushEntityEvent @event) => throw null; - protected System.Threading.Tasks.Task IsUpdateNecessaryAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void OnFlushEntity(NHibernate.Event.FlushEntityEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnFlushEntityAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void Validate(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.Status status) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultFlushEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultFlushEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IFlushEventListener - { - public DefaultFlushEventListener() => throw null; - public virtual void OnFlush(NHibernate.Event.FlushEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnFlushAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultInitializeCollectionEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultInitializeCollectionEventListener : NHibernate.Event.IInitializeCollectionEventListener - { - public DefaultInitializeCollectionEventListener() => throw null; - public virtual void OnInitializeCollection(NHibernate.Event.InitializeCollectionEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnInitializeCollectionAsync(NHibernate.Event.InitializeCollectionEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultLoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultLoadEventListener : NHibernate.Event.Default.AbstractLockUpgradeEventListener, NHibernate.Event.ILoadEventListener - { - public DefaultLoadEventListener() => throw null; - public static NHibernate.LockMode DefaultLockMode; - protected virtual object DoLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task DoLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(NHibernate.Engine.ISessionFactoryImplementor factory, string entityName) => throw null; - public static object InconsistentRTNClassMarker; - protected virtual object Load(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task LoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object LoadFromDatasource(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task LoadFromDatasourceAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object LoadFromSecondLevelCache(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task LoadFromSecondLevelCacheAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object LoadFromSessionCache(NHibernate.Event.LoadEvent @event, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task LoadFromSessionCacheAsync(NHibernate.Event.LoadEvent @event, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object LockAndLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, NHibernate.Engine.ISessionImplementor source) => throw null; - protected virtual System.Threading.Tasks.Task LockAndLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void OnLoad(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType) => throw null; - public virtual System.Threading.Tasks.Task OnLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object ProxyOrLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; - protected virtual System.Threading.Tasks.Task ProxyOrLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; - public static object RemovedEntityMarker; - } - - // Generated from `NHibernate.Event.Default.DefaultLockEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultLockEventListener : NHibernate.Event.Default.AbstractLockUpgradeEventListener, NHibernate.Event.ILockEventListener - { - public DefaultLockEventListener() => throw null; - public virtual void OnLock(NHibernate.Event.LockEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnLockAsync(NHibernate.Event.LockEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultMergeEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultMergeEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IMergeEventListener - { - protected override bool? AssumedUnsaved { get => throw null; } - protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } - protected override void CascadeAfterSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; - protected override System.Threading.Tasks.Task CascadeAfterSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - protected override void CascadeBeforeSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; - protected override System.Threading.Tasks.Task CascadeBeforeSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void CascadeOnMerge(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.IDictionary copyCache) => throw null; - protected virtual System.Threading.Tasks.Task CascadeOnMergeAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void CopyValues(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; - protected virtual void CopyValues(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache) => throw null; - protected virtual System.Threading.Tasks.Task CopyValuesAsync(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.Threading.Tasks.Task CopyValuesAsync(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; - public DefaultMergeEventListener() => throw null; - protected virtual void EntityIsDetached(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsDetachedAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void EntityIsPersistent(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsPersistentAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void EntityIsTransient(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Collections.IDictionary GetMergeMap(object anything) => throw null; - protected NHibernate.Event.Default.EventCache GetTransientCopyCache(NHibernate.Event.MergeEvent @event, NHibernate.Event.Default.EventCache copyCache) => throw null; - protected System.Threading.Tasks.Task GetTransientCopyCacheAsync(NHibernate.Event.MergeEvent @event, NHibernate.Event.Default.EventCache copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool InvokeUpdateLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; - public virtual void OnMerge(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready) => throw null; - public virtual void OnMerge(NHibernate.Event.MergeEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; - protected void RetryMergeTransientEntities(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary transientCopyCache, NHibernate.Event.Default.EventCache copyCache) => throw null; - protected System.Threading.Tasks.Task RetryMergeTransientEntitiesAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary transientCopyCache, NHibernate.Event.Default.EventCache copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultPersistEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultPersistEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IPersistEventListener - { - protected override bool? AssumedUnsaved { get => throw null; } - protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } - public DefaultPersistEventListener() => throw null; - protected virtual void EntityIsPersistent(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsPersistentAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void EntityIsTransient(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual void OnPersist(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready) => throw null; - public virtual void OnPersist(NHibernate.Event.PersistEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultPersistOnFlushEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultPersistOnFlushEventListener : NHibernate.Event.Default.DefaultPersistEventListener - { - protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } - public DefaultPersistOnFlushEventListener() => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultPostLoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultPostLoadEventListener : NHibernate.Event.IPostLoadEventListener - { - public DefaultPostLoadEventListener() => throw null; - public virtual void OnPostLoad(NHibernate.Event.PostLoadEvent @event) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultPreLoadEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultPreLoadEventListener : NHibernate.Event.IPreLoadEventListener - { - public DefaultPreLoadEventListener() => throw null; - public virtual void OnPreLoad(NHibernate.Event.PreLoadEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnPreLoadAsync(NHibernate.Event.PreLoadEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultRefreshEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultRefreshEventListener : NHibernate.Event.IRefreshEventListener - { - public DefaultRefreshEventListener() => throw null; - public virtual void OnRefresh(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready) => throw null; - public virtual void OnRefresh(NHibernate.Event.RefreshEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultReplicateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultReplicateEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IReplicateEventListener - { - protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } - public DefaultReplicateEventListener() => throw null; - public virtual void OnReplicate(NHibernate.Event.ReplicateEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnReplicateAsync(NHibernate.Event.ReplicateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool SubstituteValuesIfNecessary(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source) => throw null; - protected override System.Threading.Tasks.Task SubstituteValuesIfNecessaryAsync(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool VersionIncrementDisabled { get => throw null; } - protected override bool VisitCollectionsBeforeSave(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source) => throw null; - protected override System.Threading.Tasks.Task VisitCollectionsBeforeSaveAsync(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultSaveEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultSaveEventListener : NHibernate.Event.Default.DefaultSaveOrUpdateEventListener - { - public DefaultSaveEventListener() => throw null; - protected override object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected override System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool ReassociateIfUninitializedProxy(object obj, NHibernate.Engine.ISessionImplementor source) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultSaveOrUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultSaveOrUpdateEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.ISaveOrUpdateEventListener - { - protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } - public DefaultSaveOrUpdateEventListener() => throw null; - protected virtual void EntityIsDetached(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsDetachedAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object EntityIsPersistent(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected virtual object EntityIsTransient(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object GetUpdateId(object entity, NHibernate.Persister.Entity.IEntityPersister persister, object requestedId) => throw null; - protected virtual bool InvokeUpdateLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; - public virtual void OnSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - public virtual System.Threading.Tasks.Task OnSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void PerformUpdate(NHibernate.Event.SaveOrUpdateEvent @event, object entity, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected virtual System.Threading.Tasks.Task PerformUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, object entity, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual bool ReassociateIfUninitializedProxy(object obj, NHibernate.Engine.ISessionImplementor source) => throw null; - protected virtual object SaveWithGeneratedOrRequestedId(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected virtual System.Threading.Tasks.Task SaveWithGeneratedOrRequestedIdAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DefaultUpdateEventListener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultUpdateEventListener : NHibernate.Event.Default.DefaultSaveOrUpdateEventListener - { - public DefaultUpdateEventListener() => throw null; - protected override object GetUpdateId(object entity, NHibernate.Persister.Entity.IEntityPersister persister, object requestedId) => throw null; - protected override object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected override System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - protected override object SaveWithGeneratedOrRequestedId(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; - protected override System.Threading.Tasks.Task SaveWithGeneratedOrRequestedIdAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Event.Default.DirtyCollectionSearchVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DirtyCollectionSearchVisitor : NHibernate.Event.Default.AbstractVisitor - { - public DirtyCollectionSearchVisitor(NHibernate.Event.IEventSource session, bool[] propertyVersionability) : base(default(NHibernate.Event.IEventSource)) => throw null; - public bool WasDirtyCollectionFound { get => throw null; } - } - - // Generated from `NHibernate.Event.Default.EntityState` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum EntityState - { - Deleted, - Detached, - Persistent, - Transient, - Undefined, - } - - // Generated from `NHibernate.Event.Default.EventCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EventCache : System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection - { - public void Add(object key, object value) => throw null; - public void Add(object entity, object copy, bool isOperatedOn) => throw null; - public void Clear() => throw null; - public bool Contains(object key) => throw null; - public void CopyTo(System.Array array, int index) => throw null; - public int Count { get => throw null; } - public EventCache() => throw null; - public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Collections.IDictionary InvertMap() => throw null; - public bool IsFixedSize { get => throw null; } - public bool IsOperatedOn(object entity) => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } - public System.Collections.ICollection Keys { get => throw null; } - public void Remove(object key) => throw null; - public void SetOperatedOn(object entity, bool isOperatedOn) => throw null; - public object SyncRoot { get => throw null; } - public System.Collections.ICollection Values { get => throw null; } - } - - // Generated from `NHibernate.Event.Default.EvictVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EvictVisitor : NHibernate.Event.Default.AbstractVisitor - { - public virtual void EvictCollection(object value, NHibernate.Type.CollectionType type) => throw null; - public EvictVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.Default.FlushVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FlushVisitor : NHibernate.Event.Default.AbstractVisitor - { - public FlushVisitor(NHibernate.Event.IEventSource session, object owner) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.Default.OnLockVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OnLockVisitor : NHibernate.Event.Default.ReattachVisitor - { - public OnLockVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.Default.OnReplicateVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OnReplicateVisitor : NHibernate.Event.Default.ReattachVisitor - { - public OnReplicateVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner, bool isUpdate) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.Default.OnUpdateVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OnUpdateVisitor : NHibernate.Event.Default.ReattachVisitor - { - public OnUpdateVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; - } - - // Generated from `NHibernate.Event.Default.ProxyVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ProxyVisitor : NHibernate.Event.Default.AbstractVisitor - { - protected internal static bool IsOwnerUnchanged(NHibernate.Collection.IPersistentCollection snapshot, NHibernate.Persister.Collection.ICollectionPersister persister, object id) => throw null; - public ProxyVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; - protected internal void ReattachCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type) => throw null; - } - - // Generated from `NHibernate.Event.Default.ReattachVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ReattachVisitor : NHibernate.Event.Default.ProxyVisitor - { - public object Owner { get => throw null; } - public object OwnerIdentifier { get => throw null; } - protected ReattachVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - // Generated from `NHibernate.Event.Default.WrapVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WrapVisitor : NHibernate.Event.Default.ProxyVisitor - { - public WrapVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; - } - - } - } - namespace Exceptions - { - // Generated from `NHibernate.Exceptions.ADOConnectionException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ADOConnectionException : NHibernate.ADOException - { - public ADOConnectionException(string message, System.Exception innerException, string sql) => throw null; - public ADOConnectionException(string message, System.Exception innerException) => throw null; - public ADOConnectionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.ADOExceptionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ADOExceptionHelper - { - public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqle, string message, NHibernate.SqlCommand.SqlString sql, object[] parameterValues, System.Collections.Generic.IDictionary namedParameters) => throw null; - public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqlException, string message, NHibernate.SqlCommand.SqlString sql) => throw null; - public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqlException, string message) => throw null; - public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, NHibernate.Exceptions.AdoExceptionContextInfo exceptionContextInfo) => throw null; - public static string ExtendMessage(string message, string sql, object[] parameterValues, System.Collections.Generic.IDictionary namedParameters) => throw null; - public static System.Data.Common.DbException ExtractDbException(System.Exception sqlException) => throw null; - public const string SQLNotAvailable = default; - public static string TryGetActualSqlQuery(System.Exception sqle, string sql) => throw null; - public static NHibernate.SqlCommand.SqlString TryGetActualSqlQuery(System.Exception sqle, NHibernate.SqlCommand.SqlString sql) => throw null; - } - - // Generated from `NHibernate.Exceptions.AdoExceptionContextInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AdoExceptionContextInfo - { - public AdoExceptionContextInfo() => throw null; - public object EntityId { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public string Message { get => throw null; set => throw null; } - public string Sql { get => throw null; set => throw null; } - public System.Exception SqlException { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Exceptions.AggregateHibernateException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AggregateHibernateException : NHibernate.HibernateException - { - public AggregateHibernateException(string message, params System.Exception[] innerExceptions) => throw null; - public AggregateHibernateException(string message, System.Collections.Generic.IEnumerable innerExceptions) => throw null; - public AggregateHibernateException(params System.Exception[] innerExceptions) => throw null; - public AggregateHibernateException(System.Collections.Generic.IEnumerable innerExceptions) => throw null; - protected AggregateHibernateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Collections.ObjectModel.ReadOnlyCollection InnerExceptions { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Exceptions.ConstraintViolationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConstraintViolationException : NHibernate.ADOException - { - public string ConstraintName { get => throw null; } - public ConstraintViolationException(string message, System.Exception innerException, string sql, string constraintName) => throw null; - public ConstraintViolationException(string message, System.Exception innerException, string constraintName) => throw null; - public ConstraintViolationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.DataException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DataException : NHibernate.ADOException - { - public DataException(string message, System.Exception innerException, string sql) => throw null; - public DataException(string message, System.Exception innerException) => throw null; - public DataException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.GenericADOException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericADOException : NHibernate.ADOException - { - public GenericADOException(string message, System.Exception innerException, string sql) => throw null; - public GenericADOException(string message, System.Exception innerException) => throw null; - public GenericADOException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public GenericADOException() => throw null; - } - - // Generated from `NHibernate.Exceptions.IConfigurable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConfigurable - { - void Configure(System.Collections.Generic.IDictionary properties); - } - - // Generated from `NHibernate.Exceptions.ISQLExceptionConverter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISQLExceptionConverter - { - System.Exception Convert(NHibernate.Exceptions.AdoExceptionContextInfo adoExceptionContextInfo); - } - - // Generated from `NHibernate.Exceptions.IViolatedConstraintNameExtracter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IViolatedConstraintNameExtracter - { - string ExtractConstraintName(System.Data.Common.DbException sqle); - } - - // Generated from `NHibernate.Exceptions.LockAcquisitionException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LockAcquisitionException : NHibernate.ADOException - { - public LockAcquisitionException(string message, System.Exception innerException, string sql) => throw null; - public LockAcquisitionException(string message, System.Exception innerException) => throw null; - public LockAcquisitionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.NoOpViolatedConstraintNameExtracter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoOpViolatedConstraintNameExtracter : NHibernate.Exceptions.IViolatedConstraintNameExtracter - { - public virtual string ExtractConstraintName(System.Data.Common.DbException sqle) => throw null; - public NoOpViolatedConstraintNameExtracter() => throw null; - } - - // Generated from `NHibernate.Exceptions.SQLExceptionConverterFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SQLExceptionConverterFactory - { - public static NHibernate.Exceptions.ISQLExceptionConverter BuildMinimalSQLExceptionConverter() => throw null; - public static NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary properties) => throw null; - } - - // Generated from `NHibernate.Exceptions.SQLGrammarException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLGrammarException : NHibernate.ADOException - { - public SQLGrammarException(string message, System.Exception innerException, string sql) => throw null; - public SQLGrammarException(string message, System.Exception innerException) => throw null; - public SQLGrammarException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.SQLStateConverter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLStateConverter : NHibernate.Exceptions.ISQLExceptionConverter - { - public System.Exception Convert(NHibernate.Exceptions.AdoExceptionContextInfo exceptionInfo) => throw null; - public static NHibernate.ADOException HandledNonSpecificException(System.Exception sqlException, string message, string sql) => throw null; - public SQLStateConverter(NHibernate.Exceptions.IViolatedConstraintNameExtracter extracter) => throw null; - } - - // Generated from `NHibernate.Exceptions.SqlParseException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlParseException : System.Exception - { - public SqlParseException(string message) => throw null; - protected SqlParseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Exceptions.SqlStateExtracter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class SqlStateExtracter - { - public int ExtractErrorCode(System.Data.Common.DbException sqle) => throw null; - public abstract int ExtractSingleErrorCode(System.Data.Common.DbException sqle); - public abstract string ExtractSingleSqlState(System.Data.Common.DbException sqle); - public string ExtractSqlState(System.Data.Common.DbException sqle) => throw null; - protected SqlStateExtracter() => throw null; - } - - // Generated from `NHibernate.Exceptions.TemplatedViolatedConstraintNameExtracter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class TemplatedViolatedConstraintNameExtracter : NHibernate.Exceptions.IViolatedConstraintNameExtracter - { - public abstract string ExtractConstraintName(System.Data.Common.DbException sqle); - protected string ExtractUsingTemplate(string templateStart, string templateEnd, string message) => throw null; - protected TemplatedViolatedConstraintNameExtracter() => throw null; - } - - } - namespace Hql - { - // Generated from `NHibernate.Hql.CollectionSubqueryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionSubqueryFactory - { - public CollectionSubqueryFactory() => throw null; - public static string CreateCollectionSubquery(NHibernate.Engine.JoinSequence joinSequence, System.Collections.Generic.IDictionary enabledFilters, string[] columns) => throw null; - } - - // Generated from `NHibernate.Hql.HolderInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HolderInstantiator - { - public static NHibernate.Hql.HolderInstantiator CreateClassicHolderInstantiator(System.Reflection.ConstructorInfo constructor, NHibernate.Transform.IResultTransformer transformer) => throw null; - public static NHibernate.Transform.IResultTransformer CreateSelectNewTransformer(System.Reflection.ConstructorInfo constructor, bool returnMaps, bool returnLists) => throw null; - public static NHibernate.Hql.HolderInstantiator GetHolderInstantiator(NHibernate.Transform.IResultTransformer selectNewTransformer, NHibernate.Transform.IResultTransformer customTransformer, string[] queryReturnAliases) => throw null; - public HolderInstantiator(NHibernate.Transform.IResultTransformer transformer, string[] queryReturnAliases) => throw null; - public object Instantiate(object[] row) => throw null; - public bool IsRequired { get => throw null; } - public static NHibernate.Hql.HolderInstantiator NoopInstantiator; - public string[] QueryReturnAliases { get => throw null; } - public static NHibernate.Transform.IResultTransformer ResolveClassicResultTransformer(System.Reflection.ConstructorInfo constructor, NHibernate.Transform.IResultTransformer transformer) => throw null; - public static NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer selectNewTransformer, NHibernate.Transform.IResultTransformer customTransformer) => throw null; - public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; } - } - - // Generated from `NHibernate.Hql.IFilterTranslator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFilterTranslator : NHibernate.Hql.IQueryTranslator - { - void Compile(string collectionRole, System.Collections.Generic.IDictionary replacements, bool shallow); - } - - // Generated from `NHibernate.Hql.IQueryTranslator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryTranslator - { - NHibernate.Type.IType[] ActualReturnTypes { get; } - NHibernate.Engine.Query.ParameterMetadata BuildParameterMetadata(); - System.Collections.Generic.IList CollectSqlStrings { get; } - void Compile(System.Collections.Generic.IDictionary replacements, bool shallow); - bool ContainsCollectionFetches { get; } - System.Collections.Generic.IDictionary EnabledFilters { get; } - int ExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - string[][] GetColumnNames(); - System.Collections.IEnumerable GetEnumerable(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); - System.Threading.Tasks.Task GetEnumerableAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); - bool IsManipulationStatement { get; } - System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters); - System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - NHibernate.Loader.Loader Loader { get; } - System.Collections.Generic.ISet QuerySpaces { get; } - string QueryString { get; } - string[] ReturnAliases { get; } - NHibernate.Type.IType[] ReturnTypes { get; } - string SQLString { get; } - } - - // Generated from `NHibernate.Hql.IQueryTranslatorFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryTranslatorFactory - { - NHibernate.Hql.IQueryTranslator[] CreateQueryTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary filters, NHibernate.Engine.ISessionFactoryImplementor factory); - } - - // Generated from `NHibernate.Hql.NameGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NameGenerator - { - public static string[][] GenerateColumnNames(NHibernate.Type.IType[] types, NHibernate.Engine.ISessionFactoryImplementor f) => throw null; - public NameGenerator() => throw null; - public static string ScalarName(int x, int y) => throw null; - } - - // Generated from `NHibernate.Hql.ParserHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ParserHelper - { - public const string EntityClass = default; - public const string HqlSeparators = default; - public const string HqlVariablePrefix = default; - public static bool IsWhitespace(string str) => throw null; - public const string Whitespace = default; - } - - // Generated from `NHibernate.Hql.QueryExecutionRequestException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryExecutionRequestException : NHibernate.QueryException - { - public QueryExecutionRequestException(string message, string queryString) => throw null; - protected QueryExecutionRequestException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Hql.QuerySplitter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuerySplitter - { - public static string[] ConcreteQueries(string query, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public QuerySplitter() => throw null; - } - - // Generated from `NHibernate.Hql.StringQueryExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StringQueryExpression : NHibernate.IQueryExpression - { - public string Key { get => throw null; } - public System.Collections.Generic.IList ParameterDescriptors { get => throw null; set => throw null; } - public StringQueryExpression(string queryString) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor factory, bool filter) => throw null; - public System.Type Type { get => throw null; } - } - - namespace Ast - { - // Generated from `NHibernate.Hql.Ast.HqlAdd` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAdd : NHibernate.Hql.Ast.HqlExpression - { - public HqlAdd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlAlias` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAlias : NHibernate.Hql.Ast.HqlExpression - { - public HqlAlias(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlAll` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAll : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlAll(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlAny` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAny : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlAny(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlAs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAs : NHibernate.Hql.Ast.HqlExpression - { - public HqlAs(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlAverage` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlAverage : NHibernate.Hql.Ast.HqlExpression - { - public HqlAverage(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBitwiseAnd` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBitwiseAnd : NHibernate.Hql.Ast.HqlExpression - { - public HqlBitwiseAnd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBitwiseNot` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBitwiseNot : NHibernate.Hql.Ast.HqlExpression - { - public HqlBitwiseNot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBitwiseOr` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBitwiseOr : NHibernate.Hql.Ast.HqlExpression - { - public HqlBitwiseOr(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanAnd` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBooleanAnd : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlBooleanAnd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanDot` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBooleanDot : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlBooleanDot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlDot dot) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HqlBooleanExpression : NHibernate.Hql.Ast.HqlExpression - { - protected HqlBooleanExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - protected HqlBooleanExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanMethodCall` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBooleanMethodCall : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlBooleanMethodCall(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string methodName, System.Collections.Generic.IEnumerable parameters) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanNot` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBooleanNot : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlBooleanNot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression operand) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlBooleanOr` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlBooleanOr : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlBooleanOr(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCase : NHibernate.Hql.Ast.HqlExpression - { - public HqlCase(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlWhen[] whenClauses, NHibernate.Hql.Ast.HqlExpression ifFalse) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCast` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCast : NHibernate.Hql.Ast.HqlExpression - { - public HqlCast(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlClass : NHibernate.Hql.Ast.HqlExpression - { - public HqlClass(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCoalesce` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCoalesce : NHibernate.Hql.Ast.HqlExpression - { - public HqlCoalesce(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlConcat` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlConcat : NHibernate.Hql.Ast.HqlExpression - { - public HqlConcat(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] args) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlConstant : NHibernate.Hql.Ast.HqlExpression - { - public HqlConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, int type, string value) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCount` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCount : NHibernate.Hql.Ast.HqlExpression - { - public HqlCount(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression child) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlCount(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCountBig` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCountBig : NHibernate.Hql.Ast.HqlExpression - { - public HqlCountBig(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression child) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlCountBig(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCross` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCross : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlCross(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlCrossJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlCrossJoin : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlCrossJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDecimalConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDecimalConstant : NHibernate.Hql.Ast.HqlConstant - { - public HqlDecimalConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDelete` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDelete : NHibernate.Hql.Ast.HqlStatement - { - internal HqlDelete(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDictionaryIndex` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDictionaryIndex : NHibernate.Hql.Ast.HqlIndex - { - public HqlDictionaryIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression dictionary, NHibernate.Hql.Ast.HqlExpression index) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlExpression), default(NHibernate.Hql.Ast.HqlExpression)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDirection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum HqlDirection - { - Ascending, - Descending, - } - - // Generated from `NHibernate.Hql.Ast.HqlDirectionAscending` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDirectionAscending : NHibernate.Hql.Ast.HqlDirectionStatement - { - public HqlDirectionAscending(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDirectionDescending` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDirectionDescending : NHibernate.Hql.Ast.HqlDirectionStatement - { - public HqlDirectionDescending(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDirectionStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDirectionStatement : NHibernate.Hql.Ast.HqlStatement - { - public HqlDirectionStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDistinct` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDistinct : NHibernate.Hql.Ast.HqlStatement - { - public HqlDistinct(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDivide` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDivide : NHibernate.Hql.Ast.HqlExpression - { - public HqlDivide(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDot` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDot : NHibernate.Hql.Ast.HqlExpression - { - public HqlDot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlDoubleConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlDoubleConstant : NHibernate.Hql.Ast.HqlConstant - { - public HqlDoubleConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlElements` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlElements : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlElements(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlElse` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlElse : NHibernate.Hql.Ast.HqlStatement - { - public HqlElse(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression ifFalse) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlEquality` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlEquality : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlEquality(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlEscape` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlEscape : NHibernate.Hql.Ast.HqlStatement - { - public HqlEscape(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlConstant escapeCharacter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlExists` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlExists : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlExists(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlQuery query) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HqlExpression : NHibernate.Hql.Ast.HqlTreeNode - { - protected HqlExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - protected HqlExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlExpressionList` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlExpressionList : NHibernate.Hql.Ast.HqlStatement - { - public HqlExpressionList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlExpressionList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlExpressionSubTreeHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlExpressionSubTreeHolder : NHibernate.Hql.Ast.HqlExpression - { - public HqlExpressionSubTreeHolder(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlExpressionSubTreeHolder(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlFalse` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlFalse : NHibernate.Hql.Ast.HqlConstant - { - public HqlFalse(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlFetch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlFetch : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlFetch(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlFetchJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlFetchJoin : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlFetchJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlFloatConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlFloatConstant : NHibernate.Hql.Ast.HqlConstant - { - public HqlFloatConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlFrom` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlFrom : NHibernate.Hql.Ast.HqlStatement - { - internal HqlFrom(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlGreaterThan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlGreaterThan : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlGreaterThan(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlGreaterThanOrEqual` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlGreaterThanOrEqual : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlGreaterThanOrEqual(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlGroupBy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlGroupBy : NHibernate.Hql.Ast.HqlStatement - { - public HqlGroupBy(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlHaving` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlHaving : NHibernate.Hql.Ast.HqlStatement - { - public HqlHaving(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIdent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIdent : NHibernate.Hql.Ast.HqlExpression - { - internal HqlIdent(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string ident) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - internal HqlIdent(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIn : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlIn(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression itemExpression, NHibernate.Hql.Ast.HqlTreeNode source) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInList` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInList : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlInList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlTreeNode source) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIndex` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIndex : NHibernate.Hql.Ast.HqlExpression - { - public HqlIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression collection, NHibernate.Hql.Ast.HqlExpression index) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIndices` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIndices : NHibernate.Hql.Ast.HqlExpression - { - public HqlIndices(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression dictionary) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInequality` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInequality : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlInequality(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInner` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInner : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlInner(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInnerJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInnerJoin : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlInnerJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInsert` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInsert : NHibernate.Hql.Ast.HqlStatement - { - internal HqlInsert(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIntegerConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIntegerConstant : NHibernate.Hql.Ast.HqlConstant - { - public HqlIntegerConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlInto` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlInto : NHibernate.Hql.Ast.HqlStatement - { - public HqlInto(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIsNotNull` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIsNotNull : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlIsNotNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlIsNull` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlIsNull : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlIsNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlJoin : NHibernate.Hql.Ast.HqlStatement - { - public HqlJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLeft` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLeft : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlLeft(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLeftFetchJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLeftFetchJoin : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlLeftFetchJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLeftJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLeftJoin : NHibernate.Hql.Ast.HqlTreeNode - { - public HqlLeftJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLessThan` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLessThan : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlLessThan(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLessThanOrEqual` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLessThanOrEqual : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlLessThanOrEqual(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlLike` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLike : NHibernate.Hql.Ast.HqlBooleanExpression - { - public HqlLike(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs, NHibernate.Hql.Ast.HqlConstant escapeCharacter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlLike(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlMax` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlMax : NHibernate.Hql.Ast.HqlExpression - { - public HqlMax(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlMethodCall` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlMethodCall : NHibernate.Hql.Ast.HqlExpression - { - public HqlMethodCall(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string methodName, System.Collections.Generic.IEnumerable parameters) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlMin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlMin : NHibernate.Hql.Ast.HqlExpression - { - public HqlMin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlMultiplty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlMultiplty : NHibernate.Hql.Ast.HqlExpression - { - public HqlMultiplty(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlNegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlNegate : NHibernate.Hql.Ast.HqlExpression - { - public HqlNegate(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlNull` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlNull : NHibernate.Hql.Ast.HqlConstant - { - public HqlNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlOrderBy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlOrderBy : NHibernate.Hql.Ast.HqlStatement - { - public HqlOrderBy(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlParameter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlParameter : NHibernate.Hql.Ast.HqlExpression - { - public HqlParameter(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string name) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlQuery : NHibernate.Hql.Ast.HqlExpression - { - internal HqlQuery(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlStatement[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlRange` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlRange : NHibernate.Hql.Ast.HqlStatement - { - internal HqlRange(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlRowStar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlRowStar : NHibernate.Hql.Ast.HqlStatement - { - public HqlRowStar(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSelect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSelect : NHibernate.Hql.Ast.HqlStatement - { - public HqlSelect(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSelectFrom` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSelectFrom : NHibernate.Hql.Ast.HqlStatement - { - internal HqlSelectFrom(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSet : NHibernate.Hql.Ast.HqlStatement - { - public HqlSet(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlSet(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSkip` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSkip : NHibernate.Hql.Ast.HqlStatement - { - public HqlSkip(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression parameter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlStar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlStar : NHibernate.Hql.Ast.HqlExpression - { - public HqlStar(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class HqlStatement : NHibernate.Hql.Ast.HqlTreeNode - { - protected HqlStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - protected HqlStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlStringConstant` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlStringConstant : NHibernate.Hql.Ast.HqlConstant - { - public HqlStringConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSubtract` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSubtract : NHibernate.Hql.Ast.HqlExpression - { - public HqlSubtract(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlSum` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSum : NHibernate.Hql.Ast.HqlExpression - { - public HqlSum(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - public HqlSum(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTake` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlTake : NHibernate.Hql.Ast.HqlStatement - { - public HqlTake(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression parameter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTransparentCast` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlTransparentCast : NHibernate.Hql.Ast.HqlExpression - { - public HqlTransparentCast(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTreeBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlTreeBuilder - { - public NHibernate.Hql.Ast.HqlAdd Add(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlAlias Alias(string alias) => throw null; - public NHibernate.Hql.Ast.HqlAll All() => throw null; - public NHibernate.Hql.Ast.HqlAny Any() => throw null; - public NHibernate.Hql.Ast.HqlDirectionAscending Ascending() => throw null; - public NHibernate.Hql.Ast.HqlAverage Average(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlBitwiseAnd BitwiseAnd(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlBitwiseNot BitwiseNot() => throw null; - public NHibernate.Hql.Ast.HqlBitwiseOr BitwiseOr(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlBooleanAnd BooleanAnd(NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlBooleanMethodCall BooleanMethodCall(string methodName, System.Collections.Generic.IEnumerable parameters) => throw null; - public NHibernate.Hql.Ast.HqlBooleanNot BooleanNot(NHibernate.Hql.Ast.HqlBooleanExpression operand) => throw null; - public NHibernate.Hql.Ast.HqlBooleanOr BooleanOr(NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlCase Case(NHibernate.Hql.Ast.HqlWhen[] whenClauses, NHibernate.Hql.Ast.HqlExpression ifFalse) => throw null; - public NHibernate.Hql.Ast.HqlCase Case(NHibernate.Hql.Ast.HqlWhen[] whenClauses) => throw null; - public NHibernate.Hql.Ast.HqlCast Cast(NHibernate.Hql.Ast.HqlExpression expression, System.Type type) => throw null; - public NHibernate.Hql.Ast.HqlClass Class() => throw null; - public NHibernate.Hql.Ast.HqlTreeNode Coalesce(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlConcat Concat(params NHibernate.Hql.Ast.HqlExpression[] args) => throw null; - public NHibernate.Hql.Ast.HqlConstant Constant(object value) => throw null; - public NHibernate.Hql.Ast.HqlCount Count(NHibernate.Hql.Ast.HqlExpression child) => throw null; - public NHibernate.Hql.Ast.HqlCount Count() => throw null; - public NHibernate.Hql.Ast.HqlCountBig CountBig(NHibernate.Hql.Ast.HqlExpression child) => throw null; - public NHibernate.Hql.Ast.HqlCrossJoin CrossJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlDelete Delete(NHibernate.Hql.Ast.HqlFrom from) => throw null; - public NHibernate.Hql.Ast.HqlDirectionDescending Descending() => throw null; - public NHibernate.Hql.Ast.HqlTreeNode DictionaryItem(NHibernate.Hql.Ast.HqlExpression dictionary, NHibernate.Hql.Ast.HqlExpression index) => throw null; - public NHibernate.Hql.Ast.HqlDistinct Distinct() => throw null; - public NHibernate.Hql.Ast.HqlDivide Divide(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlDot Dot(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlElements Elements() => throw null; - public NHibernate.Hql.Ast.HqlElse Else(NHibernate.Hql.Ast.HqlExpression ifFalse) => throw null; - public NHibernate.Hql.Ast.HqlEquality Equality(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlExists Exists(NHibernate.Hql.Ast.HqlQuery query) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode ExpressionList(System.Collections.Generic.IEnumerable expressions) => throw null; - public NHibernate.Hql.Ast.HqlExpressionSubTreeHolder ExpressionSubTreeHolder(params NHibernate.Hql.Ast.HqlTreeNode[] children) => throw null; - public NHibernate.Hql.Ast.HqlExpressionSubTreeHolder ExpressionSubTreeHolder(System.Collections.Generic.IEnumerable children) => throw null; - public NHibernate.Hql.Ast.HqlFalse False() => throw null; - public NHibernate.Hql.Ast.HqlFetch Fetch() => throw null; - public NHibernate.Hql.Ast.HqlFetchJoin FetchJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range, params NHibernate.Hql.Ast.HqlJoin[] joins) => throw null; - public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range, System.Collections.Generic.IEnumerable joins) => throw null; - public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range) => throw null; - public NHibernate.Hql.Ast.HqlFrom From() => throw null; - public NHibernate.Hql.Ast.HqlGreaterThan GreaterThan(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlGreaterThanOrEqual GreaterThanOrEqual(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlGroupBy GroupBy(params NHibernate.Hql.Ast.HqlExpression[] expressions) => throw null; - public NHibernate.Hql.Ast.HqlHaving Having(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public HqlTreeBuilder() => throw null; - public NHibernate.Hql.Ast.HqlIdent Ident(string ident) => throw null; - public NHibernate.Hql.Ast.HqlIdent Ident(System.Type type) => throw null; - public NHibernate.Hql.Ast.HqlIn In(NHibernate.Hql.Ast.HqlExpression itemExpression, NHibernate.Hql.Ast.HqlTreeNode source) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode Index(NHibernate.Hql.Ast.HqlExpression collection, NHibernate.Hql.Ast.HqlExpression index) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode Indices(NHibernate.Hql.Ast.HqlExpression dictionary) => throw null; - public NHibernate.Hql.Ast.HqlInequality Inequality(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlInnerJoin InnerJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlInsert Insert(NHibernate.Hql.Ast.HqlInto into, NHibernate.Hql.Ast.HqlQuery query) => throw null; - public NHibernate.Hql.Ast.HqlInto Into() => throw null; - public NHibernate.Hql.Ast.HqlIsNotNull IsNotNull(NHibernate.Hql.Ast.HqlExpression lhs) => throw null; - public NHibernate.Hql.Ast.HqlIsNull IsNull(NHibernate.Hql.Ast.HqlExpression lhs) => throw null; - public NHibernate.Hql.Ast.HqlJoin Join(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlLeftFetchJoin LeftFetchJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlLeftJoin LeftJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlLessThan LessThan(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlLessThanOrEqual LessThanOrEqual(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlLike Like(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs, NHibernate.Hql.Ast.HqlConstant escapeCharacter) => throw null; - public NHibernate.Hql.Ast.HqlLike Like(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlMax Max(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlMethodCall MethodCall(string methodName, params NHibernate.Hql.Ast.HqlExpression[] parameters) => throw null; - public NHibernate.Hql.Ast.HqlMethodCall MethodCall(string methodName, System.Collections.Generic.IEnumerable parameters) => throw null; - public NHibernate.Hql.Ast.HqlMin Min(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlMultiplty Multiply(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlNegate Negate(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlOrderBy OrderBy() => throw null; - public NHibernate.Hql.Ast.HqlParameter Parameter(string name) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom, NHibernate.Hql.Ast.HqlWhere where, NHibernate.Hql.Ast.HqlOrderBy orderBy) => throw null; - public NHibernate.Hql.Ast.HqlQuery Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom, NHibernate.Hql.Ast.HqlWhere where) => throw null; - public NHibernate.Hql.Ast.HqlQuery Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom) => throw null; - public NHibernate.Hql.Ast.HqlQuery Query() => throw null; - public NHibernate.Hql.Ast.HqlRange Range(params NHibernate.Hql.Ast.HqlIdent[] idents) => throw null; - public NHibernate.Hql.Ast.HqlRange Range(NHibernate.Hql.Ast.HqlTreeNode ident, NHibernate.Hql.Ast.HqlAlias alias) => throw null; - public NHibernate.Hql.Ast.HqlRowStar RowStar() => throw null; - public NHibernate.Hql.Ast.HqlSelect Select(params NHibernate.Hql.Ast.HqlExpression[] expression) => throw null; - public NHibernate.Hql.Ast.HqlSelect Select(System.Collections.Generic.IEnumerable expressions) => throw null; - public NHibernate.Hql.Ast.HqlSelect Select(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlSelect select) => throw null; - public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSelect select) => throw null; - public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlFrom from) => throw null; - public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom() => throw null; - public NHibernate.Hql.Ast.HqlSet Set(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlSet Set() => throw null; - public NHibernate.Hql.Ast.HqlSkip Skip(NHibernate.Hql.Ast.HqlExpression parameter) => throw null; - public NHibernate.Hql.Ast.HqlStar Star() => throw null; - public NHibernate.Hql.Ast.HqlSubtract Subtract(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; - public NHibernate.Hql.Ast.HqlSum Sum(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlTake Take(NHibernate.Hql.Ast.HqlExpression parameter) => throw null; - public NHibernate.Hql.Ast.HqlTransparentCast TransparentCast(NHibernate.Hql.Ast.HqlExpression expression, System.Type type) => throw null; - public NHibernate.Hql.Ast.HqlTrue True() => throw null; - public NHibernate.Hql.Ast.HqlUpdate Update(NHibernate.Hql.Ast.HqlVersioned versioned, NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSet set) => throw null; - public NHibernate.Hql.Ast.HqlUpdate Update(NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSet set) => throw null; - public NHibernate.Hql.Ast.HqlVersioned Versioned() => throw null; - public NHibernate.Hql.Ast.HqlWhen When(NHibernate.Hql.Ast.HqlExpression predicate, NHibernate.Hql.Ast.HqlExpression ifTrue) => throw null; - public NHibernate.Hql.Ast.HqlWhere Where(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - public NHibernate.Hql.Ast.HqlWith With(NHibernate.Hql.Ast.HqlExpression expression) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTreeNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlTreeNode - { - public System.Collections.Generic.IEnumerable Children { get => throw null; } - public void ClearChildren() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory Factory { get => throw null; set => throw null; } - protected HqlTreeNode(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) => throw null; - protected HqlTreeNode(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) => throw null; - public System.Collections.Generic.IEnumerable NodesPostOrder { get => throw null; } - public System.Collections.Generic.IEnumerable NodesPreOrder { get => throw null; } - protected void SetText(string text) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTreeNodeExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class HqlTreeNodeExtensions - { - public static NHibernate.Hql.Ast.HqlBooleanExpression AsBooleanExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; - public static NHibernate.Hql.Ast.HqlExpression AsExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; - public static NHibernate.Hql.Ast.HqlBooleanExpression ToBooleanExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlTrue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlTrue : NHibernate.Hql.Ast.HqlConstant - { - public HqlTrue(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlUpdate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlUpdate : NHibernate.Hql.Ast.HqlStatement - { - internal HqlUpdate(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlVersioned` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlVersioned : NHibernate.Hql.Ast.HqlExpression - { - public HqlVersioned(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlWhen` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlWhen : NHibernate.Hql.Ast.HqlStatement - { - public HqlWhen(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression predicate, NHibernate.Hql.Ast.HqlExpression ifTrue) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlWhere` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlWhere : NHibernate.Hql.Ast.HqlStatement - { - public HqlWhere(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.HqlWith` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlWith : NHibernate.Hql.Ast.HqlStatement - { - public HqlWith(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; - } - - namespace ANTLR - { - // Generated from `NHibernate.Hql.Ast.ANTLR.ASTQueryTranslatorFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTQueryTranslatorFactory : NHibernate.Hql.IQueryTranslatorFactory - { - public ASTQueryTranslatorFactory() => throw null; - public NHibernate.Hql.IQueryTranslator[] CreateQueryTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary filters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.AstPolymorphicProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AstPolymorphicProcessor - { - public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] Process(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ast, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.CrossJoinDictionaryArrays` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CrossJoinDictionaryArrays - { - public static System.Collections.Generic.IList> PerformCrossJoin(System.Collections.Generic.IEnumerable> input) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.DetailedSemanticException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DetailedSemanticException : NHibernate.Hql.Ast.ANTLR.SemanticException - { - public DetailedSemanticException(string message, System.Exception inner) : base(default(string)) => throw null; - public DetailedSemanticException(string message) : base(default(string)) => throw null; - protected DetailedSemanticException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.HqlLexer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlLexer : Antlr.Runtime.Lexer - { - public const int AGGREGATE = default; - public const int ALIAS = default; - public const int ALL = default; - public const int AND = default; - public const int ANY = default; - public const int AS = default; - public const int ASCENDING = default; - public const int AVG = default; - public const int BAND = default; - public const int BETWEEN = default; - public const int BNOT = default; - public const int BOR = default; - public const int BOTH = default; - public const int BXOR = default; - public const int CASE = default; - public const int CASE2 = default; - public const int CLASS = default; - public const int CLOSE = default; - public const int CLOSE_BRACKET = default; - public const int COLON = default; - public const int COMMA = default; - public const int CONCAT = default; - public const int CONSTANT = default; - public const int CONSTRUCTOR = default; - public const int COUNT = default; - public const int CROSS = default; - public const int DELETE = default; - public const int DESCENDING = default; - public const int DISTINCT = default; - public const int DIV = default; - public const int DOT = default; - public const int ELEMENTS = default; - public const int ELSE = default; - public const int EMPTY = default; - public const int END = default; - public const int EOF = default; - public const int EQ = default; - public const int ESCAPE = default; - public const int ESCqs = default; - public const int EXISTS = default; - public const int EXPONENT = default; - public const int EXPR_LIST = default; - public override Antlr.Runtime.IToken Emit() => throw null; - public const int FALSE = default; - public const int FETCH = default; - public const int FILTER_ENTITY = default; - public const int FLOAT_SUFFIX = default; - public const int FROM = default; - public const int FULL = default; - public const int GE = default; - public const int GROUP = default; - public const int GT = default; - public override string GrammarFileName { get => throw null; } - public const int HAVING = default; - public const int HEX_DIGIT = default; - public HqlLexer(Antlr.Runtime.ICharStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; - public HqlLexer(Antlr.Runtime.ICharStream input) => throw null; - public HqlLexer() => throw null; - public const int IDENT = default; - public const int ID_LETTER = default; - public const int ID_START_LETTER = default; - public const int IN = default; - public const int INDEX_OP = default; - public const int INDICES = default; - public const int INNER = default; - public const int INSERT = default; - public const int INTO = default; - public const int IN_LIST = default; - public const int IS = default; - public const int IS_NOT_NULL = default; - public const int IS_NULL = default; - protected override void InitDFAs() => throw null; - public const int JAVA_CONSTANT = default; - public const int JOIN = default; - public const int LE = default; - public const int LEADING = default; - public const int LEFT = default; - public const int LIKE = default; - public const int LITERAL_by = default; - public const int LT = default; - public const int MAX = default; - public const int MEMBER = default; - public const int METHOD_CALL = default; - public const int MIN = default; - public const int MINUS = default; - public const int NE = default; - public const int NEW = default; - public const int NOT = default; - public const int NOT_BETWEEN = default; - public const int NOT_IN = default; - public const int NOT_LIKE = default; - public const int NULL = default; - public const int NUM_DECIMAL = default; - public const int NUM_DOUBLE = default; - public const int NUM_FLOAT = default; - public const int NUM_INT = default; - public const int NUM_LONG = default; - public const int OBJECT = default; - public const int OF = default; - public const int ON = default; - public const int OPEN = default; - public const int OPEN_BRACKET = default; - public const int OR = default; - public const int ORDER = default; - public const int ORDER_ELEMENT = default; - public const int OUTER = default; - public const int PARAM = default; - public const int PLUS = default; - public const int PROPERTIES = default; - public const int QUERY = default; - public const int QUOTED_String = default; - public const int RANGE = default; - public const int RIGHT = default; - public const int ROW_STAR = default; - public const int SELECT = default; - public const int SELECT_FROM = default; - public const int SET = default; - public const int SKIP = default; - public const int SOME = default; - public const int SQL_NE = default; - public const int STAR = default; - public const int SUM = default; - public const int TAKE = default; - public const int THEN = default; - public const int TRAILING = default; - public const int TRUE = default; - public const int T__134 = default; - public const int T__135 = default; - public const int UNARY_MINUS = default; - public const int UNARY_PLUS = default; - public const int UNION = default; - public const int UPDATE = default; - public const int VECTOR_EXPR = default; - public const int VERSIONED = default; - public const int WEIRD_IDENT = default; - public const int WHEN = default; - public const int WHERE = default; - public const int WITH = default; - public const int WS = default; - public override void mTokens() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.HqlParseEngine` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlParseEngine - { - public HqlParseEngine(string hql, bool filter, NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parse() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.HqlParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlParser : Antlr.Runtime.Parser - { - public const int AGGREGATE = default; - public const int ALIAS = default; - public const int ALL = default; - public const int AND = default; - public const int ANY = default; - public const int AS = default; - public const int ASCENDING = default; - public const int AVG = default; - public const int BAND = default; - public const int BETWEEN = default; - public const int BNOT = default; - public const int BOR = default; - public const int BOTH = default; - public const int BXOR = default; - public const int CASE = default; - public const int CASE2 = default; - public const int CLASS = default; - public const int CLOSE = default; - public const int CLOSE_BRACKET = default; - public const int COLON = default; - public const int COMMA = default; - public const int CONCAT = default; - public const int CONSTANT = default; - public const int CONSTRUCTOR = default; - public const int COUNT = default; - public const int CROSS = default; - public const int DELETE = default; - public const int DESCENDING = default; - public const int DISTINCT = default; - public const int DIV = default; - public const int DOT = default; - public const int ELEMENTS = default; - public const int ELSE = default; - public const int EMPTY = default; - public const int END = default; - public const int EOF = default; - public const int EQ = default; - public const int ESCAPE = default; - public const int ESCqs = default; - public const int EXISTS = default; - public const int EXPONENT = default; - public const int EXPR_LIST = default; - public const int FALSE = default; - public const int FETCH = default; - public const int FILTER_ENTITY = default; - public const int FLOAT_SUFFIX = default; - public const int FROM = default; - public const int FULL = default; - public bool Filter { get => throw null; set => throw null; } - public const int GE = default; - public const int GROUP = default; - public const int GT = default; - public override string GrammarFileName { get => throw null; } - public const int HAVING = default; - public const int HEX_DIGIT = default; - public void HandleDotIdent() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode HandleIdentifierError(Antlr.Runtime.IToken token, Antlr.Runtime.RecognitionException ex) => throw null; - public HqlParser(Antlr.Runtime.ITokenStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.ITokenStream)) => throw null; - public HqlParser(Antlr.Runtime.ITokenStream input) : base(default(Antlr.Runtime.ITokenStream)) => throw null; - public const int IDENT = default; - public const int ID_LETTER = default; - public const int ID_START_LETTER = default; - public const int IN = default; - public const int INDEX_OP = default; - public const int INDICES = default; - public const int INNER = default; - public const int INSERT = default; - public const int INTO = default; - public const int IN_LIST = default; - public const int IS = default; - public const int IS_NOT_NULL = default; - public const int IS_NULL = default; - public const int JAVA_CONSTANT = default; - public const int JOIN = default; - public const int LE = default; - public const int LEADING = default; - public const int LEFT = default; - public const int LIKE = default; - public const int LITERAL_by = default; - public const int LT = default; - public const int MAX = default; - public const int MEMBER = default; - public const int METHOD_CALL = default; - public const int MIN = default; - public const int MINUS = default; - public const int NE = default; - public const int NEW = default; - public const int NOT = default; - public const int NOT_BETWEEN = default; - public const int NOT_IN = default; - public const int NOT_LIKE = default; - public const int NULL = default; - public const int NUM_DECIMAL = default; - public const int NUM_DOUBLE = default; - public const int NUM_FLOAT = default; - public const int NUM_INT = default; - public const int NUM_LONG = default; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NegateNode(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node) => throw null; - public const int OBJECT = default; - public const int OF = default; - public const int ON = default; - public const int OPEN = default; - public const int OPEN_BRACKET = default; - public const int OR = default; - public const int ORDER = default; - public const int ORDER_ELEMENT = default; - public const int OUTER = default; - public const int PARAM = default; - public const int PLUS = default; - public const int PROPERTIES = default; - public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ProcessEqualityExpression(object o) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ProcessMemberOf(Antlr.Runtime.IToken n, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode p, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root) => throw null; - public const int QUERY = default; - public const int QUOTED_String = default; - public const int RANGE = default; - public const int RIGHT = default; - public const int ROW_STAR = default; - protected override object RecoverFromMismatchedToken(Antlr.Runtime.IIntStream input, int ttype, Antlr.Runtime.BitSet follow) => throw null; - public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; - public const int SELECT = default; - public const int SELECT_FROM = default; - public const int SET = default; - public const int SKIP = default; - public const int SOME = default; - public const int SQL_NE = default; - public const int STAR = default; - public const int SUM = default; - public const int TAKE = default; - public const int THEN = default; - public const int TRAILING = default; - public const int TRUE = default; - public const int T__134 = default; - public const int T__135 = default; - public override string[] TokenNames { get => throw null; } - public Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set => throw null; } - public const int UNARY_MINUS = default; - public const int UNARY_PLUS = default; - public const int UNION = default; - public const int UPDATE = default; - public const int VECTOR_EXPR = default; - public const int VERSIONED = default; - public const int WEIRD_IDENT = default; - public const int WHEN = default; - public const int WHERE = default; - public const int WITH = default; - public const int WS = default; - public void WeakKeywords() => throw null; - public void WeakKeywords2() => throw null; - public Antlr.Runtime.AstParserRuleReturnScope statement() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.HqlSqlWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSqlWalker : Antlr.Runtime.Tree.TreeParser - { - public const int AGGREGATE = default; - public const int ALIAS = default; - public const int ALIAS_REF = default; - public const int ALL = default; - public const int AND = default; - public const int ANY = default; - public const int AS = default; - public const int ASCENDING = default; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory ASTFactory { get => throw null; } - public const int AVG = default; - public void AddQuerySpaces(string[] spaces) => throw null; - public NHibernate.Hql.Ast.ANTLR.Util.AliasGenerator AliasGenerator { get => throw null; } - public System.Collections.Generic.IList AssignmentSpecifications { get => throw null; } - public const int BAND = default; - public const int BETWEEN = default; - public const int BNOT = default; - public const int BOGUS = default; - public const int BOR = default; - public const int BOTH = default; - public const int BXOR = default; - public const int CASE = default; - public const int CASE2 = default; - public const int CLASS = default; - public const int CLOSE = default; - public const int CLOSE_BRACKET = default; - public const int COLON = default; - public const int COMMA = default; - public const int CONCAT = default; - public const int CONSTANT = default; - public const int CONSTRUCTOR = default; - public const int COUNT = default; - public const int CROSS = default; - public string CollectionFilterRole { get => throw null; } - public int CurrentClauseType { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromClause CurrentFromClause { get => throw null; } - public int CurrentStatementType { get => throw null; } - public const int DELETE = default; - public const int DESCENDING = default; - public const int DISTINCT = default; - public const int DIV = default; - public const int DOT = default; - public const int ELEMENTS = default; - public const int ELSE = default; - public const int EMPTY = default; - public const int END = default; - public const int ENTITY_JOIN = default; - public const int EOF = default; - public const int EQ = default; - public const int ESCAPE = default; - public const int ESCqs = default; - public const int EXISTS = default; - public const int EXPONENT = default; - public const int EXPR_LIST = default; - public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - protected void EvaluateAssignment(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode eq) => throw null; - public const int FALSE = default; - public const int FETCH = default; - public const int FILTERS = default; - public const int FILTER_ENTITY = default; - public const int FLOAT_SUFFIX = default; - public const int FROM = default; - public const int FROM_FRAGMENT = default; - public const int FULL = default; - public const int GE = default; - public const int GROUP = default; - public const int GT = default; - public NHibernate.Hql.Ast.ANTLR.Tree.FromClause GetFinalFromClause() => throw null; - public override string GrammarFileName { get => throw null; } - public const int HAVING = default; - public const int HEX_DIGIT = default; - protected void HandleResultVariableRef(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode resultVariableRef) => throw null; - public HqlSqlWalker(NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl qti, NHibernate.Engine.ISessionFactoryImplementor sfi, Antlr.Runtime.Tree.ITreeNodeStream input, System.Collections.Generic.IDictionary tokenReplacements, string collectionRole) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public HqlSqlWalker(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public HqlSqlWalker(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - internal HqlSqlWalker(NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl qti, NHibernate.Engine.ISessionFactoryImplementor sfi, Antlr.Runtime.Tree.ITreeNodeStream input, System.Collections.Generic.IDictionary tokenReplacements, System.Collections.Generic.IDictionary namedParameters, string collectionRole) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public const int IDENT = default; - public const int ID_LETTER = default; - public const int ID_START_LETTER = default; - public const int IMPLIED_FROM = default; - public const int IN = default; - public const int INDEX_OP = default; - public const int INDICES = default; - public const int INNER = default; - public const int INSERT = default; - public const int INTO = default; - public const int IN_LIST = default; - public const int IS = default; - public const int IS_NOT_NULL = default; - public const int IS_NULL = default; - public NHibernate.SqlCommand.JoinType ImpliedJoinType { get => throw null; } - public bool IsComparativeExpressionClause { get => throw null; } - public bool IsFilter() => throw null; - public bool IsInCase { get => throw null; } - public bool IsInFrom { get => throw null; } - public bool IsInSelect { get => throw null; } - protected bool IsOrderExpressionResultVariableRef(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode orderExpressionNode) => throw null; - public bool IsSelectStatement { get => throw null; } - public bool IsShallowQuery { get => throw null; } - public bool IsSubQuery { get => throw null; } - public const int JAVA_CONSTANT = default; - public const int JOIN = default; - public const int JOIN_FRAGMENT = default; - public const int LE = default; - public const int LEADING = default; - public const int LEFT = default; - public const int LEFT_OUTER = default; - public const int LIKE = default; - public const int LITERAL_by = default; - public const int LT = default; - public NHibernate.Hql.Ast.ANTLR.Util.LiteralProcessor LiteralProcessor { get => throw null; } - protected NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LookupProperty(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode dot, bool root, bool inSelect) => throw null; - public const int MAX = default; - public const int MEMBER = default; - public const int METHOD_CALL = default; - public const int METHOD_NAME = default; - public const int MIN = default; - public const int MINUS = default; - public const int NAMED_PARAM = default; - public const int NE = default; - public const int NEW = default; - public const int NOT = default; - public const int NOT_BETWEEN = default; - public const int NOT_IN = default; - public const int NOT_LIKE = default; - public const int NULL = default; - public const int NUM_DECIMAL = default; - public const int NUM_DOUBLE = default; - public const int NUM_FLOAT = default; - public const int NUM_INT = default; - public const int NUM_LONG = default; - public System.Collections.Generic.IDictionary NamedParameters { get => throw null; } - public int NumberOfParametersInSetClause { get => throw null; } - public const int OBJECT = default; - public const int OF = default; - public const int ON = default; - public const int OPEN = default; - public const int OPEN_BRACKET = default; - public const int OR = default; - public const int ORDER = default; - public const int ORDER_ELEMENT = default; - public const int OUTER = default; - public const int PARAM = default; - public const int PLUS = default; - public const int PROPERTIES = default; - public const int PROPERTY_REF = default; - public System.Collections.Generic.IList Parameters { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; set => throw null; } - public const int QUERY = default; - public const int QUOTED_String = default; - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public const int RANGE = default; - public const int RESULT_VARIABLE_REF = default; - public const int RIGHT = default; - public const int RIGHT_OUTER = default; - public const int ROW_STAR = default; - public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; - public string[] ReturnAliases { get => throw null; } - public NHibernate.Type.IType[] ReturnTypes { get => throw null; } - public const int SELECT = default; - public const int SELECT_CLAUSE = default; - public const int SELECT_COLUMNS = default; - public const int SELECT_EXPR = default; - public const int SELECT_FROM = default; - public const int SET = default; - public const int SKIP = default; - public const int SOME = default; - public const int SQL_NE = default; - public const int SQL_TOKEN = default; - public const int STAR = default; - public const int SUM = default; - public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause SelectClause { get => throw null; } - public int StatementType { get => throw null; } - public static bool SupportsIdGenWithBulkInsertion(NHibernate.Id.IIdentifierGenerator generator) => throw null; - public const int TAKE = default; - public const int THEN = default; - public const int THETA_JOINS = default; - public const int TRAILING = default; - public const int TRUE = default; - public const int T__134 = default; - public const int T__135 = default; - public override string[] TokenNames { get => throw null; } - public System.Collections.Generic.IDictionary TokenReplacements { get => throw null; } - public Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set => throw null; } - public const int UNARY_MINUS = default; - public const int UNARY_PLUS = default; - public const int UNION = default; - public const int UPDATE = default; - public const int VECTOR_EXPR = default; - public const int VERSIONED = default; - public const int WEIRD_IDENT = default; - public const int WHEN = default; - public const int WHERE = default; - public const int WITH = default; - public const int WS = default; - public Antlr.Runtime.Tree.AstTreeRuleReturnScope statement() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.HqlToken` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlToken : Antlr.Runtime.CommonToken - { - public HqlToken(Antlr.Runtime.IToken other) => throw null; - public HqlToken(Antlr.Runtime.ICharStream input, int type, int channel, int start, int stop) => throw null; - public bool PossibleId { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.IErrorReporter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IErrorReporter - { - void ReportError(string s); - void ReportError(Antlr.Runtime.RecognitionException e); - void ReportWarning(string s); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.IParseErrorHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IParseErrorHandler : NHibernate.Hql.Ast.ANTLR.IErrorReporter - { - int GetErrorCount(); - void ThrowQueryException(); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.InvalidPathException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InvalidPathException : NHibernate.Hql.Ast.ANTLR.SemanticException - { - public InvalidPathException(string s) : base(default(string)) => throw null; - protected InvalidPathException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.InvalidWithClauseException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InvalidWithClauseException : NHibernate.Hql.Ast.ANTLR.QuerySyntaxException - { - public InvalidWithClauseException(string message, System.Exception inner) => throw null; - public InvalidWithClauseException(string message) => throw null; - protected InvalidWithClauseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected InvalidWithClauseException() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.QuerySyntaxException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuerySyntaxException : NHibernate.QueryException - { - public static NHibernate.Hql.Ast.ANTLR.QuerySyntaxException Convert(Antlr.Runtime.RecognitionException e, string hql) => throw null; - public static NHibernate.Hql.Ast.ANTLR.QuerySyntaxException Convert(Antlr.Runtime.RecognitionException e) => throw null; - public QuerySyntaxException(string message, string hql, System.Exception inner) => throw null; - public QuerySyntaxException(string message, string hql) => throw null; - public QuerySyntaxException(string message, System.Exception inner) => throw null; - public QuerySyntaxException(string message) => throw null; - protected QuerySyntaxException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected QuerySyntaxException() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryTranslatorImpl : NHibernate.Hql.IQueryTranslator, NHibernate.Hql.IFilterTranslator - { - public virtual NHibernate.Type.IType[] ActualReturnTypes { get => throw null; } - public NHibernate.Engine.Query.ParameterMetadata BuildParameterMetadata() => throw null; - public System.Collections.Generic.IList CollectSqlStrings { get => throw null; } - public System.Collections.Generic.IList CollectedParameterSpecifications { get => throw null; } - public void Compile(string collectionRole, System.Collections.Generic.IDictionary replacements, bool shallow) => throw null; - public void Compile(System.Collections.Generic.IDictionary replacements, bool shallow) => throw null; - public bool ContainsCollectionFetches { get => throw null; } - public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - public int ExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public string[][] GetColumnNames() => throw null; - public System.Collections.IEnumerable GetEnumerable(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; - public System.Threading.Tasks.Task GetEnumerableAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsManipulationStatement { get => throw null; } - public bool IsShallowQuery { get => throw null; } - public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Loader.Loader Loader { get => throw null; } - public string QueryIdentifier { get => throw null; } - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public string QueryString { get => throw null; } - public QueryTranslatorImpl(string queryIdentifier, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parsedQuery, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public string[] ReturnAliases { get => throw null; } - public NHibernate.Type.IType[] ReturnTypes { get => throw null; } - public string SQLString { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IStatement SqlAST { get => throw null; } - public NHibernate.SqlCommand.SqlString SqlString { get => throw null; } - public System.Collections.Generic.ISet UncacheableCollectionPersisters { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.SemanticException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SemanticException : NHibernate.QueryException - { - public SemanticException(string message, System.Exception inner) => throw null; - public SemanticException(string message) => throw null; - protected SemanticException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.SessionFactoryHelperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionFactoryHelperExtensions - { - public NHibernate.Engine.JoinSequence CreateCollectionJoinSequence(NHibernate.Persister.Collection.IQueryableCollection collPersister, string collectionName) => throw null; - public NHibernate.Engine.JoinSequence CreateJoinSequence(bool implicitJoin, NHibernate.Type.IAssociationType associationType, string tableAlias, NHibernate.SqlCommand.JoinType joinType, string[] columns) => throw null; - public NHibernate.Engine.JoinSequence CreateJoinSequence() => throw null; - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public NHibernate.Type.IType FindFunctionReturnType(string functionName, System.Collections.Generic.IEnumerable arguments) => throw null; - public NHibernate.Type.IType FindFunctionReturnType(string functionName, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode first) => throw null; - public NHibernate.Persister.Entity.IQueryable FindQueryableUsingImports(string className) => throw null; - public NHibernate.Dialect.Function.ISQLFunction FindSQLFunction(string functionName) => throw null; - public string[][] GenerateColumnNames(NHibernate.Type.IType[] sqlResultTypes) => throw null; - public string[] GetCollectionElementColumns(string role, string roleAlias) => throw null; - public NHibernate.Persister.Collection.IQueryableCollection GetCollectionPersister(string collectionFilterRole) => throw null; - public NHibernate.Type.IAssociationType GetElementAssociationType(NHibernate.Type.CollectionType collectionType) => throw null; - public string GetIdentifierOrUniqueKeyPropertyName(NHibernate.Type.EntityType entityType) => throw null; - public string GetImportedClassName(string className) => throw null; - public bool HasPhysicalDiscriminatorColumn(NHibernate.Persister.Entity.IQueryable persister) => throw null; - public bool IsStrictJPAQLComplianceEnabled { get => throw null; } - public NHibernate.Persister.Entity.IEntityPersister RequireClassPersister(string name) => throw null; - public NHibernate.Persister.Collection.IQueryableCollection RequireQueryableCollection(string role) => throw null; - public SessionFactoryHelperExtensions(NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.SqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlGenerator : Antlr.Runtime.Tree.TreeParser, NHibernate.Hql.Ast.ANTLR.IErrorReporter - { - public const int AGGREGATE = default; - public const int ALIAS = default; - public const int ALIAS_REF = default; - public const int ALL = default; - public const int AND = default; - public const int ANY = default; - public const int AS = default; - public const int ASCENDING = default; - public const int AVG = default; - public const int BAND = default; - public const int BETWEEN = default; - public const int BNOT = default; - public const int BOGUS = default; - public const int BOR = default; - public const int BOTH = default; - public const int BXOR = default; - public const int CASE = default; - public const int CASE2 = default; - public const int CLASS = default; - public const int CLOSE = default; - public const int CLOSE_BRACKET = default; - public const int COLON = default; - public const int COMMA = default; - public const int CONCAT = default; - public const int CONSTANT = default; - public const int CONSTRUCTOR = default; - public const int COUNT = default; - public const int CROSS = default; - public const int DELETE = default; - public const int DESCENDING = default; - public const int DISTINCT = default; - public const int DIV = default; - public const int DOT = default; - public const int ELEMENTS = default; - public const int ELSE = default; - public const int EMPTY = default; - public const int END = default; - public const int ENTITY_JOIN = default; - public const int EOF = default; - public const int EQ = default; - public const int ESCAPE = default; - public const int ESCqs = default; - public const int EXISTS = default; - public const int EXPONENT = default; - public const int EXPR_LIST = default; - public const int FALSE = default; - public const int FETCH = default; - public const int FILTERS = default; - public const int FILTER_ENTITY = default; - public const int FLOAT_SUFFIX = default; - public const int FROM = default; - public const int FROM_FRAGMENT = default; - public const int FULL = default; - protected virtual void FromFragmentSeparator(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode a) => throw null; - public const int GE = default; - public const int GROUP = default; - public const int GT = default; - public System.Collections.Generic.IList GetCollectedParameters() => throw null; - public NHibernate.SqlCommand.SqlString GetSQL() => throw null; - public override string GrammarFileName { get => throw null; } - public const int HAVING = default; - public const int HEX_DIGIT = default; - public const int IDENT = default; - public const int ID_LETTER = default; - public const int ID_START_LETTER = default; - public const int IMPLIED_FROM = default; - public const int IN = default; - public const int INDEX_OP = default; - public const int INDICES = default; - public const int INNER = default; - public const int INSERT = default; - public const int INTO = default; - public const int IN_LIST = default; - public const int IS = default; - public const int IS_NOT_NULL = default; - public const int IS_NULL = default; - public const int JAVA_CONSTANT = default; - public const int JOIN = default; - public const int JOIN_FRAGMENT = default; - public const int LE = default; - public const int LEADING = default; - public const int LEFT = default; - public const int LEFT_OUTER = default; - public const int LIKE = default; - public const int LITERAL_by = default; - public const int LT = default; - public const int MAX = default; - public const int MEMBER = default; - public const int METHOD_CALL = default; - public const int METHOD_NAME = default; - public const int MIN = default; - public const int MINUS = default; - public const int NAMED_PARAM = default; - public const int NE = default; - public const int NEW = default; - public const int NOT = default; - public const int NOT_BETWEEN = default; - public const int NOT_IN = default; - public const int NOT_LIKE = default; - public const int NULL = default; - public const int NUM_DECIMAL = default; - public const int NUM_DOUBLE = default; - public const int NUM_FLOAT = default; - public const int NUM_INT = default; - public const int NUM_LONG = default; - protected virtual void NestedFromFragment(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode d, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public const int OBJECT = default; - public const int OF = default; - public const int ON = default; - public const int OPEN = default; - public const int OPEN_BRACKET = default; - public const int OR = default; - public const int ORDER = default; - public const int ORDER_ELEMENT = default; - public const int OUTER = default; - public const int PARAM = default; - public const int PLUS = default; - public const int PROPERTIES = default; - public const int PROPERTY_REF = default; - public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; } - public const int QUERY = default; - public const int QUOTED_String = default; - public const int RANGE = default; - public const int RESULT_VARIABLE_REF = default; - public const int RIGHT = default; - public const int RIGHT_OUTER = default; - public const int ROW_STAR = default; - public void ReportError(string s) => throw null; - public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; - public void ReportWarning(string s) => throw null; - public const int SELECT = default; - public const int SELECT_CLAUSE = default; - public const int SELECT_COLUMNS = default; - public const int SELECT_EXPR = default; - public const int SELECT_FROM = default; - public const int SET = default; - public const int SKIP = default; - public const int SOME = default; - public const int SQL_NE = default; - public const int SQL_TOKEN = default; - public const int STAR = default; - public const int SUM = default; - public SqlGenerator(NHibernate.Engine.ISessionFactoryImplementor sfi, Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public SqlGenerator(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public SqlGenerator(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; - public const int TAKE = default; - public const int THEN = default; - public const int THETA_JOINS = default; - public const int TRAILING = default; - public const int TRUE = default; - public const int T__134 = default; - public const int T__135 = default; - public override string[] TokenNames { get => throw null; } - public const int UNARY_MINUS = default; - public const int UNARY_PLUS = default; - public const int UNION = default; - public const int UPDATE = default; - public const int VECTOR_EXPR = default; - public const int VERSIONED = default; - public const int WEIRD_IDENT = default; - public const int WHEN = default; - public const int WHERE = default; - public const int WITH = default; - public const int WS = default; - public void comparisonExpr(bool parens) => throw null; - public Antlr.Runtime.Tree.TreeRuleReturnScope simpleExpr() => throw null; - public void statement() => throw null; - public void whereClause() => throw null; - public void whereExpr() => throw null; - } - - namespace Exec - { - // Generated from `NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractStatementExecutor : NHibernate.Hql.Ast.ANTLR.Exec.IStatementExecutor - { - protected AbstractStatementExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement, NHibernate.INHibernateLogger log) => throw null; - protected abstract NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get; } - protected virtual void CoordinateSharedCacheCleanup(NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task CoordinateSharedCacheCleanupAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void CreateTemporaryTableIfNecessary(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task CreateTemporaryTableIfNecessaryAsync(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual void DropTemporaryTableIfNecessary(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task DropTemporaryTableIfNecessaryAsync(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session); - public abstract System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - protected NHibernate.SqlCommand.SqlString GenerateIdInsertSelect(NHibernate.Persister.Entity.IQueryable persister, string tableAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode whereClause) => throw null; - protected string GenerateIdSubselect(NHibernate.Persister.Entity.IQueryable persister) => throw null; - protected virtual bool ShouldIsolateTemporaryTableDDL() => throw null; - public abstract NHibernate.SqlCommand.SqlString[] SqlStatements { get; } - protected NHibernate.Hql.Ast.ANTLR.Tree.IStatement Statement { get => throw null; set => throw null; } - protected NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Exec.BasicExecutor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor - { - protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } - public BasicExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement, NHibernate.Persister.Entity.IQueryable persister) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; - public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Exec.IStatementExecutor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IStatementExecutor - { - int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - NHibernate.SqlCommand.SqlString[] SqlStatements { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Exec.MultiTableDeleteExecutor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MultiTableDeleteExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor - { - protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } - public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public MultiTableDeleteExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; - public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Exec.MultiTableUpdateExecutor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MultiTableUpdateExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor - { - protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } - public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public MultiTableUpdateExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; - public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } - } - - } - namespace Tree - { - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ASTErrorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTErrorNode : NHibernate.Hql.Ast.ANTLR.Tree.ASTNode - { - public ASTErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; - public Antlr.Runtime.ITokenStream Input { get => throw null; set => throw null; } - public Antlr.Runtime.RecognitionException RecognitionException { get => throw null; set => throw null; } - public Antlr.Runtime.IToken Stop { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ASTFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTFactory : NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory - { - public ASTFactory(Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode CreateNode(int type, string text, params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ASTNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTNode : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode, Antlr.Runtime.Tree.ITree - { - public ASTNode(NHibernate.Hql.Ast.ANTLR.Tree.ASTNode other) => throw null; - public ASTNode(Antlr.Runtime.IToken token) => throw null; - public ASTNode() => throw null; - void Antlr.Runtime.Tree.ITree.AddChild(Antlr.Runtime.Tree.ITree t) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; - public void AddChildren(params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children) => throw null; - public void AddChildren(System.Collections.Generic.IEnumerable children) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddSibling(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newSibling) => throw null; - public int CharPositionInLine { get => throw null; } - public int ChildCount { get => throw null; } - public int ChildIndex { get => throw null; } - int Antlr.Runtime.Tree.ITree.ChildIndex { get => throw null; set => throw null; } - public void ClearChildren() => throw null; - object Antlr.Runtime.Tree.ITree.DeleteChild(int i) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode DupNode() => throw null; - Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.DupNode() => throw null; - void Antlr.Runtime.Tree.ITree.FreshenParentAndChildIndexes() => throw null; - public Antlr.Runtime.Tree.ITree GetAncestor(int ttype) => throw null; - public System.Collections.Generic.IList GetAncestors() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetChild(int index) => throw null; - Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.GetChild(int i) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstChild() => throw null; - public bool HasAncestor(int ttype) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode InsertChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; - public bool IsNil { get => throw null; } - public int Line { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NextSibling { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parent { get => throw null; set => throw null; } - Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.Parent { get => throw null; set => throw null; } - public void RemoveChild(int index) => throw null; - public void RemoveChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; - void Antlr.Runtime.Tree.ITree.ReplaceChildren(int startChildIndex, int stopChildIndex, object t) => throw null; - void Antlr.Runtime.Tree.ITree.SetChild(int i, Antlr.Runtime.Tree.ITree t) => throw null; - public void SetChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild) => throw null; - public void SetFirstChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild) => throw null; - public virtual string Text { get => throw null; set => throw null; } - public override string ToString() => throw null; - public string ToStringTree() => throw null; - public Antlr.Runtime.IToken Token { get => throw null; } - int Antlr.Runtime.Tree.ITree.TokenStartIndex { get => throw null; set => throw null; } - int Antlr.Runtime.Tree.ITree.TokenStopIndex { get => throw null; set => throw null; } - public int Type { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ASTTreeAdaptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTTreeAdaptor : Antlr.Runtime.Tree.BaseTreeAdaptor - { - public ASTTreeAdaptor() => throw null; - public override object Create(Antlr.Runtime.IToken payload) => throw null; - public override Antlr.Runtime.IToken CreateToken(int tokenType, string text) => throw null; - public override Antlr.Runtime.IToken CreateToken(Antlr.Runtime.IToken fromToken) => throw null; - public override object DupNode(object t) => throw null; - public override object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; - public override Antlr.Runtime.IToken GetToken(object treeNode) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AbstractNullnessCheckNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractNullnessCheckNode : NHibernate.Hql.Ast.ANTLR.Tree.UnaryLogicOperatorNode - { - protected AbstractNullnessCheckNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected abstract string ExpansionConnectorText { get; } - protected abstract int ExpansionConnectorType { get; } - public override void Initialize() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractRestrictableStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractStatement, NHibernate.Hql.Ast.ANTLR.Tree.IStatement, NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement - { - protected AbstractRestrictableStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get => throw null; } - protected abstract NHibernate.INHibernateLogger GetLog(); - protected abstract int GetWhereClauseParentTokenType(); - public bool HasWhereClause { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode WhereClause { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractSelectExpression : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - protected AbstractSelectExpression(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public string Alias { get => throw null; set => throw null; } - public virtual NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set => throw null; } - public bool IsConstructor { get => throw null; } - public virtual bool IsReturnableEntity { get => throw null; } - public virtual bool IsScalar { get => throw null; } - public int ScalarColumnIndex { get => throw null; } - public void SetScalarColumn(int i) => throw null; - public abstract void SetScalarColumnText(int i); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AbstractStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractStatement : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IStatement, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - protected AbstractStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public string GetDisplayText() => throw null; - public abstract bool NeedsExecutor { get; } - public abstract int StatementType { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AggregateNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AggregateNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public AggregateNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public string FunctionName { get => throw null; } - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.AssignmentSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AssignmentSpecification - { - public bool AffectsTable(string tableName) => throw null; - public AssignmentSpecification(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode eq, NHibernate.Persister.Entity.IQueryable persister) => throw null; - public NHibernate.Param.IParameterSpecification[] Parameters { get => throw null; } - public NHibernate.SqlCommand.SqlString SqlAssignmentFragment { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.BetweenOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BetweenOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode - { - public BetweenOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public void Initialize() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.BinaryArithmeticOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BinaryArithmeticOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode - { - public BinaryArithmeticOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public string GetDisplayText() => throw null; - public void Initialize() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get => throw null; } - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.BinaryLogicOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BinaryLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode - { - public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; - public BinaryLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected static NHibernate.Type.IType ExtractDataType(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode operand) => throw null; - public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; - public bool HasEmbeddedParameters { get => throw null; } - public virtual void Initialize() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get => throw null; } - protected void MutateRowValueConstructorSyntaxesIfNecessary(NHibernate.Type.IType lhsType, NHibernate.Type.IType rhsType) => throw null; - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.BooleanLiteralNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BooleanLiteralNode : NHibernate.Hql.Ast.ANTLR.Tree.LiteralNode, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode - { - public BooleanLiteralNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.Case2Node` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Case2Node : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public Case2Node(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.CaseNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CaseNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode - { - public CaseNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable GetResultNodes() => throw null; - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.CollectionFunction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionFunction : NHibernate.Hql.Ast.ANTLR.Tree.MethodNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public CollectionFunction(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected override void PrepareSelectColumns(string[] selectColumns) => throw null; - public override void Resolve(bool inSelect) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentJoin : NHibernate.Hql.Ast.ANTLR.Tree.FromElement - { - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin+ComponentFromElementType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentFromElementType : NHibernate.Hql.Ast.ANTLR.Tree.FromElementType - { - public ComponentFromElementType(NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin fromElement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.FromElement)) => throw null; - public override NHibernate.Type.IType DataType { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin FromElement { get => throw null; } - protected NHibernate.Persister.Entity.IPropertyMapping GetBasePropertyMapping() => throw null; - public override NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; - public override NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; - public override NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set => throw null; } - public override string RenderScalarIdentifierSelect(int i) => throw null; - } - - - public ComponentJoin(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string alias, string componentPath, NHibernate.Type.ComponentType componentType) : base(default(Antlr.Runtime.IToken)) => throw null; - public string ComponentPath { get => throw null; } - public string ComponentProperty { get => throw null; } - public NHibernate.Type.ComponentType ComponentType { get => throw null; } - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public override string GetDisplayText() => throw null; - public override string GetIdentityColumn() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ConstructorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConstructorNode : NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionList, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public string Alias { get => throw null; set => throw null; } - public System.Reflection.ConstructorInfo Constructor { get => throw null; } - public System.Collections.Generic.IList ConstructorArgumentTypeList { get => throw null; } - public ConstructorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } - public string[] GetAliases() => throw null; - protected internal override NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression() => throw null; - public bool IsConstructor { get => throw null; } - public bool IsList { get => throw null; } - public bool IsMap { get => throw null; } - public bool IsReturnableEntity { get => throw null; } - public bool IsScalar { get => throw null; } - public void Prepare() => throw null; - public int ScalarColumnIndex { get => throw null; } - public void SetScalarColumn(int i) => throw null; - public void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.DeleteStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DeleteStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement - { - public DeleteStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected override NHibernate.INHibernateLogger GetLog() => throw null; - protected override int GetWhereClauseParentTokenType() => throw null; - public override bool NeedsExecutor { get => throw null; } - public override int StatementType { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.DotNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DotNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode - { - public DotNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public bool Fetch { set => throw null; } - public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetImpliedJoin() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode GetLhs() => throw null; - public NHibernate.SqlCommand.JoinType JoinType { set => throw null; } - public override string Path { get => throw null; } - public string PropertyPath { get => throw null; set => throw null; } - public static bool REGRESSION_STYLE_JOIN_SUPPRESSION; - public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void ResolveFirstChild() => throw null; - public override void ResolveInFunctionCall(bool generateJoin, bool implicitJoin) => throw null; - public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public void ResolveSelectExpression() => throw null; - public void SetResolvedConstant(string text) => throw null; - public override void SetScalarColumnText(int i) => throw null; - public static bool UseThetaStyleImplicitJoins; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.FromClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FromClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public void AddCollectionJoinFromElementByPath(string path, NHibernate.Hql.Ast.ANTLR.Tree.FromElement destination) => throw null; - public void AddDuplicateAlias(string alias, NHibernate.Hql.Ast.ANTLR.Tree.FromElement element) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement AddFromElement(string path, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode alias) => throw null; - public void AddJoinByPathMap(string path, NHibernate.Hql.Ast.ANTLR.Tree.FromElement destination) => throw null; - public bool ContainsClassAlias(string alias) => throw null; - public bool ContainsTableAlias(string alias) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FindCollectionJoin(string path) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FindJoinByPath(string path) => throw null; - public FromClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public System.Collections.Generic.IList GetCollectionFetches() => throw null; - public string GetDisplayText() => throw null; - public System.Collections.Generic.IList GetExplicitFromElements() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElement(string aliasOrClassName) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElement() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElementByClassName(string className) => throw null; - public System.Collections.Generic.IList GetFromElements() => throw null; - public System.Collections.Generic.IList GetProjectionList() => throw null; - public bool IsFromElementAlias(string possibleAlias) => throw null; - public bool IsSubQuery { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromClause ParentFromClause { get => throw null; } - public void RegisterFromElement(NHibernate.Hql.Ast.ANTLR.Tree.FromElement element) => throw null; - public virtual void Resolve() => throw null; - public void SetParentFromClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause parentFromClause) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.FromElement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FromElement : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; - protected void AppendDisplayText(System.Text.StringBuilder buf) => throw null; - public void CheckInitialized() => throw null; - public string ClassAlias { get => throw null; } - public string ClassName { get => throw null; } - public bool CollectionJoin { get => throw null; set => throw null; } - public string CollectionSuffix { get => throw null; set => throw null; } - public string CollectionTableAlias { get => throw null; set => throw null; } - public string[] Columns { get => throw null; set => throw null; } - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IEntityPersister EntityPersister { get => throw null; } - public bool Fetch { get => throw null; set => throw null; } - public string[] FetchLazyProperties { get => throw null; set => throw null; } - public bool Filter { set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get => throw null; } - public FromElement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected FromElement(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string alias) : base(default(Antlr.Runtime.IToken)) => throw null; - public virtual string GetDisplayText() => throw null; - public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; - public virtual string GetIdentityColumn() => throw null; - public NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; - public NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; - public void HandlePropertyBeingDereferenced(NHibernate.Type.IType propertySource, string propertyName) => throw null; - public bool HasEmbeddedParameters { get => throw null; } - public virtual bool InProjectionList { get => throw null; set => throw null; } - public virtual bool IncludeSubclasses { get => throw null; set => throw null; } - public NHibernate.Param.IParameterSpecification IndexCollectionSelectorParamSpec { get => throw null; set => throw null; } - public void InitializeCollection(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, string classAlias, string tableAlias) => throw null; - protected void InitializeComponentJoin(NHibernate.Hql.Ast.ANTLR.Tree.FromElementType elementType) => throw null; - public void InitializeEntity(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, string className, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Type.EntityType type, string classAlias, string tableAlias) => throw null; - public bool IsAllPropertyFetch { get => throw null; set => throw null; } - public bool IsCollectionJoin { get => throw null; } - public bool IsCollectionOfValuesOrComponents { get => throw null; } - public bool IsDereferencedBySubclassProperty { get => throw null; } - public bool IsDereferencedBySuperclassOrSubclassProperty { get => throw null; } - public bool IsEntity { get => throw null; } - public bool IsFetch { get => throw null; } - public bool IsFilter { get => throw null; } - public bool IsFromOrJoinFragment { get => throw null; } - public virtual bool IsImplied { get => throw null; } - public virtual bool IsImpliedInFromClause { get => throw null; } - public NHibernate.Engine.JoinSequence JoinSequence { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement Origin { get => throw null; } - public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } - public NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement RealOrigin { get => throw null; } - public string RenderCollectionSelectFragment(int size, int k) => throw null; - public string RenderIdentifierSelect(int size, int k) => throw null; - public string RenderPropertySelect(int size, int k) => throw null; - public string RenderScalarIdentifierSelect(int i) => throw null; - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public string RenderValueCollectionSelectFragment(int size, int k) => throw null; - public NHibernate.Type.IType SelectType { get => throw null; } - public void SetAllPropertyFetch(bool fetch) => throw null; - public virtual void SetImpliedInFromClause(bool flag) => throw null; - public void SetIncludeSubclasses(bool includeSubclasses) => throw null; - public void SetIndexCollectionSelectorParamSpec(NHibernate.Param.IParameterSpecification indexCollectionSelectorParamSpec) => throw null; - public void SetOrigin(NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, bool manyToMany) => throw null; - public void SetRole(string role) => throw null; - public void SetWithClauseFragment(string withClauseJoinAlias, NHibernate.SqlCommand.SqlString withClauseFragment) => throw null; - public string TableAlias { get => throw null; } - public string[] ToColumns(string tableAlias, string path, bool inSelect, bool forceAlias) => throw null; - public string[] ToColumns(string tableAlias, string path, bool inSelect) => throw null; - public bool UseFromFragment { get => throw null; set => throw null; } - public bool UseWhereFragment { get => throw null; set => throw null; } - public NHibernate.SqlCommand.SqlString WithClauseFragment { get => throw null; } - public string WithClauseJoinAlias { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.FromElementFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FromElementFactory - { - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement AddFromElement() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateCollection(NHibernate.Persister.Collection.IQueryableCollection queryableCollection, string role, NHibernate.SqlCommand.JoinType joinType, bool fetchFlag, bool indexed) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateCollectionElementsJoin(NHibernate.Persister.Collection.IQueryableCollection queryableCollection, string collectionName) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateComponentJoin(NHibernate.Type.ComponentType type) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateElementJoin(NHibernate.Persister.Collection.IQueryableCollection queryableCollection) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateEntityJoin(string entityClass, string tableAlias, NHibernate.Engine.JoinSequence joinSequence, bool fetchFlag, bool inFrom, NHibernate.Type.EntityType type) => throw null; - public FromElementFactory(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string path, string classAlias, string[] columns, bool implied) => throw null; - public FromElementFactory(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string path) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.FromElementType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FromElementType - { - public string CollectionSuffix { get => throw null; set => throw null; } - public virtual NHibernate.Type.IType DataType { get => throw null; } - public NHibernate.Persister.Entity.IEntityPersister EntityPersister { get => throw null; } - public FromElementType(NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Type.EntityType entityType) => throw null; - protected FromElementType(NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement) => throw null; - public virtual NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; - public virtual NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; - public NHibernate.Param.IParameterSpecification IndexCollectionSelectorParamSpec { get => throw null; set => throw null; } - public bool IsCollectionOfValuesOrComponents { get => throw null; } - public bool IsEntity { get => throw null; } - public NHibernate.Engine.JoinSequence JoinSequence { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } - public virtual NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set => throw null; } - public string RenderCollectionSelectFragment(int size, int k) => throw null; - public string RenderIdentifierSelect(int size, int k) => throw null; - public string RenderPropertySelect(int size, int k, string[] fetchLazyProperties) => throw null; - public string RenderPropertySelect(int size, int k, bool allProperties) => throw null; - public virtual string RenderScalarIdentifierSelect(int i) => throw null; - public string RenderValueCollectionSelectFragment(int size, int k) => throw null; - public NHibernate.Type.IType SelectType { get => throw null; } - public string[] ToColumns(string tableAlias, string path, bool inSelect, bool forceAlias) => throw null; - public string[] ToColumns(string tableAlias, string path, bool inSelect) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class FromReferenceNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IResolvableNode, NHibernate.Hql.Ast.ANTLR.Tree.IPathNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set => throw null; } - protected FromReferenceNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public string GetDisplayText() => throw null; - public virtual NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetImpliedJoin() => throw null; - public bool IsResolved { get => throw null; set => throw null; } - public override bool IsReturnableEntity { get => throw null; } - public virtual string Path { get => throw null; } - public virtual void PrepareForDot(string propertyName) => throw null; - public void RecursiveResolve(int level, bool impliedAtRoot, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public void Resolve(bool generateJoin, bool implicitJoin, string classAlias) => throw null; - public void Resolve(bool generateJoin, bool implicitJoin) => throw null; - public abstract void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); - public virtual void ResolveFirstChild() => throw null; - public virtual void ResolveInFunctionCall(bool generateJoin, bool implicitJoin) => throw null; - public abstract void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); - public const int RootLevel = default; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSqlWalkerNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IInitializableNode - { - public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory ASTFactory { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Util.AliasGenerator AliasGenerator { get => throw null; } - public HqlSqlWalkerNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public virtual void Initialize(object param) => throw null; - public NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerTreeAdaptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlSqlWalkerTreeAdaptor : NHibernate.Hql.Ast.ANTLR.Tree.ASTTreeAdaptor - { - public override object Create(Antlr.Runtime.IToken payload) => throw null; - public override object DupNode(object t) => throw null; - public override object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; - public HqlSqlWalkerTreeAdaptor(object walker) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IASTFactory - { - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode CreateNode(int type, string text, params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IASTNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IASTNode : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode childNode); - void AddChildren(params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children); - void AddChildren(System.Collections.Generic.IEnumerable children); - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddSibling(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newSibling); - int CharPositionInLine { get; } - int ChildCount { get; } - int ChildIndex { get; } - void ClearChildren(); - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode DupNode(); - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetChild(int index); - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstChild(); - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode InsertChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child); - bool IsNil { get; } - int Line { get; } - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NextSibling { get; } - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parent { get; set; } - void RemoveChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child); - void SetChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild); - void SetFirstChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild); - string Text { get; set; } - string ToStringTree(); - Antlr.Runtime.IToken Token { get; } - int Type { get; set; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBinaryOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode - { - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get; } - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDisplayableNode - { - string GetDisplayText(); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IExpectedTypeAwareNode - { - NHibernate.Type.IType ExpectedType { get; set; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IInitializableNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInitializableNode - { - void Initialize(object param); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOperatorNode - { - NHibernate.Type.IType DataType { get; } - void Initialize(); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IParameterContainer - { - void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification); - NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters(); - bool HasEmbeddedParameters { get; } - string Text { set; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IPathNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPathNode - { - string Path { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IResolvableNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IResolvableNode - { - void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); - void Resolve(bool generateJoin, bool implicitJoin, string classAlias); - void Resolve(bool generateJoin, bool implicitJoin); - void ResolveInFunctionCall(bool generateJoin, bool implicitJoin); - void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRestrictableStatement : NHibernate.Hql.Ast.ANTLR.Tree.IStatement - { - NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get; } - bool HasWhereClause { get; } - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode WhereClause { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISelectExpression - { - string Alias { get; set; } - NHibernate.Type.IType DataType { get; } - NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get; } - bool IsConstructor { get; } - bool IsReturnableEntity { get; } - bool IsScalar { get; } - int ScalarColumnIndex { get; } - void SetScalarColumn(int i); - void SetScalarColumnText(int i); - string Text { set; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ISessionFactoryAwareNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionFactoryAwareNode - { - NHibernate.Engine.ISessionFactoryImplementor SessionFactory { set; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IStatement - { - bool NeedsExecutor { get; } - int StatementType { get; } - NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IUnaryOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUnaryOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode - { - NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IdentNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public IdentNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ImpliedFromElement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ImpliedFromElement : NHibernate.Hql.Ast.ANTLR.Tree.FromElement - { - public override string GetDisplayText() => throw null; - public ImpliedFromElement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override bool InProjectionList { get => throw null; set => throw null; } - public override bool IncludeSubclasses { get => throw null; set => throw null; } - public override bool IsImplied { get => throw null; } - public override bool IsImpliedInFromClause { get => throw null; } - public override void SetImpliedInFromClause(bool flag) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.InLogicOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.BinaryLogicOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode - { - public InLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override void Initialize() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IndexNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode - { - public IndexNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override void PrepareForDot(string propertyName) => throw null; - public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.InsertStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractStatement - { - public InsertStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IntoClause IntoClause { get => throw null; } - public override bool NeedsExecutor { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause SelectClause { get => throw null; } - public override int StatementType { get => throw null; } - public virtual void Validate() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IntoClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IntoClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public string GetDisplayText() => throw null; - public void Initialize(NHibernate.Persister.Entity.IQueryable persister) => throw null; - public IntoClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public bool IsDiscriminated { get => throw null; } - public bool IsExplicitIdInsertion { get => throw null; } - public bool IsExplicitVersionInsertion { get => throw null; } - public void PrependIdColumnSpec() => throw null; - public void PrependVersionColumnSpec() => throw null; - public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } - public void ValidateTypes(NHibernate.Hql.Ast.ANTLR.Tree.SelectClause selectClause) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IsNotNullLogicOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IsNotNullLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractNullnessCheckNode - { - protected override string ExpansionConnectorText { get => throw null; } - protected override int ExpansionConnectorType { get => throw null; } - public IsNotNullLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.IsNullLogicOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IsNullLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractNullnessCheckNode - { - protected override string ExpansionConnectorText { get => throw null; } - protected override int ExpansionConnectorType { get => throw null; } - public IsNullLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.JavaConstantNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JavaConstantNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.ISessionFactoryAwareNode, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode - { - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } - public JavaConstantNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.LiteralNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LiteralNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression - { - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public LiteralNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.MethodNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MethodNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression - { - public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set => throw null; } - public string GetDisplayText() => throw null; - public void InitializeMethodNode(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode name, bool inSelect) => throw null; - public bool IsCollectionPropertyMethod { get => throw null; } - public override bool IsScalar { get => throw null; } - public MethodNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - protected virtual void PrepareSelectColumns(string[] columns) => throw null; - public virtual void Resolve(bool inSelect) => throw null; - public void ResolveCollectionProperty(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode expr) => throw null; - public NHibernate.Dialect.Function.ISQLFunction SQLFunction { get => throw null; } - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.OrderByClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OrderByClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode - { - public void AddOrderFragment(string orderByFragment) => throw null; - public OrderByClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ParameterNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParameterNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode - { - public string Alias { get => throw null; set => throw null; } - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } - public string GetDisplayText() => throw null; - public NHibernate.Param.IParameterSpecification HqlParameterSpecification { get => throw null; set => throw null; } - public bool IsConstructor { get => throw null; } - public bool IsReturnableEntity { get => throw null; } - public bool IsScalar { get => throw null; } - public ParameterNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public int ScalarColumnIndex { get => throw null; } - public void SetScalarColumn(int i) => throw null; - public void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.QueryNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public string Alias { get => throw null; set => throw null; } - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } - protected override NHibernate.INHibernateLogger GetLog() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.OrderByClause GetOrderByClause() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause GetSelectClause() => throw null; - protected override int GetWhereClauseParentTokenType() => throw null; - public bool IsConstructor { get => throw null; } - public bool IsReturnableEntity { get => throw null; } - public bool IsScalar { get => throw null; } - public override bool NeedsExecutor { get => throw null; } - public QueryNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public int ScalarColumnIndex { get => throw null; } - public void SetScalarColumn(int i) => throw null; - public void SetScalarColumnText(int i) => throw null; - public override int StatementType { get => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.ResultVariableRefNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultVariableRefNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode - { - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public ResultVariableRefNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public void SetSelectExpression(NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression selectExpression) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.SelectClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectClause : NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionList - { - public System.Collections.Generic.IList CollectionFromElements { get => throw null; } - public string[][] ColumnNames { get => throw null; } - public System.Reflection.ConstructorInfo Constructor { get => throw null; } - public System.Collections.Generic.IList FromElementsForLoad { get => throw null; } - public int GetColumnNamesStartPosition(int i) => throw null; - protected internal override NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression() => throw null; - public void InitializeDerivedSelectClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause) => throw null; - public void InitializeExplicitSelectClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause) => throw null; - public bool IsDistinct { get => throw null; } - public bool IsList { get => throw null; } - public bool IsMap { get => throw null; } - public bool IsScalarSelect { get => throw null; } - public string[] QueryReturnAliases { get => throw null; } - public NHibernate.Type.IType[] QueryReturnTypes { get => throw null; } - public SelectClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public static bool VERSION2_SQL; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectExpressionImpl : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression - { - public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public SelectExpressionImpl(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - public override void SetScalarColumnText(int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionList` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class SelectExpressionList : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode - { - public NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression[] CollectSelectExpressions(bool recurse) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression[] CollectSelectExpressions() => throw null; - protected internal abstract NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression(); - protected SelectExpressionList(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.SqlFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlFragment : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer - { - public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set => throw null; } - public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; - public bool HasEmbeddedParameters { get => throw null; } - public bool HasFilterCondition { get => throw null; } - public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public void SetJoinFragment(NHibernate.SqlCommand.JoinFragment joinFragment) => throw null; - public SqlFragment(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.SqlNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlNode : NHibernate.Hql.Ast.ANTLR.Tree.ASTNode - { - public virtual NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public string OriginalText { get => throw null; } - public virtual NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public SqlNode(Antlr.Runtime.IToken token) => throw null; - public override string Text { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.UnaryArithmeticNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnaryArithmeticNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IUnaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode - { - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public void Initialize() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get => throw null; } - public override void SetScalarColumnText(int i) => throw null; - public UnaryArithmeticNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.UnaryLogicOperatorNode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnaryLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IUnaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode - { - public override NHibernate.Type.IType DataType { get => throw null; set => throw null; } - public virtual void Initialize() => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get => throw null; } - public UnaryLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Tree.UpdateStatement` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UpdateStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement - { - protected override NHibernate.INHibernateLogger GetLog() => throw null; - protected override int GetWhereClauseParentTokenType() => throw null; - public override bool NeedsExecutor { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode SetClause { get => throw null; } - public override int StatementType { get => throw null; } - public UpdateStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; - } - + public abstract class AbstractBatcher : NHibernate.Engine.IBatcher, System.IDisposable + { + public void AbortBatch(System.Exception e) => throw null; + public abstract void AddToBatch(NHibernate.AdoNet.IExpectation expectation); + public abstract System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken); + public abstract int BatchSize { get; set; } + public void CancelLastQuery() => throw null; + protected void CheckReaders() => throw null; + protected System.Threading.Tasks.Task CheckReadersAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void CloseCommand(System.Data.Common.DbCommand st, System.Data.Common.DbDataReader reader) => throw null; + public virtual void CloseCommands() => throw null; + public void CloseReader(System.Data.Common.DbDataReader reader) => throw null; + protected NHibernate.AdoNet.ConnectionManager ConnectionManager { get => throw null; } + protected System.Exception Convert(System.Exception sqlException, string message) => throw null; + protected abstract int CountOfStatementsInCurrentBatch { get; } + protected AbstractBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + protected System.Data.Common.DbCommand CurrentCommand { get => throw null; } + protected NHibernate.SqlTypes.SqlType[] CurrentCommandParameterTypes { get => throw null; } + protected NHibernate.SqlCommand.SqlString CurrentCommandSql { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool isDisposing) => throw null; + protected abstract void DoExecuteBatch(System.Data.Common.DbCommand ps); + protected abstract System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken); + protected NHibernate.Driver.IDriver Driver { get => throw null; } + public void ExecuteBatch() => throw null; + public System.Threading.Tasks.Task ExecuteBatchAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected void ExecuteBatchWithTiming(System.Data.Common.DbCommand ps) => throw null; + protected System.Threading.Tasks.Task ExecuteBatchWithTimingAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + public int ExecuteNonQuery(System.Data.Common.DbCommand cmd) => throw null; + public System.Threading.Tasks.Task ExecuteNonQueryAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Data.Common.DbDataReader ExecuteReader(System.Data.Common.DbCommand cmd) => throw null; + public virtual System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public System.Data.Common.DbCommand Generate(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + protected NHibernate.SqlCommand.SqlString GetSQL(NHibernate.SqlCommand.SqlString sql) => throw null; + public bool HasOpenResources { get => throw null; } + protected static NHibernate.INHibernateLogger Log; + protected void LogCommand(System.Data.Common.DbCommand command) => throw null; + protected virtual void OnPreparedCommand() => throw null; + protected virtual System.Threading.Tasks.Task OnPreparedCommandAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected void Prepare(System.Data.Common.DbCommand cmd) => throw null; + protected System.Threading.Tasks.Task PrepareAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Data.Common.DbCommand PrepareBatchCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + public virtual System.Threading.Tasks.Task PrepareBatchCommandAsync(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Data.Common.DbCommand PrepareCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + public System.Threading.Tasks.Task PrepareCommandAsync(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Data.Common.DbCommand PrepareQueryCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + } + public class ColumnNameCache + { + public ColumnNameCache(int columnCount) => throw null; + public int GetIndexForColumnName(string columnName, NHibernate.AdoNet.ResultSetWrapper rs) => throw null; + } + public class ConnectionManager : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback + { + public void AddDependentSession(NHibernate.Engine.ISessionImplementor session) => throw null; + public void AfterNonTransactionalQuery(bool success) => throw null; + public void AfterStatement() => throw null; + public void AfterTransaction() => throw null; + public NHibernate.Engine.IBatcher Batcher { get => throw null; } + public System.IDisposable BeginProcessingFromSystemTransaction(bool allowConnectionUsage) => throw null; + public NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; + public NHibernate.ITransaction BeginTransaction() => throw null; + public System.Data.Common.DbConnection Close() => throw null; + public System.Data.Common.DbCommand CreateCommand() => throw null; + public System.Threading.Tasks.Task CreateCommandAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public ConnectionManager(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection suppliedConnection, NHibernate.ConnectionReleaseMode connectionReleaseMode, NHibernate.IInterceptor interceptor, bool shouldAutoJoinTransaction, NHibernate.Connection.IConnectionAccess connectionAccess) => throw null; + public ConnectionManager(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection suppliedConnection, NHibernate.ConnectionReleaseMode connectionReleaseMode, NHibernate.IInterceptor interceptor, bool shouldAutoJoinTransaction) => throw null; + public NHibernate.ITransaction CurrentTransaction { get => throw null; } + public System.Collections.Generic.IReadOnlyCollection DependentSessions { get => throw null; } + public System.Data.Common.DbConnection Disconnect() => throw null; + public void EnlistIfRequired(System.Transactions.Transaction transaction) => throw null; + public void EnlistInTransaction(System.Data.Common.DbCommand command) => throw null; + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public void FlushBeginning() => throw null; + public void FlushEnding() => throw null; + public System.Data.Common.DbConnection GetConnection() => throw null; + public System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public System.Data.Common.DbConnection GetNewConnection() => throw null; + public System.Threading.Tasks.Task GetNewConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public bool IsConnected { get => throw null; } + public bool IsInActiveExplicitTransaction { get => throw null; } + public bool IsInActiveTransaction { get => throw null; } + public bool IsReadyForSerialization { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public bool ProcessingFromSystemTransaction { get => throw null; } + public void Reconnect() => throw null; + public void Reconnect(System.Data.Common.DbConnection suppliedConnection) => throw null; + public void RemoveDependentSession(NHibernate.Engine.ISessionImplementor session) => throw null; + public NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public bool ShouldAutoJoinTransaction { get => throw null; } + public NHibernate.ITransaction Transaction { get => throw null; } + } + public class Expectations + { + public static NHibernate.AdoNet.IExpectation AppropriateExpectation(NHibernate.Engine.ExecuteUpdateResultCheckStyle style) => throw null; + public static NHibernate.AdoNet.IExpectation Basic; + public class BasicExpectation : NHibernate.AdoNet.IExpectation + { + public virtual bool CanBeBatched { get => throw null; } + public BasicExpectation(int expectedRowCount) => throw null; + protected virtual int DetermineRowCount(int reportedRowCount, System.Data.Common.DbCommand statement) => throw null; + public virtual int ExpectedRowCount { get => throw null; } + public void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement) => throw null; + } + public static NHibernate.AdoNet.IExpectation None; + public class NoneExpectation : NHibernate.AdoNet.IExpectation + { + public bool CanBeBatched { get => throw null; } + public NoneExpectation() => throw null; + public int ExpectedRowCount { get => throw null; } + public void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement) => throw null; + } + public static void VerifyOutcomeBatched(int expectedRowCount, int rowCount) => throw null; + public static void VerifyOutcomeBatched(int expectedRowCount, int rowCount, System.Data.Common.DbCommand statement) => throw null; + } + public class GenericBatchingBatcher : NHibernate.AdoNet.AbstractBatcher + { + public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; + public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed int BatchSize { get => throw null; set { } } + public override void CloseCommands() => throw null; + protected override int CountOfStatementsInCurrentBatch { get => throw null; } + public GenericBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; + protected override void Dispose(bool isDisposing) => throw null; + protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; + protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class GenericBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory + { + public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + public GenericBatchingBatcherFactory() => throw null; + } + public class HanaBatchingBatcher : NHibernate.AdoNet.AbstractBatcher + { + public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; + public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; + public override int BatchSize { get => throw null; set { } } + public override void CloseCommands() => throw null; + protected override int CountOfStatementsInCurrentBatch { get => throw null; } + public HanaBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; + protected override void Dispose(bool isDisposing) => throw null; + protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; + protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class HanaBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory + { + public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + public HanaBatchingBatcherFactory() => throw null; + } + public interface IBatcherFactory + { + NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor); + } + public interface IEmbeddedBatcherFactoryProvider + { + System.Type BatcherFactoryClass { get; } + } + public interface IExpectation + { + bool CanBeBatched { get; } + int ExpectedRowCount { get; } + void VerifyOutcomeNonBatched(int rowCount, System.Data.Common.DbCommand statement); + } + public interface IParameterAdjuster + { + void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value); + } + public class MySqlClientBatchingBatcher : NHibernate.AdoNet.AbstractBatcher + { + public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; + public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; + public override int BatchSize { get => throw null; set { } } + public override void CloseCommands() => throw null; + protected override int CountOfStatementsInCurrentBatch { get => throw null; } + public MySqlClientBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; + protected override void Dispose(bool isDisposing) => throw null; + protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; + protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class MySqlClientBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory + { + public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + public MySqlClientBatchingBatcherFactory() => throw null; + } + public class MySqlClientSqlCommandSet : System.IDisposable + { + public void Append(System.Data.Common.DbCommand command) => throw null; + public int CountOfCommands { get => throw null; } + public MySqlClientSqlCommandSet(int batchSize) => throw null; + public void Dispose() => throw null; + public int ExecuteNonQuery() => throw null; + } + public class NonBatchingBatcher : NHibernate.AdoNet.AbstractBatcher + { + public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; + public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; + public override int BatchSize { get => throw null; set { } } + protected override int CountOfStatementsInCurrentBatch { get => throw null; } + public NonBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; + protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; + protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class NonBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory + { + public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + public NonBatchingBatcherFactory() => throw null; + } + public class OracleDataClientBatchingBatcher : NHibernate.AdoNet.AbstractBatcher + { + public override void AddToBatch(NHibernate.AdoNet.IExpectation expectation) => throw null; + public override System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken) => throw null; + public override int BatchSize { get => throw null; set { } } + protected override int CountOfStatementsInCurrentBatch { get => throw null; } + public OracleDataClientBatchingBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) : base(default(NHibernate.AdoNet.ConnectionManager), default(NHibernate.IInterceptor)) => throw null; + protected override void DoExecuteBatch(System.Data.Common.DbCommand ps) => throw null; + protected override System.Threading.Tasks.Task DoExecuteBatchAsync(System.Data.Common.DbCommand ps, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class OracleDataClientBatchingBatcherFactory : NHibernate.AdoNet.IBatcherFactory + { + public virtual NHibernate.Engine.IBatcher CreateBatcher(NHibernate.AdoNet.ConnectionManager connectionManager, NHibernate.IInterceptor interceptor) => throw null; + public OracleDataClientBatchingBatcherFactory() => throw null; + } + public class ResultSetWrapper : System.Data.Common.DbDataReader + { + public override void Close() => throw null; + public ResultSetWrapper(System.Data.Common.DbDataReader resultSet, NHibernate.AdoNet.ColumnNameCache columnNameCache) => throw null; + public override int Depth { get => throw null; } + protected override void Dispose(bool disposing) => throw null; + public override bool Equals(object obj) => throw null; + public override int FieldCount { get => throw null; } + public override bool GetBoolean(int i) => throw null; + public override byte GetByte(int i) => throw null; + public override long GetBytes(int i, long fieldOffset, byte[] buffer, int bufferoffset, int length) => throw null; + public override char GetChar(int i) => throw null; + public override long GetChars(int i, long fieldoffset, char[] buffer, int bufferoffset, int length) => throw null; + public override string GetDataTypeName(int i) => throw null; + public override System.DateTime GetDateTime(int i) => throw null; + protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; + public override decimal GetDecimal(int i) => throw null; + public override double GetDouble(int i) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public override System.Type GetFieldType(int i) => throw null; + public override float GetFloat(int i) => throw null; + public override System.Guid GetGuid(int i) => throw null; + public override int GetHashCode() => throw null; + public override short GetInt16(int i) => throw null; + public override int GetInt32(int i) => throw null; + public override long GetInt64(int i) => throw null; + public override string GetName(int i) => throw null; + public override int GetOrdinal(string name) => throw null; + public override System.Data.DataTable GetSchemaTable() => throw null; + public override string GetString(int i) => throw null; + public override object GetValue(int i) => throw null; + public override int GetValues(object[] values) => throw null; + public override bool HasRows { get => throw null; } + public override bool IsClosed { get => throw null; } + public override bool IsDBNull(int i) => throw null; + public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NextResult() => throw null; + public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override bool Read() => throw null; + public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override int RecordsAffected { get => throw null; } + public override object this[int i] { get => throw null; } + public override object this[string name] { get => throw null; } + } + public class TooManyRowsAffectedException : NHibernate.HibernateException + { + public int ActualRowCount { get => throw null; } + public TooManyRowsAffectedException(string message, int expectedRowCount, int actualRowCount) => throw null; + protected TooManyRowsAffectedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public int ExpectedRowCount { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Util + { + public class BasicFormatter : NHibernate.AdoNet.Util.IFormatter + { + protected static System.Collections.Generic.HashSet beginClauses; + public BasicFormatter() => throw null; + protected static System.Collections.Generic.HashSet dml; + protected static System.Collections.Generic.HashSet endClauses; + public virtual string Format(string source) => throw null; + protected static string IndentString; + protected static string Initial; + protected static System.Collections.Generic.HashSet logical; + protected static System.Collections.Generic.HashSet misc; + protected static System.Collections.Generic.HashSet quantifiers; + } + public class DdlFormatter : NHibernate.AdoNet.Util.IFormatter + { + public DdlFormatter() => throw null; + public virtual string Format(string sql) => throw null; + protected virtual string FormatAlterTable(string sql) => throw null; + protected virtual string FormatCommentOn(string sql) => throw null; + protected virtual string FormatCreateTable(string sql) => throw null; + } + public class FormatStyle + { + public static NHibernate.AdoNet.Util.FormatStyle Basic; + public static NHibernate.AdoNet.Util.FormatStyle Ddl; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.AdoNet.Util.FormatStyle other) => throw null; + public NHibernate.AdoNet.Util.IFormatter Formatter { get => throw null; } + public override int GetHashCode() => throw null; + public string Name { get => throw null; } + public static NHibernate.AdoNet.Util.FormatStyle None; + } + public interface IFormatter + { + string Format(string source); + } + public class SqlStatementLogger + { + public SqlStatementLogger() => throw null; + public SqlStatementLogger(bool logToStdout, bool formatSql) => throw null; + public NHibernate.AdoNet.Util.FormatStyle DetermineActualStyle(NHibernate.AdoNet.Util.FormatStyle style) => throw null; + public bool FormatSql { get => throw null; set { } } + public string GetCommandLineWithParameters(System.Data.Common.DbCommand command) => throw null; + public string GetParameterLoggableValue(System.Data.Common.DbParameter parameter) => throw null; + public bool IsDebugEnabled { get => throw null; } + public void LogBatchCommand(string batchCommand) => throw null; + public virtual void LogCommand(string message, System.Data.Common.DbCommand command, NHibernate.AdoNet.Util.FormatStyle style) => throw null; + public virtual void LogCommand(System.Data.Common.DbCommand command, NHibernate.AdoNet.Util.FormatStyle style) => throw null; + public bool LogToStdout { get => throw null; set { } } + } + } + } + public class AssertionFailure : System.Exception + { + public AssertionFailure() => throw null; + public AssertionFailure(string message) => throw null; + public AssertionFailure(string message, System.Exception innerException) => throw null; + protected AssertionFailure(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Bytecode + { + public abstract class AbstractBytecodeProvider : NHibernate.Bytecode.IBytecodeProvider, NHibernate.Bytecode.IInjectableProxyFactoryFactory, NHibernate.Bytecode.IInjectableCollectionTypeFactoryClass + { + public virtual NHibernate.Bytecode.ICollectionTypeFactory CollectionTypeFactory { get => throw null; } + protected AbstractBytecodeProvider() => throw null; + public abstract NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters); + public virtual NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get => throw null; } + protected System.Type proxyFactoryFactory; + public virtual NHibernate.Bytecode.IProxyFactoryFactory ProxyFactoryFactory { get => throw null; } + public void SetCollectionTypeFactoryClass(string typeAssemblyQualifiedName) => throw null; + public void SetCollectionTypeFactoryClass(System.Type type) => throw null; + public virtual void SetProxyFactoryFactory(string typeName) => throw null; + } + public static partial class AccessOptimizerExtensions + { + public static object GetPropertyValue(this NHibernate.Bytecode.IAccessOptimizer optimizer, object target, int i) => throw null; + public static void SetPropertyValue(this NHibernate.Bytecode.IAccessOptimizer optimizer, object target, int i, object value) => throw null; + } + public class ActivatorObjectsFactory : NHibernate.Bytecode.IObjectsFactory + { + public object CreateInstance(System.Type type) => throw null; + public object CreateInstance(System.Type type, bool nonPublic) => throw null; + public object CreateInstance(System.Type type, params object[] ctorArgs) => throw null; + public ActivatorObjectsFactory() => throw null; + } + public static partial class BytecodeProviderExtensions + { + public static NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(this NHibernate.Bytecode.IBytecodeProvider bytecodeProvider, System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters, NHibernate.Properties.IGetter specializedGetter, NHibernate.Properties.ISetter specializedSetter) => throw null; + } + public class DefaultProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory + { + public NHibernate.Proxy.IProxyFactory BuildProxyFactory() => throw null; + public DefaultProxyFactoryFactory() => throw null; + public bool IsInstrumented(System.Type entityClass) => throw null; + public bool IsProxy(object entity) => throw null; + public NHibernate.Proxy.IProxyValidator ProxyValidator { get => throw null; } + } + public class HibernateByteCodeException : NHibernate.HibernateException + { + public HibernateByteCodeException() => throw null; + public HibernateByteCodeException(string message) => throw null; + public HibernateByteCodeException(string message, System.Exception inner) => throw null; + protected HibernateByteCodeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class HibernateObjectsFactoryException : NHibernate.HibernateException + { + public HibernateObjectsFactoryException() => throw null; + public HibernateObjectsFactoryException(string message) => throw null; + public HibernateObjectsFactoryException(string message, System.Exception inner) => throw null; + protected HibernateObjectsFactoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public interface IAccessOptimizer + { + object[] GetPropertyValues(object target); + void SetPropertyValues(object target, object[] values); + } + public interface IBytecodeEnhancementMetadata + { + bool EnhancedForLazyLoading { get; } + string EntityName { get; } + NHibernate.Intercept.IFieldInterceptor ExtractInterceptor(object entity); + System.Collections.Generic.ISet GetUninitializedLazyProperties(object entity); + System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState); + bool HasAnyUninitializedLazyProperties(object entity); + NHibernate.Intercept.IFieldInterceptor InjectInterceptor(object entity, NHibernate.Engine.ISessionImplementor session); + NHibernate.Bytecode.LazyPropertiesMetadata LazyPropertiesMetadata { get; } + NHibernate.Bytecode.UnwrapProxyPropertiesMetadata UnwrapProxyPropertiesMetadata { get; } + } + public interface IBytecodeProvider + { + NHibernate.Bytecode.ICollectionTypeFactory CollectionTypeFactory { get; } + NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters); + NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get; } + NHibernate.Bytecode.IProxyFactoryFactory ProxyFactoryFactory { get; } + } + public interface ICollectionTypeFactory + { + NHibernate.Type.CollectionType Array(string role, string propertyRef, System.Type elementClass); + NHibernate.Type.CollectionType Bag(string role, string propertyRef); + NHibernate.Type.CollectionType IdBag(string role, string propertyRef); + NHibernate.Type.CollectionType List(string role, string propertyRef); + NHibernate.Type.CollectionType Map(string role, string propertyRef); + NHibernate.Type.CollectionType OrderedSet(string role, string propertyRef); + NHibernate.Type.CollectionType Set(string role, string propertyRef); + NHibernate.Type.CollectionType SortedDictionary(string role, string propertyRef, System.Collections.Generic.IComparer comparer); + NHibernate.Type.CollectionType SortedList(string role, string propertyRef, System.Collections.Generic.IComparer comparer); + NHibernate.Type.CollectionType SortedSet(string role, string propertyRef, System.Collections.Generic.IComparer comparer); + } + public interface IInjectableCollectionTypeFactoryClass + { + void SetCollectionTypeFactoryClass(string typeAssemblyQualifiedName); + void SetCollectionTypeFactoryClass(System.Type type); + } + public interface IInjectableProxyFactoryFactory + { + void SetProxyFactoryFactory(string typeName); + } + public interface IInstantiationOptimizer + { + object CreateInstance(); + } + public interface IObjectsFactory + { + object CreateInstance(System.Type type); + object CreateInstance(System.Type type, bool nonPublic); + object CreateInstance(System.Type type, params object[] ctorArgs); + } + public interface IProxyFactoryFactory + { + NHibernate.Proxy.IProxyFactory BuildProxyFactory(); + bool IsInstrumented(System.Type entityClass); + bool IsProxy(object entity); + NHibernate.Proxy.IProxyValidator ProxyValidator { get; } + } + public interface IReflectionOptimizer + { + NHibernate.Bytecode.IAccessOptimizer AccessOptimizer { get; } + NHibernate.Bytecode.IInstantiationOptimizer InstantiationOptimizer { get; } + } + public class LazyPropertiesMetadata + { + public LazyPropertiesMetadata(string entityName, System.Collections.Generic.IDictionary lazyPropertyDescriptors, System.Collections.Generic.IDictionary> fetchGroups) => throw null; + public string EntityName { get => throw null; } + public System.Collections.Generic.ISet FetchGroupNames { get => throw null; } + public static NHibernate.Bytecode.LazyPropertiesMetadata From(string entityName, System.Collections.Generic.IEnumerable lazyPropertyDescriptors) => throw null; + public string GetFetchGroupName(string propertyName) => throw null; + public System.Collections.Generic.IEnumerable GetFetchGroupPropertyDescriptors(string groupName) => throw null; + public NHibernate.Bytecode.LazyPropertyDescriptor GetLazyPropertyDescriptor(string propertyName) => throw null; + public System.Collections.Generic.ISet GetPropertiesInFetchGroup(string groupName) => throw null; + public bool HasLazyProperties { get => throw null; } + public System.Collections.Generic.IEnumerable LazyPropertyDescriptors { get => throw null; } + public System.Collections.Generic.ISet LazyPropertyNames { get => throw null; } + public static NHibernate.Bytecode.LazyPropertiesMetadata NonEnhanced(string entityName) => throw null; + } + public class LazyPropertyDescriptor + { + public string FetchGroupName { get => throw null; } + public static NHibernate.Bytecode.LazyPropertyDescriptor From(NHibernate.Mapping.Property property, int propertyIndex, int lazyIndex) => throw null; + public int LazyIndex { get => throw null; } + public string Name { get => throw null; } + public int PropertyIndex { get => throw null; } + public NHibernate.Type.IType Type { get => throw null; } + } + namespace Lightweight + { + public class AccessOptimizer : NHibernate.Bytecode.IAccessOptimizer + { + public AccessOptimizer(NHibernate.Bytecode.Lightweight.GetPropertyValuesInvoker getDelegate, NHibernate.Bytecode.Lightweight.SetPropertyValuesInvoker setDelegate, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; + public AccessOptimizer(NHibernate.Bytecode.Lightweight.GetPropertyValuesInvoker getDelegate, NHibernate.Bytecode.Lightweight.SetPropertyValuesInvoker setDelegate, NHibernate.Bytecode.Lightweight.GetPropertyValueInvoker[] getters, NHibernate.Bytecode.Lightweight.SetPropertyValueInvoker[] setters, NHibernate.Bytecode.Lightweight.GetPropertyValueInvoker specializedGetter, NHibernate.Bytecode.Lightweight.SetPropertyValueInvoker specializedSetter) => throw null; + public object GetPropertyValue(object target, int i) => throw null; + public object[] GetPropertyValues(object target) => throw null; + public void SetPropertyValue(object target, int i, object value) => throw null; + public void SetPropertyValues(object target, object[] values) => throw null; + } + public class BytecodeProviderImpl : NHibernate.Bytecode.AbstractBytecodeProvider + { + public BytecodeProviderImpl() => throw null; + public override NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type mappedClass, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; + } + public delegate object CreateInstanceInvoker(); + public delegate object GetPropertyValueInvoker(object obj); + public delegate object[] GetPropertyValuesInvoker(object obj, NHibernate.Bytecode.Lightweight.GetterCallback callback); + public delegate object GetterCallback(object obj, int index); + public class ReflectionOptimizer : NHibernate.Bytecode.IReflectionOptimizer, NHibernate.Bytecode.IInstantiationOptimizer + { + public NHibernate.Bytecode.IAccessOptimizer AccessOptimizer { get => throw null; } + protected virtual NHibernate.Bytecode.Lightweight.CreateInstanceInvoker CreateCreateInstanceMethod(System.Type type) => throw null; + protected System.Reflection.Emit.DynamicMethod CreateDynamicMethod(System.Type returnType, System.Type[] argumentTypes) => throw null; + public virtual object CreateInstance() => throw null; + public ReflectionOptimizer(System.Type mappedType, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; + public ReflectionOptimizer(System.Type mappedType, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters, NHibernate.Properties.IGetter specializedGetter, NHibernate.Properties.ISetter specializedSetter) => throw null; + public NHibernate.Bytecode.IInstantiationOptimizer InstantiationOptimizer { get => throw null; } + protected System.Type mappedType; + protected virtual void ThrowExceptionForNoDefaultCtor(System.Type type) => throw null; + } + public delegate void SetPropertyValueInvoker(object obj, object value); + public delegate void SetPropertyValuesInvoker(object obj, object[] values, NHibernate.Bytecode.Lightweight.SetterCallback callback); + public delegate void SetterCallback(object obj, int index, object value); + } + public class NotInstrumentedException : NHibernate.HibernateException + { + public NotInstrumentedException(string message) => throw null; + protected NotInstrumentedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class NullBytecodeProvider : NHibernate.Bytecode.AbstractBytecodeProvider + { + public NullBytecodeProvider() => throw null; + public override NHibernate.Bytecode.IReflectionOptimizer GetReflectionOptimizer(System.Type clazz, NHibernate.Properties.IGetter[] getters, NHibernate.Properties.ISetter[] setters) => throw null; + } + public class StaticProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory + { + public NHibernate.Proxy.IProxyFactory BuildProxyFactory() => throw null; + public StaticProxyFactoryFactory() => throw null; + public bool IsInstrumented(System.Type entityClass) => throw null; + public bool IsProxy(object entity) => throw null; + public NHibernate.Proxy.IProxyValidator ProxyValidator { get => throw null; } + } + public class UnableToLoadProxyFactoryFactoryException : NHibernate.Bytecode.HibernateByteCodeException + { + public UnableToLoadProxyFactoryFactoryException(string typeName, System.Exception inner) => throw null; + protected UnableToLoadProxyFactoryFactoryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public string TypeName { get => throw null; } + } + public class UnwrapProxyPropertiesMetadata + { + public UnwrapProxyPropertiesMetadata(string entityName, System.Collections.Generic.IDictionary unwrapProxyPropertyDescriptors) => throw null; + public string EntityName { get => throw null; } + public static NHibernate.Bytecode.UnwrapProxyPropertiesMetadata From(string entityName, System.Collections.Generic.IEnumerable unwrapProxyPropertyDescriptors) => throw null; + public int GetUnwrapProxyPropertyIndex(string propertyName) => throw null; + public bool HasUnwrapProxyProperties { get => throw null; } + public static NHibernate.Bytecode.UnwrapProxyPropertiesMetadata NonEnhanced(string entityName) => throw null; + public System.Collections.Generic.IEnumerable UnwrapProxyPropertyDescriptors { get => throw null; } + public System.Collections.Generic.ISet UnwrapProxyPropertyNames { get => throw null; } + } + public class UnwrapProxyPropertyDescriptor + { + public static NHibernate.Bytecode.UnwrapProxyPropertyDescriptor From(NHibernate.Mapping.Property property, int propertyIndex) => throw null; + public string Name { get => throw null; } + public int PropertyIndex { get => throw null; } + public NHibernate.Type.IType Type { get => throw null; } + } + } + namespace Cache + { + namespace Access + { + public interface ISoftLock + { + } + } + public abstract class CacheBase : NHibernate.Cache.ICache + { + public abstract void Clear(); + public virtual System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + protected CacheBase() => throw null; + public abstract void Destroy(); + public abstract object Get(object key); + public virtual System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual object[] GetMany(object[] keys) => throw null; + public virtual System.Threading.Tasks.Task GetManyAsync(object[] keys, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract object Lock(object key); + void NHibernate.Cache.ICache.Lock(object key) => throw null; + public virtual System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + System.Threading.Tasks.Task NHibernate.Cache.ICache.LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual object LockMany(object[] keys) => throw null; + public virtual System.Threading.Tasks.Task LockManyAsync(object[] keys, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract long NextTimestamp(); + public virtual bool PreferMultipleGet { get => throw null; } + public abstract void Put(object key, object value); + public virtual System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void PutMany(object[] keys, object[] values) => throw null; + public virtual System.Threading.Tasks.Task PutManyAsync(object[] keys, object[] values, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract string RegionName { get; } + public abstract void Remove(object key); + public virtual System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract int Timeout { get; } + public abstract void Unlock(object key, object lockValue); + void NHibernate.Cache.ICache.Unlock(object key) => throw null; + System.Threading.Tasks.Task NHibernate.Cache.ICache.UnlockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void UnlockMany(object[] keys, object lockValue) => throw null; + public virtual System.Threading.Tasks.Task UnlockManyAsync(object[] keys, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; + } + public sealed class CacheBatcher + { + } + public class CachedItem : NHibernate.Cache.ReadWriteCache.ILockable + { + public CachedItem() => throw null; + public CachedItem(object value, long currentTimestamp, object version) => throw null; + public long FreshTimestamp { get => throw null; set { } } + public bool IsGettable(long txTimestamp) => throw null; + public bool IsLock { get => throw null; } + public bool IsPuttable(long txTimestamp, object newVersion, System.Collections.IComparer comparator, bool minimalPut) => throw null; + public bool IsPuttable(long txTimestamp, object newVersion, System.Collections.IComparer comparator) => throw null; + public NHibernate.Cache.CacheLock Lock(long timeout, int id) => throw null; + public override string ToString() => throw null; + public object Value { get => throw null; set { } } + public object Version { get => throw null; set { } } + } + public class CacheException : NHibernate.HibernateException + { + public CacheException() => throw null; + public CacheException(string message) => throw null; + public CacheException(System.Exception innerException) => throw null; + public CacheException(string message, System.Exception innerException) => throw null; + protected CacheException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public static class CacheFactory + { + public static NHibernate.Cache.ICacheConcurrencyStrategy CreateCache(string usage, string name, bool mutable, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary properties) => throw null; + public static NHibernate.Cache.ICacheConcurrencyStrategy CreateCache(string usage, NHibernate.Cache.CacheBase cache) => throw null; + public static NHibernate.Cache.ICacheConcurrencyStrategy CreateCache(string usage, NHibernate.Cache.CacheBase cache, NHibernate.Cfg.Settings settings) => throw null; + public static string Never; + public static string NonstrictReadWrite; + public static string ReadOnly; + public static string ReadWrite; + public static string Transactional; + } + public class CacheKey : System.Runtime.Serialization.IDeserializationCallback + { + public CacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName, NHibernate.Engine.ISessionFactoryImplementor factory, string tenantIdentifier) => throw null; + public CacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public string EntityOrRoleName { get => throw null; } + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public object Key { get => throw null; } + public void OnDeserialization(object sender) => throw null; + public override string ToString() => throw null; + } + public class CacheLock : NHibernate.Cache.ReadWriteCache.ILockable, NHibernate.Cache.Access.ISoftLock + { + public CacheLock() => throw null; + public CacheLock(long timeout, int id, object version) => throw null; + public int Id { get => throw null; set { } } + public bool IsGettable(long txTimestamp) => throw null; + public bool IsLock { get => throw null; } + public bool IsPuttable(long txTimestamp, object newVersion, System.Collections.IComparer comparator, bool minimalPut) => throw null; + public bool IsPuttable(long txTimestamp, object newVersion, System.Collections.IComparer comparator) => throw null; + public NHibernate.Cache.CacheLock Lock(long timeout, int id) => throw null; + public int Multiplicity { get => throw null; set { } } + public long Timeout { get => throw null; set { } } + public override string ToString() => throw null; + public void Unlock(long currentTimestamp) => throw null; + public long UnlockTimestamp { get => throw null; set { } } + public object Version { get => throw null; set { } } + public bool WasLockedConcurrently { get => throw null; set { } } + } + namespace Entry + { + public sealed class CacheEntry + { + public bool AreLazyPropertiesUnfetched { get => throw null; set { } } + public object[] Assemble(object instance, object id, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.IInterceptor interceptor, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task AssembleAsync(object instance, object id, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.IInterceptor interceptor, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static NHibernate.Cache.Entry.CacheEntry Create(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; + public static NHibernate.Cache.Entry.CacheEntry Create(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; + public static System.Threading.Tasks.Task CreateAsync(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task CreateAsync(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, object version, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public CacheEntry() => throw null; + public CacheEntry(object[] state, NHibernate.Persister.Entity.IEntityPersister persister, bool unfetched, object version, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; + public object[] DisassembledState { get => throw null; set { } } + public string Subclass { get => throw null; set { } } + public object Version { get => throw null; set { } } + } + public class CollectionCacheEntry + { + public virtual void Assemble(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object owner) => throw null; + public virtual System.Threading.Tasks.Task AssembleAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public static NHibernate.Cache.Entry.CollectionCacheEntry Create(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public static System.Threading.Tasks.Task CreateAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public CollectionCacheEntry() => throw null; + public CollectionCacheEntry(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public virtual object[] State { get => throw null; set { } } + public override string ToString() => throw null; + } + public interface ICacheEntryStructure + { + object Destructure(object map, NHibernate.Engine.ISessionFactoryImplementor factory); + object Structure(object item); + } + public class StructuredCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure + { + public StructuredCacheEntry(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public object Structure(object item) => throw null; + } + public class StructuredCollectionCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure + { + public StructuredCollectionCacheEntry() => throw null; + public virtual object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public virtual object Structure(object item) => throw null; + } + public class StructuredMapCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure + { + public StructuredMapCacheEntry() => throw null; + public object Destructure(object item, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public object Structure(object item) => throw null; + } + public class UnstructuredCacheEntry : NHibernate.Cache.Entry.ICacheEntryStructure + { + public UnstructuredCacheEntry() => throw null; + public object Destructure(object map, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public object Structure(object item) => throw null; + } + } + public class FakeCache : NHibernate.Cache.CacheBase + { + public override void Clear() => throw null; + public override System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public FakeCache(string regionName) => throw null; + public override void Destroy() => throw null; + public override object Get(object key) => throw null; + public override System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override object Lock(object key) => throw null; + public override System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override long NextTimestamp() => throw null; + public override bool PreferMultipleGet { get => throw null; } + public override void Put(object key, object value) => throw null; + public override System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; + public override string RegionName { get => throw null; } + public override void Remove(object key) => throw null; + public override System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override int Timeout { get => throw null; } + public override void Unlock(object key, object lockValue) => throw null; + public override System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class FilterKey + { + public static System.Collections.Generic.ISet CreateFilterKeys(System.Collections.Generic.IDictionary enabledFilters) => throw null; + public FilterKey(string name, System.Collections.Generic.IEnumerable> @params, System.Collections.Generic.IDictionary types) => throw null; + public FilterKey(NHibernate.Impl.FilterImpl filter) => throw null; + public override bool Equals(object other) => throw null; + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + } + public class HashtableCache : NHibernate.Cache.CacheBase + { + public override void Clear() => throw null; + public override System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public HashtableCache(string regionName) => throw null; + public override void Destroy() => throw null; + public override object Get(object key) => throw null; + public override System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override object Lock(object key) => throw null; + public override System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override long NextTimestamp() => throw null; + public override bool PreferMultipleGet { get => throw null; } + public override void Put(object key, object value) => throw null; + public override System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken) => throw null; + public override string RegionName { get => throw null; } + public override void Remove(object key) => throw null; + public override System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken) => throw null; + public override int Timeout { get => throw null; } + public override void Unlock(object key, object lockValue) => throw null; + public override System.Threading.Tasks.Task UnlockAsync(object key, object lockValue, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class HashtableCacheProvider : NHibernate.Cache.ICacheProvider + { + NHibernate.Cache.ICache NHibernate.Cache.ICacheProvider.BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; + public NHibernate.Cache.CacheBase BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; + public HashtableCacheProvider() => throw null; + public long NextTimestamp() => throw null; + public void Start(System.Collections.Generic.IDictionary properties) => throw null; + public void Stop() => throw null; + } + public interface IBatchableCacheConcurrencyStrategy : NHibernate.Cache.ICacheConcurrencyStrategy + { + NHibernate.Cache.CacheBase Cache { get; set; } + object[] GetMany(NHibernate.Cache.CacheKey[] keys, long timestamp); + System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, long timestamp, System.Threading.CancellationToken cancellationToken); + bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts); + System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken); + } + public interface IBatchableQueryCache : NHibernate.Cache.IQueryCache + { + System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + System.Collections.IList[] GetMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + bool Put(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + bool[] PutMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } + public interface ICache + { + void Clear(); + System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); + void Destroy(); + object Get(object key); + System.Threading.Tasks.Task GetAsync(object key, System.Threading.CancellationToken cancellationToken); + void Lock(object key); + System.Threading.Tasks.Task LockAsync(object key, System.Threading.CancellationToken cancellationToken); + long NextTimestamp(); + void Put(object key, object value); + System.Threading.Tasks.Task PutAsync(object key, object value, System.Threading.CancellationToken cancellationToken); + string RegionName { get; } + void Remove(object key); + System.Threading.Tasks.Task RemoveAsync(object key, System.Threading.CancellationToken cancellationToken); + int Timeout { get; } + void Unlock(object key); + System.Threading.Tasks.Task UnlockAsync(object key, System.Threading.CancellationToken cancellationToken); + } + public interface ICacheConcurrencyStrategy + { + bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version); + System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken); + bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock); + System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken); + NHibernate.Cache.ICache Cache { get; set; } + void Clear(); + System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); + void Destroy(); + void Evict(NHibernate.Cache.CacheKey key); + System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken); + object Get(NHibernate.Cache.CacheKey key, long txTimestamp); + System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, long txTimestamp, System.Threading.CancellationToken cancellationToken); + bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion); + NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version); + System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken); + bool Put(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparer, bool minimalPut); + System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparer, bool minimalPut, System.Threading.CancellationToken cancellationToken); + string RegionName { get; } + void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock); + System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken); + void Remove(NHibernate.Cache.CacheKey key); + System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken); + bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion); + System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken); + } + public interface ICacheLock : System.IDisposable + { + System.IDisposable ReadLock(); + System.Threading.Tasks.Task ReadLockAsync(); + System.IDisposable WriteLock(); + System.Threading.Tasks.Task WriteLockAsync(); + } + public interface ICacheProvider + { + NHibernate.Cache.ICache BuildCache(string regionName, System.Collections.Generic.IDictionary properties); + long NextTimestamp(); + void Start(System.Collections.Generic.IDictionary properties); + void Stop(); + } + public interface ICacheReadWriteLockFactory + { + NHibernate.Cache.ICacheLock Create(); + } + public interface IOptimisticCacheSource + { + bool IsVersioned { get; } + System.Collections.IComparer VersionComparator { get; } + } + public interface IQueryCache + { + NHibernate.Cache.ICache Cache { get; } + void Clear(); + System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken); + void Destroy(); + System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + bool Put(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + string RegionName { get; } + } + public interface IQueryCacheFactory + { + NHibernate.Cache.IQueryCache GetQueryCache(string regionName, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props); + } + public static class LocableExtension + { + } + public class NoCacheProvider : NHibernate.Cache.ICacheProvider + { + NHibernate.Cache.ICache NHibernate.Cache.ICacheProvider.BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; + public NHibernate.Cache.CacheBase BuildCache(string regionName, System.Collections.Generic.IDictionary properties) => throw null; + public NoCacheProvider() => throw null; + public long NextTimestamp() => throw null; + public void Start(System.Collections.Generic.IDictionary properties) => throw null; + public void Stop() => throw null; + public static string WarnMessage; + } + public class NonstrictReadWriteCache : NHibernate.Cache.IBatchableCacheConcurrencyStrategy, NHibernate.Cache.ICacheConcurrencyStrategy + { + public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; + public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock) => throw null; + public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Cache.ICache Cache { get => throw null; set { } } + NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set { } } + public void Clear() => throw null; + public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public NonstrictReadWriteCache() => throw null; + public void Destroy() => throw null; + public void Evict(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public object Get(NHibernate.Cache.CacheKey key, long txTimestamp) => throw null; + public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, long txTimestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public object[] GetMany(NHibernate.Cache.CacheKey[] keys, long timestamp) => throw null; + public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; + public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; + public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Put(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; + public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; + public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; + public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; + public string RegionName { get => throw null; } + public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock) => throw null; + public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; + public void Remove(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; + public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; + } + public static class QueryCacheFactoryExtension + { + public static NHibernate.Cache.IQueryCache GetQueryCache(this NHibernate.Cache.IQueryCacheFactory factory, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, System.Collections.Generic.IDictionary props, NHibernate.Cache.CacheBase regionCache) => throw null; + } + public sealed class QueryCacheResultBuilder + { + public static bool IsCacheWithFetches(NHibernate.Loader.Loader loader) => throw null; + } + public class QueryKey : System.Runtime.Serialization.IDeserializationCallback, System.IEquatable + { + public int ComputeHashCode() => throw null; + public QueryKey(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.SqlCommand.SqlString queryString, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet filters, NHibernate.Transform.CacheableResultTransformer customTransformer, string tenantIdentifier) => throw null; + public QueryKey(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.SqlCommand.SqlString queryString, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet filters, NHibernate.Transform.CacheableResultTransformer customTransformer) => throw null; + public override bool Equals(object other) => throw null; + public bool Equals(NHibernate.Cache.QueryKey other) => throw null; + public override int GetHashCode() => throw null; + public void OnDeserialization(object sender) => throw null; + public NHibernate.Transform.CacheableResultTransformer ResultTransformer { get => throw null; } + public NHibernate.Cache.QueryKey SetFirstRows(int[] firstRows) => throw null; + public NHibernate.Cache.QueryKey SetMaxRows(int[] maxRows) => throw null; + public override string ToString() => throw null; + } + public class ReadOnlyCache : NHibernate.Cache.IBatchableCacheConcurrencyStrategy, NHibernate.Cache.ICacheConcurrencyStrategy + { + public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; + public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock) => throw null; + public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Cache.ICache Cache { get => throw null; set { } } + NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set { } } + public void Clear() => throw null; + public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public ReadOnlyCache() => throw null; + public void Destroy() => throw null; + public void Evict(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public object Get(NHibernate.Cache.CacheKey key, long timestamp) => throw null; + public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public object[] GetMany(NHibernate.Cache.CacheKey[] keys, long timestamp) => throw null; + public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; + public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; + public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Put(NHibernate.Cache.CacheKey key, object value, long timestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; + public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, long timestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; + public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; + public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; + public string RegionName { get => throw null; } + public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock) => throw null; + public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock @lock, System.Threading.CancellationToken cancellationToken) => throw null; + public void Remove(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; + public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class ReadWriteCache : NHibernate.Cache.IBatchableCacheConcurrencyStrategy, NHibernate.Cache.ICacheConcurrencyStrategy + { + public bool AfterInsert(NHibernate.Cache.CacheKey key, object value, object version) => throw null; + public System.Threading.Tasks.Task AfterInsertAsync(NHibernate.Cache.CacheKey key, object value, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool AfterUpdate(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock clientLock) => throw null; + public System.Threading.Tasks.Task AfterUpdateAsync(NHibernate.Cache.CacheKey key, object value, object version, NHibernate.Cache.Access.ISoftLock clientLock, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Cache.ICache Cache { get => throw null; set { } } + NHibernate.Cache.CacheBase NHibernate.Cache.IBatchableCacheConcurrencyStrategy.Cache { get => throw null; set { } } + public void Clear() => throw null; + public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public ReadWriteCache() => throw null; + public ReadWriteCache(NHibernate.Cache.ICacheLock locker) => throw null; + public void Destroy() => throw null; + public void Evict(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task EvictAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public object Get(NHibernate.Cache.CacheKey key, long txTimestamp) => throw null; + public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.CacheKey key, long txTimestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public object[] GetMany(NHibernate.Cache.CacheKey[] keys, long timestamp) => throw null; + public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.CacheKey[] keys, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public interface ILockable + { + bool IsGettable(long txTimestamp); + bool IsLock { get; } + bool IsPuttable(long txTimestamp, object newVersion, System.Collections.IComparer comparator); + NHibernate.Cache.CacheLock Lock(long timeout, int id); + } + public bool Insert(NHibernate.Cache.CacheKey key, object value, object currentVersion) => throw null; + public NHibernate.Cache.Access.ISoftLock Lock(NHibernate.Cache.CacheKey key, object version) => throw null; + public System.Threading.Tasks.Task LockAsync(NHibernate.Cache.CacheKey key, object version, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Put(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut) => throw null; + public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.CacheKey key, object value, long txTimestamp, object version, System.Collections.IComparer versionComparator, bool minimalPut, System.Threading.CancellationToken cancellationToken) => throw null; + public bool[] PutMany(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts) => throw null; + public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.CacheKey[] keys, object[] values, long timestamp, object[] versions, System.Collections.IComparer[] versionComparers, bool[] minimalPuts, System.Threading.CancellationToken cancellationToken) => throw null; + public string RegionName { get => throw null; } + public void Release(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock clientLock) => throw null; + public System.Threading.Tasks.Task ReleaseAsync(NHibernate.Cache.CacheKey key, NHibernate.Cache.Access.ISoftLock clientLock, System.Threading.CancellationToken cancellationToken) => throw null; + public void Remove(NHibernate.Cache.CacheKey key) => throw null; + public System.Threading.Tasks.Task RemoveAsync(NHibernate.Cache.CacheKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Update(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion) => throw null; + public System.Threading.Tasks.Task UpdateAsync(NHibernate.Cache.CacheKey key, object value, object currentVersion, object previousVersion, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class StandardQueryCache : NHibernate.Cache.IQueryCache, NHibernate.Cache.IBatchableQueryCache + { + public NHibernate.Cache.ICache Cache { get => throw null; } + public void Clear() => throw null; + public System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public StandardQueryCache(NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, string regionName) => throw null; + public StandardQueryCache(NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cache.CacheBase regionCache) => throw null; + public void Destroy() => throw null; + public System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Collections.IList Get(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, bool isNaturalKeyLookup, System.Collections.Generic.ISet spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.IList[] GetMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task GetManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.Generic.ISet[] spaces, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool IsUpToDate(System.Collections.Generic.ISet spaces, long timestamp) => throw null; + protected virtual System.Threading.Tasks.Task IsUpToDateAsync(System.Collections.Generic.ISet spaces, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Put(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session) => throw null; + public bool Put(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PutAsync(NHibernate.Cache.QueryKey key, NHibernate.Type.ICacheAssembler[] returnTypes, System.Collections.IList result, bool isNaturalKeyLookup, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public bool[] PutMany(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task PutManyAsync(NHibernate.Cache.QueryKey[] keys, NHibernate.Engine.QueryParameters[] queryParameters, NHibernate.Type.ICacheAssembler[][] returnTypes, System.Collections.IList[] results, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public string RegionName { get => throw null; } + } + public class StandardQueryCacheFactory : NHibernate.Cache.IQueryCacheFactory + { + public StandardQueryCacheFactory() => throw null; + public NHibernate.Cache.IQueryCache GetQueryCache(string regionName, NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props) => throw null; + public virtual NHibernate.Cache.IQueryCache GetQueryCache(NHibernate.Cache.UpdateTimestampsCache updateTimestampsCache, System.Collections.Generic.IDictionary props, NHibernate.Cache.CacheBase regionCache) => throw null; + } + public static class Timestamper + { + public static long Next() => throw null; + public static short OneMs; + } + public class UpdateTimestampsCache + { + public virtual bool[] AreUpToDate(System.Collections.Generic.ISet[] spaces, long[] timestamps) => throw null; + public virtual System.Threading.Tasks.Task AreUpToDateAsync(System.Collections.Generic.ISet[] spaces, long[] timestamps, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void Clear() => throw null; + public virtual System.Threading.Tasks.Task ClearAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public UpdateTimestampsCache(NHibernate.Cfg.Settings settings, System.Collections.Generic.IDictionary props) => throw null; + public UpdateTimestampsCache(NHibernate.Cache.CacheBase cache) => throw null; + public virtual void Destroy() => throw null; + public void Invalidate(object[] spaces) => throw null; + public virtual void Invalidate(System.Collections.Generic.IReadOnlyCollection spaces) => throw null; + public System.Threading.Tasks.Task InvalidateAsync(object[] spaces, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task InvalidateAsync(System.Collections.Generic.IReadOnlyCollection spaces, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual bool IsUpToDate(System.Collections.Generic.ISet spaces, long timestamp) => throw null; + public virtual System.Threading.Tasks.Task IsUpToDateAsync(System.Collections.Generic.ISet spaces, long timestamp, System.Threading.CancellationToken cancellationToken) => throw null; + public void PreInvalidate(object[] spaces) => throw null; + public virtual void PreInvalidate(System.Collections.Generic.IReadOnlyCollection spaces) => throw null; + public System.Threading.Tasks.Task PreInvalidateAsync(object[] spaces, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task PreInvalidateAsync(System.Collections.Generic.IReadOnlyCollection spaces, System.Threading.CancellationToken cancellationToken) => throw null; + } + } + [System.Flags] + public enum CacheMode + { + Ignore = 0, + Put = 1, + Get = 2, + Normal = 3, + Refresh = 5, + } + public class CallbackException : NHibernate.HibernateException + { + public CallbackException(System.Exception innerException) => throw null; + public CallbackException(string message) => throw null; + public CallbackException(string message, System.Exception innerException) => throw null; + protected CallbackException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Cfg + { + public static class AppSettings + { + public static string LoggerFactoryClassName; + } + public class BindMappingEventArgs : System.EventArgs + { + public BindMappingEventArgs(NHibernate.Dialect.Dialect dialect, NHibernate.Cfg.MappingSchema.HbmMapping mapping, string fileName) => throw null; + public BindMappingEventArgs(NHibernate.Cfg.MappingSchema.HbmMapping mapping, string fileName) => throw null; + public NHibernate.Dialect.Dialect Dialect { get => throw null; } + public string FileName { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmMapping Mapping { get => throw null; } + } + public class ClassExtractor + { + public class ClassEntry + { + public ClassEntry(string extends, string className, string entityName, string assembly, string @namespace) => throw null; + public string EntityName { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Cfg.ClassExtractor.ClassEntry obj) => throw null; + public string ExtendsEntityName { get => throw null; } + public NHibernate.Util.AssemblyQualifiedTypeName FullClassName { get => throw null; } + public NHibernate.Util.AssemblyQualifiedTypeName FullExtends { get => throw null; } + public override int GetHashCode() => throw null; + } + public ClassExtractor() => throw null; + public static System.Collections.Generic.ICollection GetClassEntries(NHibernate.Cfg.MappingSchema.HbmMapping document) => throw null; + } + public class Configuration : System.Runtime.Serialization.ISerializable + { + public NHibernate.Cfg.Configuration AddAssembly(string assemblyName) => throw null; + public NHibernate.Cfg.Configuration AddAssembly(System.Reflection.Assembly assembly) => throw null; + public void AddAuxiliaryDatabaseObject(NHibernate.Mapping.IAuxiliaryDatabaseObject obj) => throw null; + public NHibernate.Cfg.Configuration AddClass(System.Type persistentClass) => throw null; + public void AddDeserializedMapping(NHibernate.Cfg.MappingSchema.HbmMapping mappingDocument, string documentFileName) => throw null; + public NHibernate.Cfg.Configuration AddDirectory(System.IO.DirectoryInfo dir) => throw null; + public NHibernate.Cfg.Configuration AddDocument(System.Xml.XmlDocument doc) => throw null; + public NHibernate.Cfg.Configuration AddDocument(System.Xml.XmlDocument doc, string name) => throw null; + public NHibernate.Cfg.Configuration AddFile(string xmlFile) => throw null; + public NHibernate.Cfg.Configuration AddFile(System.IO.FileInfo xmlFile) => throw null; + public void AddFilterDefinition(NHibernate.Engine.FilterDefinition definition) => throw null; + public NHibernate.Cfg.Configuration AddInputStream(System.IO.Stream xmlInputStream) => throw null; + public NHibernate.Cfg.Configuration AddInputStream(System.IO.Stream xmlInputStream, string name) => throw null; + public void AddMapping(NHibernate.Cfg.MappingSchema.HbmMapping mappingDocument) => throw null; + public NHibernate.Cfg.Configuration AddNamedQuery(string queryIdentifier, System.Action namedQueryDefinition) => throw null; + public NHibernate.Cfg.Configuration AddProperties(System.Collections.Generic.IDictionary additionalProperties) => throw null; + public NHibernate.Cfg.Configuration AddResource(string path, System.Reflection.Assembly assembly) => throw null; + public NHibernate.Cfg.Configuration AddResources(System.Collections.Generic.IEnumerable paths, System.Reflection.Assembly assembly) => throw null; + public void AddSqlFunction(string functionName, NHibernate.Dialect.Function.ISQLFunction sqlFunction) => throw null; + public NHibernate.Cfg.Configuration AddUrl(string url) => throw null; + public NHibernate.Cfg.Configuration AddUrl(System.Uri url) => throw null; + public NHibernate.Cfg.Configuration AddXml(string xml) => throw null; + public NHibernate.Cfg.Configuration AddXml(string xml, string name) => throw null; + public NHibernate.Cfg.Configuration AddXmlFile(string xmlFile) => throw null; + public NHibernate.Cfg.Configuration AddXmlReader(System.Xml.XmlReader hbmReader) => throw null; + public NHibernate.Cfg.Configuration AddXmlReader(System.Xml.XmlReader hbmReader, string name) => throw null; + public NHibernate.Cfg.Configuration AddXmlString(string xml) => throw null; + public event System.EventHandler AfterBindMapping { add { } remove { } } + public void AppendListeners(NHibernate.Event.ListenerType type, object[] listeners) => throw null; + protected System.Collections.Generic.IList auxiliaryDatabaseObjects; + public event System.EventHandler BeforeBindMapping { add { } remove { } } + public virtual NHibernate.Engine.IMapping BuildMapping() => throw null; + public virtual void BuildMappings() => throw null; + public NHibernate.ISessionFactory BuildSessionFactory() => throw null; + public NHibernate.Cfg.Configuration Cache(System.Action cacheProperties) => throw null; + protected System.Collections.Generic.IDictionary classes; + public System.Collections.Generic.ICollection ClassMappings { get => throw null; } + public System.Collections.Generic.ICollection CollectionMappings { get => throw null; } + protected System.Collections.Generic.IDictionary collections; + public NHibernate.Cfg.Configuration CollectionTypeFactory() => throw null; + protected System.Collections.Generic.IDictionary columnNameBindingPerTable; + public NHibernate.Cfg.Configuration Configure() => throw null; + public NHibernate.Cfg.Configuration Configure(string fileName) => throw null; + public NHibernate.Cfg.Configuration Configure(System.Reflection.Assembly assembly, string resourceName) => throw null; + public NHibernate.Cfg.Configuration Configure(System.Xml.XmlReader textReader) => throw null; + protected virtual void ConfigureProxyFactoryFactory() => throw null; + public NHibernate.Cfg.Mappings CreateMappings(NHibernate.Dialect.Dialect dialect) => throw null; + public NHibernate.Cfg.Mappings CreateMappings() => throw null; + public Configuration(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + protected Configuration(NHibernate.Cfg.SettingsFactory settingsFactory) => throw null; + public Configuration() => throw null; + public NHibernate.Cfg.Configuration CurrentSessionContext() where TCurrentSessionContext : NHibernate.Context.ICurrentSessionContext => throw null; + public NHibernate.Cfg.Configuration DataBaseIntegration(System.Action dataBaseIntegration) => throw null; + public static string DefaultHibernateCfgFileName; + protected NHibernate.Cfg.Configuration DoConfigure(NHibernate.Cfg.ISessionFactoryConfiguration factoryConfiguration) => throw null; + public NHibernate.Cfg.Configuration EntityCache(System.Action> entityCacheConfiguration) where TEntity : class => throw null; + public NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get => throw null; set { } } + public NHibernate.Event.EventListeners EventListeners { get => throw null; } + protected System.Collections.Generic.ISet extendsQueue; + public System.Collections.Generic.IDictionary FilterDefinitions { get => throw null; set { } } + protected System.Collections.Generic.Queue filtersSecondPasses; + public string[] GenerateDropSchemaScript(NHibernate.Dialect.Dialect dialect) => throw null; + public string[] GenerateSchemaCreationScript(NHibernate.Dialect.Dialect dialect) => throw null; + public string[] GenerateSchemaUpdateScript(NHibernate.Dialect.Dialect dialect, NHibernate.Tool.hbm2ddl.IDatabaseMetadata databaseMetadata) => throw null; + public NHibernate.Mapping.PersistentClass GetClassMapping(System.Type persistentClass) => throw null; + public NHibernate.Mapping.PersistentClass GetClassMapping(string entityName) => throw null; + public NHibernate.Mapping.Collection GetCollectionMapping(string role) => throw null; + protected virtual string GetDefaultConfigurationFilePath() => throw null; + public System.Collections.Generic.IDictionary GetDerivedProperties() => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string GetProperty(string name) => throw null; + public NHibernate.Cfg.Configuration HqlQueryTranslator() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; + public System.Collections.Generic.IDictionary Imports { get => throw null; set { } } + public static bool IncludeAction(NHibernate.Mapping.SchemaAction actionsSource, NHibernate.Mapping.SchemaAction includedAction) => throw null; + public NHibernate.IInterceptor Interceptor { get => throw null; set { } } + public NHibernate.Cfg.Configuration LinqQueryProvider() where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; + public NHibernate.Cfg.Configuration LinqToHqlGeneratorsRegistry() where TLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry => throw null; + public NHibernate.Cfg.NamedXmlDocument LoadMappingDocument(System.Xml.XmlReader hbmReader, string name) => throw null; + public NHibernate.Cfg.Configuration Mappings(System.Action mappingsProperties) => throw null; + public System.Collections.Generic.IDictionary NamedQueries { get => throw null; set { } } + public System.Collections.Generic.IDictionary NamedSQLQueries { get => throw null; set { } } + public NHibernate.Cfg.INamingStrategy NamingStrategy { get => throw null; } + public System.Collections.Generic.IDictionary Properties { get => throw null; set { } } + protected System.Collections.Generic.IList propertyReferences; + public NHibernate.Cfg.Configuration Proxy(System.Action proxyProperties) => throw null; + protected void Reset() => throw null; + protected System.Collections.Generic.IList secondPasses; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration SessionFactory() => throw null; + public NHibernate.Cfg.Configuration SessionFactory(System.Action configure) => throw null; + public NHibernate.Cfg.Configuration SessionFactoryName(string sessionFactoryName) => throw null; + public NHibernate.Cfg.Configuration SetCacheConcurrencyStrategy(string clazz, string concurrencyStrategy) => throw null; + public void SetCacheConcurrencyStrategy(string clazz, string concurrencyStrategy, string region) => throw null; + public NHibernate.Cfg.Configuration SetCollectionCacheConcurrencyStrategy(string collectionRole, string concurrencyStrategy) => throw null; + public NHibernate.Cfg.Configuration SetDefaultAssembly(string newDefaultAssembly) => throw null; + public NHibernate.Cfg.Configuration SetDefaultNamespace(string newDefaultNamespace) => throw null; + public NHibernate.Cfg.Configuration SetInterceptor(NHibernate.IInterceptor newInterceptor) => throw null; + public void SetListener(NHibernate.Event.ListenerType type, object listener) => throw null; + public void SetListeners(NHibernate.Event.ListenerType type, string[] listenerClasses) => throw null; + public void SetListeners(NHibernate.Event.ListenerType type, object[] listeners) => throw null; + public NHibernate.Cfg.Configuration SetNamingStrategy(NHibernate.Cfg.INamingStrategy newNamingStrategy) => throw null; + public NHibernate.Cfg.Configuration SetProperties(System.Collections.Generic.IDictionary newProperties) => throw null; + public NHibernate.Cfg.Configuration SetProperty(string name, string value) => throw null; + protected NHibernate.Cfg.SettingsFactory settingsFactory; + public System.Collections.Generic.IDictionary SqlFunctions { get => throw null; set { } } + public System.Collections.Generic.IDictionary SqlResultSetMappings { get => throw null; set { } } + protected System.Collections.Generic.IDictionary tableNameBinding; + protected System.Collections.Generic.IDictionary tables; + public NHibernate.Cfg.Configuration TypeDefinition(System.Action typeDefConfiguration) where TDef : class => throw null; + protected System.Collections.Generic.IDictionary typeDefs; + public void ValidateSchema(NHibernate.Dialect.Dialect dialect, NHibernate.Tool.hbm2ddl.IDatabaseMetadata databaseMetadata) => throw null; + } + public static partial class ConfigurationExtensions + { + public static NHibernate.Cfg.Configuration AddNamedQuery(this NHibernate.Cfg.Configuration configuration, string queryIdentifier, System.Action namedQueryDefinition) => throw null; + public static NHibernate.Cfg.Configuration Cache(this NHibernate.Cfg.Configuration configuration, System.Action cacheProperties) => throw null; + public static NHibernate.Cfg.Configuration CollectionTypeFactory(this NHibernate.Cfg.Configuration configuration) => throw null; + public static NHibernate.Cfg.Configuration CurrentSessionContext(this NHibernate.Cfg.Configuration configuration) where TCurrentSessionContext : NHibernate.Context.ICurrentSessionContext => throw null; + public static NHibernate.Cfg.Configuration DataBaseIntegration(this NHibernate.Cfg.Configuration configuration, System.Action dataBaseIntegration) => throw null; + public static NHibernate.Cfg.Configuration EntityCache(this NHibernate.Cfg.Configuration configuration, System.Action> entityCacheConfiguration) where TEntity : class => throw null; + public static NHibernate.Cfg.Configuration HqlQueryTranslator(this NHibernate.Cfg.Configuration configuration) where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; + public static NHibernate.Cfg.Configuration LinqQueryProvider(this NHibernate.Cfg.Configuration configuration) where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; + public static NHibernate.Cfg.Configuration LinqToHqlGeneratorsRegistry(this NHibernate.Cfg.Configuration configuration) where TLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry => throw null; + public static NHibernate.Cfg.Configuration Mappings(this NHibernate.Cfg.Configuration configuration, System.Action mappingsProperties) => throw null; + public static NHibernate.Cfg.Configuration Proxy(this NHibernate.Cfg.Configuration configuration, System.Action proxyProperties) => throw null; + public static NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration SessionFactory(this NHibernate.Cfg.Configuration configuration) => throw null; + public static NHibernate.Cfg.Configuration SessionFactoryName(this NHibernate.Cfg.Configuration configuration, string sessionFactoryName) => throw null; + public static NHibernate.Cfg.Configuration TypeDefinition(this NHibernate.Cfg.Configuration configuration, System.Action typeDefConfiguration) where TDef : class => throw null; + } + public abstract class ConfigurationProvider + { + protected ConfigurationProvider() => throw null; + public static NHibernate.Cfg.ConfigurationProvider Current { get => throw null; set { } } + public abstract NHibernate.Cfg.IHibernateConfiguration GetConfiguration(); + public abstract string GetLoggerFactoryClassName(); + public abstract string GetNamedConnectionString(string name); + } + namespace ConfigurationSchema + { + public enum BytecodeProviderType + { + Lcg = 0, + Null = 1, + } + public static class CfgXmlHelper + { + public static System.Xml.XPath.XPathExpression ByteCodeProviderExpression; + public static string CfgNamespacePrefix; + public static string CfgSchemaXMLNS; + public static string CfgSectionName; + public static NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude ClassCacheIncludeConvertFrom(string include) => throw null; + public static NHibernate.Event.ListenerType ListenerTypeConvertFrom(string listenerType) => throw null; + public static System.Xml.XPath.XPathExpression ObjectsFactoryExpression; + public static System.Xml.XPath.XPathExpression ReflectionOptimizerExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryClassesCacheExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryCollectionsCacheExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryEventsExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryListenersExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryMappingsExpression; + public static System.Xml.XPath.XPathExpression SessionFactoryPropertiesExpression; + } + public class ClassCacheConfiguration + { + public string Class { get => throw null; } + public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage) => throw null; + public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude include) => throw null; + public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, string region) => throw null; + public ClassCacheConfiguration(string clazz, NHibernate.Cfg.EntityCacheUsage usage, NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude include, string region) => throw null; + public NHibernate.Cfg.ConfigurationSchema.ClassCacheInclude Include { get => throw null; } + public string Region { get => throw null; } + public NHibernate.Cfg.EntityCacheUsage Usage { get => throw null; } + } + public enum ClassCacheInclude + { + All = 0, + NonLazy = 1, + } + public class CollectionCacheConfiguration + { + public string Collection { get => throw null; } + public CollectionCacheConfiguration(string collection, NHibernate.Cfg.EntityCacheUsage usage) => throw null; + public CollectionCacheConfiguration(string collection, NHibernate.Cfg.EntityCacheUsage usage, string region) => throw null; + public string Region { get => throw null; } + public NHibernate.Cfg.EntityCacheUsage Usage { get => throw null; } + } + public class EventConfiguration + { + public EventConfiguration(NHibernate.Cfg.ConfigurationSchema.ListenerConfiguration listener, NHibernate.Event.ListenerType type) => throw null; + public System.Collections.Generic.IList Listeners { get => throw null; } + public NHibernate.Event.ListenerType Type { get => throw null; } + } + public class HibernateConfiguration : NHibernate.Cfg.IHibernateConfiguration + { + public string ByteCodeProviderType { get => throw null; } + public HibernateConfiguration(System.Xml.XmlReader hbConfigurationReader) => throw null; + public static NHibernate.Cfg.ConfigurationSchema.HibernateConfiguration FromAppConfig(System.Xml.XmlNode node) => throw null; + public static NHibernate.Cfg.ConfigurationSchema.HibernateConfiguration FromAppConfig(string xml) => throw null; + public string ObjectsFactoryType { get => throw null; } + public NHibernate.Cfg.ISessionFactoryConfiguration SessionFactory { get => throw null; } + public bool UseReflectionOptimizer { get => throw null; } + } + public class ListenerConfiguration + { + public string Class { get => throw null; } + public ListenerConfiguration(string clazz) => throw null; + public ListenerConfiguration(string clazz, NHibernate.Event.ListenerType type) => throw null; + public NHibernate.Event.ListenerType Type { get => throw null; } + } + public class MappingConfiguration : System.IEquatable + { + public string Assembly { get => throw null; } + public MappingConfiguration(string file) => throw null; + public MappingConfiguration(string assembly, string resource) => throw null; + public bool Equals(NHibernate.Cfg.ConfigurationSchema.MappingConfiguration other) => throw null; + public string File { get => throw null; } + public bool IsEmpty() => throw null; + public string Resource { get => throw null; } + public override string ToString() => throw null; + } + public class SessionFactoryConfiguration : NHibernate.Cfg.SessionFactoryConfigurationBase + { + public SessionFactoryConfiguration(string name) => throw null; + } + } + public class ConfigurationSectionHandler : System.Configuration.IConfigurationSectionHandler + { + object System.Configuration.IConfigurationSectionHandler.Create(object parent, object configContext, System.Xml.XmlNode section) => throw null; + public ConfigurationSectionHandler() => throw null; + } + public class DefaultNamingStrategy : NHibernate.Cfg.INamingStrategy + { + public string ClassToTableName(string className) => throw null; + public string ColumnName(string columnName) => throw null; + public static NHibernate.Cfg.INamingStrategy Instance; + public string LogicalColumnName(string columnName, string propertyName) => throw null; + public string PropertyToColumnName(string propertyName) => throw null; + public string PropertyToTableName(string className, string propertyName) => throw null; + public string TableName(string tableName) => throw null; + } + public enum EntityCacheUsage + { + Readonly = 0, + ReadWrite = 1, + NonStrictReadWrite = 2, + Transactional = 3, + Never = 4, + } + public static class EntityCacheUsageParser + { + public static NHibernate.Cfg.EntityCacheUsage Parse(string value) => throw null; + public static string ToString(NHibernate.Cfg.EntityCacheUsage value) => throw null; + } + public static class Environment + { + public static string AutoJoinTransaction; + public static string BatchFetchStyle; + public static string BatchSize; + public static string BatchStrategy; + public static string BatchVersionedData; + public static NHibernate.Bytecode.IBytecodeProvider BuildBytecodeProvider(System.Collections.Generic.IDictionary properties) => throw null; + public static NHibernate.Bytecode.IObjectsFactory BuildObjectsFactory(System.Collections.Generic.IDictionary properties) => throw null; + public static NHibernate.Bytecode.IBytecodeProvider BytecodeProvider { get => throw null; set { } } + public static string CacheDefaultExpiration; + public static string CacheProvider; + public static string CacheReadWriteLockFactory; + public static string CacheRegionPrefix; + public static string CollectionTypeFactoryClass; + public static string CommandTimeout; + public static string ConnectionDriver; + public static string ConnectionProvider; + public static string ConnectionString; + public static string ConnectionStringName; + public static string CurrentSessionContextClass; + public static string DefaultBatchFetchSize; + public static string DefaultCatalog; + public static string DefaultEntityMode; + public static string DefaultFlushMode; + public static string DefaultSchema; + public static string DetectFetchLoops; + public static string Dialect; + public static string FirebirdDisableParameterCasting; + public static string FormatSql; + public static string GenerateStatistics; + public static string Hbm2ddlAuto; + public static string Hbm2ddlKeyWords; + public static string Hbm2ddlThrowOnUpdate; + public static void InitializeGlobalProperties(NHibernate.Cfg.IHibernateConfiguration config) => throw null; + public static string Isolation; + public static string LinqToHqlFallbackOnPreEvaluation; + public static string LinqToHqlGeneratorsRegistry; + public static string LinqToHqlLegacyPreEvaluation; + public static string MaxFetchDepth; + public static string MultiTenancy; + public static string MultiTenancyConnectionProvider; + public static NHibernate.Bytecode.IObjectsFactory ObjectsFactory { get => throw null; set { } } + public static string OdbcDateTimeScale; + public static string OracleSuppressDecimalInvalidCastException; + public static string OracleUseBinaryFloatingPointTypes; + public static string OracleUseNPrefixedTypesForUnicode; + public static string OrderInserts; + public static string OrderUpdates; + public static string OutputStylesheet; + public static string PreferPooledValuesLo; + public static string PrepareSql; + public static string PreTransformerRegistrar; + public static System.Collections.Generic.IDictionary Properties { get => throw null; } + public static string PropertyBytecodeProvider; + public static string PropertyObjectsFactory; + public static string PropertyUseReflectionOptimizer; + public static string ProxyFactoryFactoryClass; + public static string QueryCacheFactory; + public static string QueryDefaultCastLength; + public static string QueryDefaultCastPrecision; + public static string QueryDefaultCastScale; + public static string QueryImports; + public static string QueryLinqProvider; + public static string QueryModelRewriterFactory; + public static string QueryPlanCacheMaxSize; + public static string QueryPlanCacheParameterMetadataMaxSize; + public static string QueryStartupChecking; + public static string QuerySubstitutions; + public static string QueryThrowNeverCached; + public static string QueryTranslator; + public static string ReleaseConnections; + public static string SessionFactoryName; + public static string ShowSql; + public static string SqlExceptionConverter; + public static string SqliteBinaryGuid; + public static string SqlTypesKeepDateTime; + public static string StatementFetchSize; + public static string SystemTransactionCompletionLockTimeout; + public static string TrackSessionId; + public static string TransactionManagerStrategy; + public static string TransactionStrategy; + public static string UseConnectionOnSystemTransactionPrepare; + public static string UseGetGeneratedKeys; + public static string UseIdentifierRollBack; + public static string UseMinimalPuts; + public static string UseProxyValidator; + public static string UseQueryCache; + public static bool UseReflectionOptimizer { get => throw null; set { } } + public static string UseSecondLevelCache; + public static string UseSqlComments; + public static void VerifyProperties(System.Collections.Generic.IDictionary props) => throw null; + public static string Version { get => throw null; } + public static string WrapResultSets; + } + public class ExtendsQueueEntry + { + public ExtendsQueueEntry(string explicitName, string mappingPackage, System.Xml.XmlDocument document) => throw null; + public System.Xml.XmlDocument Document { get => throw null; } + public string ExplicitName { get => throw null; } + public string MappingPackage { get => throw null; } + } + public class FilterSecondPassArgs + { + public FilterSecondPassArgs(NHibernate.Mapping.IFilterable filterable, string filterName) => throw null; + public NHibernate.Mapping.IFilterable Filterable { get => throw null; } + public string FilterName { get => throw null; } + } + public class Hbm2DDLKeyWords + { + public static NHibernate.Cfg.Hbm2DDLKeyWords AutoQuote; + public override bool Equals(object obj) => throw null; + public bool Equals(string other) => throw null; + public bool Equals(NHibernate.Cfg.Hbm2DDLKeyWords other) => throw null; + public override int GetHashCode() => throw null; + public static NHibernate.Cfg.Hbm2DDLKeyWords Keywords; + public static NHibernate.Cfg.Hbm2DDLKeyWords None; + public static bool operator ==(string a, NHibernate.Cfg.Hbm2DDLKeyWords b) => throw null; + public static bool operator ==(NHibernate.Cfg.Hbm2DDLKeyWords a, string b) => throw null; + public static bool operator !=(NHibernate.Cfg.Hbm2DDLKeyWords a, string b) => throw null; + public static bool operator !=(string a, NHibernate.Cfg.Hbm2DDLKeyWords b) => throw null; + public override string ToString() => throw null; + } + public class HbmConstants + { + public HbmConstants() => throw null; + public static string nsClass; + public static string nsCollectionId; + public static string nsColumn; + public static string nsCreate; + public static string nsDatabaseObject; + public static string nsDefinition; + public static string nsDialectScope; + public static string nsDrop; + public static string nsFilter; + public static string nsFilterDef; + public static string nsFilterParam; + public static string nsFormula; + public static string nsGenerator; + public static string nsImport; + public static string nsIndex; + public static string nsJoinedSubclass; + public static string nsKey; + public static string nsListIndex; + public static string nsLoader; + public static string nsMeta; + public static string nsMetaValue; + public static string nsOneToMany; + public static string nsParam; + public static string nsPrefix; + public static string nsQuery; + public static string nsQueryParam; + public static string nsResultset; + public static string nsReturnColumn; + public static string nsReturnDiscriminator; + public static string nsReturnProperty; + public static string nsSqlDelete; + public static string nsSqlDeleteAll; + public static string nsSqlInsert; + public static string nsSqlQuery; + public static string nsSqlUpdate; + public static string nsSubclass; + public static string nsSynchronize; + public static string nsTuplizer; + public static string nsType; + public static string nsUnionSubclass; + } + public class HibernateConfigException : NHibernate.MappingException + { + public HibernateConfigException() : base(default(string)) => throw null; + public HibernateConfigException(System.Exception innerException) : base(default(string)) => throw null; + public HibernateConfigException(string message) : base(default(string)) => throw null; + public HibernateConfigException(string message, System.Exception innerException) : base(default(string)) => throw null; + protected HibernateConfigException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + } + public interface IHibernateConfiguration + { + string ByteCodeProviderType { get; } + NHibernate.Cfg.ISessionFactoryConfiguration SessionFactory { get; } + bool UseReflectionOptimizer { get; } + } + public class ImprovedNamingStrategy : NHibernate.Cfg.INamingStrategy + { + public string ClassToTableName(string className) => throw null; + public string ColumnName(string columnName) => throw null; + public static NHibernate.Cfg.INamingStrategy Instance; + public string LogicalColumnName(string columnName, string propertyName) => throw null; + public string PropertyToColumnName(string propertyName) => throw null; + public string PropertyToTableName(string className, string propertyName) => throw null; + public string TableName(string tableName) => throw null; + } + public interface INamingStrategy + { + string ClassToTableName(string className); + string ColumnName(string columnName); + string LogicalColumnName(string columnName, string propertyName); + string PropertyToColumnName(string propertyName); + string PropertyToTableName(string className, string propertyName); + string TableName(string tableName); + } + public interface ISessionFactoryConfiguration + { + System.Collections.Generic.IList ClassesCache { get; } + System.Collections.Generic.IList CollectionsCache { get; } + System.Collections.Generic.IList Events { get; } + System.Collections.Generic.IList Listeners { get; } + System.Collections.Generic.IList Mappings { get; } + string Name { get; } + System.Collections.Generic.IDictionary Properties { get; } + } + namespace Loquacious + { + public class BatcherConfiguration : NHibernate.Cfg.Loquacious.IBatcherConfiguration + { + public BatcherConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; + public NHibernate.Cfg.Loquacious.BatcherConfiguration DisablingInsertsOrdering() => throw null; + NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.DisablingInsertsOrdering() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Each(short batchSize) => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.Each(short batchSize) => throw null; + public NHibernate.Cfg.Loquacious.BatcherConfiguration OrderingInserts() => throw null; + NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.OrderingInserts() => throw null; + public NHibernate.Cfg.Loquacious.BatcherConfiguration Through() where TBatcher : NHibernate.AdoNet.IBatcherFactory => throw null; + NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IBatcherConfiguration.Through() => throw null; + } + public class CacheConfiguration : NHibernate.Cfg.Loquacious.ICacheConfiguration + { + public CacheConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; + public NHibernate.Cfg.Loquacious.CacheConfiguration PrefixingRegionsWith(string regionPrefix) => throw null; + NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.PrefixingRegionsWith(string regionPrefix) => throw null; + public NHibernate.Cfg.Loquacious.QueryCacheConfiguration Queries { get => throw null; } + NHibernate.Cfg.Loquacious.IQueryCacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.Queries { get => throw null; } + public NHibernate.Cfg.Loquacious.CacheConfiguration Through() where TProvider : NHibernate.Cache.ICacheProvider => throw null; + NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.Through() => throw null; + public NHibernate.Cfg.Loquacious.CacheConfiguration UsingMinimalPuts() => throw null; + NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.UsingMinimalPuts() => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration WithDefaultExpiration(int seconds) => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.ICacheConfiguration.WithDefaultExpiration(int seconds) => throw null; + } + public class CacheConfigurationProperties : NHibernate.Cfg.Loquacious.ICacheConfigurationProperties + { + public CacheConfigurationProperties(NHibernate.Cfg.Configuration cfg) => throw null; + public int DefaultExpiration { set { } } + public void Provider() where TProvider : NHibernate.Cache.ICacheProvider => throw null; + public void QueryCache() where TFactory : NHibernate.Cache.IQueryCache => throw null; + public void QueryCacheFactory() where TFactory : NHibernate.Cache.IQueryCacheFactory => throw null; + public string RegionsPrefix { set { } } + public bool UseMinimalPuts { set { } } + public bool UseQueryCache { set { } } + } + public static partial class CacheConfigurationPropertiesExtensions + { + public static void QueryCacheFactory(this NHibernate.Cfg.Loquacious.ICacheConfigurationProperties config) where TFactory : NHibernate.Cache.IQueryCacheFactory => throw null; + } + public class CollectionFactoryConfiguration : NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration + { + public CollectionFactoryConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Through() where TCollectionsFactory : NHibernate.Bytecode.ICollectionTypeFactory => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration.Through() => throw null; + } + public class CommandsConfiguration : NHibernate.Cfg.Loquacious.ICommandsConfiguration + { + public NHibernate.Cfg.Loquacious.CommandsConfiguration AutoCommentingSql() => throw null; + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.AutoCommentingSql() => throw null; + public NHibernate.Cfg.Loquacious.CommandsConfiguration ConvertingExceptionsThrough() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter => throw null; + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.ConvertingExceptionsThrough() => throw null; + public CommandsConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; + public NHibernate.Cfg.Loquacious.CommandsConfiguration Preparing() => throw null; + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.Preparing() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration WithDefaultHqlToSqlSubstitutions() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithDefaultHqlToSqlSubstitutions() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration WithHqlToSqlSubstitutions(string csvQuerySubstitutions) => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithHqlToSqlSubstitutions(string csvQuerySubstitutions) => throw null; + public NHibernate.Cfg.Loquacious.CommandsConfiguration WithMaximumDepthOfOuterJoinFetching(byte maxFetchDepth) => throw null; + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithMaximumDepthOfOuterJoinFetching(byte maxFetchDepth) => throw null; + public NHibernate.Cfg.Loquacious.CommandsConfiguration WithTimeout(byte seconds) => throw null; + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.ICommandsConfiguration.WithTimeout(byte seconds) => throw null; + } + public class ConnectionConfiguration : NHibernate.Cfg.Loquacious.IConnectionConfiguration + { + public NHibernate.Cfg.Loquacious.ConnectionConfiguration By() where TDriver : NHibernate.Driver.IDriver => throw null; + NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.By() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration ByAppConfing(string connectionStringName) => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.ByAppConfing(string connectionStringName) => throw null; + public ConnectionConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; + public NHibernate.Cfg.Loquacious.ConnectionConfiguration Releasing(NHibernate.ConnectionReleaseMode releaseMode) => throw null; + NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Releasing(NHibernate.ConnectionReleaseMode releaseMode) => throw null; + public NHibernate.Cfg.Loquacious.ConnectionConfiguration Through() where TProvider : NHibernate.Connection.IConnectionProvider => throw null; + NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Through() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using(string connectionString) => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder) => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Using(string connectionString) => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder) => throw null; + public NHibernate.Cfg.Loquacious.ConnectionConfiguration With(System.Data.IsolationLevel level) => throw null; + NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IConnectionConfiguration.With(System.Data.IsolationLevel level) => throw null; + } + public class DbIntegrationConfiguration : NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration + { + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration AutoQuoteKeywords() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.AutoQuoteKeywords() => throw null; + public NHibernate.Cfg.Loquacious.BatcherConfiguration BatchingQueries { get => throw null; } + NHibernate.Cfg.Loquacious.IBatcherConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.BatchingQueries { get => throw null; } + public NHibernate.Cfg.Configuration Configuration { get => throw null; } + public NHibernate.Cfg.Loquacious.ConnectionConfiguration Connected { get => throw null; } + NHibernate.Cfg.Loquacious.IConnectionConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Connected { get => throw null; } + public NHibernate.Cfg.Loquacious.CommandsConfiguration CreateCommands { get => throw null; } + NHibernate.Cfg.Loquacious.ICommandsConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.CreateCommands { get => throw null; } + public DbIntegrationConfiguration(NHibernate.Cfg.Configuration configuration) => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration DisableKeywordsAutoImport() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.DisableKeywordsAutoImport() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration EnableLogFormattedSql() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.EnableLogFormattedSql() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration LogSqlInConsole() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.LogSqlInConsole() => throw null; + public NHibernate.Cfg.Loquacious.DbSchemaIntegrationConfiguration Schema { get => throw null; } + NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Schema { get => throw null; } + public NHibernate.Cfg.Loquacious.TransactionConfiguration Transactions { get => throw null; } + NHibernate.Cfg.Loquacious.ITransactionConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Transactions { get => throw null; } + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Using() where TDialect : NHibernate.Dialect.Dialect => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration.Using() => throw null; + } + public class DbIntegrationConfigurationProperties : NHibernate.Cfg.Loquacious.IDbIntegrationConfigurationProperties + { + public bool AutoCommentSql { set { } } + public void Batcher() where TBatcher : NHibernate.AdoNet.IBatcherFactory => throw null; + public short BatchSize { set { } } + public void ConnectionProvider() where TProvider : NHibernate.Connection.IConnectionProvider => throw null; + public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { set { } } + public string ConnectionString { set { } } + public string ConnectionStringName { set { } } + public DbIntegrationConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; + public void Dialect() where TDialect : NHibernate.Dialect.Dialect => throw null; + public void Driver() where TDriver : NHibernate.Driver.IDriver => throw null; + public void ExceptionConverter() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter => throw null; + public string HqlToSqlSubstitutions { set { } } + public System.Data.IsolationLevel IsolationLevel { set { } } + public NHibernate.Cfg.Hbm2DDLKeyWords KeywordsAutoImport { set { } } + public bool LogFormattedSql { set { } } + public bool LogSqlInConsole { set { } } + public byte MaximumDepthOfOuterJoinFetching { set { } } + public NHibernate.MultiTenancy.MultiTenancyStrategy MultiTenancy { set { } } + public void MultiTenancyConnectionProvider() where TProvider : NHibernate.MultiTenancy.IMultiTenancyConnectionProvider => throw null; + public bool OrderInserts { set { } } + public bool PrepareCommands { set { } } + public void PreTransformerRegistrar() where TRegistrar : NHibernate.Linq.Visitors.IExpressionTransformerRegistrar => throw null; + public void QueryModelRewriterFactory() where TFactory : NHibernate.Linq.Visitors.IQueryModelRewriterFactory => throw null; + public NHibernate.Cfg.SchemaAutoAction SchemaAction { set { } } + public bool ThrowOnSchemaUpdate { set { } } + public byte Timeout { set { } } + public void TransactionFactory() where TFactory : NHibernate.Transaction.ITransactionFactory => throw null; + } + public class DbSchemaIntegrationConfiguration : NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration + { + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Creating() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Creating() => throw null; + public DbSchemaIntegrationConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Recreating() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Recreating() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration ThrowOnSchemaUpdate(bool @throw) => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Updating() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Updating() => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Validating() => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration.Validating() => throw null; + } + public class EntityCacheConfigurationProperties : NHibernate.Cfg.Loquacious.IEntityCacheConfigurationProperties where TEntity : class + { + public void Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) where TCollection : System.Collections.IEnumerable => throw null; + void NHibernate.Cfg.Loquacious.IEntityCacheConfigurationProperties.Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) => throw null; + public EntityCacheConfigurationProperties() => throw null; + public string RegionName { get => throw null; set { } } + public NHibernate.Cfg.EntityCacheUsage? Strategy { get => throw null; set { } } + } + public class EntityCollectionCacheConfigurationProperties : NHibernate.Cfg.Loquacious.IEntityCollectionCacheConfigurationProperties + { + public EntityCollectionCacheConfigurationProperties() => throw null; + public string RegionName { get => throw null; set { } } + public NHibernate.Cfg.EntityCacheUsage Strategy { get => throw null; set { } } + } + public class FluentSessionFactoryConfiguration : NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration + { + public NHibernate.Cfg.Loquacious.CacheConfiguration Caching { get => throw null; } + NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Caching { get => throw null; } + public FluentSessionFactoryConfiguration(NHibernate.Cfg.Configuration configuration) => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration DefaultFlushMode(NHibernate.FlushMode flushMode) => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.DefaultFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration GenerateStatistics() => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.GenerateStatistics() => throw null; + public NHibernate.Cfg.Loquacious.CollectionFactoryConfiguration GeneratingCollections { get => throw null; } + NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.GeneratingCollections { get => throw null; } + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Integrate { get => throw null; } + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Integrate { get => throw null; } + public NHibernate.Cfg.Loquacious.MappingsConfiguration Mapping { get => throw null; } + NHibernate.Cfg.Loquacious.IMappingsConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Mapping { get => throw null; } + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Named(string sessionFactoryName) => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Named(string sessionFactoryName) => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration ParsingHqlThrough() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.ParsingHqlThrough() => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration ParsingLinqThrough() where TQueryProvider : NHibernate.Linq.INhQueryProvider => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.ParsingLinqThrough() => throw null; + public NHibernate.Cfg.Loquacious.ProxyConfiguration Proxy { get => throw null; } + NHibernate.Cfg.Loquacious.IProxyConfiguration NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration.Proxy { get => throw null; } + } + public interface IBatcherConfiguration + { + NHibernate.Cfg.Loquacious.IBatcherConfiguration DisablingInsertsOrdering(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Each(short batchSize); + NHibernate.Cfg.Loquacious.IBatcherConfiguration OrderingInserts(); + NHibernate.Cfg.Loquacious.IBatcherConfiguration Through() where TBatcher : NHibernate.AdoNet.IBatcherFactory; + } + public interface ICacheConfiguration + { + NHibernate.Cfg.Loquacious.ICacheConfiguration PrefixingRegionsWith(string regionPrefix); + NHibernate.Cfg.Loquacious.IQueryCacheConfiguration Queries { get; } + NHibernate.Cfg.Loquacious.ICacheConfiguration Through() where TProvider : NHibernate.Cache.ICacheProvider; + NHibernate.Cfg.Loquacious.ICacheConfiguration UsingMinimalPuts(); + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration WithDefaultExpiration(int seconds); + } + public interface ICacheConfigurationProperties + { + int DefaultExpiration { set; } + void Provider() where TProvider : NHibernate.Cache.ICacheProvider; + void QueryCache() where TFactory : NHibernate.Cache.IQueryCache; + string RegionsPrefix { set; } + bool UseMinimalPuts { set; } + bool UseQueryCache { set; } + } + public interface ICollectionFactoryConfiguration + { + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Through() where TCollecionsFactory : NHibernate.Bytecode.ICollectionTypeFactory; + } + public interface ICommandsConfiguration + { + NHibernate.Cfg.Loquacious.ICommandsConfiguration AutoCommentingSql(); + NHibernate.Cfg.Loquacious.ICommandsConfiguration ConvertingExceptionsThrough() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter; + NHibernate.Cfg.Loquacious.ICommandsConfiguration Preparing(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration WithDefaultHqlToSqlSubstitutions(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration WithHqlToSqlSubstitutions(string csvQuerySubstitutions); + NHibernate.Cfg.Loquacious.ICommandsConfiguration WithMaximumDepthOfOuterJoinFetching(byte maxFetchDepth); + NHibernate.Cfg.Loquacious.ICommandsConfiguration WithTimeout(byte seconds); + } + public interface IConnectionConfiguration + { + NHibernate.Cfg.Loquacious.IConnectionConfiguration By() where TDriver : NHibernate.Driver.IDriver; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration ByAppConfing(string connectionStringName); + NHibernate.Cfg.Loquacious.IConnectionConfiguration Releasing(NHibernate.ConnectionReleaseMode releaseMode); + NHibernate.Cfg.Loquacious.IConnectionConfiguration Through() where TProvider : NHibernate.Connection.IConnectionProvider; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using(string connectionString); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using(System.Data.Common.DbConnectionStringBuilder connectionStringBuilder); + NHibernate.Cfg.Loquacious.IConnectionConfiguration With(System.Data.IsolationLevel level); + } + public interface IDbIntegrationConfiguration + { + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration AutoQuoteKeywords(); + NHibernate.Cfg.Loquacious.IBatcherConfiguration BatchingQueries { get; } + NHibernate.Cfg.Loquacious.IConnectionConfiguration Connected { get; } + NHibernate.Cfg.Loquacious.ICommandsConfiguration CreateCommands { get; } + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration DisableKeywordsAutoImport(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration EnableLogFormattedSql(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration LogSqlInConsole(); + NHibernate.Cfg.Loquacious.IDbSchemaIntegrationConfiguration Schema { get; } + NHibernate.Cfg.Loquacious.ITransactionConfiguration Transactions { get; } + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Using() where TDialect : NHibernate.Dialect.Dialect; + } + public interface IDbIntegrationConfigurationProperties + { + bool AutoCommentSql { set; } + void Batcher() where TBatcher : NHibernate.AdoNet.IBatcherFactory; + short BatchSize { set; } + void ConnectionProvider() where TProvider : NHibernate.Connection.IConnectionProvider; + NHibernate.ConnectionReleaseMode ConnectionReleaseMode { set; } + string ConnectionString { set; } + string ConnectionStringName { set; } + void Dialect() where TDialect : NHibernate.Dialect.Dialect; + void Driver() where TDriver : NHibernate.Driver.IDriver; + void ExceptionConverter() where TExceptionConverter : NHibernate.Exceptions.ISQLExceptionConverter; + string HqlToSqlSubstitutions { set; } + System.Data.IsolationLevel IsolationLevel { set; } + NHibernate.Cfg.Hbm2DDLKeyWords KeywordsAutoImport { set; } + bool LogFormattedSql { set; } + bool LogSqlInConsole { set; } + byte MaximumDepthOfOuterJoinFetching { set; } + bool OrderInserts { set; } + bool PrepareCommands { set; } + void QueryModelRewriterFactory() where TFactory : NHibernate.Linq.Visitors.IQueryModelRewriterFactory; + NHibernate.Cfg.SchemaAutoAction SchemaAction { set; } + byte Timeout { set; } + void TransactionFactory() where TFactory : NHibernate.Transaction.ITransactionFactory; + } + public interface IDbSchemaIntegrationConfiguration + { + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Creating(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Recreating(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Updating(); + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Validating(); + } + public interface IEntityCacheConfigurationProperties where TEntity : class + { + void Collection(System.Linq.Expressions.Expression> collectionProperty, System.Action collectionCacheConfiguration) where TCollection : System.Collections.IEnumerable; + string RegionName { get; set; } + NHibernate.Cfg.EntityCacheUsage? Strategy { get; set; } + } + public interface IEntityCollectionCacheConfigurationProperties + { + string RegionName { get; set; } + NHibernate.Cfg.EntityCacheUsage Strategy { get; set; } + } + public interface IFluentSessionFactoryConfiguration + { + NHibernate.Cfg.Loquacious.ICacheConfiguration Caching { get; } + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration DefaultFlushMode(NHibernate.FlushMode flushMode); + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration GenerateStatistics(); + NHibernate.Cfg.Loquacious.ICollectionFactoryConfiguration GeneratingCollections { get; } + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Integrate { get; } + NHibernate.Cfg.Loquacious.IMappingsConfiguration Mapping { get; } + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Named(string sessionFactoryName); + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration ParsingHqlThrough() where TQueryTranslator : NHibernate.Hql.IQueryTranslatorFactory; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration ParsingLinqThrough() where TQueryProvider : NHibernate.Linq.INhQueryProvider; + NHibernate.Cfg.Loquacious.IProxyConfiguration Proxy { get; } + } + public interface IMappingsConfiguration + { + NHibernate.Cfg.Loquacious.IMappingsConfiguration UsingDefaultCatalog(string defaultCatalogName); + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration UsingDefaultSchema(string defaultSchemaName); + } + public interface IMappingsConfigurationProperties + { + string DefaultCatalog { set; } + string DefaultSchema { set; } + } + public interface INamedQueryDefinitionBuilder + { + NHibernate.CacheMode? CacheMode { get; set; } + string CacheRegion { get; set; } + string Comment { get; set; } + int FetchSize { get; set; } + NHibernate.FlushMode FlushMode { get; set; } + bool IsCacheable { get; set; } + bool IsReadOnly { get; set; } + string Query { get; set; } + int Timeout { get; set; } + } + public interface IProxyConfiguration + { + NHibernate.Cfg.Loquacious.IProxyConfiguration DisableValidation(); + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration Through() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory; + } + public interface IProxyConfigurationProperties + { + void ProxyFactoryFactory() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory; + bool Validation { set; } + } + public interface IQueryCacheConfiguration + { + NHibernate.Cfg.Loquacious.ICacheConfiguration Through(); + } + public interface ITransactionConfiguration + { + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration Through() where TFactory : NHibernate.Transaction.ITransactionFactory; + } + public interface ITypeDefConfigurationProperties + { + string Alias { get; set; } + object Properties { get; set; } + } + public class MappingsConfiguration : NHibernate.Cfg.Loquacious.IMappingsConfiguration + { + public MappingsConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; + public NHibernate.Cfg.Loquacious.MappingsConfiguration UsingDefaultCatalog(string defaultCatalogName) => throw null; + NHibernate.Cfg.Loquacious.IMappingsConfiguration NHibernate.Cfg.Loquacious.IMappingsConfiguration.UsingDefaultCatalog(string defaultCatalogName) => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration UsingDefaultSchema(string defaultSchemaName) => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IMappingsConfiguration.UsingDefaultSchema(string defaultSchemaName) => throw null; + } + public class MappingsConfigurationProperties : NHibernate.Cfg.Loquacious.IMappingsConfigurationProperties + { + public MappingsConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; + public string DefaultCatalog { set { } } + public string DefaultSchema { set { } } + } + public class NamedQueryDefinitionBuilder : NHibernate.Cfg.Loquacious.INamedQueryDefinitionBuilder + { + public NHibernate.CacheMode? CacheMode { get => throw null; set { } } + public string CacheRegion { get => throw null; set { } } + public string Comment { get => throw null; set { } } + public NamedQueryDefinitionBuilder() => throw null; + public int FetchSize { get => throw null; set { } } + public NHibernate.FlushMode FlushMode { get => throw null; set { } } + public bool IsCacheable { get => throw null; set { } } + public bool IsReadOnly { get => throw null; set { } } + public string Query { get => throw null; set { } } + public int Timeout { get => throw null; set { } } + } + public class ProxyConfiguration : NHibernate.Cfg.Loquacious.IProxyConfiguration + { + public ProxyConfiguration(NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration parent) => throw null; + public NHibernate.Cfg.Loquacious.ProxyConfiguration DisableValidation() => throw null; + NHibernate.Cfg.Loquacious.IProxyConfiguration NHibernate.Cfg.Loquacious.IProxyConfiguration.DisableValidation() => throw null; + public NHibernate.Cfg.Loquacious.FluentSessionFactoryConfiguration Through() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory => throw null; + NHibernate.Cfg.Loquacious.IFluentSessionFactoryConfiguration NHibernate.Cfg.Loquacious.IProxyConfiguration.Through() => throw null; + } + public class ProxyConfigurationProperties : NHibernate.Cfg.Loquacious.IProxyConfigurationProperties + { + public ProxyConfigurationProperties(NHibernate.Cfg.Configuration configuration) => throw null; + public void ProxyFactoryFactory() where TProxyFactoryFactory : NHibernate.Bytecode.IProxyFactoryFactory => throw null; + public bool Validation { set { } } + } + public class QueryCacheConfiguration : NHibernate.Cfg.Loquacious.IQueryCacheConfiguration + { + public QueryCacheConfiguration(NHibernate.Cfg.Loquacious.CacheConfiguration cc) => throw null; + public NHibernate.Cfg.Loquacious.CacheConfiguration Through() => throw null; + NHibernate.Cfg.Loquacious.ICacheConfiguration NHibernate.Cfg.Loquacious.IQueryCacheConfiguration.Through() => throw null; + } + public class TransactionConfiguration : NHibernate.Cfg.Loquacious.ITransactionConfiguration + { + public TransactionConfiguration(NHibernate.Cfg.Loquacious.DbIntegrationConfiguration dbc) => throw null; + public NHibernate.Cfg.Loquacious.DbIntegrationConfiguration Through() where TFactory : NHibernate.Transaction.ITransactionFactory => throw null; + NHibernate.Cfg.Loquacious.IDbIntegrationConfiguration NHibernate.Cfg.Loquacious.ITransactionConfiguration.Through() => throw null; + } + public class TypeDefConfigurationProperties : NHibernate.Cfg.Loquacious.ITypeDefConfigurationProperties + { + public string Alias { get => throw null; set { } } + public TypeDefConfigurationProperties() => throw null; + public object Properties { get => throw null; set { } } + } + } + public class Mappings + { + public void AddAuxiliaryDatabaseObject(NHibernate.Mapping.IAuxiliaryDatabaseObject auxiliaryDatabaseObject) => throw null; + public void AddClass(NHibernate.Mapping.PersistentClass persistentClass) => throw null; + public void AddCollection(NHibernate.Mapping.Collection collection) => throw null; + public void AddColumnBinding(string logicalName, NHibernate.Mapping.Column finalColumn, NHibernate.Mapping.Table table) => throw null; + public NHibernate.Mapping.Table AddDenormalizedTable(string schema, string catalog, string name, bool isAbstract, string subselect, NHibernate.Mapping.Table includedTable) => throw null; + public void AddFilterDefinition(NHibernate.Engine.FilterDefinition definition) => throw null; + public void AddImport(string className, string rename) => throw null; + public void AddPropertyReference(string referencedClass, string propertyName) => throw null; + public void AddQuery(string name, NHibernate.Engine.NamedQueryDefinition query) => throw null; + public void AddResultSetMapping(NHibernate.Engine.ResultSetMappingDefinition sqlResultSetMapping) => throw null; + public void AddSecondPass(NHibernate.Cfg.SecondPassCommand command) => throw null; + public void AddSecondPass(NHibernate.Cfg.SecondPassCommand command, bool onTopOfTheQueue) => throw null; + public void AddSQLQuery(string name, NHibernate.Engine.NamedSQLQueryDefinition query) => throw null; + public NHibernate.Mapping.Table AddTable(string schema, string catalog, string name, string subselect, bool isAbstract, string schemaAction) => throw null; + public void AddTableBinding(string schema, string catalog, string logicalName, string physicalName, NHibernate.Mapping.Table denormalizedSuperTable) => throw null; + public void AddToExtendsQueue(NHibernate.Cfg.ExtendsQueueEntry entry) => throw null; + public void AddTypeDef(string typeName, string typeClass, System.Collections.Generic.IDictionary paramMap) => throw null; + public void AddUniquePropertyReference(string referencedClass, string propertyName) => throw null; + public string CatalogName { get => throw null; set { } } + protected System.Collections.Generic.IDictionary columnNameBindingPerTable; + public class ColumnNames + { + public ColumnNames() => throw null; + public System.Collections.Generic.IDictionary logicalToPhysical; + public System.Collections.Generic.IDictionary physicalToLogical; + } + protected Mappings(System.Collections.Generic.IDictionary classes, System.Collections.Generic.IDictionary collections, System.Collections.Generic.IDictionary tables, System.Collections.Generic.IDictionary queries, System.Collections.Generic.IDictionary sqlqueries, System.Collections.Generic.IDictionary resultSetMappings, System.Collections.Generic.IDictionary imports, System.Collections.Generic.IList secondPasses, System.Collections.Generic.Queue filtersSecondPasses, System.Collections.Generic.IList propertyReferences, NHibernate.Cfg.INamingStrategy namingStrategy, System.Collections.Generic.IDictionary typeDefs, System.Collections.Generic.IDictionary filterDefinitions, System.Collections.Generic.ISet extendsQueue, System.Collections.Generic.IList auxiliaryDatabaseObjects, System.Collections.Generic.IDictionary tableNameBinding, System.Collections.Generic.IDictionary columnNameBindingPerTable, string defaultAssembly, string defaultNamespace, string defaultCatalog, string defaultSchema, string preferPooledValuesLo, NHibernate.Dialect.Dialect dialect) => throw null; + protected Mappings(System.Collections.Generic.IDictionary classes, System.Collections.Generic.IDictionary collections, System.Collections.Generic.IDictionary tables, System.Collections.Generic.IDictionary queries, System.Collections.Generic.IDictionary sqlqueries, System.Collections.Generic.IDictionary resultSetMappings, System.Collections.Generic.IDictionary imports, System.Collections.Generic.IList secondPasses, System.Collections.Generic.Queue filtersSecondPasses, System.Collections.Generic.IList propertyReferences, NHibernate.Cfg.INamingStrategy namingStrategy, System.Collections.Generic.IDictionary typeDefs, System.Collections.Generic.IDictionary filterDefinitions, System.Collections.Generic.ISet extendsQueue, System.Collections.Generic.IList auxiliaryDatabaseObjects, System.Collections.Generic.IDictionary tableNameBinding, System.Collections.Generic.IDictionary columnNameBindingPerTable, string defaultAssembly, string defaultNamespace, string defaultCatalog, string defaultSchema, string preferPooledValuesLo) => throw null; + public string DefaultAccess { get => throw null; set { } } + public string DefaultAssembly { get => throw null; set { } } + public string DefaultCascade { get => throw null; set { } } + public string DefaultCatalog { get => throw null; set { } } + public bool DefaultLazy { get => throw null; set { } } + public string DefaultNamespace { get => throw null; set { } } + public string DefaultSchema { get => throw null; set { } } + public NHibernate.Dialect.Dialect Dialect { get => throw null; } + public void ExpectedFilterDefinition(NHibernate.Mapping.IFilterable filterable, string filterName, string condition) => throw null; + protected System.Collections.Generic.ISet extendsQueue; + public System.Collections.Generic.IDictionary FilterDefinitions { get => throw null; } + public NHibernate.Mapping.PersistentClass GetClass(string className) => throw null; + public NHibernate.Mapping.Collection GetCollection(string role) => throw null; + public NHibernate.Engine.FilterDefinition GetFilterDefinition(string name) => throw null; + public string GetLogicalColumnName(string physicalName, NHibernate.Mapping.Table table) => throw null; + public string GetLogicalTableName(NHibernate.Mapping.Table table) => throw null; + public string GetPhysicalColumnName(string logicalName, NHibernate.Mapping.Table table) => throw null; + public NHibernate.Engine.NamedQueryDefinition GetQuery(string name) => throw null; + public NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string name) => throw null; + public NHibernate.Mapping.Table GetTable(string schema, string catalog, string name) => throw null; + public NHibernate.Mapping.TypeDef GetTypeDef(string typeName) => throw null; + public bool IsAutoImport { get => throw null; set { } } + public System.Collections.Generic.IEnumerable IterateCollections { get => throw null; } + public System.Collections.Generic.IEnumerable IterateTables { get => throw null; } + public NHibernate.Mapping.PersistentClass LocatePersistentClassByEntityName(string entityName) => throw null; + public NHibernate.Cfg.INamingStrategy NamingStrategy { get => throw null; } + public string PreferPooledValuesLo { get => throw null; set { } } + public sealed class PropertyReference + { + public PropertyReference() => throw null; + public string propertyName; + public string referencedClass; + public bool unique; + } + public string SchemaName { get => throw null; set { } } + public class TableDescription + { + public TableDescription(string logicalName, NHibernate.Mapping.Table denormalizedSupertable) => throw null; + public NHibernate.Mapping.Table denormalizedSupertable; + public string logicalName; + } + protected System.Collections.Generic.IDictionary tableNameBinding; + protected System.Collections.Generic.IDictionary typeDefs; + } + namespace MappingSchema + { + public abstract class AbstractDecoratable : NHibernate.Cfg.MappingSchema.IDecoratable + { + protected void CreateMappedMetadata(NHibernate.Cfg.MappingSchema.HbmMeta[] metadatas) => throw null; + protected AbstractDecoratable() => throw null; + public System.Collections.Generic.IDictionary InheritableMetaData { get => throw null; } + public virtual System.Collections.Generic.IDictionary MappedMetaData { get => throw null; } + protected abstract NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get; } + } + public class EndsWithHbmXmlFilter : NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter + { + public EndsWithHbmXmlFilter() => throw null; + public bool ShouldParse(string resourceName) => throw null; + } + public class HbmAny : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping + { + public string access; + public string Access { get => throw null; } + public string cascade; + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmAny() => throw null; + public string idtype; + public string index; + public bool insert; + public bool IsLazyProperty { get => throw null; } + public bool lazy; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string metatype; + public string MetaType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmMetaValue[] metavalue; + public System.Collections.Generic.ICollection MetaValues { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public bool update; + } + public class HbmArray : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmArray() => throw null; + public string elementclass; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool? Generic { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public object Item1; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public class HbmBag : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmBag() => throw null; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool generic; + public bool? Generic { get => throw null; } + public bool genericSpecified; + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string orderby; + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public abstract class HbmBase + { + protected HbmBase() => throw null; + protected static T Find(object[] array) => throw null; + protected static T[] FindAll(object[] array) => throw null; + protected static string JoinString(string[] text) => throw null; + } + public class HbmCache + { + public HbmCache() => throw null; + public NHibernate.Cfg.MappingSchema.HbmCacheInclude include; + public string region; + public NHibernate.Cfg.MappingSchema.HbmCacheUsage usage; + } + public enum HbmCacheInclude + { + All = 0, + NonLazy = 1, + } + public enum HbmCacheMode + { + Get = 0, + Ignore = 1, + Normal = 2, + Put = 3, + Refresh = 4, + } + public enum HbmCacheUsage + { + ReadOnly = 0, + ReadWrite = 1, + NonstrictReadWrite = 2, + Transactional = 3, + Never = 4, + } + public class HbmClass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityDiscriminableMapping + { + public bool @abstract; + public bool abstractSpecified; + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public string catalog; + public string check; + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public NHibernate.Cfg.MappingSchema.HbmCompositeId CompositeId { get => throw null; } + public HbmClass() => throw null; + public NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminator; + public string discriminatorvalue; + public string DiscriminatorValue { get => throw null; } + public bool dynamicinsert; + public bool DynamicInsert { get => throw null; } + public bool dynamicupdate; + public bool DynamicUpdate { get => throw null; } + public string entityname; + public string EntityName { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public NHibernate.Cfg.MappingSchema.HbmId Id { get => throw null; } + public bool? IsAbstract { get => throw null; } + public object Item; + public object Item1; + public object[] Items; + public object[] Items1; + public object[] Items2; + public System.Collections.Generic.IEnumerable JoinedSubclasses { get => throw null; } + public System.Collections.Generic.IEnumerable Joins { get => throw null; } + public bool lazy; + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public string name; + public string Name { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmNaturalId naturalid; + public string node; + public string Node { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOptimisticLockMode optimisticlock; + public string persister; + public string Persister { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmPolymorphismType polymorphism; + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public string proxy; + public string Proxy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; + public string rowid; + public string schema; + public string schemaaction; + public bool selectbeforeupdate; + public bool SelectBeforeUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public System.Collections.Generic.IEnumerable Subclasses { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } + public string table; + public NHibernate.Cfg.MappingSchema.HbmTimestamp Timestamp { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } + public System.Collections.Generic.IEnumerable UnionSubclasses { get => throw null; } + public bool? UseLazy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmVersion Version { get => throw null; } + public string where; + } + public enum HbmCollectionFetchMode + { + Select = 0, + Join = 1, + Subselect = 2, + } + public class HbmCollectionId : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmCollectionId() => throw null; + public NHibernate.Cfg.MappingSchema.HbmGenerator generator; + public string length; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + public string type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + } + public enum HbmCollectionLazy + { + True = 0, + False = 1, + Extra = 2, + } + public class HbmColumn + { + public string check; + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmColumn() => throw null; + public string @default; + public string index; + public string length; + public string name; + public bool notnull; + public bool notnullSpecified; + public string precision; + public string scale; + public string sqltype; + public bool unique; + public string uniquekey; + public bool uniqueSpecified; + } + public class HbmComment + { + public HbmComment() => throw null; + public string[] Text; + } + public class HbmComponent : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string access; + public string Access { get => throw null; } + public string @class; + public string Class { get => throw null; } + public HbmComponent() => throw null; + public string EmbeddedNode { get => throw null; } + public bool insert; + public bool IsLazyProperty { get => throw null; } + public object[] Items; + public bool lazy; + public string lazygroup; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent parent; + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; + public bool unique; + public bool update; + } + public class HbmCompositeElement : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string @class; + public string Class { get => throw null; } + public HbmCompositeElement() => throw null; + public string EmbeddedNode { get => throw null; } + public object[] Items; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string Name { get => throw null; } + public string node; + public NHibernate.Cfg.MappingSchema.HbmParent parent; + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + } + public class HbmCompositeId + { + public string access; + public string @class; + public HbmCompositeId() => throw null; + public object[] Items; + public bool mapped; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + public string name; + public string node; + public NHibernate.Cfg.MappingSchema.HbmUnsavedValueType unsavedvalue; + } + public class HbmCompositeIndex : NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string @class; + public string Class { get => throw null; } + public HbmCompositeIndex() => throw null; + public string EmbeddedNode { get => throw null; } + public object[] Items; + public string Name { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + } + public class HbmCompositeMapKey : NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string @class; + public string Class { get => throw null; } + public HbmCompositeMapKey() => throw null; + public string EmbeddedNode { get => throw null; } + public object[] Items; + public string Name { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + } + public class HbmCreate + { + public HbmCreate() => throw null; + public string[] Text; + } + public class HbmCustomSQL + { + public bool callable; + public bool callableSpecified; + public NHibernate.Cfg.MappingSchema.HbmCustomSQLCheck check; + public bool checkSpecified; + public HbmCustomSQL() => throw null; + public string[] Text; + } + public enum HbmCustomSQLCheck + { + None = 0, + Rowcount = 1, + Param = 2, + } + public class HbmDatabaseObject : NHibernate.Cfg.MappingSchema.HbmBase + { + public HbmDatabaseObject() => throw null; + public NHibernate.Cfg.MappingSchema.HbmDialectScope[] dialectscope; + public string FindCreateText() => throw null; + public NHibernate.Cfg.MappingSchema.HbmDefinition FindDefinition() => throw null; + public System.Collections.Generic.IList FindDialectScopeNames() => throw null; + public string FindDropText() => throw null; + public bool HasDefinition() => throw null; + public object[] Items; + } + public class HbmDefinition : NHibernate.Cfg.MappingSchema.HbmBase + { + public string @class; + public HbmDefinition() => throw null; + public System.Collections.Generic.IDictionary FindParameterValues() => throw null; + public NHibernate.Cfg.MappingSchema.HbmParam[] param; + } + public class HbmDialectScope + { + public HbmDialectScope() => throw null; + public string name; + public string[] Text; + } + public class HbmDiscriminator : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping + { + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmDiscriminator() => throw null; + public bool force; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public bool insert; + public object Item; + public string length; + public bool notnull; + public string type; + } + public class HbmDrop + { + public HbmDrop() => throw null; + public string[] Text; + } + public class HbmDynamicComponent : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string access; + public string Access { get => throw null; } + public string Class { get => throw null; } + public HbmDynamicComponent() => throw null; + public string EmbeddedNode { get => throw null; } + public bool insert; + public bool IsLazyProperty { get => throw null; } + public object[] Items; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public bool unique; + public bool update; + } + public class HbmElement : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmElement() => throw null; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public object[] Items; + public string length; + public string node; + public bool notnull; + public string precision; + public string scale; + public NHibernate.Cfg.MappingSchema.HbmType type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + public string type1; + public bool unique; + } + public static partial class HbmExtensions + { + public static string JoinString(this string[] source) => throw null; + public static string ToCacheConcurrencyStrategy(this NHibernate.Cfg.MappingSchema.HbmCacheUsage cacheUsage) => throw null; + public static NHibernate.CacheMode? ToCacheMode(this NHibernate.Cfg.MappingSchema.HbmCacheMode cacheMode) => throw null; + public static string ToNullValue(this NHibernate.Cfg.MappingSchema.HbmUnsavedValueType unsavedValueType) => throw null; + public static NHibernate.Engine.Versioning.OptimisticLock ToOptimisticLock(this NHibernate.Cfg.MappingSchema.HbmOptimisticLockMode hbmOptimisticLockMode) => throw null; + } + public enum HbmFetchMode + { + Select = 0, + Join = 1, + } + public class HbmFilter + { + public string condition; + public HbmFilter() => throw null; + public string name; + public string[] Text; + } + public class HbmFilterDef : NHibernate.Cfg.MappingSchema.HbmBase + { + public string condition; + public HbmFilterDef() => throw null; + public string GetDefaultCondition() => throw null; + public NHibernate.Cfg.MappingSchema.HbmFilterParam[] Items; + public NHibernate.Cfg.MappingSchema.HbmFilterParam[] ListParameters() => throw null; + public string name; + public string[] Text; + public bool usemanytoone; + } + public class HbmFilterParam + { + public HbmFilterParam() => throw null; + public string name; + public string type; + } + public enum HbmFlushMode + { + Auto = 0, + Manual = 1, + Always = 2, + Never = 3, + } + public class HbmFormula + { + public HbmFormula() => throw null; + public string[] Text; + } + public class HbmGenerator + { + public string @class; + public HbmGenerator() => throw null; + public NHibernate.Cfg.MappingSchema.HbmParam[] param; + } + public class HbmId : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public string access; + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmId() => throw null; + public NHibernate.Cfg.MappingSchema.HbmGenerator generator; + public string generator1; + public string length; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string node; + public NHibernate.Cfg.MappingSchema.HbmType type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + public string type1; + public string unsavedvalue; + } + public class HbmIdbag : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionId collectionid; + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmIdbag() => throw null; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool generic; + public bool? Generic { get => throw null; } + public bool genericSpecified; + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string orderby; + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public class HbmImport + { + public string @class; + public HbmImport() => throw null; + public string rename; + } + public class HbmIndex : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmIndex() => throw null; + public string length; + public string type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + } + public class HbmIndexManyToAny : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping + { + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmIndexManyToAny() => throw null; + public string idtype; + public string metatype; + public string MetaType { get => throw null; } + public System.Collections.Generic.ICollection MetaValues { get => throw null; } + } + public class HbmIndexManyToMany : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IRelationship + { + public string @class; + public string Class { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmIndexManyToMany() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public string foreignkey; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + } + public class HbmJoin : NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string catalog; + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmJoin() => throw null; + public NHibernate.Cfg.MappingSchema.HbmJoinFetch fetch; + public bool inverse; + public object[] Items; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public bool optional; + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public string schema; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public string table; + } + public class HbmJoinedSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public bool @abstract; + public bool abstractSpecified; + public string batchsize; + public int? BatchSize { get => throw null; } + public string catalog; + public string check; + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmJoinedSubclass() => throw null; + public bool dynamicinsert; + public bool DynamicInsert { get => throw null; } + public bool dynamicupdate; + public bool DynamicUpdate { get => throw null; } + public string entityname; + public string EntityName { get => throw null; } + public string extends; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public bool? IsAbstract { get => throw null; } + public object[] Items; + public object[] Items1; + public NHibernate.Cfg.MappingSchema.HbmJoinedSubclass[] joinedsubclass1; + public System.Collections.Generic.IEnumerable JoinedSubclasses { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmKey key; + public bool lazy; + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public string Node { get => throw null; } + public string persister; + public string Persister { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public string proxy; + public string Proxy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; + public string schema; + public string schemaaction; + public bool selectbeforeupdate; + public bool SelectBeforeUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } + public string table; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } + public bool? UseLazy { get => throw null; } + } + public enum HbmJoinFetch + { + Join = 0, + Select = 1, + } + public class HbmKey : NHibernate.Cfg.MappingSchema.IColumnsMapping + { + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmKey() => throw null; + public string foreignkey; + public bool? IsNullable { get => throw null; } + public bool? IsUpdatable { get => throw null; } + public bool notnull; + public bool notnullSpecified; + public NHibernate.Cfg.MappingSchema.HbmOndelete ondelete; + public string propertyref; + public bool unique; + public bool uniqueSpecified; + public bool update; + public bool updateSpecified; + } + public class HbmKeyManyToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IRelationship, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable + { + public string access; + public string Access { get => throw null; } + public string @class; + public string Class { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmKeyManyToOne() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public string foreignkey; + public bool IsLazyProperty { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness lazy; + public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + public bool OptimisticLock { get => throw null; } + } + public class HbmKeyProperty : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.ITypeMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable + { + public string access; + public string Access { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmKeyProperty() => throw null; + public bool IsLazyProperty { get => throw null; } + public string length; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmType type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + public string type1; + } + public enum HbmLaziness + { + False = 0, + Proxy = 1, + NoProxy = 2, + } + public class HbmList : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmList() => throw null; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool generic; + public bool? Generic { get => throw null; } + public bool genericSpecified; + public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public object Item1; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string orderby; + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public class HbmListIndex : NHibernate.Cfg.MappingSchema.IColumnsMapping + { + public string @base; + public NHibernate.Cfg.MappingSchema.HbmColumn column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmListIndex() => throw null; + } + public class HbmLoadCollection + { + public string alias; + public HbmLoadCollection() => throw null; + public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; + public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; + public string role; + } + public class HbmLoader + { + public HbmLoader() => throw null; + public string queryref; + } + public enum HbmLockMode + { + None = 0, + Read = 1, + Upgrade = 2, + UpgradeNowait = 3, + Write = 4, + } + public class HbmManyToAny : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IAnyMapping + { + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmManyToAny() => throw null; + public string idtype; + public string metatype; + public string MetaType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmMetaValue[] metavalue; + public System.Collections.Generic.ICollection MetaValues { get => throw null; } + } + public class HbmManyToMany : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IRelationship + { + public string @class; + public string Class { get => throw null; } + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmManyToMany() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public string foreignkey; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public object[] Items; + public NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness lazy; + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + public string node; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + public string orderby; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public bool outerjoinSpecified; + public string propertyref; + public bool unique; + public string where; + } + public class HbmManyToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IRelationship + { + public string access; + public string Access { get => throw null; } + public string cascade; + public string @class; + public string Class { get => throw null; } + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmManyToOne() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; + public bool fetchSpecified; + public string foreignkey; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public string index; + public bool insert; + public bool IsLazyProperty { get => throw null; } + public object[] Items; + public NHibernate.Cfg.MappingSchema.HbmLaziness lazy; + public NHibernate.Cfg.MappingSchema.HbmLaziness? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + public bool notnull; + public bool notnullSpecified; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public bool outerjoinSpecified; + public string propertyref; + public bool unique; + public string uniquekey; + public bool update; + } + public class HbmMap : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmMap() => throw null; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool generic; + public bool? Generic { get => throw null; } + public bool genericSpecified; + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public object Item1; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string orderby; + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string sort; + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public class HbmMapKey : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmMapKey() => throw null; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public object[] Items; + public string length; + public string node; + public string type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + } + public class HbmMapKeyManyToMany : NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IRelationship + { + public string @class; + public string Class { get => throw null; } + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmMapKeyManyToMany() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public string foreignkey; + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public object[] Items; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + } + public class HbmMapping : NHibernate.Cfg.MappingSchema.AbstractDecoratable + { + public string assembly; + public bool autoimport; + public string catalog; + public HbmMapping() => throw null; + public NHibernate.Cfg.MappingSchema.HbmDatabaseObject[] databaseobject; + public NHibernate.Cfg.MappingSchema.HbmDatabaseObject[] DatabaseObjects { get => throw null; } + public string defaultaccess; + public string defaultcascade; + public bool defaultlazy; + public NHibernate.Cfg.MappingSchema.HbmFilterDef[] filterdef; + public NHibernate.Cfg.MappingSchema.HbmFilterDef[] FilterDefinitions { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmQuery[] HqlQueries { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmImport[] import; + public NHibernate.Cfg.MappingSchema.HbmImport[] Imports { get => throw null; } + public object[] Items; + public object[] Items1; + public NHibernate.Cfg.MappingSchema.HbmJoinedSubclass[] JoinedSubclasses { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string @namespace; + public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; + public NHibernate.Cfg.MappingSchema.HbmResultSet[] ResultSets { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmClass[] RootClasses { get => throw null; } + public string schema; + public NHibernate.Cfg.MappingSchema.HbmSqlQuery[] SqlQueries { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubclass[] SubClasses { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmTypedef[] typedef; + public NHibernate.Cfg.MappingSchema.HbmTypedef[] TypeDefinitions { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmUnionSubclass[] UnionSubclasses { get => throw null; } + } + public class HbmMeta : NHibernate.Cfg.MappingSchema.HbmBase + { + public string attribute; + public HbmMeta() => throw null; + public string GetText() => throw null; + public bool inherit; + public string[] Text; + } + public class HbmMetaValue + { + public string @class; + public HbmMetaValue() => throw null; + public string value; + } + public class HbmNaturalId : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public HbmNaturalId() => throw null; + public object[] Items; + public bool mutable; + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + } + public class HbmNestedCompositeElement : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string access; + public string Access { get => throw null; } + public string @class; + public string Class { get => throw null; } + public HbmNestedCompositeElement() => throw null; + public string EmbeddedNode { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object[] Items; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent parent; + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + } + public enum HbmNotFoundMode + { + Ignore = 0, + Exception = 1, + } + public enum HbmOndelete + { + Cascade = 0, + Noaction = 1, + } + public class HbmOneToMany : NHibernate.Cfg.MappingSchema.IRelationship + { + public string @class; + public string Class { get => throw null; } + public HbmOneToMany() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public string node; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode notfound; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + } + public class HbmOneToOne : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.IRelationship + { + public string access; + public string Access { get => throw null; } + public string cascade; + public string @class; + public string Class { get => throw null; } + public bool constrained; + public HbmOneToOne() => throw null; + public string entityname; + public string EntityName { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmFetchMode fetch; + public bool fetchSpecified; + public string foreignkey; + public NHibernate.Cfg.MappingSchema.HbmFormula[] formula; + public string formula1; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLaziness lazy; + public NHibernate.Cfg.MappingSchema.HbmLaziness? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get => throw null; } + public bool optimisticlock; + public bool OptimisticLock { get => throw null; set { } } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public bool outerjoinSpecified; + public string propertyref; + } + public enum HbmOptimisticLockMode + { + None = 0, + Version = 1, + Dirty = 2, + All = 3, + } + public enum HbmOuterJoinStrategy + { + Auto = 0, + True = 1, + False = 2, + } + public class HbmParam : NHibernate.Cfg.MappingSchema.HbmBase + { + public HbmParam() => throw null; + public string GetText() => throw null; + public string name; + public string[] Text; + } + public class HbmParent + { + public string access; + public HbmParent() => throw null; + public string name; + } + public enum HbmPolymorphismType + { + Implicit = 0, + Explicit = 1, + } + public class HbmPrimitiveArray : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping, NHibernate.Cfg.MappingSchema.IIndexedCollectionMapping + { + public string access; + public string Access { get => throw null; } + public string batchsize; + public int? BatchSize { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmPrimitiveArray() => throw null; + public NHibernate.Cfg.MappingSchema.HbmElement element; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmPrimitivearrayFetch fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool? Generic { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmIndex Index { get => throw null; } + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmPrimitivearrayOuterjoin outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public enum HbmPrimitivearrayFetch + { + Join = 0, + Select = 1, + Subselect = 2, + } + public enum HbmPrimitivearrayOuterjoin + { + True = 0, + False = 1, + Auto = 2, + } + public class HbmProperties : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IComponentMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public string Access { get => throw null; } + public string Class { get => throw null; } + public HbmProperties() => throw null; + public string EmbeddedNode { get => throw null; } + public bool insert; + public bool IsLazyProperty { get => throw null; } + public object[] Items; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmParent Parent { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public bool unique; + public bool update; + } + public class HbmProperty : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping, NHibernate.Cfg.MappingSchema.IFormulasMapping, NHibernate.Cfg.MappingSchema.ITypeMapping + { + public string access; + public string Access { get => throw null; } + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnsAndFormulas { get => throw null; } + public HbmProperty() => throw null; + public string FetchGroup { get => throw null; } + public string formula; + public System.Collections.Generic.IEnumerable Formulas { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmPropertyGeneration generated; + public string index; + public bool insert; + public bool insertSpecified; + public bool IsLazyProperty { get => throw null; } + public object[] Items; + public bool lazy; + public string lazygroup; + public string length; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool notnull; + public bool notnullSpecified; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string precision; + public string scale; + public NHibernate.Cfg.MappingSchema.HbmType type; + public NHibernate.Cfg.MappingSchema.HbmType Type { get => throw null; } + public string type1; + public bool unique; + public string uniquekey; + public bool update; + public bool updateSpecified; + } + public enum HbmPropertyGeneration + { + Never = 0, + Insert = 1, + Always = 2, + } + public class HbmQuery : NHibernate.Cfg.MappingSchema.HbmBase + { + public bool cacheable; + public NHibernate.Cfg.MappingSchema.HbmCacheMode cachemode; + public bool cachemodeSpecified; + public string cacheregion; + public string comment; + public HbmQuery() => throw null; + public int fetchsize; + public bool fetchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmFlushMode flushmode; + public bool flushmodeSpecified; + public string GetText() => throw null; + public NHibernate.Cfg.MappingSchema.HbmQueryParam[] Items; + public string name; + public bool @readonly; + public bool readonlySpecified; + public string[] Text; + public string timeout; + } + public class HbmQueryParam + { + public HbmQueryParam() => throw null; + public string name; + public string type; + } + public enum HbmRestrictedLaziness + { + False = 0, + Proxy = 1, + } + public class HbmResultSet + { + public HbmResultSet() => throw null; + public object[] Items; + public string name; + } + public class HbmReturn + { + public string alias; + public string @class; + public HbmReturn() => throw null; + public string entityname; + public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; + public NHibernate.Cfg.MappingSchema.HbmReturnDiscriminator returndiscriminator; + public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; + } + public class HbmReturnColumn + { + public HbmReturnColumn() => throw null; + public string name; + } + public class HbmReturnDiscriminator + { + public string column; + public HbmReturnDiscriminator() => throw null; + } + public class HbmReturnJoin + { + public string alias; + public HbmReturnJoin() => throw null; + public NHibernate.Cfg.MappingSchema.HbmLockMode lockmode; + public string property; + public NHibernate.Cfg.MappingSchema.HbmReturnProperty[] returnproperty; + } + public class HbmReturnProperty + { + public string column; + public HbmReturnProperty() => throw null; + public string name; + public NHibernate.Cfg.MappingSchema.HbmReturnColumn[] returncolumn; + } + public class HbmReturnScalar + { + public string column; + public HbmReturnScalar() => throw null; + public string type; + } + public class HbmSet : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping, NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping + { + public string access; + public string Access { get => throw null; } + public int batchsize; + public int? BatchSize { get => throw null; } + public bool batchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmCache cache; + public NHibernate.Cfg.MappingSchema.HbmCache Cache { get => throw null; } + public string cascade; + public string Cascade { get => throw null; } + public string catalog; + public string Catalog { get => throw null; } + public string check; + public string Check { get => throw null; } + public string collectiontype; + public string CollectionType { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmSet() => throw null; + public object ElementRelationship { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode fetch; + public NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get => throw null; } + public bool fetchSpecified; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public System.Collections.Generic.IEnumerable Filters { get => throw null; } + public bool generic; + public bool? Generic { get => throw null; } + public bool genericSpecified; + public bool inverse; + public bool Inverse { get => throw null; } + public bool IsLazyProperty { get => throw null; } + public object Item; + public NHibernate.Cfg.MappingSchema.HbmKey key; + public NHibernate.Cfg.MappingSchema.HbmKey Key { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy lazy; + public NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get => throw null; } + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public bool mutable; + public bool Mutable { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public bool optimisticlock; + public bool OptimisticLock { get => throw null; } + public string orderby; + public string OrderBy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerjoin; + public NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get => throw null; } + public bool outerjoinSpecified; + public string persister; + public string PersisterQualifiedName { get => throw null; } + public string schema; + public string Schema { get => throw null; } + public string sort; + public string Sort { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldeleteall; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public string table; + public string Table { get => throw null; } + public string where; + public string Where { get => throw null; } + } + public class HbmSqlQuery : NHibernate.Cfg.MappingSchema.HbmBase + { + public bool cacheable; + public NHibernate.Cfg.MappingSchema.HbmCacheMode cachemode; + public bool cachemodeSpecified; + public string cacheregion; + public bool callable; + public string comment; + public HbmSqlQuery() => throw null; + public int fetchsize; + public bool fetchsizeSpecified; + public NHibernate.Cfg.MappingSchema.HbmFlushMode flushmode; + public bool flushmodeSpecified; + public string GetText() => throw null; + public object[] Items; + public string name; + public bool @readonly; + public bool readonlySpecified; + public string resultsetref; + public string[] Text; + public string timeout; + } + public class HbmSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping, NHibernate.Cfg.MappingSchema.IEntityDiscriminableMapping + { + public bool @abstract; + public bool abstractSpecified; + public string batchsize; + public int? BatchSize { get => throw null; } + public HbmSubclass() => throw null; + public string discriminatorvalue; + public string DiscriminatorValue { get => throw null; } + public bool dynamicinsert; + public bool DynamicInsert { get => throw null; } + public bool dynamicupdate; + public bool DynamicUpdate { get => throw null; } + public string entityname; + public string EntityName { get => throw null; } + public string extends; + public NHibernate.Cfg.MappingSchema.HbmFilter[] filter; + public bool? IsAbstract { get => throw null; } + public object[] Items; + public object[] Items1; + public NHibernate.Cfg.MappingSchema.HbmJoin[] join; + public System.Collections.Generic.IEnumerable Joins { get => throw null; } + public bool lazy; + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public string Node { get => throw null; } + public string persister; + public string Persister { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public string proxy; + public string Proxy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; + public bool selectbeforeupdate; + public bool SelectBeforeUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubclass[] subclass1; + public System.Collections.Generic.IEnumerable Subclasses { get => throw null; } + public string Subselect { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } + public bool? UseLazy { get => throw null; } + } + public class HbmSubselect + { + public HbmSubselect() => throw null; + public string[] Text; + } + public class HbmSynchronize + { + public HbmSynchronize() => throw null; + public string table; + } + public class HbmTimestamp : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping + { + public string access; + public string column; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmTimestamp() => throw null; + public NHibernate.Cfg.MappingSchema.HbmVersionGeneration generated; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string node; + public NHibernate.Cfg.MappingSchema.HbmTimestampSource source; + public NHibernate.Cfg.MappingSchema.HbmTimestampUnsavedvalue unsavedvalue; + public bool unsavedvalueSpecified; + } + public enum HbmTimestampSource + { + Vm = 0, + Db = 1, + } + public enum HbmTimestampUnsavedvalue + { + Null = 0, + Undefined = 1, + } + public class HbmTuplizer + { + public string @class; + public HbmTuplizer() => throw null; + public NHibernate.Cfg.MappingSchema.HbmTuplizerEntitymode entitymode; + public bool entitymodeSpecified; + } + public enum HbmTuplizerEntitymode + { + Poco = 0, + DynamicMap = 1, + } + public class HbmType + { + public HbmType() => throw null; + public string name; + public NHibernate.Cfg.MappingSchema.HbmParam[] param; + } + public class HbmTypedef + { + public string @class; + public HbmTypedef() => throw null; + public string name; + public NHibernate.Cfg.MappingSchema.HbmParam[] param; + } + public class HbmUnionSubclass : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IEntityMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + public bool @abstract; + public bool abstractSpecified; + public string batchsize; + public int? BatchSize { get => throw null; } + public string catalog; + public string check; + public NHibernate.Cfg.MappingSchema.HbmComment comment; + public HbmUnionSubclass() => throw null; + public bool dynamicinsert; + public bool DynamicInsert { get => throw null; } + public bool dynamicupdate; + public bool DynamicUpdate { get => throw null; } + public string entityname; + public string EntityName { get => throw null; } + public string extends; + public bool? IsAbstract { get => throw null; } + public object[] Items; + public object[] Items1; + public bool lazy; + public bool lazySpecified; + public NHibernate.Cfg.MappingSchema.HbmLoader loader; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string Name { get => throw null; } + public string node; + public string Node { get => throw null; } + public string persister; + public string Persister { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public string proxy; + public string Proxy { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmResultSet[] resultset; + public string schema; + public bool selectbeforeupdate; + public bool SelectBeforeUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqldelete; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlinsert; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmCustomSQL sqlupdate; + public NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmSubselect subselect; + public string Subselect { get => throw null; } + public string subselect1; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] synchronize; + public NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get => throw null; } + public string table; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] tuplizer; + public NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get => throw null; } + public NHibernate.Cfg.MappingSchema.HbmUnionSubclass[] unionsubclass1; + public System.Collections.Generic.IEnumerable UnionSubclasses { get => throw null; } + public bool? UseLazy { get => throw null; } + } + public enum HbmUnsavedValueType + { + Undefined = 0, + Any = 1, + None = 2, + } + public class HbmVersion : NHibernate.Cfg.MappingSchema.AbstractDecoratable, NHibernate.Cfg.MappingSchema.IColumnsMapping + { + public string access; + public NHibernate.Cfg.MappingSchema.HbmColumn[] column; + public string column1; + public System.Collections.Generic.IEnumerable Columns { get => throw null; } + public HbmVersion() => throw null; + public NHibernate.Cfg.MappingSchema.HbmVersionGeneration generated; + public bool insert; + public bool insertSpecified; + public NHibernate.Cfg.MappingSchema.HbmMeta[] meta; + protected override NHibernate.Cfg.MappingSchema.HbmMeta[] Metadatas { get => throw null; } + public string name; + public string node; + public string type; + public string unsavedvalue; + } + public enum HbmVersionGeneration + { + Never = 0, + Always = 1, + } + public interface IAnyMapping + { + string MetaType { get; } + System.Collections.Generic.ICollection MetaValues { get; } + } + public interface IAssemblyResourceFilter + { + bool ShouldParse(string resourceName); + } + public interface ICollectionPropertiesMapping : NHibernate.Cfg.MappingSchema.IEntityPropertyMapping, NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IReferencePropertyMapping, NHibernate.Cfg.MappingSchema.ICollectionSqlsMapping + { + int? BatchSize { get; } + NHibernate.Cfg.MappingSchema.HbmCache Cache { get; } + string Catalog { get; } + string Check { get; } + string CollectionType { get; } + object ElementRelationship { get; } + NHibernate.Cfg.MappingSchema.HbmCollectionFetchMode? FetchMode { get; } + System.Collections.Generic.IEnumerable Filters { get; } + bool? Generic { get; } + bool Inverse { get; } + NHibernate.Cfg.MappingSchema.HbmKey Key { get; } + NHibernate.Cfg.MappingSchema.HbmCollectionLazy? Lazy { get; } + bool Mutable { get; } + string OrderBy { get; } + NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy? OuterJoin { get; } + string PersisterQualifiedName { get; } + string Schema { get; } + string Sort { get; } + string Table { get; } + string Where { get; } + } + public interface ICollectionSqlsMapping + { + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get; } + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDeleteAll { get; } + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get; } + NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get; } + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get; } + string Subselect { get; } + } + public interface IColumnsMapping + { + System.Collections.Generic.IEnumerable Columns { get; } + } + public interface IComponentMapping : NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + string Class { get; } + string EmbeddedNode { get; } + string Name { get; } + NHibernate.Cfg.MappingSchema.HbmParent Parent { get; } + } + public interface IDecoratable + { + System.Collections.Generic.IDictionary InheritableMetaData { get; } + System.Collections.Generic.IDictionary MappedMetaData { get; } + } + public interface IEntityDiscriminableMapping + { + string DiscriminatorValue { get; } + } + public interface IEntityMapping : NHibernate.Cfg.MappingSchema.IDecoratable, NHibernate.Cfg.MappingSchema.IEntitySqlsMapping, NHibernate.Cfg.MappingSchema.IPropertiesContainerMapping + { + int? BatchSize { get; } + bool DynamicInsert { get; } + bool DynamicUpdate { get; } + string EntityName { get; } + bool? IsAbstract { get; } + string Name { get; } + string Node { get; } + string Persister { get; } + string Proxy { get; } + bool SelectBeforeUpdate { get; } + NHibernate.Cfg.MappingSchema.HbmSynchronize[] Synchronize { get; } + NHibernate.Cfg.MappingSchema.HbmTuplizer[] Tuplizers { get; } + bool? UseLazy { get; } + } + public interface IEntityPropertyMapping : NHibernate.Cfg.MappingSchema.IDecoratable + { + string Access { get; } + bool IsLazyProperty { get; } + string Name { get; } + bool OptimisticLock { get; } + } + public interface IEntitySqlsMapping + { + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlDelete { get; } + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlInsert { get; } + NHibernate.Cfg.MappingSchema.HbmLoader SqlLoader { get; } + NHibernate.Cfg.MappingSchema.HbmCustomSQL SqlUpdate { get; } + string Subselect { get; } + } + public interface IFormulasMapping + { + System.Collections.Generic.IEnumerable Formulas { get; } + } + public interface IIndexedCollectionMapping + { + NHibernate.Cfg.MappingSchema.HbmIndex Index { get; } + NHibernate.Cfg.MappingSchema.HbmListIndex ListIndex { get; } + } + public interface IMappingDocumentParser + { + NHibernate.Cfg.MappingSchema.HbmMapping Parse(System.IO.Stream stream); + } + public interface IPropertiesContainerMapping + { + System.Collections.Generic.IEnumerable Properties { get; } + } + public interface IReferencePropertyMapping + { + string Cascade { get; } + } + public interface IRelationship + { + string Class { get; } + string EntityName { get; } + NHibernate.Cfg.MappingSchema.HbmNotFoundMode NotFoundMode { get; } + } + public interface ITypeMapping + { + NHibernate.Cfg.MappingSchema.HbmType Type { get; } + } + public class MappingDocumentAggregator + { + public void Add(NHibernate.Cfg.MappingSchema.HbmMapping document) => throw null; + public void Add(System.IO.Stream stream) => throw null; + public void Add(System.Reflection.Assembly assembly, string resourceName) => throw null; + public void Add(System.Reflection.Assembly assembly, NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter filter) => throw null; + public void Add(System.Reflection.Assembly assembly) => throw null; + public void Add(System.IO.FileInfo file) => throw null; + public void Add(string fileName) => throw null; + public MappingDocumentAggregator() => throw null; + public MappingDocumentAggregator(NHibernate.Cfg.MappingSchema.IMappingDocumentParser parser, NHibernate.Cfg.MappingSchema.IAssemblyResourceFilter defaultFilter) => throw null; + public System.Collections.Generic.IList List() => throw null; + } + public class MappingDocumentParser : NHibernate.Cfg.MappingSchema.IMappingDocumentParser + { + public MappingDocumentParser() => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapping Parse(System.IO.Stream stream) => throw null; + } + public static partial class MappingExtensions + { + public static NHibernate.EntityMode ToEntityMode(this NHibernate.Cfg.MappingSchema.HbmTuplizerEntitymode source) => throw null; + } + } + public class MappingsQueue + { + public void AddDocument(NHibernate.Cfg.NamedXmlDocument document) => throw null; + public void CheckNoUnavailableEntries() => throw null; + public MappingsQueue() => throw null; + public NHibernate.Cfg.NamedXmlDocument GetNextAvailableResource() => throw null; + } + public class MappingsQueueEntry + { + public System.Collections.Generic.ICollection ContainedClassNames { get => throw null; } + public MappingsQueueEntry(NHibernate.Cfg.NamedXmlDocument document, System.Collections.Generic.IEnumerable classEntries) => throw null; + public NHibernate.Cfg.NamedXmlDocument Document { get => throw null; } + public System.Collections.Generic.ICollection RequiredClassNames { get => throw null; } + public class RequiredEntityName + { + public RequiredEntityName(string entityName, string fullClassName) => throw null; + public string EntityName { get => throw null; } + public bool Equals(NHibernate.Cfg.MappingsQueueEntry.RequiredEntityName obj) => throw null; + public override bool Equals(object obj) => throw null; + public string FullClassName { get => throw null; } + public override int GetHashCode() => throw null; + public override string ToString() => throw null; + } + } + public class NamedXmlDocument + { + public NamedXmlDocument(string name, System.Xml.XmlDocument document) => throw null; + public NamedXmlDocument(string name, System.Xml.XmlDocument document, System.Xml.Serialization.XmlSerializer serializer) => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapping Document { get => throw null; } + public string Name { get => throw null; } + } + public class SchemaAutoAction + { + public static NHibernate.Cfg.SchemaAutoAction Create; + public override bool Equals(object obj) => throw null; + public bool Equals(string other) => throw null; + public bool Equals(NHibernate.Cfg.SchemaAutoAction other) => throw null; + public override int GetHashCode() => throw null; + public static bool operator ==(string a, NHibernate.Cfg.SchemaAutoAction b) => throw null; + public static bool operator ==(NHibernate.Cfg.SchemaAutoAction a, string b) => throw null; + public static bool operator !=(NHibernate.Cfg.SchemaAutoAction a, string b) => throw null; + public static bool operator !=(string a, NHibernate.Cfg.SchemaAutoAction b) => throw null; + public static NHibernate.Cfg.SchemaAutoAction Recreate; + public override string ToString() => throw null; + public static NHibernate.Cfg.SchemaAutoAction Update; + public static NHibernate.Cfg.SchemaAutoAction Validate; + } + public delegate void SecondPassCommand(System.Collections.Generic.IDictionary persistentClasses); + public class SessionFactoryConfigurationBase : NHibernate.Cfg.ISessionFactoryConfiguration + { + public System.Collections.Generic.IList ClassesCache { get => throw null; } + public System.Collections.Generic.IList CollectionsCache { get => throw null; } + public SessionFactoryConfigurationBase() => throw null; + public System.Collections.Generic.IList Events { get => throw null; } + public System.Collections.Generic.IList Listeners { get => throw null; } + public System.Collections.Generic.IList Mappings { get => throw null; } + public string Name { get => throw null; set { } } + public System.Collections.Generic.IDictionary Properties { get => throw null; } + } + public sealed class Settings + { + public int AdoBatchSize { get => throw null; } + public bool AutoJoinTransaction { get => throw null; } + public NHibernate.AdoNet.IBatcherFactory BatcherFactory { get => throw null; } + public NHibernate.Loader.BatchFetchStyle BatchFetchStyle { get => throw null; } + public NHibernate.Loader.Collection.BatchingCollectionInitializerBuilder BatchingCollectionInitializationBuilder { get => throw null; } + public NHibernate.Loader.Entity.BatchingEntityLoaderBuilder BatchingEntityLoaderBuilder { get => throw null; } + public NHibernate.Cache.ICacheProvider CacheProvider { get => throw null; } + public NHibernate.Cache.ICacheReadWriteLockFactory CacheReadWriteLockFactory { get => throw null; } + public string CacheRegionPrefix { get => throw null; } + public NHibernate.Connection.IConnectionProvider ConnectionProvider { get => throw null; } + public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { get => throw null; } + public Settings() => throw null; + public int DefaultBatchFetchSize { get => throw null; } + public string DefaultCatalogName { get => throw null; } + public NHibernate.FlushMode DefaultFlushMode { get => throw null; } + public string DefaultSchemaName { get => throw null; set { } } + public bool DetectFetchLoops { get => throw null; } + public NHibernate.Dialect.Dialect Dialect { get => throw null; } + public bool IsAutoCloseSessionEnabled { get => throw null; } + public bool IsAutoCreateSchema { get => throw null; } + public bool IsAutoDropSchema { get => throw null; } + public bool IsAutoQuoteEnabled { get => throw null; } + public bool IsAutoUpdateSchema { get => throw null; } + public bool IsAutoValidateSchema { get => throw null; } + public bool IsBatchVersionedDataEnabled { get => throw null; } + public bool IsCommentsEnabled { get => throw null; } + public bool IsDataDefinitionImplicitCommit { get => throw null; } + public bool IsDataDefinitionInTransactionSupported { get => throw null; } + public bool IsFlushBeforeCompletionEnabled { get => throw null; } + public bool IsGetGeneratedKeysEnabled { get => throw null; } + public bool IsIdentifierRollbackEnabled { get => throw null; } + public bool IsKeywordsImportEnabled { get => throw null; } + public bool IsMinimalPutsEnabled { get => throw null; } + public bool IsNamedQueryStartupCheckingEnabled { get => throw null; } + public System.Data.IsolationLevel IsolationLevel { get => throw null; } + public bool IsOrderInsertsEnabled { get => throw null; } + public bool IsOrderUpdatesEnabled { get => throw null; } + public bool IsOuterJoinFetchEnabled { get => throw null; } + public bool IsQueryCacheEnabled { get => throw null; } + public bool IsScrollableResultSetsEnabled { get => throw null; } + public bool IsSecondLevelCacheEnabled { get => throw null; } + public bool IsStatisticsEnabled { get => throw null; } + public bool IsStructuredCacheEntriesEnabled { get => throw null; } + public bool IsWrapResultSetsEnabled { get => throw null; } + public System.Type LinqQueryProviderType { get => throw null; } + public bool LinqToHqlFallbackOnPreEvaluation { get => throw null; } + public NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry LinqToHqlGeneratorsRegistry { get => throw null; } + public bool LinqToHqlLegacyPreEvaluation { get => throw null; } + public int MaximumFetchDepth { get => throw null; } + public NHibernate.MultiTenancy.IMultiTenancyConnectionProvider MultiTenancyConnectionProvider { get => throw null; } + public NHibernate.MultiTenancy.MultiTenancyStrategy MultiTenancyStrategy { get => throw null; } + public NHibernate.Linq.Visitors.IExpressionTransformerRegistrar PreTransformerRegistrar { get => throw null; } + public NHibernate.Cache.IQueryCacheFactory QueryCacheFactory { get => throw null; } + public NHibernate.Linq.Visitors.IQueryModelRewriterFactory QueryModelRewriterFactory { get => throw null; } + public int QueryPlanCacheMaxSize { get => throw null; } + public int QueryPlanCacheParameterMetadataMaxSize { get => throw null; } + public System.Collections.Generic.IDictionary QuerySubstitutions { get => throw null; } + public bool QueryThrowNeverCached { get => throw null; } + public NHibernate.Hql.IQueryTranslatorFactory QueryTranslatorFactory { get => throw null; } + public string SessionFactoryName { get => throw null; } + public NHibernate.Exceptions.ISQLExceptionConverter SqlExceptionConverter { get => throw null; } + public NHibernate.AdoNet.Util.SqlStatementLogger SqlStatementLogger { get => throw null; } + public bool ThrowOnSchemaUpdate { get => throw null; } + public bool TrackSessionId { get => throw null; } + public NHibernate.Transaction.ITransactionFactory TransactionFactory { get => throw null; } + } + public sealed class SettingsFactory + { + public NHibernate.Cfg.Settings BuildSettings(System.Collections.Generic.IDictionary properties) => throw null; + public SettingsFactory() => throw null; + } + public class SystemConfigurationProvider : NHibernate.Cfg.ConfigurationProvider + { + public SystemConfigurationProvider(System.Configuration.Configuration configuration) => throw null; + public override NHibernate.Cfg.IHibernateConfiguration GetConfiguration() => throw null; + public override string GetLoggerFactoryClassName() => throw null; + public override string GetNamedConnectionString(string name) => throw null; + } + namespace XmlHbmBinding + { + public abstract class Binder + { + protected static System.Type ClassForFullNameChecked(string fullName, string errorMessage) => throw null; + protected static System.Type ClassForNameChecked(string name, NHibernate.Cfg.Mappings mappings, string errorMessage) => throw null; + protected Binder(NHibernate.Cfg.Mappings mappings) => throw null; + protected static System.Collections.Generic.IDictionary EmptyMeta; + protected static string FullClassName(string className, NHibernate.Cfg.Mappings mappings) => throw null; + protected static string FullQualifiedClassName(string className, NHibernate.Cfg.Mappings mappings) => throw null; + protected static string GetClassName(string unqualifiedName, NHibernate.Cfg.Mappings mappings) => throw null; + public static System.Collections.Generic.IDictionary GetMetas(NHibernate.Cfg.MappingSchema.IDecoratable decoratable, System.Collections.Generic.IDictionary inheritedMeta) => throw null; + public static System.Collections.Generic.IDictionary GetMetas(NHibernate.Cfg.MappingSchema.IDecoratable decoratable, System.Collections.Generic.IDictionary inheritedMeta, bool onlyInheritable) => throw null; + protected static string GetQualifiedClassName(string unqualifiedName, NHibernate.Cfg.Mappings mappings) => throw null; + protected static NHibernate.INHibernateLogger log; + protected NHibernate.Cfg.Mappings mappings; + public NHibernate.Cfg.Mappings Mappings { get => throw null; } + protected static bool NeedQualifiedClassName(string className) => throw null; + } + public abstract class ClassBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + protected void BindAny(NHibernate.Cfg.MappingSchema.HbmAny node, NHibernate.Mapping.Any model, bool isNullable) => throw null; + protected void BindAnyMeta(NHibernate.Cfg.MappingSchema.IAnyMapping anyMapping, NHibernate.Mapping.Any model) => throw null; + protected void BindClass(NHibernate.Cfg.MappingSchema.IEntityMapping classMapping, NHibernate.Mapping.PersistentClass model, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected void BindComponent(NHibernate.Cfg.MappingSchema.IComponentMapping componentMapping, NHibernate.Mapping.Component model, System.Type reflectedClass, string className, string path, bool isNullable, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected void BindForeignKey(string foreignKey, NHibernate.Mapping.SimpleValue value) => throw null; + protected void BindJoinedSubclasses(System.Collections.Generic.IEnumerable joinedSubclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected void BindJoins(System.Collections.Generic.IEnumerable joins, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected void BindOneToOne(NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOneMapping, NHibernate.Mapping.OneToOne model) => throw null; + protected void BindSubclasses(System.Collections.Generic.IEnumerable subclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected void BindUnionSubclasses(System.Collections.Generic.IEnumerable unionSubclasses, NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + protected ClassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; + protected ClassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.Mappings)) => throw null; + protected ClassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + protected NHibernate.Dialect.Dialect dialect; + protected string GetClassTableName(NHibernate.Mapping.PersistentClass model, string mappedTableName) => throw null; + protected static string GetEntityName(NHibernate.Cfg.MappingSchema.IRelationship relationship, NHibernate.Cfg.Mappings mappings) => throw null; + protected NHibernate.FetchMode GetFetchStyle(NHibernate.Cfg.MappingSchema.HbmFetchMode fetchModeMapping) => throw null; + protected NHibernate.FetchMode GetFetchStyle(NHibernate.Cfg.MappingSchema.HbmOuterJoinStrategy outerJoinStrategyMapping) => throw null; + protected static NHibernate.Engine.ExecuteUpdateResultCheckStyle GetResultCheckStyle(NHibernate.Cfg.MappingSchema.HbmCustomSQL customSQL) => throw null; + protected NHibernate.Mapping.PersistentClass GetSuperclass(string extendsName) => throw null; + protected static void InitLaziness(NHibernate.Cfg.MappingSchema.HbmRestrictedLaziness? restrictedLaziness, NHibernate.Mapping.ToOne fetchable, bool defaultLazy) => throw null; + protected static void InitLaziness(NHibernate.Cfg.MappingSchema.HbmLaziness? laziness, NHibernate.Mapping.ToOne fetchable, bool defaultLazy) => throw null; + protected void InitOuterJoinFetchSetting(NHibernate.Cfg.MappingSchema.HbmManyToMany manyToMany, NHibernate.Mapping.IFetchable model) => throw null; + protected void InitOuterJoinFetchSetting(NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne, NHibernate.Mapping.OneToOne model) => throw null; + } + public class ClassCompositeIdBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void BindCompositeId(NHibernate.Cfg.MappingSchema.HbmCompositeId idSchema, NHibernate.Mapping.PersistentClass rootClass) => throw null; + public ClassCompositeIdBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public ClassCompositeIdBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + } + public class ClassDiscriminatorBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void BindDiscriminator(NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminatorSchema, NHibernate.Mapping.Table table) => throw null; + public ClassDiscriminatorBinder(NHibernate.Mapping.PersistentClass rootClass, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class ClassIdBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void BindId(NHibernate.Cfg.MappingSchema.HbmId idSchema, NHibernate.Mapping.PersistentClass rootClass, NHibernate.Mapping.Table table) => throw null; + public ClassIdBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public ClassIdBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + } + public class CollectionBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public NHibernate.Mapping.Collection Create(NHibernate.Cfg.MappingSchema.ICollectionPropertiesMapping collectionMapping, string className, string propertyFullPath, NHibernate.Mapping.PersistentClass owner, System.Type containingType, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public CollectionBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public CollectionBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + } + public class ColumnsBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void Bind(NHibernate.Cfg.MappingSchema.HbmColumn column, bool isNullable) => throw null; + public void Bind(System.Collections.Generic.IEnumerable columns, bool isNullable, System.Func defaultColumnDelegate) => throw null; + public ColumnsBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class FilterDefinitionFactory + { + public static NHibernate.Engine.FilterDefinition CreateFilterDefinition(NHibernate.Cfg.MappingSchema.HbmFilterDef filterDefSchema) => throw null; + public FilterDefinitionFactory() => throw null; + } + public class FiltersBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void Bind(System.Collections.Generic.IEnumerable filters) => throw null; + public void Bind(System.Collections.Generic.IEnumerable filters, System.Action addFilterDelegate) => throw null; + public FiltersBinder(NHibernate.Mapping.IFilterable filterable, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class IdGeneratorBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void BindGenerator(NHibernate.Mapping.SimpleValue id, NHibernate.Cfg.MappingSchema.HbmGenerator generatorMapping) => throw null; + public IdGeneratorBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class JoinedSubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void Bind(NHibernate.Cfg.MappingSchema.HbmJoinedSubclass joinedSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public JoinedSubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public JoinedSubclassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public JoinedSubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public void HandleJoinedSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmJoinedSubclass joinedSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + } + public static partial class MappingLogExtensions + { + public static void LogMapped(this NHibernate.Mapping.Property property, NHibernate.INHibernateLogger log) => throw null; + } + public class MappingRootBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void AddImports(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; + public void AddTypeDefs(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; + public void Bind(NHibernate.Cfg.MappingSchema.HbmMapping mappingSchema) => throw null; + public MappingRootBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.Mappings)) => throw null; + public MappingRootBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class NamedQueryBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void AddQuery(NHibernate.Cfg.MappingSchema.HbmQuery querySchema) => throw null; + public NamedQueryBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class NamedSQLQueryBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void AddSqlQuery(NHibernate.Cfg.MappingSchema.HbmSqlQuery querySchema) => throw null; + public NamedSQLQueryBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class PropertiesBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void Bind(System.Collections.Generic.IEnumerable properties, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public void Bind(System.Collections.Generic.IEnumerable properties, System.Collections.Generic.IDictionary inheritedMetas, System.Action modifier) => throw null; + public void Bind(System.Collections.Generic.IEnumerable properties, NHibernate.Mapping.Table table, System.Collections.Generic.IDictionary inheritedMetas, System.Action modifier, System.Action addToModelAction) => throw null; + public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.Component component, string className, string path, bool isNullable, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.PersistentClass persistentClass) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public PropertiesBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Mapping.Component component, string className, string path, bool isNullable) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + } + public class ResultSetMappingBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public NHibernate.Engine.ResultSetMappingDefinition Create(NHibernate.Cfg.MappingSchema.HbmResultSet resultSetSchema) => throw null; + public NHibernate.Engine.ResultSetMappingDefinition Create(NHibernate.Cfg.MappingSchema.HbmSqlQuery sqlQuerySchema) => throw null; + public ResultSetMappingBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class RootClassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void Bind(NHibernate.Cfg.MappingSchema.HbmClass classSchema, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public RootClassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public RootClassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + } + public class SubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void Bind(NHibernate.Cfg.MappingSchema.HbmSubclass subClassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.Binder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public SubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.Binder parent, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public SubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public void HandleSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmSubclass subClassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + } + public class TypeBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void Bind(string typeName) => throw null; + public void Bind(NHibernate.Cfg.MappingSchema.HbmType typeMapping) => throw null; + public TypeBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + public class UnionSubclassBinder : NHibernate.Cfg.XmlHbmBinding.ClassBinder + { + public void Bind(NHibernate.Cfg.MappingSchema.HbmUnionSubclass unionSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + public UnionSubclassBinder(NHibernate.Cfg.Mappings mappings, NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public UnionSubclassBinder(NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public UnionSubclassBinder(NHibernate.Cfg.XmlHbmBinding.ClassBinder parent) : base(default(NHibernate.Cfg.XmlHbmBinding.ClassBinder)) => throw null; + public void HandleUnionSubclass(NHibernate.Mapping.PersistentClass model, NHibernate.Cfg.MappingSchema.HbmUnionSubclass unionSubclassMapping, System.Collections.Generic.IDictionary inheritedMetas) => throw null; + } + public class ValuePropertyBinder : NHibernate.Cfg.XmlHbmBinding.Binder + { + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmElement element, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKey propertyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmManyToMany manyToManyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmCollectionId collectionIdMapping, string propertyPath) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmListIndex listIndexMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmIndex indexMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmMapKey mapKeyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOneMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmIndexManyToMany indexManyToManyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKeyProperty mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; + public void BindSimpleValue(NHibernate.Cfg.MappingSchema.HbmKeyManyToOne mapKeyManyToManyMapping, string propertyPath, bool isNullable) => throw null; + public ValuePropertyBinder(NHibernate.Mapping.SimpleValue value, NHibernate.Cfg.Mappings mappings) : base(default(NHibernate.Cfg.Mappings)) => throw null; + } + } + } + namespace Classic + { + public interface ILifecycle + { + NHibernate.Classic.LifecycleVeto OnDelete(NHibernate.ISession s); + void OnLoad(NHibernate.ISession s, object id); + NHibernate.Classic.LifecycleVeto OnSave(NHibernate.ISession s); + NHibernate.Classic.LifecycleVeto OnUpdate(NHibernate.ISession s); + } + public interface IValidatable + { + void Validate(); + } + public enum LifecycleVeto + { + Veto = 0, + NoVeto = 1, + } + public class ValidationFailure : NHibernate.HibernateException + { + public ValidationFailure() => throw null; + public ValidationFailure(string message) => throw null; + public ValidationFailure(System.Exception innerException) => throw null; + public ValidationFailure(string message, System.Exception innerException) => throw null; + protected ValidationFailure(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + } + namespace Collection + { + public abstract class AbstractPersistentCollection : NHibernate.Collection.IPersistentCollection, NHibernate.Collection.ILazyInitializedCollection + { + public virtual bool AfterInitialize(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public virtual void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id) => throw null; + public virtual void ApplyQueuedOperations() => throw null; + public abstract void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize); + public virtual void BeginRead() => throw null; + protected int CachedSize { get => throw null; set { } } + public void ClearDirty() => throw null; + protected bool ClearQueueEnabled { get => throw null; } + protected AbstractPersistentCollection() => throw null; + protected AbstractPersistentCollection(NHibernate.Engine.ISessionImplementor session) => throw null; + public void Dirty() => throw null; + public abstract object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister); + public abstract System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); + public abstract bool Empty { get; } + public virtual bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public abstract System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister); + public abstract bool EntryExists(object entry, int i); + public abstract bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); + public abstract System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); + public virtual void ForceInitialization() => throw null; + public virtual System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula); + public abstract System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken); + public abstract object GetElement(object entry); + public virtual object GetIdentifier(object entry, int i) => throw null; + public abstract object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister); + public abstract System.Collections.ICollection GetOrphans(object snapshot, string entityName); + protected virtual System.Collections.ICollection GetOrphans(System.Collections.ICollection oldElements, System.Collections.ICollection currentElements, string entityName, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task GetOrphansAsync(System.Collections.ICollection oldElements, System.Collections.ICollection currentElements, string entityName, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken); + public System.Collections.ICollection GetQueuedOrphans(string entityName) => throw null; + public System.Threading.Tasks.Task GetQueuedOrphansAsync(string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object GetSnapshot() => throw null; + public abstract object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); + public abstract object GetSnapshotElement(object entry, int i); + public virtual object GetValue() => throw null; + public bool HasQueuedOperations { get => throw null; } + protected interface IDelayedOperation + { + object AddedInstance { get; } + void Operate(); + object Orphan { get; } + } + public void IdentityRemove(System.Collections.IList list, object obj, string entityName, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task IdentityRemoveAsync(System.Collections.IList list, object obj, string entityName, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void Initialize(bool writing) => throw null; + protected virtual System.Threading.Tasks.Task InitializeAsync(bool writing, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner); + public abstract System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken); + protected bool InverseCollectionNoOrphanDelete { get => throw null; } + protected bool InverseOneToManyOrNoOrphanDelete { get => throw null; } + protected bool IsConnectedToSession { get => throw null; } + public virtual bool IsDirectlyAccessible { get => throw null; set { } } + public bool IsDirty { get => throw null; } + protected bool IsInverseCollection { get => throw null; } + protected bool IsOperationQueueEnabled { get => throw null; } + public abstract bool IsSnapshotEmpty(object snapshot); + public bool IsUnreferenced { get => throw null; } + public abstract bool IsWrapper(object collection); + public object Key { get => throw null; } + public abstract bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType); + public abstract System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); + public virtual bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public abstract bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType); + public abstract System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); + protected static object NotFound; + public virtual object Owner { get => throw null; set { } } + protected virtual void PerformQueuedOperations() => throw null; + public virtual void PostAction() => throw null; + public virtual void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public virtual System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + protected bool PutQueueEnabled { get => throw null; } + protected bool QueueAddElement(T element) => throw null; + protected void QueueAddElementAtIndex(int index, T element) => throw null; + protected void QueueAddElementByKey(TKey elementKey, TValue element) => throw null; + protected void QueueClearCollection() => throw null; + public System.Collections.IEnumerable QueuedAdditionIterator { get => throw null; } + protected virtual void QueueOperation(NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation element) => throw null; + protected void QueueRemoveElementAtIndex(int index, T element) => throw null; + protected bool QueueRemoveElementByKey(TKey elementKey, TValue oldElement, bool? existsInDb) => throw null; + protected void QueueRemoveExistingElement(T element, bool? existsInDb) => throw null; + protected void QueueSetElementAtIndex(int index, T element, T oldElement) => throw null; + protected void QueueSetElementByKey(TKey elementKey, TValue element, TValue oldElement, bool? existsInDb) => throw null; + public virtual void Read() => throw null; + protected virtual object ReadElementByIndex(object index) => throw null; + protected virtual bool? ReadElementExistence(object element) => throw null; + protected virtual bool? ReadElementExistence(T element, out bool? existsInDb) => throw null; + public abstract object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner); + public abstract System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken); + protected virtual bool? ReadIndexExistence(object index) => throw null; + protected virtual bool? ReadKeyExistence(TKey elementKey) => throw null; + protected virtual System.Threading.Tasks.Task ReadKeyExistenceAsync(TKey elementKey, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool ReadSize() => throw null; + public string Role { get => throw null; } + public virtual bool RowUpdatePossible { get => throw null; } + protected virtual NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public virtual bool SetCurrentSession(NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual void SetInitialized() => throw null; + public void SetSnapshot(object key, string role, object snapshot) => throw null; + public object StoredSnapshot { get => throw null; } + protected void ThrowLazyInitializationException(string message) => throw null; + protected void ThrowLazyInitializationExceptionIfNotConnected() => throw null; + protected virtual bool? TryReadElementAtIndex(int index, out T element) => throw null; + protected virtual bool? TryReadElementByKey(TKey elementKey, out TValue element, out bool? existsInDb) => throw null; + protected static object Unknown; + public bool UnsetSession(NHibernate.Engine.ISessionImplementor currentSession) => throw null; + public bool WasInitialized { get => throw null; } + protected virtual void Write() => throw null; + } + namespace Generic + { + public class PersistentGenericBag : NHibernate.Collection.AbstractPersistentCollection, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.IList, System.Collections.ICollection, System.Linq.IQueryable, System.Linq.IQueryable + { + int System.Collections.IList.Add(object value) => throw null; + public void Add(T item) => throw null; + public override void ApplyQueuedOperations() => throw null; + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + public void Clear() => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public bool Contains(T item) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public PersistentGenericBag() => throw null; + public PersistentGenericBag(NHibernate.Engine.ISessionImplementor session) => throw null; + public PersistentGenericBag(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IEnumerable coll) => throw null; + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Type System.Linq.IQueryable.ElementType { get => throw null; } + public override bool Empty { get => throw null; } + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public int IndexOf(T item) => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + public void Insert(int index, T item) => throw null; + protected System.Collections.Generic.IList InternalBag { get => throw null; set { } } + bool System.Collections.IList.IsFixedSize { get => throw null; } + public bool IsReadOnly { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } + public override object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public bool Remove(T item) => throw null; + public void RemoveAt(int index) => throw null; + public override bool RowUpdatePossible { get => throw null; } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } + public override string ToString() => throw null; + } + public class PersistentGenericList : NHibernate.Collection.AbstractPersistentCollection, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.IList, System.Collections.ICollection, System.Linq.IQueryable, System.Linq.IQueryable + { + int System.Collections.IList.Add(object value) => throw null; + public void Add(T item) => throw null; + protected sealed class AddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public AddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, T value) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + public override void ApplyQueuedOperations() => throw null; + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + public void Clear() => throw null; + protected sealed class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + bool System.Collections.IList.Contains(object value) => throw null; + public bool Contains(T item) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public PersistentGenericList() => throw null; + public PersistentGenericList(NHibernate.Engine.ISessionImplementor session) => throw null; + public PersistentGenericList(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IList list) => throw null; + protected virtual T DefaultForType { get => throw null; } + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Type System.Linq.IQueryable.ElementType { get => throw null; } + public override bool Empty { get => throw null; } + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public int IndexOf(T item) => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + public void Insert(int index, T item) => throw null; + bool System.Collections.IList.IsFixedSize { get => throw null; } + bool System.Collections.IList.IsReadOnly { get => throw null; } + bool System.Collections.Generic.ICollection.IsReadOnly { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } + public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public bool Remove(T item) => throw null; + public void RemoveAt(int index) => throw null; + protected sealed class RemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public RemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, object old) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + protected sealed class SetDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public SetDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, int index, T value, object old) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + protected sealed class SimpleAddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public SimpleAddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, T value) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + protected sealed class SimpleRemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public SimpleRemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericList enclosingInstance, T value) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } + public override string ToString() => throw null; + protected System.Collections.Generic.IList WrappedList; + } + public class PersistentGenericMap : NHibernate.Collection.AbstractPersistentCollection, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.ICollection + { + public void Add(TKey key, TValue value) => throw null; + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; + protected virtual void AddDuringInitialize(object index, object element) => throw null; + public override void ApplyQueuedOperations() => throw null; + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + public void Clear() => throw null; + protected sealed class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public bool ContainsKey(TKey key) => throw null; + public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; + public void CopyTo(System.Array array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public PersistentGenericMap() => throw null; + public PersistentGenericMap(NHibernate.Engine.ISessionImplementor session) => throw null; + public PersistentGenericMap(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IDictionary map) => throw null; + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool Empty { get => throw null; } + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsReadOnly { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + public bool IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + public System.Collections.Generic.ICollection Keys { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Keys { get => throw null; } + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + protected sealed class PutDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public PutDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance, TKey index, TValue value, object old) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } } - namespace Util + public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Remove(TKey key) => throw null; + public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + protected sealed class RemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation { - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.ASTAppender` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTAppender - { - public ASTAppender(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Append(int type, string text, bool appendIfEmpty) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.ASTIterator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ASTIterator : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - public ASTIterator(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode tree) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.ASTUtil` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ASTUtil - { - public static System.Collections.Generic.IList CollectChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root, NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) where TNode : NHibernate.Hql.Ast.ANTLR.Tree.IASTNode => throw null; - public static System.Collections.Generic.IList CollectChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root, NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) => throw null; - public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode FindTypeInChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent, int type) => throw null; - public static string GetDebugstring(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode n) => throw null; - public static string GetPathText(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode n) => throw null; - public static bool IsSubtreeChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode fixture, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode test) => throw null; - public static void MakeSiblingOfParent(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.AliasGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AliasGenerator - { - public AliasGenerator() => throw null; - public string CreateName(string name) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.CollectingNodeVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectingNodeVisitor : NHibernate.Hql.Ast.ANTLR.Util.CollectingNodeVisitor - { - public CollectingNodeVisitor(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) : base(default(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate)) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.CollectingNodeVisitor<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectingNodeVisitor : NHibernate.Hql.Ast.ANTLR.Util.IVisitationStrategy - { - public System.Collections.Generic.IList Collect(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root) => throw null; - public CollectingNodeVisitor(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) => throw null; - public void Visit(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.ColumnHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnHelper - { - public ColumnHelper() => throw null; - public static void GenerateScalarColumns(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, string[] sqlColumns, int i) => throw null; - public static void GenerateSingleScalarColumn(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, int i) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate bool FilterPredicate(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node); - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.IVisitationStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IVisitationStrategy - { - void Visit(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node); - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.JoinProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinProcessor - { - public JoinProcessor(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; - public static void ProcessDynamicFilterParameters(NHibernate.SqlCommand.SqlString sqlFragment, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer container, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; - public void ProcessJoins(NHibernate.Hql.Ast.ANTLR.Tree.QueryNode query) => throw null; - public void ProcessJoins(NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement query) => throw null; - public static NHibernate.SqlCommand.JoinType ToHibernateJoinType(int astJoinType) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.LiteralProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LiteralProcessor - { - public static int APPROXIMATE; - public static int DECIMAL_LITERAL_FORMAT; - public static int EXACT; - public const string ErrorCannotDetermineType = default; - public const string ErrorCannotFetchWithIterate = default; - public const string ErrorCannotFormatLiteral = default; - public const string ErrorNamedParameterDoesNotAppear = default; - public LiteralProcessor(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; - public void LookupConstant(NHibernate.Hql.Ast.ANTLR.Tree.DotNode node) => throw null; - public void ProcessBoolean(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode constant) => throw null; - public void ProcessConstant(NHibernate.Hql.Ast.ANTLR.Tree.SqlNode constant, bool resolveIdent) => throw null; - public void ProcessNumericLiteral(NHibernate.Hql.Ast.ANTLR.Tree.SqlNode literal) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.NodeTraverser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NodeTraverser - { - public NodeTraverser(NHibernate.Hql.Ast.ANTLR.Util.IVisitationStrategy visitor) => throw null; - public void TraverseDepthFirst(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ast) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.PathHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PathHelper - { - public static string GetAlias(string path) => throw null; - public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ParsePath(string path, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) => throw null; - } - - // Generated from `NHibernate.Hql.Ast.ANTLR.Util.SyntheticAndFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SyntheticAndFactory - { - public virtual void AddDiscriminatorWhereFragment(NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement statement, NHibernate.Persister.Entity.IQueryable persister, System.Collections.Generic.IDictionary enabledFilters, string alias) => throw null; - public void AddWhereFragment(NHibernate.SqlCommand.JoinFragment joinFragment, NHibernate.SqlCommand.SqlString whereFragment, NHibernate.Hql.Ast.ANTLR.Tree.QueryNode query, NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; - public void AddWhereFragment(NHibernate.SqlCommand.JoinFragment joinFragment, NHibernate.SqlCommand.SqlString whereFragment, NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement query, NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; - public SyntheticAndFactory(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; - } - + public object AddedInstance { get => throw null; } + public RemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericMap enclosingInstance, TKey index, object old) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + public object SyncRoot { get => throw null; } + public TValue this[TKey key] { get => throw null; set { } } + public override string ToString() => throw null; + public bool TryGetValue(TKey key, out TValue value) => throw null; + public System.Collections.Generic.ICollection Values { get => throw null; } + System.Collections.Generic.IEnumerable System.Collections.Generic.IReadOnlyDictionary.Values { get => throw null; } + protected System.Collections.Generic.IDictionary WrappedMap; + } + public class PersistentGenericSet : NHibernate.Collection.AbstractPersistentCollection, System.Collections.Generic.ISet, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Linq.IQueryable, System.Linq.IQueryable + { + public bool Add(T o) => throw null; + void System.Collections.Generic.ICollection.Add(T item) => throw null; + public override void ApplyQueuedOperations() => throw null; + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + public override void BeginRead() => throw null; + public void Clear() => throw null; + protected sealed class ClearDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public ClearDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + public bool Contains(T item) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public PersistentGenericSet() => throw null; + public PersistentGenericSet(NHibernate.Engine.ISessionImplementor session) => throw null; + public PersistentGenericSet(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet original) => throw null; + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Type System.Linq.IQueryable.ElementType { get => throw null; } + public override bool Empty { get => throw null; } + public override bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; + System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; + public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; + public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; + public bool IsReadOnly { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + public bool IsSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; + public bool IsSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; + public bool IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Overlaps(System.Collections.Generic.IEnumerable other) => throw null; + System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } + public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public bool Remove(T o) => throw null; + public override bool RowUpdatePossible { get => throw null; } + public bool SetEquals(System.Collections.Generic.IEnumerable other) => throw null; + protected sealed class SimpleAddDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public SimpleAddDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance, T value) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } + } + protected sealed class SimpleRemoveDelayedOperation : NHibernate.Collection.AbstractPersistentCollection.IDelayedOperation + { + public object AddedInstance { get => throw null; } + public SimpleRemoveDelayedOperation(NHibernate.Collection.Generic.PersistentGenericSet enclosingInstance, T value) => throw null; + public void Operate() => throw null; + public object Orphan { get => throw null; } } + public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; + public object SyncRoot { get => throw null; } + public override string ToString() => throw null; + public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; + protected System.Collections.Generic.ISet WrappedSet; + } + public class PersistentIdentifierBag : NHibernate.Collection.AbstractPersistentCollection, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlyCollection, System.Collections.IList, System.Collections.ICollection, System.Linq.IQueryable, System.Linq.IQueryable + { + int System.Collections.IList.Add(object value) => throw null; + public void Add(T item) => throw null; + public override void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id) => throw null; + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + protected void BeforeInsert(int index) => throw null; + protected void BeforeRemove(int index) => throw null; + public void Clear() => throw null; + bool System.Collections.IList.Contains(object value) => throw null; + public bool Contains(T item) => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; + public void CopyTo(T[] array, int arrayIndex) => throw null; + public int Count { get => throw null; } + public PersistentIdentifierBag() => throw null; + public PersistentIdentifierBag(NHibernate.Engine.ISessionImplementor session) => throw null; + public PersistentIdentifierBag(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.IEnumerable coll) => throw null; + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Type System.Linq.IQueryable.ElementType { get => throw null; } + public override bool Empty { get => throw null; } + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.Expressions.Expression System.Linq.IQueryable.Expression { get => throw null; } + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + public override object GetIdentifier(object entry, int i) => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + int System.Collections.IList.IndexOf(object value) => throw null; + public int IndexOf(T item) => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Insert(int index, object value) => throw null; + public void Insert(int index, T item) => throw null; + protected System.Collections.Generic.IList InternalValues { get => throw null; set { } } + bool System.Collections.IList.IsFixedSize { get => throw null; } + public bool IsReadOnly { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + object System.Collections.IList.this[int index] { get => throw null; set { } } + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + System.Linq.IQueryProvider System.Linq.IQueryable.Provider { get => throw null; } + public override object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Collections.IList.Remove(object value) => throw null; + public bool Remove(T item) => throw null; + public void RemoveAt(int index) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + public T this[int index] { get => throw null; set { } } } } - namespace Util + public interface ILazyInitializedCollection + { + void ForceInitialization(); + System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken); + bool WasInitialized { get; } + } + public interface IPersistentCollection + { + bool AfterInitialize(NHibernate.Persister.Collection.ICollectionPersister persister); + void AfterRowInsert(NHibernate.Persister.Collection.ICollectionPersister persister, object entry, int i, object id); + void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize); + void BeginRead(); + void ClearDirty(); + void Dirty(); + object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister); + System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); + bool Empty { get; } + bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister); + System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister); + bool EntryExists(object entry, int i); + bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); + System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); + void ForceInitialization(); + System.Threading.Tasks.Task ForceInitializationAsync(System.Threading.CancellationToken cancellationToken); + System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula); + System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken); + object GetElement(object entry); + object GetIdentifier(object entry, int i); + object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister); + System.Collections.ICollection GetOrphans(object snapshot, string entityName); + System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken); + System.Collections.ICollection GetQueuedOrphans(string entityName); + System.Threading.Tasks.Task GetQueuedOrphansAsync(string entityName, System.Threading.CancellationToken cancellationToken); + object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister); + object GetSnapshotElement(object entry, int i); + object GetValue(); + bool HasQueuedOperations { get; } + void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner); + System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken); + bool IsDirectlyAccessible { get; } + bool IsDirty { get; } + bool IsSnapshotEmpty(object snapshot); + bool IsUnreferenced { get; } + bool IsWrapper(object collection); + object Key { get; } + bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType); + System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); + bool NeedsRecreate(NHibernate.Persister.Collection.ICollectionPersister persister); + bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType); + System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken); + object Owner { get; set; } + void PostAction(); + void PreInsert(NHibernate.Persister.Collection.ICollectionPersister persister); + System.Threading.Tasks.Task PreInsertAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken); + System.Collections.IEnumerable QueuedAdditionIterator { get; } + object ReadFrom(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner); + System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader reader, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken); + string Role { get; } + bool RowUpdatePossible { get; } + bool SetCurrentSession(NHibernate.Engine.ISessionImplementor session); + void SetSnapshot(object key, string role, object snapshot); + object StoredSnapshot { get; } + bool UnsetSession(NHibernate.Engine.ISessionImplementor currentSession); + bool WasInitialized { get; } + } + public class PersistentArrayHolder : NHibernate.Collection.AbstractPersistentCollection, System.Collections.ICollection, System.Collections.IEnumerable { - // Generated from `NHibernate.Hql.Util.SessionFactoryHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionFactoryHelper - { - public NHibernate.Persister.Entity.IEntityPersister FindEntityPersisterUsingImports(string className) => throw null; - public NHibernate.Persister.Entity.IQueryable FindQueryableUsingImports(string className) => throw null; - public NHibernate.Persister.Collection.IQueryableCollection GetCollectionPersister(string role) => throw null; - public NHibernate.Persister.Entity.IPropertyMapping GetCollectionPropertyMapping(string role) => throw null; - public System.Type GetImportedClass(string className) => throw null; - public NHibernate.Persister.Entity.IEntityPersister RequireClassPersister(string name) => throw null; - public NHibernate.Persister.Collection.IQueryableCollection RequireQueryableCollection(string role) => throw null; - public SessionFactoryHelper(NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; - } - + public object Array { get => throw null; set { } } + public override void BeforeInitialize(NHibernate.Persister.Collection.ICollectionPersister persister, int anticipatedSize) => throw null; + public override void BeginRead() => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + int System.Collections.ICollection.Count { get => throw null; } + public PersistentArrayHolder(NHibernate.Engine.ISessionImplementor session, object array) => throw null; + public PersistentArrayHolder(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object Disassemble(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task DisassembleAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.ICollection Elements() => throw null; + public override bool Empty { get => throw null; } + public override bool EndRead(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.IEnumerable Entries(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override bool EntryExists(object entry, int i) => throw null; + public override bool EqualsSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Threading.Tasks.Task EqualsSnapshotAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IEnumerable GetDeletes(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula) => throw null; + public override System.Threading.Tasks.Task GetDeletesAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool indexIsFormula, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetElement(object entry) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public override object GetIndex(object entry, int i, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override System.Collections.ICollection GetOrphans(object snapshot, string entityName) => throw null; + public override System.Threading.Tasks.Task GetOrphansAsync(object snapshot, string entityName, System.Threading.CancellationToken cancellationToken) => throw null; + public override object GetSnapshot(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public override object GetSnapshotElement(object entry, int i) => throw null; + public override object GetValue() => throw null; + public override void InitializeFromCache(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner) => throw null; + public override System.Threading.Tasks.Task InitializeFromCacheAsync(NHibernate.Persister.Collection.ICollectionPersister persister, object disassembled, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsDirectlyAccessible { get => throw null; } + public override bool IsSnapshotEmpty(object snapshot) => throw null; + bool System.Collections.ICollection.IsSynchronized { get => throw null; } + public override bool IsWrapper(object collection) => throw null; + public override bool NeedsInserting(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsInsertingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NeedsUpdating(object entry, int i, NHibernate.Type.IType elemType) => throw null; + public override System.Threading.Tasks.Task NeedsUpdatingAsync(object entry, int i, NHibernate.Type.IType elemType, System.Threading.CancellationToken cancellationToken) => throw null; + public override object ReadFrom(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner) => throw null; + public override System.Threading.Tasks.Task ReadFromAsync(System.Data.Common.DbDataReader rs, NHibernate.Persister.Collection.ICollectionPersister role, NHibernate.Loader.ICollectionAliases descriptor, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + object System.Collections.ICollection.SyncRoot { get => throw null; } + } + public static partial class PersistentCollectionExtensions + { + public static void ApplyQueuedOperations(this NHibernate.Collection.IPersistentCollection collection) => throw null; } } - namespace Id + namespace Connection { - // Generated from `NHibernate.Id.AbstractPostInsertGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractPostInsertGenerator : NHibernate.Id.IPostInsertIdentifierGenerator, NHibernate.Id.IIdentifierGenerator + public abstract class ConnectionProvider : NHibernate.Connection.IConnectionProvider, System.IDisposable { - protected AbstractPostInsertGenerator() => throw null; - public object Generate(NHibernate.Engine.ISessionImplementor s, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor s, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled); + public virtual void CloseConnection(System.Data.Common.DbConnection conn) => throw null; + public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; + protected virtual void ConfigureDriver(System.Collections.Generic.IDictionary settings) => throw null; + protected virtual string ConnectionString { get => throw null; } + protected ConnectionProvider() => throw null; + public void Dispose() => throw null; + protected virtual void Dispose(bool isDisposing) => throw null; + public NHibernate.Driver.IDriver Driver { get => throw null; } + public virtual System.Data.Common.DbConnection GetConnection() => throw null; + public virtual System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; + public virtual System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual string GetNamedConnectionString(System.Collections.Generic.IDictionary settings) => throw null; } - - // Generated from `NHibernate.Id.Assigned` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Assigned : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public static partial class ConnectionProviderExtensions { - public Assigned() => throw null; - public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public static string GetConnectionString(this NHibernate.Connection.IConnectionProvider connectionProvider) => throw null; } - - // Generated from `NHibernate.Id.CounterGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CounterGenerator : NHibernate.Id.IIdentifierGenerator + public static class ConnectionProviderFactory { - protected System.Int16 Count { get => throw null; } - public CounterGenerator() => throw null; - public object Generate(NHibernate.Engine.ISessionImplementor cache, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor cache, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public static NHibernate.Connection.IConnectionProvider NewConnectionProvider(System.Collections.Generic.IDictionary settings) => throw null; } - - // Generated from `NHibernate.Id.ForeignGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ForeignGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public class DriverConnectionProvider : NHibernate.Connection.ConnectionProvider { - public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public ForeignGenerator() => throw null; - public object Generate(NHibernate.Engine.ISessionImplementor sessionImplementor, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public override void CloseConnection(System.Data.Common.DbConnection conn) => throw null; + public DriverConnectionProvider() => throw null; + public override System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; + public override System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Id.GuidCombGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GuidCombGenerator : NHibernate.Id.IIdentifierGenerator + public interface IConnectionAccess { - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public GuidCombGenerator() => throw null; + void CloseConnection(System.Data.Common.DbConnection connection); + string ConnectionString { get; } + System.Data.Common.DbConnection GetConnection(); + System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Id.GuidGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GuidGenerator : NHibernate.Id.IIdentifierGenerator + public interface IConnectionProvider : System.IDisposable { - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public GuidGenerator() => throw null; + void CloseConnection(System.Data.Common.DbConnection conn); + void Configure(System.Collections.Generic.IDictionary settings); + NHibernate.Driver.IDriver Driver { get; } + System.Data.Common.DbConnection GetConnection(); + System.Threading.Tasks.Task GetConnectionAsync(System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Id.ICompositeKeyPostInsertIdentityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICompositeKeyPostInsertIdentityPersister + public class UserSuppliedConnectionProvider : NHibernate.Connection.ConnectionProvider { - void BindSelectByUniqueKey(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames); - System.Threading.Tasks.Task BindSelectByUniqueKeyAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames, System.Threading.CancellationToken cancellationToken); - NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes); + public override void CloseConnection(System.Data.Common.DbConnection conn) => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public UserSuppliedConnectionProvider() => throw null; + public override System.Data.Common.DbConnection GetConnection(string connectionString) => throw null; + public override System.Threading.Tasks.Task GetConnectionAsync(string connectionString, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Id.IConfigurable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConfigurable + } + public enum ConnectionReleaseMode + { + AfterStatement = 0, + AfterTransaction = 1, + OnClose = 2, + } + public static class ConnectionReleaseModeParser + { + public static NHibernate.ConnectionReleaseMode Convert(string value) => throw null; + public static string ToString(NHibernate.ConnectionReleaseMode value) => throw null; + } + namespace Context + { + public class AsyncLocalSessionContext : NHibernate.Context.CurrentSessionContext { - void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect); + public AsyncLocalSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected override NHibernate.ISession Session { get => throw null; set { } } } - - // Generated from `NHibernate.Id.IIdentifierGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIdentifierGenerator + public class CallSessionContext : NHibernate.Context.MapBasedSessionContext + { + public CallSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override System.Collections.IDictionary GetMap() => throw null; + protected override void SetMap(System.Collections.IDictionary value) => throw null; + } + public abstract class CurrentSessionContext : NHibernate.Context.ICurrentSessionContext + { + public static void Bind(NHibernate.ISession session) => throw null; + protected CurrentSessionContext() => throw null; + public virtual NHibernate.ISession CurrentSession() => throw null; + public static bool HasBind(NHibernate.ISessionFactory factory) => throw null; + protected abstract NHibernate.ISession Session { get; set; } + public static NHibernate.ISession Unbind(NHibernate.ISessionFactory factory) => throw null; + } + public interface ICurrentSessionContext + { + NHibernate.ISession CurrentSession(); + } + public interface ISessionFactoryAwareCurrentSessionContext : NHibernate.Context.ICurrentSessionContext + { + void SetFactory(NHibernate.Engine.ISessionFactoryImplementor factory); + } + public abstract class MapBasedSessionContext : NHibernate.Context.CurrentSessionContext + { + protected MapBasedSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected abstract System.Collections.IDictionary GetMap(); + protected override NHibernate.ISession Session { get => throw null; set { } } + protected abstract void SetMap(System.Collections.IDictionary value); + } + public static class ReflectiveHttpContext + { + public static System.Func HttpContextCurrentGetter { get => throw null; } + public static System.Collections.IDictionary HttpContextCurrentItems { get => throw null; } + public static System.Func HttpContextItemsGetter { get => throw null; } + } + public class ThreadLocalSessionContext : NHibernate.Context.ICurrentSessionContext + { + public static void Bind(NHibernate.ISession session) => throw null; + public static System.Threading.Tasks.Task BindAsync(NHibernate.ISession session, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHibernate.ISession BuildOrObtainSession() => throw null; + protected static System.Collections.Generic.IDictionary context; + public ThreadLocalSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.ISession CurrentSession() => throw null; + protected NHibernate.Engine.ISessionFactoryImplementor factory; + protected virtual bool IsAutoCloseEnabled() => throw null; + protected virtual bool IsAutoFlushEnabled() => throw null; + public static NHibernate.ISession Unbind(NHibernate.ISessionFactory factory) => throw null; + } + public class ThreadStaticSessionContext : NHibernate.Context.MapBasedSessionContext + { + public ThreadStaticSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override System.Collections.IDictionary GetMap() => throw null; + protected override void SetMap(System.Collections.IDictionary value) => throw null; + } + public class WcfOperationSessionContext : NHibernate.Context.MapBasedSessionContext + { + public WcfOperationSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override System.Collections.IDictionary GetMap() => throw null; + protected override void SetMap(System.Collections.IDictionary value) => throw null; + } + public class WebSessionContext : NHibernate.Context.MapBasedSessionContext { - object Generate(NHibernate.Engine.ISessionImplementor session, object obj); - System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken); + public WebSessionContext(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override System.Collections.IDictionary GetMap() => throw null; + protected override void SetMap(System.Collections.IDictionary value) => throw null; } - - // Generated from `NHibernate.Id.IPersistentIdentifierGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistentIdentifierGenerator : NHibernate.Id.IIdentifierGenerator + } + public static class CriteriaTransformer + { + public static NHibernate.Criterion.DetachedCriteria Clone(NHibernate.Criterion.DetachedCriteria criteria) => throw null; + public static NHibernate.ICriteria Clone(NHibernate.ICriteria criteria) => throw null; + public static NHibernate.Criterion.DetachedCriteria TransformToRowCount(NHibernate.Criterion.DetachedCriteria criteria) => throw null; + public static NHibernate.ICriteria TransformToRowCount(NHibernate.ICriteria criteria) => throw null; + } + namespace Criterion + { + public abstract class AbstractCriterion : NHibernate.Criterion.ICriterion { - string GeneratorKey(); - string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect); - string[] SqlDropString(NHibernate.Dialect.Dialect dialect); + protected AbstractCriterion() => throw null; + public abstract NHibernate.Criterion.IProjection[] GetProjections(); + public abstract NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + public static NHibernate.Criterion.AbstractCriterion operator &(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractCriterion rhs) => throw null; + public static NHibernate.Criterion.AbstractCriterion operator &(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractEmptinessExpression rhs) => throw null; + public static NHibernate.Criterion.AbstractCriterion operator |(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractCriterion rhs) => throw null; + public static NHibernate.Criterion.AbstractCriterion operator |(NHibernate.Criterion.AbstractCriterion lhs, NHibernate.Criterion.AbstractEmptinessExpression rhs) => throw null; + public static bool operator false(NHibernate.Criterion.AbstractCriterion criteria) => throw null; + public static NHibernate.Criterion.AbstractCriterion operator !(NHibernate.Criterion.AbstractCriterion crit) => throw null; + public static bool operator true(NHibernate.Criterion.AbstractCriterion criteria) => throw null; + public abstract NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + public abstract override string ToString(); } - - // Generated from `NHibernate.Id.IPostInsertIdentifierGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostInsertIdentifierGenerator : NHibernate.Id.IIdentifierGenerator + public abstract class AbstractEmptinessExpression : NHibernate.Criterion.AbstractCriterion { - NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled); + protected AbstractEmptinessExpression(string propertyName) => throw null; + protected abstract bool ExcludeEmpty { get; } + protected NHibernate.Persister.Collection.IQueryableCollection GetQueryableCollection(string entityName, string actualPropertyName, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override sealed string ToString() => throw null; } - - // Generated from `NHibernate.Id.IPostInsertIdentityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPostInsertIdentityPersister + public class AggregateProjection : NHibernate.Criterion.SimpleProjection { - string GetInfoString(); - NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string propertyName); - NHibernate.Type.IType IdentifierType { get; } - string IdentitySelectString { get; } - string[] RootTableKeyColumnNames { get; } + protected string aggregate; + protected AggregateProjection(string aggregate, string propertyName) => throw null; + protected AggregateProjection(string aggregate, NHibernate.Criterion.IProjection projection) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + protected NHibernate.Criterion.IProjection projection; + protected string propertyName; + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.IdGeneratorParmsNames` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct IdGeneratorParmsNames + public class AliasedProjection : NHibernate.Criterion.IProjection { - public static string EntityName; - // Stub generator skipped constructor + public virtual string[] Aliases { get => throw null; } + protected AliasedProjection(NHibernate.Criterion.IProjection projection, string alias) => throw null; + public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public bool IsAggregate { get => throw null; } + public virtual bool IsGrouped { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.IdentifierGenerationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierGenerationException : NHibernate.HibernateException + public class AndExpression : NHibernate.Criterion.LogicalExpression { - public IdentifierGenerationException(string message, System.Exception e) => throw null; - public IdentifierGenerationException(string message) => throw null; - public IdentifierGenerationException() => throw null; - protected IdentifierGenerationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public AndExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) : base(default(NHibernate.Criterion.ICriterion), default(NHibernate.Criterion.ICriterion)) => throw null; + protected override string Op { get => throw null; } } - - // Generated from `NHibernate.Id.IdentifierGeneratorFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class IdentifierGeneratorFactory + public class AvgProjection : NHibernate.Criterion.AggregateProjection { - public static NHibernate.Id.IIdentifierGenerator Create(string strategy, NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public static object CreateNumber(System.Int64 value, System.Type type) => throw null; - public static object Get(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task GetAsync(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static object GetGeneratedIdentity(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session) => throw null; - public static System.Threading.Tasks.Task GetGeneratedIdentityAsync(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Type GetIdentifierGeneratorClass(string strategy, NHibernate.Dialect.Dialect dialect) => throw null; - public static object PostInsertIndicator; - public static object ShortCircuitIndicator; + public AvgProjection(NHibernate.Criterion.IProjection projection) : base(default(string), default(string)) => throw null; + public AvgProjection(string propertyName) : base(default(string), default(string)) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - // Generated from `NHibernate.Id.IdentityGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentityGenerator : NHibernate.Id.AbstractPostInsertGenerator + public class BetweenExpression : NHibernate.Criterion.AbstractCriterion { - // Generated from `NHibernate.Id.IdentityGenerator+BasicDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicDelegate : NHibernate.Id.Insert.AbstractSelectingDelegate, NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate - { - public BasicDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; - protected internal override object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object obj) => throw null; - protected internal override System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; - protected internal override NHibernate.SqlCommand.SqlString SelectSQL { get => throw null; } - } - - - public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; - public IdentityGenerator() => throw null; - // Generated from `NHibernate.Id.IdentityGenerator+InsertSelectDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertSelectDelegate : NHibernate.Id.Insert.AbstractReturningDelegate, NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate - { - public object DetermineGeneratedIdentifier(NHibernate.Engine.ISessionImplementor session, object entity) => throw null; - public override object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public InsertSelectDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; - protected internal override System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal override System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; - } - - + public BetweenExpression(NHibernate.Criterion.IProjection projection, object lo, object hi) => throw null; + public BetweenExpression(string propertyName, object lo, object hi) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.IncrementGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IncrementGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public class CastProjection : NHibernate.Criterion.SimpleProjection { - public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public IncrementGenerator() => throw null; + public CastProjection(NHibernate.Type.IType type, NHibernate.Criterion.IProjection projection) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - // Generated from `NHibernate.Id.NativeGuidGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeGuidGenerator : NHibernate.Id.IIdentifierGenerator + public class ConditionalProjection : NHibernate.Criterion.SimpleProjection { - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public NativeGuidGenerator() => throw null; + public ConditionalProjection(NHibernate.Criterion.ICriterion criterion, NHibernate.Criterion.IProjection whenTrue, NHibernate.Criterion.IProjection whenFalse) => throw null; + public ConditionalProjection(NHibernate.Criterion.ConditionalProjectionCase[] cases, NHibernate.Criterion.IProjection elseProjection) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - // Generated from `NHibernate.Id.PersistentIdGeneratorParmsNames` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct PersistentIdGeneratorParmsNames + public class ConditionalProjectionCase { - public static string Catalog; - public static string PK; - // Stub generator skipped constructor - public static string Schema; - public static NHibernate.AdoNet.Util.SqlStatementLogger SqlStatementLogger; - public static string Table; - public static string Tables; + public NHibernate.Criterion.ICriterion Criterion { get => throw null; } + public ConditionalProjectionCase(NHibernate.Criterion.ICriterion criterion, NHibernate.Criterion.IProjection projection) => throw null; + public NHibernate.Criterion.IProjection Projection { get => throw null; } } - - // Generated from `NHibernate.Id.SelectGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectGenerator : NHibernate.Id.AbstractPostInsertGenerator, NHibernate.Id.IConfigurable + public class Conjunction : NHibernate.Criterion.Junction { - public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; - public SelectGenerator() => throw null; - // Generated from `NHibernate.Id.SelectGenerator+SelectGeneratorDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectGeneratorDelegate : NHibernate.Id.Insert.AbstractSelectingDelegate - { - protected internal override void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity) => throw null; - protected internal override void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder) => throw null; - protected internal override System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity) => throw null; - protected internal override System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal override NHibernate.SqlTypes.SqlType[] ParametersTypes { get => throw null; } - public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; - internal SelectGeneratorDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, string suppliedUniqueKeyPropertyNames) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; - protected internal override NHibernate.SqlCommand.SqlString SelectSQL { get => throw null; } - } - - + public Conjunction() => throw null; + protected override NHibernate.SqlCommand.SqlString EmptyExpression { get => throw null; } + protected override string Op { get => throw null; } } - - // Generated from `NHibernate.Id.SequenceGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceGenerator : NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public class ConstantProjection : NHibernate.Criterion.SimpleProjection { - public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public string GeneratorKey() => throw null; - public const string Parameters = default; - public const string Sequence = default; - public SequenceGenerator() => throw null; - public string SequenceName { get => throw null; } - public string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; + public ConstantProjection(object value) => throw null; + public ConstantProjection(object value, NHibernate.Type.IType type) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue TypedValue { get => throw null; } } - - // Generated from `NHibernate.Id.SequenceHiLoGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceHiLoGenerator : NHibernate.Id.SequenceGenerator + public class CountProjection : NHibernate.Criterion.AggregateProjection { - public override void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public const string MaxLo = default; - public SequenceHiLoGenerator() => throw null; + protected CountProjection(string prop) : base(default(string), default(string)) => throw null; + protected CountProjection(NHibernate.Criterion.IProjection projection) : base(default(string), default(string)) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Criterion.CountProjection SetDistinct() => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.SequenceIdentityGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceIdentityGenerator : NHibernate.Id.SequenceGenerator, NHibernate.Id.IPostInsertIdentifierGenerator, NHibernate.Id.IIdentifierGenerator + public static class CriteriaSpecification { - public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; - // Generated from `NHibernate.Id.SequenceIdentityGenerator+SequenceIdentityDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceIdentityDelegate : NHibernate.Id.Insert.OutputParamReturningDelegate - { - public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; - public SequenceIdentityDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, string sequenceName) : base(default(NHibernate.Id.IPostInsertIdentityPersister), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - } - - - public SequenceIdentityGenerator() => throw null; + public static NHibernate.Transform.IResultTransformer AliasToEntityMap; + public static NHibernate.Transform.IResultTransformer DistinctRootEntity; + public static NHibernate.SqlCommand.JoinType FullJoin; + public static NHibernate.SqlCommand.JoinType InnerJoin; + public static NHibernate.SqlCommand.JoinType LeftJoin; + public static NHibernate.Transform.IResultTransformer Projection; + public static string RootAlias; + public static NHibernate.Transform.IResultTransformer RootEntity; } - - // Generated from `NHibernate.Id.TableGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableGenerator : NHibernate.Engine.TransactionHelper, NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public static class CriterionUtil { - public const string ColumnParamName = default; - public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public const string DefaultColumnName = default; - public const string DefaultTableName = default; - public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; - public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public string GeneratorKey() => throw null; - public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; - public TableGenerator() => throw null; - public const string TableParamName = default; - public const string Where = default; - protected NHibernate.SqlTypes.SqlType columnSqlType; - protected NHibernate.Type.PrimitiveType columnType; + public static NHibernate.SqlCommand.SqlString[] GetColumnNames(string propertyName, NHibernate.Criterion.IProjection projection, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria) => throw null; + public static NHibernate.SqlCommand.SqlString[] GetColumnNamesForSimpleExpression(string propertyName, NHibernate.Criterion.IProjection projection, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriterion criterion, object value) => throw null; + public static NHibernate.Engine.TypedValue GetTypedValue(NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.IProjection projection, string propertyName, object value) => throw null; + public static NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.ICriteria criteria, NHibernate.Criterion.IProjection projection, string propertyName, params object[] values) => throw null; } - - // Generated from `NHibernate.Id.TableHiLoGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableHiLoGenerator : NHibernate.Id.TableGenerator + public class DetachedCriteria { - public override void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public const string MaxLo = default; - public TableHiLoGenerator() => throw null; + public NHibernate.Criterion.DetachedCriteria Add(NHibernate.Criterion.ICriterion criterion) => throw null; + public NHibernate.Criterion.DetachedCriteria AddOrder(NHibernate.Criterion.Order order) => throw null; + public string Alias { get => throw null; } + public void ClearOrders() => throw null; + public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.DetachedCriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + protected DetachedCriteria(System.Type entityType) => throw null; + protected DetachedCriteria(System.Type entityType, string alias) => throw null; + protected DetachedCriteria(string entityName) => throw null; + protected DetachedCriteria(string entityName, string alias) => throw null; + protected DetachedCriteria(NHibernate.Impl.CriteriaImpl impl, NHibernate.ICriteria criteria) => throw null; + public string EntityOrClassName { get => throw null; } + public static NHibernate.Criterion.DetachedCriteria For(System.Type entityType) => throw null; + public static NHibernate.Criterion.DetachedCriteria For() => throw null; + public static NHibernate.Criterion.DetachedCriteria For(string alias) => throw null; + public static NHibernate.Criterion.DetachedCriteria For(System.Type entityType, string alias) => throw null; + public static NHibernate.Criterion.DetachedCriteria ForEntityName(string entityName) => throw null; + public static NHibernate.Criterion.DetachedCriteria ForEntityName(string entityName, string alias) => throw null; + public NHibernate.Criterion.DetachedCriteria GetCriteriaByAlias(string alias) => throw null; + public NHibernate.Criterion.DetachedCriteria GetCriteriaByPath(string path) => throw null; + protected NHibernate.Impl.CriteriaImpl GetCriteriaImpl() => throw null; + public NHibernate.ICriteria GetExecutableCriteria(NHibernate.ISession session) => throw null; + public NHibernate.ICriteria GetExecutableCriteria(NHibernate.IStatelessSession session) => throw null; + public System.Type GetRootEntityTypeIfAvailable() => throw null; + public NHibernate.Criterion.DetachedCriteria SetCacheable(bool cacheable) => throw null; + public NHibernate.Criterion.DetachedCriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.Criterion.DetachedCriteria SetCacheRegion(string region) => throw null; + public NHibernate.Criterion.DetachedCriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; + public NHibernate.Criterion.DetachedCriteria SetFirstResult(int firstResult) => throw null; + public NHibernate.Criterion.DetachedCriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; + public NHibernate.Criterion.DetachedCriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.Criterion.DetachedCriteria SetMaxResults(int maxResults) => throw null; + public NHibernate.Criterion.DetachedCriteria SetProjection(NHibernate.Criterion.IProjection projection) => throw null; + public NHibernate.Criterion.DetachedCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.TriggerIdentityGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TriggerIdentityGenerator : NHibernate.Id.AbstractPostInsertGenerator + public class Disjunction : NHibernate.Criterion.Junction { - public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; - public TriggerIdentityGenerator() => throw null; + public Disjunction() => throw null; + protected override NHibernate.SqlCommand.SqlString EmptyExpression { get => throw null; } + protected override string Op { get => throw null; } } - - // Generated from `NHibernate.Id.UUIDHexGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UUIDHexGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + public class Distinct : NHibernate.Criterion.IProjection { - public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - protected const string FormatWithDigitsOnly = default; - public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual string GenerateNewGuid() => throw null; - public UUIDHexGenerator() => throw null; - protected string format; - protected string sep; + public virtual string[] Aliases { get => throw null; } + public Distinct(NHibernate.Criterion.IProjection proj) => throw null; + public virtual string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public bool IsAggregate { get => throw null; } + public virtual bool IsGrouped { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Id.UUIDStringGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UUIDStringGenerator : NHibernate.Id.IIdentifierGenerator + public class EntityProjection : NHibernate.Criterion.IProjection { - public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public UUIDStringGenerator() => throw null; + string[] NHibernate.Criterion.IProjection.Aliases { get => throw null; } + public EntityProjection() => throw null; + public EntityProjection(System.Type entityType, string entityAlias) => throw null; + public bool FetchLazyProperties { get => throw null; set { } } + public System.Collections.Generic.ICollection FetchLazyPropertyGroups { get => throw null; set { } } + string[] NHibernate.Criterion.IProjection.GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + string[] NHibernate.Criterion.IProjection.GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + NHibernate.Engine.TypedValue[] NHibernate.Criterion.IProjection.GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + NHibernate.Type.IType[] NHibernate.Criterion.IProjection.GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + NHibernate.Type.IType[] NHibernate.Criterion.IProjection.GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + bool NHibernate.Criterion.IProjection.IsAggregate { get => throw null; } + bool NHibernate.Criterion.IProjection.IsGrouped { get => throw null; } + public bool Lazy { get => throw null; set { } } + public NHibernate.Criterion.EntityProjection SetFetchLazyProperties(bool fetchLazyProperties = default(bool)) => throw null; + public NHibernate.Criterion.EntityProjection SetFetchLazyPropertyGroups(params string[] lazyPropertyGroups) => throw null; + public NHibernate.Criterion.EntityProjection SetLazy(bool lazy = default(bool)) => throw null; + NHibernate.SqlCommand.SqlString NHibernate.Criterion.IProjection.ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + NHibernate.SqlCommand.SqlString NHibernate.Criterion.IProjection.ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - namespace Enhanced + public class EqPropertyExpression : NHibernate.Criterion.PropertyExpression { - // Generated from `NHibernate.Id.Enhanced.IAccessCallback` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAccessCallback - { - System.Int64 GetNextValue(); - System.Threading.Tasks.Task GetNextValueAsync(System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Id.Enhanced.IDatabaseStructure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDatabaseStructure - { - NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session); - int IncrementSize { get; } - string Name { get; } - void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer); - string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect); - string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect); - int TimesAccessed { get; } - } - - // Generated from `NHibernate.Id.Enhanced.IOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOptimizer - { - bool ApplyIncrementSizeToSourceValues { get; } - object Generate(NHibernate.Id.Enhanced.IAccessCallback callback); - System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken); - int IncrementSize { get; } - System.Int64 LastSourceValue { get; } - } - - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OptimizerFactory - { - public static NHibernate.Id.Enhanced.IOptimizer BuildOptimizer(string type, System.Type returnClass, int incrementSize, System.Int64 explicitInitialValue) => throw null; - public const string HiLo = default; - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+HiLoOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HiLoOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport - { - public override bool ApplyIncrementSizeToSourceValues { get => throw null; } - public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; - public HiLoOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; - public System.Int64 HiValue { get => throw null; } - public override System.Int64 LastSourceValue { get => throw null; } - public System.Int64 LastValue { get => throw null; } - } - - - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+IInitialValueAwareOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInitialValueAwareOptimizer - { - void InjectInitialValue(System.Int64 initialValue); - } - - - public const string None = default; - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+NoopOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoopOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport - { - public override bool ApplyIncrementSizeToSourceValues { get => throw null; } - public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 LastSourceValue { get => throw null; } - public NoopOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; - } - - - public OptimizerFactory() => throw null; - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+OptimizerSupport` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class OptimizerSupport : NHibernate.Id.Enhanced.IOptimizer - { - public abstract bool ApplyIncrementSizeToSourceValues { get; } - public abstract object Generate(NHibernate.Id.Enhanced.IAccessCallback param); - public abstract System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback param, System.Threading.CancellationToken cancellationToken); - public int IncrementSize { get => throw null; set => throw null; } - public abstract System.Int64 LastSourceValue { get; } - protected virtual object Make(System.Int64 value) => throw null; - protected OptimizerSupport(System.Type returnClass, int incrementSize) => throw null; - public System.Type ReturnClass { get => throw null; set => throw null; } - } - - - public const string Pool = default; - public const string PoolLo = default; - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+PooledLoOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PooledLoOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport - { - public override bool ApplyIncrementSizeToSourceValues { get => throw null; } - public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Int64 LastSourceValue { get => throw null; } - public System.Int64 LastValue { get => throw null; } - public PooledLoOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; - } - - - // Generated from `NHibernate.Id.Enhanced.OptimizerFactory+PooledOptimizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PooledOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport, NHibernate.Id.Enhanced.OptimizerFactory.IInitialValueAwareOptimizer - { - public override bool ApplyIncrementSizeToSourceValues { get => throw null; } - public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; - public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; - public void InjectInitialValue(System.Int64 initialValue) => throw null; - public override System.Int64 LastSourceValue { get => throw null; } - public System.Int64 LastValue { get => throw null; } - public PooledOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; - } - - - } - - // Generated from `NHibernate.Id.Enhanced.SequenceStructure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceStructure : NHibernate.Id.Enhanced.IDatabaseStructure - { - public NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session) => throw null; - public int IncrementSize { get => throw null; } - public string Name { get => throw null; } - public void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; - public SequenceStructure(NHibernate.Dialect.Dialect dialect, string sequenceName, int initialValue, int incrementSize) => throw null; - public string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public int TimesAccessed { get => throw null; } - } - - // Generated from `NHibernate.Id.Enhanced.SequenceStyleGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceStyleGenerator : NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable - { - protected NHibernate.Id.Enhanced.IDatabaseStructure BuildDatabaseStructure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect, bool forceTableUse, string sequenceName, int initialValue, int incrementSize) => throw null; - public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public NHibernate.Id.Enhanced.IDatabaseStructure DatabaseStructure { get => throw null; set => throw null; } - public const int DefaultIncrementSize = default; - public const int DefaultInitialValue = default; - public const string DefaultSequenceName = default; - public const string DefaultValueColumnName = default; - protected int DetermineAdjustedIncrementSize(string optimizationStrategy, int incrementSize) => throw null; - protected int DetermineIncrementSize(System.Collections.Generic.IDictionary parms) => throw null; - protected int DetermineInitialValue(System.Collections.Generic.IDictionary parms) => throw null; - protected string DetermineOptimizationStrategy(System.Collections.Generic.IDictionary parms, int incrementSize) => throw null; - protected string DetermineSequenceName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - protected string DetermineValueColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public const string ForceTableParam = default; - public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual string GeneratorKey() => throw null; - public NHibernate.Type.IType IdentifierType { get => throw null; set => throw null; } - public const string IncrementParam = default; - public const string InitialParam = default; - public NHibernate.Id.Enhanced.IOptimizer Optimizer { get => throw null; set => throw null; } - public const string OptimizerParam = default; - protected bool RequiresPooledSequence(int initialValue, int incrementSize, NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; - public const string SequenceParam = default; - public SequenceStyleGenerator() => throw null; - public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; - public const string ValueColumnParam = default; - } - - // Generated from `NHibernate.Id.Enhanced.TableGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableGenerator : NHibernate.Engine.TransactionHelper, NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable - { - protected void BuildInsertQuery() => throw null; - protected void BuildSelectQuery(NHibernate.Dialect.Dialect dialect) => throw null; - protected void BuildUpdateQuery() => throw null; - public const string ConfigPreferSegmentPerEntity = default; - public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public const int DefaltInitialValue = default; - public const int DefaultIncrementSize = default; - public const string DefaultSegmentColumn = default; - public const int DefaultSegmentLength = default; - public const string DefaultSegmentValue = default; - public const string DefaultTable = default; - public const string DefaultValueColumn = default; - protected string DetermineDefaultSegmentValue(System.Collections.Generic.IDictionary parms) => throw null; - protected string DetermineGeneratorTableName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - protected int DetermineIncrementSize(System.Collections.Generic.IDictionary parms) => throw null; - protected int DetermineInitialValue(System.Collections.Generic.IDictionary parms) => throw null; - protected string DetermineSegmentColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - protected int DetermineSegmentColumnSize(System.Collections.Generic.IDictionary parms) => throw null; - protected string DetermineSegmentValue(System.Collections.Generic.IDictionary parms) => throw null; - protected string DetermineValueColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; - public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; - public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; - public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual string GeneratorKey() => throw null; - public NHibernate.Type.IType IdentifierType { get => throw null; set => throw null; } - public const string IncrementParam = default; - public int IncrementSize { get => throw null; set => throw null; } - public const string InitialParam = default; - public int InitialValue { get => throw null; set => throw null; } - public NHibernate.Id.Enhanced.IOptimizer Optimizer { get => throw null; set => throw null; } - public const string OptimizerParam = default; - public string SegmentColumnName { get => throw null; set => throw null; } - public const string SegmentColumnParam = default; - public const string SegmentLengthParam = default; - public string SegmentValue { get => throw null; set => throw null; } - public int SegmentValueLength { get => throw null; set => throw null; } - public const string SegmentValueParam = default; - public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; - public System.Int64 TableAccessCount { get => throw null; set => throw null; } - public TableGenerator() => throw null; - public string TableName { get => throw null; set => throw null; } - public const string TableParam = default; - public string ValueColumnName { get => throw null; set => throw null; } - public const string ValueColumnParam = default; - } - - // Generated from `NHibernate.Id.Enhanced.TableStructure` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableStructure : NHibernate.Engine.TransactionHelper, NHibernate.Id.Enhanced.IDatabaseStructure - { - public virtual NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session) => throw null; - public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; - public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; - public int IncrementSize { get => throw null; } - public string Name { get => throw null; } - public virtual void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; - public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect) => throw null; - public TableStructure(NHibernate.Dialect.Dialect dialect, string tableName, string valueColumnName, int initialValue, int incrementSize) => throw null; - public int TimesAccessed { get => throw null; } - } - + public EqPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public EqPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public EqPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public EqPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + protected override string Op { get => throw null; } } - namespace Insert + public class Example : NHibernate.Criterion.AbstractCriterion { - // Generated from `NHibernate.Id.Insert.AbstractReturningDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractReturningDelegate : NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate - { - protected AbstractReturningDelegate(NHibernate.Id.IPostInsertIdentityPersister persister) => throw null; - public abstract object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session); - public abstract System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - public object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder) => throw null; - public System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; - protected NHibernate.Id.IPostInsertIdentityPersister Persister { get => throw null; } - protected internal abstract System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session); - protected internal abstract System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - public abstract NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); - protected internal virtual void ReleaseStatement(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; - } - - // Generated from `NHibernate.Id.Insert.AbstractSelectingDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractSelectingDelegate : NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate - { - protected internal AbstractSelectingDelegate(NHibernate.Id.IPostInsertIdentityPersister persister) => throw null; - protected internal virtual void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity) => throw null; - protected internal virtual void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder) => throw null; - protected internal virtual System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal virtual System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal abstract object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity); - protected internal abstract System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity, System.Threading.CancellationToken cancellationToken); - protected internal virtual NHibernate.SqlTypes.SqlType[] ParametersTypes { get => throw null; } - public object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSql, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder) => throw null; - public System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSql, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); - protected internal abstract NHibernate.SqlCommand.SqlString SelectSQL { get; } - } - - // Generated from `NHibernate.Id.Insert.IBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBinder - { - void BindValues(System.Data.Common.DbCommand cm); - System.Threading.Tasks.Task BindValuesAsync(System.Data.Common.DbCommand cm, System.Threading.CancellationToken cancellationToken); - object Entity { get; } - } - - // Generated from `NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInsertGeneratedIdentifierDelegate - { - object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder); - System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken); - NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); - } - - // Generated from `NHibernate.Id.Insert.IdentifierGeneratingInsert` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierGeneratingInsert : NHibernate.SqlCommand.SqlInsertBuilder - { - public IdentifierGeneratingInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - } - - // Generated from `NHibernate.Id.Insert.InsertSelectIdentityInsert` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertSelectIdentityInsert : NHibernate.Id.Insert.IdentifierGeneratingInsert - { - public InsertSelectIdentityInsert(NHibernate.Engine.ISessionFactoryImplementor factory, string identifierColumnName) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - public InsertSelectIdentityInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString() => throw null; - } - - // Generated from `NHibernate.Id.Insert.NoCommentsInsert` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoCommentsInsert : NHibernate.Id.Insert.IdentifierGeneratingInsert - { - public NoCommentsInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - public override NHibernate.SqlCommand.SqlInsertBuilder SetComment(string comment) => throw null; - } - - // Generated from `NHibernate.Id.Insert.OutputParamReturningDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OutputParamReturningDelegate : NHibernate.Id.Insert.AbstractReturningDelegate - { - public override object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public OutputParamReturningDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; - protected internal override System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal override System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; - } - - // Generated from `NHibernate.Id.Insert.ReturningIdentifierInsert` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReturningIdentifierInsert : NHibernate.Id.Insert.NoCommentsInsert + protected void AddComponentTypedValues(string path, object component, NHibernate.Type.IAbstractComponentType type, System.Collections.IList list, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + protected void AddPropertyTypedValue(object value, NHibernate.Type.IType type, System.Collections.IList list) => throw null; + protected static NHibernate.Criterion.Example.IPropertySelector All; + protected void AppendComponentCondition(string path, object component, NHibernate.Type.IAbstractComponentType type, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery, NHibernate.SqlCommand.SqlStringBuilder builder) => throw null; + protected void AppendPropertyCondition(string propertyName, object propertyValue, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery cq, NHibernate.SqlCommand.SqlStringBuilder builder) => throw null; + public static NHibernate.Criterion.Example Create(object entity) => throw null; + protected Example(object entity, NHibernate.Criterion.Example.IPropertySelector selector) => throw null; + public NHibernate.Criterion.Example EnableLike(NHibernate.Criterion.MatchMode matchMode) => throw null; + public NHibernate.Criterion.Example EnableLike() => throw null; + public NHibernate.Criterion.Example ExcludeNone() => throw null; + public NHibernate.Criterion.Example ExcludeNulls() => throw null; + public NHibernate.Criterion.Example ExcludeProperty(string name) => throw null; + public NHibernate.Criterion.Example ExcludeZeroes() => throw null; + protected virtual NHibernate.Criterion.ICriterion GetNotNullPropertyCriterion(object propertyValue, string propertyName) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Criterion.Example IgnoreCase() => throw null; + public interface IPropertySelector { - public ReturningIdentifierInsert(NHibernate.Engine.ISessionFactoryImplementor factory, string identifierColumnName, string returnParameterName) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - public override NHibernate.SqlCommand.SqlString ToSqlString() => throw null; + bool Include(object propertyValue, string propertyName, NHibernate.Type.IType type); } - + protected static NHibernate.Criterion.Example.IPropertySelector NotNullOrEmptyString; + protected static NHibernate.Criterion.Example.IPropertySelector NotNullOrZero; + public virtual NHibernate.Criterion.Example SetEscapeCharacter(char? escapeCharacter) => throw null; + public NHibernate.Criterion.Example SetPropertySelector(NHibernate.Criterion.Example.IPropertySelector selector) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - } - namespace Impl - { - // Generated from `NHibernate.Impl.AbstractDetachedQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractDetachedQuery : NHibernate.Impl.IDetachedQueryImplementor, NHibernate.IDetachedQuery + public class ExistsSubqueryExpression : NHibernate.Criterion.SubqueryExpression { - protected AbstractDetachedQuery() => throw null; - public NHibernate.IDetachedQuery CopyParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; - public void CopyTo(NHibernate.IDetachedQuery destination) => throw null; - public abstract NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session); - void NHibernate.Impl.IDetachedQueryImplementor.OverrideInfoFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; - void NHibernate.Impl.IDetachedQueryImplementor.OverrideParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; - public NHibernate.IDetachedQuery SetAnsiString(string name, string val) => throw null; - public NHibernate.IDetachedQuery SetAnsiString(int position, string val) => throw null; - public NHibernate.IDetachedQuery SetBinary(string name, System.Byte[] val) => throw null; - public NHibernate.IDetachedQuery SetBinary(int position, System.Byte[] val) => throw null; - public NHibernate.IDetachedQuery SetBoolean(string name, bool val) => throw null; - public NHibernate.IDetachedQuery SetBoolean(int position, bool val) => throw null; - public NHibernate.IDetachedQuery SetByte(string name, System.Byte val) => throw null; - public NHibernate.IDetachedQuery SetByte(int position, System.Byte val) => throw null; - public virtual NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public virtual NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion) => throw null; - public virtual NHibernate.IDetachedQuery SetCacheable(bool cacheable) => throw null; - public NHibernate.IDetachedQuery SetCharacter(string name, System.Char val) => throw null; - public NHibernate.IDetachedQuery SetCharacter(int position, System.Char val) => throw null; - public virtual NHibernate.IDetachedQuery SetComment(string comment) => throw null; - public NHibernate.IDetachedQuery SetDateTime(string name, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetDateTime(int position, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetDateTimeNoMs(int position, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetDecimal(string name, System.Decimal val) => throw null; - public NHibernate.IDetachedQuery SetDecimal(int position, System.Decimal val) => throw null; - public NHibernate.IDetachedQuery SetDouble(string name, double val) => throw null; - public NHibernate.IDetachedQuery SetDouble(int position, double val) => throw null; - public NHibernate.IDetachedQuery SetEntity(string name, object val) => throw null; - public NHibernate.IDetachedQuery SetEntity(int position, object val) => throw null; - public NHibernate.IDetachedQuery SetEnum(string name, System.Enum val) => throw null; - public NHibernate.IDetachedQuery SetEnum(int position, System.Enum val) => throw null; - public virtual NHibernate.IDetachedQuery SetFetchSize(int fetchSize) => throw null; - public NHibernate.IDetachedQuery SetFirstResult(int firstResult) => throw null; - public virtual NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public NHibernate.IDetachedQuery SetGuid(string name, System.Guid val) => throw null; - public NHibernate.IDetachedQuery SetGuid(int position, System.Guid val) => throw null; - public NHibernate.IDetachedQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters) => throw null; - public NHibernate.IDetachedQuery SetInt16(string name, System.Int16 val) => throw null; - public NHibernate.IDetachedQuery SetInt16(int position, System.Int16 val) => throw null; - public NHibernate.IDetachedQuery SetInt32(string name, int val) => throw null; - public NHibernate.IDetachedQuery SetInt32(int position, int val) => throw null; - public NHibernate.IDetachedQuery SetInt64(string name, System.Int64 val) => throw null; - public NHibernate.IDetachedQuery SetInt64(int position, System.Int64 val) => throw null; - public void SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; - public NHibernate.IDetachedQuery SetMaxResults(int maxResults) => throw null; - public NHibernate.IDetachedQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; - public NHibernate.IDetachedQuery SetParameter(string name, object val) => throw null; - public NHibernate.IDetachedQuery SetParameter(int position, object val, NHibernate.Type.IType type) => throw null; - public NHibernate.IDetachedQuery SetParameter(int position, object val) => throw null; - public NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; - public NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; - public void SetParametersTo(NHibernate.IDetachedQuery destination) => throw null; - public NHibernate.IDetachedQuery SetProperties(object obj) => throw null; - protected void SetQueryProperties(NHibernate.IQuery q) => throw null; - public virtual NHibernate.IDetachedQuery SetReadOnly(bool readOnly) => throw null; - public NHibernate.IDetachedQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - public NHibernate.IDetachedQuery SetSingle(string name, float val) => throw null; - public NHibernate.IDetachedQuery SetSingle(int position, float val) => throw null; - public NHibernate.IDetachedQuery SetString(string name, string val) => throw null; - public NHibernate.IDetachedQuery SetString(int position, string val) => throw null; - public NHibernate.IDetachedQuery SetTime(string name, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetTime(int position, System.DateTime val) => throw null; - public virtual NHibernate.IDetachedQuery SetTimeout(int timeout) => throw null; - public NHibernate.IDetachedQuery SetTimestamp(string name, System.DateTime val) => throw null; - public NHibernate.IDetachedQuery SetTimestamp(int position, System.DateTime val) => throw null; - protected NHibernate.CacheMode? cacheMode; - protected string cacheRegion; - protected bool cacheable; - protected string comment; - protected NHibernate.FlushMode flushMode; - protected System.Collections.Generic.Dictionary lockModes; - protected System.Collections.Generic.Dictionary namedListParams; - protected System.Collections.Generic.Dictionary namedParams; - protected System.Collections.Generic.Dictionary namedUntypeListParams; - protected System.Collections.Generic.Dictionary namedUntypeParams; - protected System.Collections.IList optionalUntypeParams; - protected System.Collections.Generic.Dictionary posParams; - protected System.Collections.Generic.Dictionary posUntypeParams; - protected bool readOnly; - protected NHibernate.Transform.IResultTransformer resultTransformer; - protected NHibernate.Engine.RowSelection selection; - protected bool shouldIgnoredUnknownNamedParameters; + protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; + internal ExistsSubqueryExpression() : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) { } } - - // Generated from `NHibernate.Impl.AbstractQueryImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractQueryImpl : NHibernate.IQuery + public sealed class Expression : NHibernate.Criterion.Restrictions { - protected AbstractQueryImpl(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) => throw null; - protected void After() => throw null; - protected void Before() => throw null; - public string CacheRegion { get => throw null; } - public bool Cacheable { get => throw null; } - protected internal virtual NHibernate.Type.IType DetermineType(string paramName, object paramValue, NHibernate.Type.IType defaultType) => throw null; - protected internal virtual NHibernate.Type.IType DetermineType(string paramName, object paramValue) => throw null; - protected internal virtual NHibernate.Type.IType DetermineType(string paramName, System.Type clazz) => throw null; - protected internal virtual NHibernate.Type.IType DetermineType(int paramPosition, object paramValue, NHibernate.Type.IType defaultType) => throw null; - protected internal virtual NHibernate.Type.IType DetermineType(int paramPosition, object paramValue) => throw null; - public abstract System.Collections.IEnumerable Enumerable(); - public abstract System.Collections.Generic.IEnumerable Enumerable(); - public abstract System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract int ExecuteUpdate(); - public abstract System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - protected internal virtual string ExpandParameterLists(System.Collections.Generic.IDictionary namedParamsCopy) => throw null; - public NHibernate.IFutureEnumerable Future() => throw null; - public NHibernate.IFutureValue FutureValue() => throw null; - public virtual NHibernate.Engine.QueryParameters GetQueryParameters(System.Collections.Generic.IDictionary namedParams) => throw null; - public virtual NHibernate.Engine.QueryParameters GetQueryParameters() => throw null; - protected internal abstract System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters); - protected internal abstract System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - public bool HasNamedParameters { get => throw null; } - public bool IsReadOnly { get => throw null; } - public abstract void List(System.Collections.IList results); - public abstract System.Collections.IList List(); - public abstract System.Collections.Generic.IList List(); - public abstract System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - public abstract System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); - protected internal abstract System.Collections.Generic.IDictionary LockModes { get; } - protected System.Collections.IDictionary NamedParameterLists { get => throw null; } - public string[] NamedParameters { get => throw null; } - protected internal System.Collections.Generic.IDictionary NamedParams { get => throw null; } - public string QueryString { get => throw null; } - public virtual string[] ReturnAliases { get => throw null; } - public virtual NHibernate.Type.IType[] ReturnTypes { get => throw null; } - protected NHibernate.Engine.RowSelection RowSelection { get => throw null; } - public NHibernate.Engine.RowSelection Selection { get => throw null; } - protected internal NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public NHibernate.IQuery SetAnsiString(string name, string val) => throw null; - public NHibernate.IQuery SetAnsiString(int position, string val) => throw null; - public NHibernate.IQuery SetBinary(string name, System.Byte[] val) => throw null; - public NHibernate.IQuery SetBinary(int position, System.Byte[] val) => throw null; - public NHibernate.IQuery SetBoolean(string name, bool val) => throw null; - public NHibernate.IQuery SetBoolean(int position, bool val) => throw null; - public NHibernate.IQuery SetByte(string name, System.Byte val) => throw null; - public NHibernate.IQuery SetByte(int position, System.Byte val) => throw null; - public NHibernate.IQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.IQuery SetCacheRegion(string cacheRegion) => throw null; - public NHibernate.IQuery SetCacheable(bool cacheable) => throw null; - public NHibernate.IQuery SetCharacter(string name, System.Char val) => throw null; - public NHibernate.IQuery SetCharacter(int position, System.Char val) => throw null; - public NHibernate.IQuery SetCollectionKey(object collectionKey) => throw null; - public NHibernate.IQuery SetComment(string comment) => throw null; - public NHibernate.IQuery SetDateTime(string name, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTime(int position, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTime2(string name, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTime2(int position, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTimeNoMs(int position, System.DateTime val) => throw null; - public NHibernate.IQuery SetDateTimeOffset(string name, System.DateTimeOffset val) => throw null; - public NHibernate.IQuery SetDateTimeOffset(int position, System.DateTimeOffset val) => throw null; - public NHibernate.IQuery SetDecimal(string name, System.Decimal val) => throw null; - public NHibernate.IQuery SetDecimal(int position, System.Decimal val) => throw null; - public NHibernate.IQuery SetDouble(string name, double val) => throw null; - public NHibernate.IQuery SetDouble(int position, double val) => throw null; - public NHibernate.IQuery SetEntity(string name, object val) => throw null; - public NHibernate.IQuery SetEntity(int position, object val) => throw null; - public NHibernate.IQuery SetEnum(string name, System.Enum val) => throw null; - public NHibernate.IQuery SetEnum(int position, System.Enum val) => throw null; - public NHibernate.IQuery SetFetchSize(int fetchSize) => throw null; - public NHibernate.IQuery SetFirstResult(int firstResult) => throw null; - public NHibernate.IQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public NHibernate.IQuery SetGuid(string name, System.Guid val) => throw null; - public NHibernate.IQuery SetGuid(int position, System.Guid val) => throw null; - public NHibernate.IQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters) => throw null; - public NHibernate.IQuery SetInt16(string name, System.Int16 val) => throw null; - public NHibernate.IQuery SetInt16(int position, System.Int16 val) => throw null; - public NHibernate.IQuery SetInt32(string name, int val) => throw null; - public NHibernate.IQuery SetInt32(int position, int val) => throw null; - public NHibernate.IQuery SetInt64(string name, System.Int64 val) => throw null; - public NHibernate.IQuery SetInt64(int position, System.Int64 val) => throw null; - public abstract NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode); - public NHibernate.IQuery SetMaxResults(int maxResults) => throw null; - public void SetOptionalEntityName(string optionalEntityName) => throw null; - public void SetOptionalId(object optionalId) => throw null; - public void SetOptionalObject(object optionalObject) => throw null; - public NHibernate.IQuery SetParameter(string name, T val) => throw null; - public NHibernate.IQuery SetParameter(int position, T val) => throw null; - public NHibernate.IQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; - public NHibernate.IQuery SetParameter(string name, object val) => throw null; - public NHibernate.IQuery SetParameter(int position, object val, NHibernate.Type.IType type) => throw null; - public NHibernate.IQuery SetParameter(int position, object val) => throw null; - public NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; - public NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; - public NHibernate.IQuery SetProperties(object bean) => throw null; - public NHibernate.IQuery SetProperties(System.Collections.IDictionary map) => throw null; - public NHibernate.IQuery SetReadOnly(bool readOnly) => throw null; - public NHibernate.IQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer) => throw null; - public NHibernate.IQuery SetSingle(string name, float val) => throw null; - public NHibernate.IQuery SetSingle(int position, float val) => throw null; - public NHibernate.IQuery SetString(string name, string val) => throw null; - public NHibernate.IQuery SetString(int position, string val) => throw null; - public NHibernate.IQuery SetTime(string name, System.DateTime val) => throw null; - public NHibernate.IQuery SetTime(int position, System.DateTime val) => throw null; - public NHibernate.IQuery SetTimeAsTimeSpan(string name, System.TimeSpan val) => throw null; - public NHibernate.IQuery SetTimeAsTimeSpan(int position, System.TimeSpan val) => throw null; - public NHibernate.IQuery SetTimeSpan(string name, System.TimeSpan val) => throw null; - public NHibernate.IQuery SetTimeSpan(int position, System.TimeSpan val) => throw null; - public NHibernate.IQuery SetTimeout(int timeout) => throw null; - public NHibernate.IQuery SetTimestamp(string name, System.DateTime val) => throw null; - public NHibernate.IQuery SetTimestamp(int position, System.DateTime val) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql, object[] values, NHibernate.Type.IType[] types) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql, object value, NHibernate.Type.IType type) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(string sql, object value, NHibernate.Type.IType type) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(string sql, object[] values, NHibernate.Type.IType[] types) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(NHibernate.SqlCommand.SqlString sql) => throw null; + public static NHibernate.Criterion.AbstractCriterion Sql(string sql) => throw null; + } + public class GePropertyExpression : NHibernate.Criterion.PropertyExpression + { + public GePropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GePropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + protected override string Op { get => throw null; } + } + public class GroupedProjection : NHibernate.Criterion.IProjection + { + public virtual string[] Aliases { get => throw null; } + public GroupedProjection(NHibernate.Criterion.IProjection projection) => throw null; + public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public bool IsAggregate { get => throw null; } + public virtual bool IsGrouped { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class GtPropertyExpression : NHibernate.Criterion.PropertyExpression + { + public GtPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public GtPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + protected override string Op { get => throw null; } + } + public interface ICriteriaQuery + { + System.Collections.Generic.ICollection CollectedParameters { get; } + System.Collections.Generic.ICollection CollectedParameterSpecifications { get; } + NHibernate.SqlCommand.Parameter CreateSkipParameter(int value); + NHibernate.SqlCommand.Parameter CreateTakeParameter(int value); + NHibernate.Engine.ISessionFactoryImplementor Factory { get; } + string GenerateSQLAlias(); + string GetColumn(NHibernate.ICriteria criteria, string propertyPath); + string[] GetColumnAliasesUsingProjection(NHibernate.ICriteria criteria, string propertyPath); + string[] GetColumns(NHibernate.ICriteria criteria, string propertyPath); + string[] GetColumnsUsingProjection(NHibernate.ICriteria criteria, string propertyPath); + string GetEntityName(NHibernate.ICriteria criteria); + string GetEntityName(NHibernate.ICriteria criteria, string propertyPath); + string[] GetIdentifierColumns(NHibernate.ICriteria subcriteria); + NHibernate.Type.IType GetIdentifierType(NHibernate.ICriteria subcriteria); + int GetIndexForAlias(); + string GetPropertyName(string propertyName); + string GetSQLAlias(NHibernate.ICriteria subcriteria); + string GetSQLAlias(NHibernate.ICriteria criteria, string propertyPath); + NHibernate.Type.IType GetType(NHibernate.ICriteria criteria, string propertyPath); + NHibernate.Engine.TypedValue GetTypedIdentifierValue(NHibernate.ICriteria subcriteria, object value); + NHibernate.Engine.TypedValue GetTypedValue(NHibernate.ICriteria criteria, string propertyPath, object value); + NHibernate.Type.IType GetTypeUsingProjection(NHibernate.ICriteria criteria, string propertyPath); + System.Collections.Generic.IEnumerable NewQueryParameter(NHibernate.Engine.TypedValue parameter); + } + public interface ICriterion + { + NHibernate.Criterion.IProjection[] GetProjections(); + NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + } + public class IdentifierEqExpression : NHibernate.Criterion.AbstractCriterion + { + public IdentifierEqExpression(NHibernate.Criterion.IProjection projection) => throw null; + public IdentifierEqExpression(object value) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class IdentifierProjection : NHibernate.Criterion.SimpleProjection, NHibernate.Criterion.IPropertyProjection + { + protected IdentifierProjection(bool grouped) => throw null; + protected IdentifierProjection() => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public string PropertyName { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; public override string ToString() => throw null; - public virtual NHibernate.Type.IType[] TypeArray() => throw null; - protected virtual System.Collections.Generic.IList Types { get => throw null; } - public object UniqueResult() => throw null; - public T UniqueResult() => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public virtual object[] ValueArray() => throw null; - protected virtual System.Collections.IList Values { get => throw null; } - protected internal virtual void VerifyParameters(bool reserveFirstParameter) => throw null; - protected internal virtual void VerifyParameters() => throw null; - protected System.Collections.Generic.Dictionary namedParameterLists; - protected internal NHibernate.Engine.Query.ParameterMetadata parameterMetadata; - protected NHibernate.Engine.ISessionImplementor session; } - - // Generated from `NHibernate.Impl.AbstractQueryImpl2` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractQueryImpl2 : NHibernate.Impl.AbstractQueryImpl + public class InExpression : NHibernate.Criterion.AbstractCriterion { - protected AbstractQueryImpl2(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - public override System.Collections.IEnumerable Enumerable() => throw null; - public override System.Collections.Generic.IEnumerable Enumerable() => throw null; - public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ExecuteUpdate() => throw null; - public override System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected abstract NHibernate.IQueryExpression ExpandParameters(System.Collections.Generic.IDictionary namedParamsCopy); - protected internal override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected internal override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override void List(System.Collections.IList results) => throw null; - public override System.Collections.IList List() => throw null; - public override System.Collections.Generic.IList List() => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected internal override System.Collections.Generic.IDictionary LockModes { get => throw null; } - public override NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public InExpression(NHibernate.Criterion.IProjection projection, object[] values) => throw null; + public InExpression(string propertyName, object[] values) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + public object[] Values { get => throw null; set { } } } - - // Generated from `NHibernate.Impl.AbstractSessionImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractSessionImpl : NHibernate.Engine.ISessionImplementor + public class InsensitiveLikeExpression : NHibernate.Criterion.AbstractCriterion { - protected internal AbstractSessionImpl(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.ISessionCreationOptions options) => throw null; - internal AbstractSessionImpl() => throw null; - protected void AfterOperation(bool success) => throw null; - protected System.Threading.Tasks.Task AfterOperationAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract void AfterTransactionBegin(NHibernate.ITransaction tx); - public abstract void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx); - public abstract System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); - public virtual bool AutoFlushIfRequired(System.Collections.Generic.ISet querySpaces) => throw null; - public virtual System.Threading.Tasks.Task AutoFlushIfRequiredAsync(System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual NHibernate.Engine.IBatcher Batcher { get => throw null; } - public abstract void BeforeTransactionCompletion(NHibernate.ITransaction tx); - public abstract System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); - public System.IDisposable BeginContext() => throw null; - public System.IDisposable BeginProcess() => throw null; - public NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; - public NHibernate.ITransaction BeginTransaction() => throw null; - public abstract string BestGuessEntityName(object entity); - public abstract NHibernate.CacheMode CacheMode { get; set; } - protected internal virtual void CheckAndUpdateSessionStatus() => throw null; - protected System.Data.Common.DbConnection CloseConnectionManager() => throw null; - public abstract void CloseSessionFromSystemTransaction(); - public virtual System.Data.Common.DbConnection Connection { get => throw null; } - public virtual NHibernate.AdoNet.ConnectionManager ConnectionManager { get => throw null; set => throw null; } - protected System.Exception Convert(System.Exception sqlException, string message) => throw null; - public abstract NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression); - public abstract System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken); - public virtual NHibernate.IQuery CreateQuery(string queryString) => throw null; - public virtual NHibernate.IQuery CreateQuery(NHibernate.IQueryExpression queryExpression) => throw null; - public virtual NHibernate.Multi.IQueryBatch CreateQueryBatch() => throw null; - public virtual NHibernate.ISQLQuery CreateSQLQuery(string sql) => throw null; - public abstract System.Collections.Generic.IDictionary EnabledFilters { get; } - protected void EnlistInAmbientTransactionIfNeeded() => throw null; - public abstract System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); - public abstract System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); - public abstract System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - public abstract System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - public abstract System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - public abstract System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - public abstract System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - public abstract System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - protected virtual void ErrorIfClosed() => throw null; - public abstract int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters); - public abstract System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - public abstract int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); - public abstract System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; set => throw null; } - public abstract string FetchProfile { get; set; } - public abstract void Flush(); - public abstract System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken); - public abstract void FlushBeforeTransactionCompletion(); - public abstract System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); - public virtual NHibernate.FlushMode FlushMode { get => throw null; set => throw null; } - public virtual NHibernate.Multi.IQueryBatch FutureBatch { get => throw null; } - public abstract NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get; set; } - public abstract NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get; set; } - public NHibernate.Cache.CacheKey GenerateCacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName) => throw null; - public NHibernate.Engine.EntityKey GenerateEntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public abstract object GetContextEntityIdentifier(object obj); - public abstract NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj); - public abstract object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key); - public abstract System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken); - public abstract NHibernate.Type.IType GetFilterParameterType(string filterParameterName); - public abstract object GetFilterParameterValue(string filterParameterName); - protected internal virtual NHibernate.Engine.Query.IQueryExpressionPlan GetHQLQueryPlan(NHibernate.IQueryExpression queryExpression, bool shallow) => throw null; - public virtual NHibernate.IQuery GetNamedQuery(string queryName) => throw null; - public virtual NHibernate.IQuery GetNamedSQLQuery(string name) => throw null; - protected internal virtual NHibernate.Engine.Query.NativeSQLQueryPlan GetNativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec) => throw null; - public abstract NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar); - public abstract System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken); - public abstract string GuessEntityName(object entity); - public abstract object ImmediateLoad(string entityName, object id); - public abstract System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken); - public void Initialize() => throw null; - public abstract void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing); - public abstract System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken); - public virtual object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; - public abstract object Instantiate(string clazz, object id); - public virtual NHibernate.IInterceptor Interceptor { get => throw null; set => throw null; } - public abstract object InternalLoad(string entityName, object id, bool eager, bool isNullable); - public abstract System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken); - protected bool IsAlreadyDisposed { get => throw null; set => throw null; } - public bool IsClosed { get => throw null; } - public virtual bool IsConnected { get => throw null; } - public abstract bool IsEventSource { get; } - public abstract bool IsOpen { get; } - protected bool IsTransactionCoordinatorShared { get => throw null; } - public void JoinTransaction() => throw null; - public virtual void List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public virtual System.Collections.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; - public virtual System.Collections.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters) => throw null; - public virtual System.Collections.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public virtual System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; - public virtual System.Collections.Generic.IList List(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters) => throw null; - public virtual System.Collections.Generic.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public abstract void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results); - public abstract void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); - public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - public abstract System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - public virtual System.Collections.Generic.IList ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public abstract void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); - public virtual System.Threading.Tasks.Task> ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public abstract System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - public abstract System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - public abstract System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); - public System.Collections.IList ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters) => throw null; - protected abstract void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results); - public abstract System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - public abstract System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); - public System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - protected abstract System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); - public abstract NHibernate.Event.EventListeners Listeners { get; } - public abstract NHibernate.Engine.IPersistenceContext PersistenceContext { get; } - public System.Linq.IQueryable Query(string entityName) => throw null; - public System.Linq.IQueryable Query() => throw null; - public System.Guid SessionId { get => throw null; } - protected internal void SetClosed() => throw null; - public NHibernate.MultiTenancy.TenantConfiguration TenantConfiguration { get => throw null; set => throw null; } - public string TenantIdentifier { get => throw null; } - public virtual System.Int64 Timestamp { get => throw null; set => throw null; } - public NHibernate.ITransaction Transaction { get => throw null; } - public NHibernate.Transaction.ITransactionContext TransactionContext { get => throw null; set => throw null; } - public virtual bool TransactionInProgress { get => throw null; } + public InsensitiveLikeExpression(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public InsensitiveLikeExpression(NHibernate.Criterion.IProjection projection, object value) => throw null; + public InsensitiveLikeExpression(string propertyName, object value) => throw null; + public InsensitiveLikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public NHibernate.Engine.TypedValue GetParameterTypedValue(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.CollectionFilterImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionFilterImpl : NHibernate.Impl.QueryImpl + public interface IProjection { - public CollectionFilterImpl(string queryString, object collection, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - public override System.Collections.IEnumerable Enumerable() => throw null; - public override System.Collections.Generic.IEnumerable Enumerable() => throw null; - public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected internal override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected internal override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override void List(System.Collections.IList results) => throw null; - public override System.Collections.IList List() => throw null; - public override System.Collections.Generic.IList List() => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override NHibernate.Type.IType[] TypeArray() => throw null; - public override object[] ValueArray() => throw null; + string[] Aliases { get; } + string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + bool IsAggregate { get; } + bool IsGrouped { get; } + NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery); } - - // Generated from `NHibernate.Impl.CriteriaImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CriteriaImpl : System.ICloneable, NHibernate.Impl.ISupportEntityJoinCriteria, NHibernate.ISupportSelectModeCriteria, NHibernate.ICriteria + public interface IPropertyProjection { - public NHibernate.ICriteria Add(NHibernate.ICriteria criteriaInst, NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order ordering) => throw null; - protected internal void After() => throw null; - public string Alias { get => throw null; } - protected internal void Before() => throw null; - public NHibernate.CacheMode? CacheMode { get => throw null; } - public string CacheRegion { get => throw null; } - public bool Cacheable { get => throw null; } - public void ClearOrders() => throw null; - public object Clone() => throw null; - public string Comment { get => throw null; } - public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateAlias(string associationPath, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath) => throw null; - public NHibernate.ICriteria CreateEntityCriteria(string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; - public CriteriaImpl(string entityOrClassName, string alias, NHibernate.Engine.ISessionImplementor session) => throw null; - public CriteriaImpl(string entityOrClassName, NHibernate.Engine.ISessionImplementor session) => throw null; - public CriteriaImpl(System.Type persistentClass, string alias, NHibernate.Engine.ISessionImplementor session) => throw null; - public CriteriaImpl(System.Type persistentClass, NHibernate.Engine.ISessionImplementor session) => throw null; - // Generated from `NHibernate.Impl.CriteriaImpl+CriterionEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CriterionEntry + string PropertyName { get; } + } + public class IsEmptyExpression : NHibernate.Criterion.AbstractEmptinessExpression + { + public IsEmptyExpression(string propertyName) : base(default(string)) => throw null; + protected override bool ExcludeEmpty { get => throw null; } + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + } + public class IsNotEmptyExpression : NHibernate.Criterion.AbstractEmptinessExpression + { + public IsNotEmptyExpression(string propertyName) : base(default(string)) => throw null; + protected override bool ExcludeEmpty { get => throw null; } + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + } + public interface ISupportEntityJoinQueryOver + { + NHibernate.IQueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName); + } + public interface ISupportSelectModeQueryOver + { + NHibernate.IQueryOver Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path); + } + public abstract class Junction : NHibernate.Criterion.AbstractCriterion + { + public NHibernate.Criterion.Junction Add(NHibernate.Criterion.ICriterion criterion) => throw null; + public NHibernate.Criterion.Junction Add(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Junction Add(System.Linq.Expressions.Expression> expression) => throw null; + protected Junction() => throw null; + protected abstract NHibernate.SqlCommand.SqlString EmptyExpression { get; } + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + protected abstract string Op { get; } + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + namespace Lambda + { + public class IQueryOverFetchBuilder : NHibernate.Criterion.Lambda.QueryOverFetchBuilderBase, TRoot, TSubType> + { + public IQueryOverFetchBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + } + public class IQueryOverJoinBuilder : NHibernate.Criterion.Lambda.QueryOverJoinBuilderBase, TRoot, TSubType> + { + public IQueryOverJoinBuilder(NHibernate.IQueryOver root, NHibernate.SqlCommand.JoinType joinType) : base(default(NHibernate.IQueryOver), default(NHibernate.SqlCommand.JoinType)) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + } + public class IQueryOverLockBuilder : NHibernate.Criterion.Lambda.QueryOverLockBuilderBase, TRoot, TSubType> { - public NHibernate.ICriteria Criteria { get => throw null; } - public NHibernate.Criterion.ICriterion Criterion { get => throw null; } - public override string ToString() => throw null; + public IQueryOverLockBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> alias) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; } - - - public string EntityOrClassName { get => throw null; } - public NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias) => throw null; - public int FetchSize { get => throw null; } - public int FirstResult { get => throw null; } - public NHibernate.IFutureEnumerable Future() => throw null; - public NHibernate.IFutureValue FutureValue() => throw null; - public NHibernate.ICriteria GetCriteriaByAlias(string alias) => throw null; - public NHibernate.ICriteria GetCriteriaByPath(string path) => throw null; - public System.Collections.Generic.HashSet GetEntityFetchLazyProperties(string path) => throw null; - public NHibernate.FetchMode GetFetchMode(string path) => throw null; - public System.Type GetRootEntityTypeIfAvailable() => throw null; - public NHibernate.SelectMode GetSelectMode(string path) => throw null; - public bool IsReadOnly { get => throw null; } - public bool IsReadOnlyInitialized { get => throw null; } - public System.Collections.Generic.IEnumerable IterateExpressionEntries() => throw null; - public System.Collections.Generic.IEnumerable IterateOrderings() => throw null; - public System.Collections.Generic.IEnumerable IterateSubcriteria() => throw null; - public void List(System.Collections.IList results) => throw null; - public System.Collections.IList List() => throw null; - public System.Collections.Generic.IList List() => throw null; - public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Collections.Generic.IDictionary LockModes { get => throw null; } - public bool LookupByNaturalKey { get => throw null; } - public int MaxResults { get => throw null; } - // Generated from `NHibernate.Impl.CriteriaImpl+OrderEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OrderEntry + public class IQueryOverOrderBuilder : NHibernate.Criterion.Lambda.QueryOverOrderBuilderBase, TRoot, TSubType> + { + public IQueryOverOrderBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + public IQueryOverOrderBuilder(NHibernate.IQueryOver root, System.Linq.Expressions.Expression> path, bool isAlias) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + public IQueryOverOrderBuilder(NHibernate.IQueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.IQueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + } + public class IQueryOverRestrictionBuilder : NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase, TRoot, TSubType> + { + public IQueryOverRestrictionBuilder(NHibernate.IQueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.IQueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; + public NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder Not { get => throw null; } + } + public class IQueryOverSubqueryBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryBuilderBase, TRoot, TSubType, NHibernate.Criterion.Lambda.IQueryOverSubqueryPropertyBuilder> + { + public IQueryOverSubqueryBuilder(NHibernate.IQueryOver root) : base(default(NHibernate.IQueryOver)) => throw null; + } + public class IQueryOverSubqueryPropertyBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, TRoot, TSubType> + { + public IQueryOverSubqueryPropertyBuilder() => throw null; + } + public class LambdaNaturalIdentifierBuilder + { + public LambdaNaturalIdentifierBuilder(NHibernate.Criterion.NaturalIdentifier naturalIdentifier, string propertyName) => throw null; + public NHibernate.Criterion.NaturalIdentifier Is(object value) => throw null; + } + public class LambdaRestrictionBuilder + { + public LambdaRestrictionBuilder(NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; + public NHibernate.Criterion.Lambda.LambdaRestrictionBuilder.LambdaBetweenBuilder IsBetween(object lo) => throw null; + public NHibernate.Criterion.AbstractCriterion IsEmpty { get => throw null; } + public NHibernate.Criterion.AbstractCriterion IsIn(System.Collections.ICollection values) => throw null; + public NHibernate.Criterion.AbstractCriterion IsIn(object[] values) => throw null; + public NHibernate.Criterion.AbstractCriterion IsInG(System.Collections.Generic.IEnumerable values) => throw null; + public NHibernate.Criterion.AbstractCriterion IsInsensitiveLike(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion IsInsensitiveLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public NHibernate.Criterion.AbstractCriterion IsLike(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion IsLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public NHibernate.Criterion.AbstractCriterion IsLike(string value, NHibernate.Criterion.MatchMode matchMode, char? escapeChar) => throw null; + public NHibernate.Criterion.AbstractCriterion IsNotEmpty { get => throw null; } + public NHibernate.Criterion.AbstractCriterion IsNotNull { get => throw null; } + public NHibernate.Criterion.AbstractCriterion IsNull { get => throw null; } + public class LambdaBetweenBuilder + { + public NHibernate.Criterion.AbstractCriterion And(object hi) => throw null; + public LambdaBetweenBuilder(NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection, object lo, bool isNot) => throw null; + } + public NHibernate.Criterion.Lambda.LambdaRestrictionBuilder Not { get => throw null; } + } + public class LambdaSubqueryBuilder + { + public LambdaSubqueryBuilder(string propertyName, object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Eq(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion EqAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion Ge(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion GeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion GeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion Gt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion GtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion GtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion Le(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion LeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion LeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion Lt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion LtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion LtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion Ne(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public NHibernate.Criterion.AbstractCriterion NotIn(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + } + public class QueryOverFetchBuilder : NHibernate.Criterion.Lambda.QueryOverFetchBuilderBase, TRoot, TSubType> + { + public QueryOverFetchBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + } + public class QueryOverFetchBuilderBase where TReturn : NHibernate.IQueryOver + { + protected QueryOverFetchBuilderBase(TReturn root, System.Linq.Expressions.Expression> path) => throw null; + public TReturn Default { get => throw null; } + public TReturn Eager { get => throw null; } + public TReturn Lazy { get => throw null; } + protected string path; + protected TReturn root; + } + public class QueryOverJoinBuilder : NHibernate.Criterion.Lambda.QueryOverJoinBuilderBase, TRoot, TSubType> + { + public QueryOverJoinBuilder(NHibernate.Criterion.QueryOver root, NHibernate.SqlCommand.JoinType joinType) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.SqlCommand.JoinType)) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + } + public class QueryOverJoinBuilderBase where TReturn : NHibernate.IQueryOver + { + public QueryOverJoinBuilderBase(TReturn root, NHibernate.SqlCommand.JoinType joinType) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause) => throw null; + public TReturn JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause) => throw null; + protected NHibernate.SqlCommand.JoinType joinType; + protected TReturn root; + } + public class QueryOverLockBuilder : NHibernate.Criterion.Lambda.QueryOverLockBuilderBase, TRoot, TSubType> + { + public QueryOverLockBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> alias) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + } + public class QueryOverLockBuilderBase where TReturn : NHibernate.IQueryOver + { + protected string alias; + protected QueryOverLockBuilderBase(TReturn root, System.Linq.Expressions.Expression> alias) => throw null; + public TReturn Force { get => throw null; } + public TReturn None { get => throw null; } + public TReturn Read { get => throw null; } + protected TReturn root; + public TReturn Upgrade { get => throw null; } + public TReturn UpgradeNoWait { get => throw null; } + public TReturn Write { get => throw null; } + } + public class QueryOverOrderBuilder : NHibernate.Criterion.Lambda.QueryOverOrderBuilderBase, TRoot, TSubType> + { + public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, System.Linq.Expressions.Expression> path, bool isAlias) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + public QueryOverOrderBuilder(NHibernate.Criterion.QueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.Criterion.QueryOver), default(System.Linq.Expressions.Expression>)) => throw null; + } + public class QueryOverOrderBuilderBase where TReturn : NHibernate.IQueryOver + { + public TReturn Asc { get => throw null; } + protected QueryOverOrderBuilderBase(TReturn root, System.Linq.Expressions.Expression> path) => throw null; + protected QueryOverOrderBuilderBase(TReturn root, System.Linq.Expressions.Expression> path, bool isAlias) => throw null; + protected QueryOverOrderBuilderBase(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; + public TReturn Desc { get => throw null; } + protected bool isAlias; + protected System.Linq.Expressions.LambdaExpression path; + protected NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection; + protected TReturn root; + } + public class QueryOverProjectionBuilder + { + public QueryOverProjectionBuilder() => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(NHibernate.Criterion.IProjection projection) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder Select(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectAvg(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectAvg(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCount(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCount(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCountDistinct(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectCountDistinct(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectGroup(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectGroup(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMax(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMax(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMin(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectMin(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSubQuery(NHibernate.Criterion.QueryOver detachedQueryOver) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSum(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder SelectSum(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder WithAlias(System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.Lambda.QueryOverProjectionBuilder WithAlias(string alias) => throw null; + } + public class QueryOverRestrictionBuilder : NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase, TRoot, TSubType> + { + public QueryOverRestrictionBuilder(NHibernate.Criterion.QueryOver root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) : base(default(NHibernate.Criterion.QueryOver), default(NHibernate.Impl.ExpressionProcessor.ProjectionInfo)) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder Not { get => throw null; } + } + public class QueryOverRestrictionBuilderBase where TReturn : NHibernate.IQueryOver + { + public QueryOverRestrictionBuilderBase(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilderBase.LambdaBetweenBuilder IsBetween(object lo) => throw null; + public TReturn IsEmpty { get => throw null; } + public TReturn IsIn(System.Collections.ICollection values) => throw null; + public TReturn IsIn(object[] values) => throw null; + public TReturn IsInG(System.Collections.Generic.IEnumerable values) => throw null; + public TReturn IsInsensitiveLike(object value) => throw null; + public TReturn IsInsensitiveLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public TReturn IsLike(object value) => throw null; + public TReturn IsLike(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public TReturn IsLike(string value, NHibernate.Criterion.MatchMode matchMode, char? escapeChar) => throw null; + protected bool isNot; + public TReturn IsNotEmpty { get => throw null; } + public TReturn IsNotNull { get => throw null; } + public TReturn IsNull { get => throw null; } + public class LambdaBetweenBuilder + { + public TReturn And(object hi) => throw null; + public LambdaBetweenBuilder(TReturn root, NHibernate.Impl.ExpressionProcessor.ProjectionInfo projection, bool isNot, object lo) => throw null; + } + } + public class QueryOverSubqueryBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryBuilderBase, TRoot, TSubType, NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilder> { - public NHibernate.ICriteria Criteria { get => throw null; } - public NHibernate.Criterion.Order Order { get => throw null; } - public override string ToString() => throw null; + public QueryOverSubqueryBuilder(NHibernate.Criterion.QueryOver root) : base(default(NHibernate.Criterion.QueryOver)) => throw null; } - - - public NHibernate.Criterion.IProjection Projection { get => throw null; } - public NHibernate.ICriteria ProjectionCriteria { get => throw null; } - public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; } - public NHibernate.Engine.ISessionImplementor Session { get => throw null; set => throw null; } - public NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.ICriteria SetCacheRegion(string cacheRegion) => throw null; - public NHibernate.ICriteria SetCacheable(bool cacheable) => throw null; - public NHibernate.ICriteria SetComment(string comment) => throw null; - public NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; - public NHibernate.ICriteria SetFetchSize(int fetchSize) => throw null; - public NHibernate.ICriteria SetFirstResult(int firstResult) => throw null; - public NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; - public NHibernate.ICriteria SetMaxResults(int maxResults) => throw null; - public NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projections) => throw null; - public NHibernate.ICriteria SetReadOnly(bool readOnly) => throw null; - public NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer tupleMapper) => throw null; - public NHibernate.ICriteria SetTimeout(int timeout) => throw null; - // Generated from `NHibernate.Impl.CriteriaImpl+Subcriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Subcriteria : System.ICloneable, NHibernate.ISupportSelectModeCriteria, NHibernate.ICriteria + public class QueryOverSubqueryBuilderBase where TReturn : NHibernate.IQueryOver where TBuilderType : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, new() { - public NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression) => throw null; - public NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order order) => throw null; - public string Alias { get => throw null; set => throw null; } - public void ClearOrders() => throw null; - public object Clone() => throw null; - public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateAlias(string associationPath, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; - public NHibernate.ICriteria CreateCriteria(string associationPath) => throw null; - public NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias) => throw null; - public NHibernate.IFutureEnumerable Future() => throw null; - public NHibernate.IFutureValue FutureValue() => throw null; - public NHibernate.ICriteria GetCriteriaByAlias(string alias) => throw null; - public NHibernate.ICriteria GetCriteriaByPath(string path) => throw null; - public System.Type GetRootEntityTypeIfAvailable() => throw null; - public bool HasRestrictions { get => throw null; } - public bool IsEntityJoin { get => throw null; } - public bool IsReadOnly { get => throw null; } - public bool IsReadOnlyInitialized { get => throw null; } - public string JoinEntityName { get => throw null; } - public NHibernate.SqlCommand.JoinType JoinType { get => throw null; } - public void List(System.Collections.IList results) => throw null; - public System.Collections.IList List() => throw null; - public System.Collections.Generic.IList List() => throw null; - public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.LockMode LockMode { get => throw null; } - public NHibernate.ICriteria Parent { get => throw null; } - public string Path { get => throw null; } - public NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.ICriteria SetCacheRegion(string cacheRegion) => throw null; - public NHibernate.ICriteria SetCacheable(bool cacheable) => throw null; - public NHibernate.ICriteria SetComment(string comment) => throw null; - public NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; - public NHibernate.ICriteria SetFetchSize(int fetchSize) => throw null; - public NHibernate.ICriteria SetFirstResult(int firstResult) => throw null; - public NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; - public NHibernate.ICriteria SetMaxResults(int maxResults) => throw null; - public NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projections) => throw null; - public NHibernate.ICriteria SetReadOnly(bool readOnly) => throw null; - public NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultProcessor) => throw null; - public NHibernate.ICriteria SetTimeout(int timeout) => throw null; - public object UniqueResult() => throw null; - public T UniqueResult() => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.Criterion.ICriterion WithClause { get => throw null; } + protected QueryOverSubqueryBuilderBase(TReturn root) => throw null; + protected TReturn root; + public TReturn Where(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn Where(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn WhereAll(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn WhereAll(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn WhereExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; + public TReturn WhereNotExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; + public TBuilderType WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; + public TBuilderType WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn WhereSome(System.Linq.Expressions.Expression> expression) => throw null; + public TReturn WhereSome(System.Linq.Expressions.Expression> expression) => throw null; + public TBuilderType WhereValue(object value) => throw null; } - - - public int Timeout { get => throw null; } + public class QueryOverSubqueryPropertyBuilder : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase, TRoot, TSubType> + { + public QueryOverSubqueryPropertyBuilder() => throw null; + } + public abstract class QueryOverSubqueryPropertyBuilderBase + { + protected QueryOverSubqueryPropertyBuilderBase() => throw null; + } + public class QueryOverSubqueryPropertyBuilderBase : NHibernate.Criterion.Lambda.QueryOverSubqueryPropertyBuilderBase where TReturn : NHibernate.IQueryOver + { + protected QueryOverSubqueryPropertyBuilderBase() => throw null; + public TReturn Eq(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn EqAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn Ge(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn GeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn GeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn Gt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn GtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn GtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn In(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn Le(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn LeAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn LeSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn Lt(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn LtAll(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn LtSome(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn Ne(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + public TReturn NotIn(NHibernate.Criterion.QueryOver detachedCriteria) => throw null; + protected string path; + protected TReturn root; + protected object value; + } + } + public class LePropertyExpression : NHibernate.Criterion.PropertyExpression + { + public LePropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LePropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LePropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + protected override string Op { get => throw null; } + } + public class LikeExpression : NHibernate.Criterion.AbstractCriterion + { + public LikeExpression(string propertyName, string value, char? escapeChar, bool ignoreCase) => throw null; + public LikeExpression(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public LikeExpression(string propertyName, string value) => throw null; + public LikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public LikeExpression(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode, char? escapeChar, bool ignoreCase) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; public override string ToString() => throw null; - public object UniqueResult() => throw null; - public T UniqueResult() => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - // Generated from `NHibernate.Impl.DetachedNamedQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DetachedNamedQuery : NHibernate.Impl.AbstractDetachedQuery + public abstract class LogicalExpression : NHibernate.Criterion.AbstractCriterion { - public NHibernate.Impl.DetachedNamedQuery Clone() => throw null; - public DetachedNamedQuery(string queryName) => throw null; - public override NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session) => throw null; - public string QueryName { get => throw null; } - public override NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public override NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion) => throw null; - public override NHibernate.IDetachedQuery SetCacheable(bool cacheable) => throw null; - public override NHibernate.IDetachedQuery SetComment(string comment) => throw null; - public override NHibernate.IDetachedQuery SetFetchSize(int fetchSize) => throw null; - public override NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public override NHibernate.IDetachedQuery SetReadOnly(bool readOnly) => throw null; - public override NHibernate.IDetachedQuery SetTimeout(int timeout) => throw null; + protected LogicalExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + protected NHibernate.Criterion.ICriterion LeftHandSide { get => throw null; } + protected abstract string Op { get; } + protected NHibernate.Criterion.ICriterion RightHandSide { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.DetachedQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DetachedQuery : NHibernate.Impl.AbstractDetachedQuery + public class LtPropertyExpression : NHibernate.Criterion.PropertyExpression { - public NHibernate.Impl.DetachedQuery Clone() => throw null; - public DetachedQuery(string hql) => throw null; - public override NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session) => throw null; - public string Hql { get => throw null; } + public LtPropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LtPropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + public LtPropertyExpression(string lhsPropertyName, string rhsPropertyName) : base(default(NHibernate.Criterion.IProjection), default(string)) => throw null; + protected override string Op { get => throw null; } } - - // Generated from `NHibernate.Impl.EnumerableImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EnumerableImpl : System.IDisposable, System.Collections.IEnumerator, System.Collections.IEnumerable + public abstract class MatchMode { - public object Current { get => throw null; } - public void Dispose() => throw null; - protected virtual void Dispose(bool isDisposing) => throw null; - public EnumerableImpl(System.Data.Common.DbDataReader reader, System.Data.Common.DbCommand cmd, NHibernate.Event.IEventSource session, bool readOnly, NHibernate.Type.IType[] types, string[][] columnNames, NHibernate.Engine.RowSelection selection, NHibernate.Transform.IResultTransformer resultTransformer, string[] returnAliases) => throw null; - public EnumerableImpl(System.Data.Common.DbDataReader reader, System.Data.Common.DbCommand cmd, NHibernate.Event.IEventSource session, bool readOnly, NHibernate.Type.IType[] types, string[][] columnNames, NHibernate.Engine.RowSelection selection, NHibernate.Hql.HolderInstantiator holderInstantiator) => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; - public bool MoveNext() => throw null; - public void Reset() => throw null; - // ERR: Stub generator didn't handle member: ~EnumerableImpl + public static NHibernate.Criterion.MatchMode Anywhere; + protected MatchMode(int intCode, string name) => throw null; + public static NHibernate.Criterion.MatchMode End; + public static NHibernate.Criterion.MatchMode Exact; + public static NHibernate.Criterion.MatchMode Start; + public abstract string ToMatchString(string pattern); + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.ExpressionProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ExpressionProcessor + public class NaturalIdentifier : NHibernate.Criterion.ICriterion { - public static NHibernate.Criterion.DetachedCriteria FindDetachedCriteria(System.Linq.Expressions.Expression expression) => throw null; - public static string FindMemberExpression(System.Linq.Expressions.Expression expression) => throw null; - public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo FindMemberProjection(System.Linq.Expressions.Expression expression) => throw null; - public static string FindPropertyExpression(System.Linq.Expressions.Expression expression) => throw null; - public static object FindValue(System.Linq.Expressions.Expression expression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessExpression(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.ICriterion ProcessExpression(System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.Expression> expression, System.Func orderDelegate) => throw null; - public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.LambdaExpression expression, System.Func orderStringDelegate, System.Func orderProjectionDelegate) => throw null; - public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.LambdaExpression expression, System.Func orderDelegate) => throw null; - public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.Expression> expression, System.Func orderDelegate) => throw null; - public static NHibernate.Criterion.AbstractCriterion ProcessSubquery(NHibernate.Impl.LambdaSubqueryType subqueryType, System.Linq.Expressions.Expression> expression) => throw null; - public static NHibernate.Criterion.AbstractCriterion ProcessSubquery(NHibernate.Impl.LambdaSubqueryType subqueryType, System.Linq.Expressions.Expression> expression) => throw null; - // Generated from `NHibernate.Impl.ExpressionProcessor+ProjectionInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProjectionInfo - { - public NHibernate.Criterion.IProjection AsProjection() => throw null; - public string AsProperty() => throw null; - public T Create(System.Func stringFunc, System.Func projectionFunc) => throw null; - public NHibernate.Criterion.ICriterion CreateCriterion(System.Func stringFunc, System.Func projectionFunc, object value) => throw null; - public NHibernate.Criterion.ICriterion CreateCriterion(System.Func stringFunc, System.Func projectionFunc) => throw null; - public NHibernate.Criterion.ICriterion CreateCriterion(NHibernate.Impl.ExpressionProcessor.ProjectionInfo rhs, System.Func ssFunc, System.Func spFunc, System.Func psFunc, System.Func ppFunc) => throw null; - public NHibernate.Criterion.Order CreateOrder(System.Func orderStringDelegate, System.Func orderProjectionDelegate) => throw null; - public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo ForProjection(NHibernate.Criterion.IProjection projection) => throw null; - public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo ForProperty(string property) => throw null; - protected ProjectionInfo() => throw null; - } - - - public static void RegisterCustomMethodCall(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; - public static void RegisterCustomProjection(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; - public static void RegisterCustomProjection(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; - public static string Signature(System.Reflection.MethodInfo methodInfo) => throw null; - public static string Signature(System.Reflection.MemberInfo memberInfo) => throw null; + public NaturalIdentifier() => throw null; + public NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Criterion.NaturalIdentifier Set(string property, object value) => throw null; + public NHibernate.Criterion.Lambda.LambdaNaturalIdentifierBuilder Set(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.LambdaNaturalIdentifierBuilder Set(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + } + public class NotExpression : NHibernate.Criterion.AbstractCriterion + { + public NotExpression(NHibernate.Criterion.ICriterion criterion) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class NotNullExpression : NHibernate.Criterion.AbstractCriterion + { + public NotNullExpression(NHibernate.Criterion.IProjection projection) => throw null; + public NotNullExpression(string propertyName) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class NullExpression : NHibernate.Criterion.AbstractCriterion + { + public NullExpression(NHibernate.Criterion.IProjection projection) => throw null; + public NullExpression(string propertyName) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class NullSubqueryExpression : NHibernate.Criterion.SubqueryExpression + { + protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; + internal NullSubqueryExpression() : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) { } + } + public class Order + { + public static NHibernate.Criterion.Order Asc(string propertyName) => throw null; + public static NHibernate.Criterion.Order Asc(NHibernate.Criterion.IProjection projection) => throw null; + protected bool ascending; + public Order(NHibernate.Criterion.IProjection projection, bool ascending) => throw null; + public Order(string propertyName, bool ascending) => throw null; + public static NHibernate.Criterion.Order Desc(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.Order Desc(string propertyName) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Criterion.Order IgnoreCase() => throw null; + protected NHibernate.Criterion.IProjection projection; + protected string propertyName; + public virtual NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.FilterImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterImpl : NHibernate.IFilter + public class OrExpression : NHibernate.Criterion.LogicalExpression { - public void AfterDeserialize(NHibernate.Engine.FilterDefinition factoryDefinition) => throw null; - public NHibernate.Engine.FilterDefinition FilterDefinition { get => throw null; } - public FilterImpl(NHibernate.Engine.FilterDefinition configuration) => throw null; - public object GetParameter(string name) => throw null; - public int? GetParameterSpan(string name) => throw null; - public static string MARKER; - public string Name { get => throw null; } - public System.Collections.Generic.IDictionary Parameters { get => throw null; } - public NHibernate.IFilter SetParameter(string name, object value) => throw null; - public NHibernate.IFilter SetParameterList(string name, System.Collections.Generic.ICollection values) => throw null; - public void Validate() => throw null; + public OrExpression(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) : base(default(NHibernate.Criterion.ICriterion), default(NHibernate.Criterion.ICriterion)) => throw null; + protected override string Op { get => throw null; } } - - // Generated from `NHibernate.Impl.FutureBatch<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class FutureBatch + public class ProjectionList : NHibernate.Criterion.IProjection { - public void Add(TQueryApproach query) => throw null; - public void Add(TQueryApproach query) => throw null; - protected virtual void AddResultTransformer(TMultiApproach multiApproach, NHibernate.Transform.IResultTransformer futureResulsTransformer) => throw null; - protected abstract void AddTo(TMultiApproach multiApproach, TQueryApproach query, System.Type resultType); - protected abstract string CacheRegion(TQueryApproach query); - protected abstract void ClearCurrentFutureBatch(); - protected abstract TMultiApproach CreateMultiApproach(bool isCacheable, string cacheRegion); - protected FutureBatch(NHibernate.Impl.SessionImpl session) => throw null; - public NHibernate.IFutureEnumerable GetEnumerator() => throw null; - public NHibernate.IFutureValue GetFutureValue() => throw null; - protected abstract System.Collections.IList GetResultsFrom(TMultiApproach multiApproach); - protected abstract System.Threading.Tasks.Task GetResultsFromAsync(TMultiApproach multiApproach, System.Threading.CancellationToken cancellationToken); - protected abstract bool IsQueryCacheable(TQueryApproach query); - protected virtual System.Collections.IList List(TQueryApproach query) => throw null; - protected virtual System.Threading.Tasks.Task ListAsync(TQueryApproach query, System.Threading.CancellationToken cancellationToken) => throw null; - protected NHibernate.Impl.SessionImpl session; + public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection proj) => throw null; + public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection projection, string alias) => throw null; + public NHibernate.Criterion.ProjectionList Add(NHibernate.Criterion.IProjection projection, System.Linq.Expressions.Expression> alias) => throw null; + public string[] Aliases { get => throw null; } + public NHibernate.Criterion.ProjectionList Create() => throw null; + protected ProjectionList() => throw null; + public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public bool IsAggregate { get => throw null; } + public bool IsGrouped { get => throw null; } + public int Length { get => throw null; } + public NHibernate.Criterion.IProjection this[int index] { get => throw null; } + public NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.FutureCriteriaBatch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FutureCriteriaBatch : NHibernate.Impl.FutureBatch + public static class Projections { - protected override void AddTo(NHibernate.IMultiCriteria multiApproach, NHibernate.ICriteria query, System.Type resultType) => throw null; - protected override string CacheRegion(NHibernate.ICriteria query) => throw null; - protected override void ClearCurrentFutureBatch() => throw null; - protected override NHibernate.IMultiCriteria CreateMultiApproach(bool isCacheable, string cacheRegion) => throw null; - public FutureCriteriaBatch(NHibernate.Impl.SessionImpl session) : base(default(NHibernate.Impl.SessionImpl)) => throw null; - protected override System.Collections.IList GetResultsFrom(NHibernate.IMultiCriteria multiApproach) => throw null; - protected override System.Threading.Tasks.Task GetResultsFromAsync(NHibernate.IMultiCriteria multiApproach, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool IsQueryCacheable(NHibernate.ICriteria query) => throw null; - protected override System.Collections.IList List(NHibernate.ICriteria query) => throw null; - protected override System.Threading.Tasks.Task ListAsync(NHibernate.ICriteria query, System.Threading.CancellationToken cancellationToken) => throw null; + public static NHibernate.Criterion.IProjection Alias(NHibernate.Criterion.IProjection projection, string alias) => throw null; + public static NHibernate.Criterion.AggregateProjection Avg(string propertyName) => throw null; + public static NHibernate.Criterion.AggregateProjection Avg(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AggregateProjection Avg(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AggregateProjection Avg(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection Cast(NHibernate.Type.IType type, NHibernate.Criterion.IProjection projection) => throw null; + public static string Concat(params string[] strings) => throw null; + public static NHibernate.Criterion.IProjection Conditional(NHibernate.Criterion.ICriterion criterion, NHibernate.Criterion.IProjection whenTrue, NHibernate.Criterion.IProjection whenFalse) => throw null; + public static NHibernate.Criterion.IProjection Conditional(NHibernate.Criterion.ConditionalProjectionCase[] cases, NHibernate.Criterion.IProjection elseProjection) => throw null; + public static NHibernate.Criterion.IProjection Constant(object obj) => throw null; + public static NHibernate.Criterion.IProjection Constant(object obj, NHibernate.Type.IType type) => throw null; + public static NHibernate.Criterion.CountProjection Count(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.CountProjection Count(string propertyName) => throw null; + public static NHibernate.Criterion.CountProjection Count(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.CountProjection Count(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.CountProjection CountDistinct(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.CountProjection CountDistinct(string propertyName) => throw null; + public static NHibernate.Criterion.CountProjection CountDistinct(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.CountProjection CountDistinct(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection Distinct(NHibernate.Criterion.IProjection proj) => throw null; + public static NHibernate.Criterion.EntityProjection Entity(System.Type type, string alias) => throw null; + public static NHibernate.Criterion.EntityProjection Entity(string alias) => throw null; + public static NHibernate.Criterion.EntityProjection Entity(System.Linq.Expressions.Expression> alias) => throw null; + public static NHibernate.Criterion.PropertyProjection Group(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.PropertyProjection Group(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection GroupProjection(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection GroupProjection(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.PropertyProjection GroupProperty(string propertyName) => throw null; + public static NHibernate.Criterion.GroupedProjection GroupProperty(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.IdentifierProjection Id() => throw null; + public static NHibernate.Criterion.AggregateProjection Max(string propertyName) => throw null; + public static NHibernate.Criterion.AggregateProjection Max(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AggregateProjection Max(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AggregateProjection Max(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AggregateProjection Min(string propertyName) => throw null; + public static NHibernate.Criterion.AggregateProjection Min(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AggregateProjection Min(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AggregateProjection Min(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.ProjectionList ProjectionList() => throw null; + public static NHibernate.Criterion.PropertyProjection Property(string propertyName) => throw null; + public static NHibernate.Criterion.PropertyProjection Property(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.PropertyProjection Property(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.EntityProjection RootEntity() => throw null; + public static NHibernate.Criterion.IProjection RowCount() => throw null; + public static NHibernate.Criterion.IProjection RowCountInt64() => throw null; + public static NHibernate.Criterion.IProjection Select(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection Select(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.IProjection SqlFunction(string functionName, NHibernate.Type.IType type, params NHibernate.Criterion.IProjection[] projections) => throw null; + public static NHibernate.Criterion.IProjection SqlFunction(NHibernate.Dialect.Function.ISQLFunction function, NHibernate.Type.IType type, params NHibernate.Criterion.IProjection[] projections) => throw null; + public static NHibernate.Criterion.IProjection SqlGroupProjection(string sql, string groupBy, string[] columnAliases, NHibernate.Type.IType[] types) => throw null; + public static NHibernate.Criterion.IProjection SqlProjection(string sql, string[] columnAliases, NHibernate.Type.IType[] types) => throw null; + public static NHibernate.Criterion.IProjection SubQuery(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public static NHibernate.Criterion.IProjection SubQuery(NHibernate.Criterion.QueryOver detachedQueryOver) => throw null; + public static NHibernate.Criterion.AggregateProjection Sum(string propertyName) => throw null; + public static NHibernate.Criterion.AggregateProjection Sum(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AggregateProjection Sum(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AggregateProjection Sum(System.Linq.Expressions.Expression> expression) => throw null; } - - // Generated from `NHibernate.Impl.FutureQueryBatch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FutureQueryBatch : NHibernate.Impl.FutureBatch + public static partial class ProjectionsExtensions { - protected override void AddResultTransformer(NHibernate.IMultiQuery multiApproach, NHibernate.Transform.IResultTransformer futureResulsTransformer) => throw null; - protected override void AddTo(NHibernate.IMultiQuery multiApproach, NHibernate.IQuery query, System.Type resultType) => throw null; - protected override string CacheRegion(NHibernate.IQuery query) => throw null; - protected override void ClearCurrentFutureBatch() => throw null; - protected override NHibernate.IMultiQuery CreateMultiApproach(bool isCacheable, string cacheRegion) => throw null; - public FutureQueryBatch(NHibernate.Impl.SessionImpl session) : base(default(NHibernate.Impl.SessionImpl)) => throw null; - protected override System.Collections.IList GetResultsFrom(NHibernate.IMultiQuery multiApproach) => throw null; - protected override System.Threading.Tasks.Task GetResultsFromAsync(NHibernate.IMultiQuery multiApproach, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool IsQueryCacheable(NHibernate.IQuery query) => throw null; - protected override System.Collections.IList List(NHibernate.IQuery query) => throw null; - protected override System.Threading.Tasks.Task ListAsync(NHibernate.IQuery query, System.Threading.CancellationToken cancellationToken) => throw null; + public static int Abs(this int numericProperty) => throw null; + public static long Abs(this long numericProperty) => throw null; + public static double Abs(this double numericProperty) => throw null; + public static T AsEntity(this T alias) where T : class => throw null; + public static int BitLength(this string stringProperty) => throw null; + public static int CharIndex(this string stringProperty, string theChar, int startLocation) => throw null; + public static T Coalesce(this T objectProperty, T replaceValueIfIsNull) => throw null; + public static T? Coalesce(this T? objectProperty, T replaceValueIfIsNull) where T : struct => throw null; + public static string Lower(this string stringProperty) => throw null; + public static int Mod(this int numericProperty, int divisor) => throw null; + public static double Sqrt(this double numericProperty) => throw null; + public static double Sqrt(this int numericProperty) => throw null; + public static double Sqrt(this long numericProperty) => throw null; + public static double Sqrt(this decimal numericProperty) => throw null; + public static double Sqrt(this byte numericProperty) => throw null; + public static int StrLength(this string stringProperty) => throw null; + public static string Substr(this string stringProperty, int startIndex, int length) => throw null; + public static string TrimStr(this string stringProperty) => throw null; + public static string Upper(this string stringProperty) => throw null; + public static NHibernate.Criterion.IProjection WithAlias(this NHibernate.Criterion.IProjection projection, System.Linq.Expressions.Expression> alias) => throw null; + public static NHibernate.Criterion.IProjection WithAlias(this NHibernate.Criterion.IProjection projection, string alias) => throw null; } - - // Generated from `NHibernate.Impl.IDetachedQueryImplementor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDetachedQueryImplementor + public class Property : NHibernate.Criterion.PropertyProjection { - void CopyTo(NHibernate.IDetachedQuery destination); - void OverrideInfoFrom(NHibernate.Impl.IDetachedQueryImplementor origin); - void OverrideParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin); - void SetParametersTo(NHibernate.IDetachedQuery destination); + public NHibernate.Criterion.Order Asc() => throw null; + public NHibernate.Criterion.AggregateProjection Avg() => throw null; + public NHibernate.Criterion.AbstractCriterion Between(object min, object max) => throw null; + public NHibernate.Criterion.AbstractCriterion Bt(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.CountProjection Count() => throw null; + public NHibernate.Criterion.Order Desc() => throw null; + public NHibernate.Criterion.AbstractCriterion Eq(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Eq(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion EqAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion EqProperty(string other) => throw null; + public static NHibernate.Criterion.Property ForName(string propertyName) => throw null; + public NHibernate.Criterion.AbstractCriterion Ge(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Ge(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion GeAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion GeProperty(string other) => throw null; + public NHibernate.Criterion.AbstractCriterion GeSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.Property GetProperty(string propertyName) => throw null; + public NHibernate.Criterion.PropertyProjection Group() => throw null; + public NHibernate.Criterion.AbstractCriterion Gt(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion GtAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion GtProperty(string other) => throw null; + public NHibernate.Criterion.AbstractCriterion GtSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion In(System.Collections.ICollection values) => throw null; + public NHibernate.Criterion.AbstractCriterion In(object[] values) => throw null; + public NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractEmptinessExpression IsEmpty() => throw null; + public NHibernate.Criterion.AbstractEmptinessExpression IsNotEmpty() => throw null; + public NHibernate.Criterion.AbstractCriterion IsNotNull() => throw null; + public NHibernate.Criterion.AbstractCriterion IsNull() => throw null; + public NHibernate.Criterion.AbstractCriterion Le(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Le(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion LeAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion LeProperty(string other) => throw null; + public NHibernate.Criterion.AbstractCriterion LeSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion Like(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Like(string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public NHibernate.Criterion.AbstractCriterion Lt(object value) => throw null; + public NHibernate.Criterion.AbstractCriterion Lt(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion LtAll(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion LtProperty(string other) => throw null; + public NHibernate.Criterion.AbstractCriterion LtSome(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AggregateProjection Max() => throw null; + public NHibernate.Criterion.AggregateProjection Min() => throw null; + public NHibernate.Criterion.AbstractCriterion Ne(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + public NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.Property other) => throw null; + public NHibernate.Criterion.AbstractCriterion NotEqProperty(string other) => throw null; + public NHibernate.Criterion.AbstractCriterion NotIn(NHibernate.Criterion.DetachedCriteria subselect) => throw null; + internal Property() : base(default(string)) { } } - - // Generated from `NHibernate.Impl.ISessionCreationOptions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionCreationOptions + public abstract class PropertyExpression : NHibernate.Criterion.AbstractCriterion { - NHibernate.FlushMode InitialSessionFlushMode { get; } - NHibernate.ConnectionReleaseMode SessionConnectionReleaseMode { get; } - NHibernate.IInterceptor SessionInterceptor { get; } - bool ShouldAutoClose { get; } - bool ShouldAutoJoinTransaction { get; } - System.Data.Common.DbConnection UserSuppliedConnection { get; } + protected PropertyExpression(NHibernate.Criterion.IProjection lhsProjection, string rhsPropertyName) => throw null; + protected PropertyExpression(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + protected PropertyExpression(string lhsPropertyName, string rhsPropertyName) => throw null; + protected PropertyExpression(string lhsPropertyName, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + protected abstract string Op { get; } + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.ISessionCreationOptionsWithMultiTenancy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISessionCreationOptionsWithMultiTenancy + public class PropertyProjection : NHibernate.Criterion.SimpleProjection, NHibernate.Criterion.IPropertyProjection { - NHibernate.MultiTenancy.TenantConfiguration TenantConfiguration { get; set; } + protected PropertyProjection(string propertyName, bool grouped) => throw null; + protected PropertyProjection(string propertyName) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public string PropertyName { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class PropertySubqueryExpression : NHibernate.Criterion.SubqueryExpression + { + protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + internal PropertySubqueryExpression() : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) { } + } + public abstract class QueryOver : NHibernate.Criterion.QueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver + { + public S As() => throw null; + public NHibernate.Criterion.QueryOver Cacheable() => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Cacheable() => throw null; + public NHibernate.Criterion.QueryOver CacheMode(NHibernate.CacheMode cacheMode) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.CacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.Criterion.QueryOver CacheRegion(string cacheRegion) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.CacheRegion(string cacheRegion) => throw null; + public NHibernate.Criterion.QueryOver ClearOrders() => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.ClearOrders() => throw null; + public NHibernate.Criterion.QueryOver Clone() => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Clone() => throw null; + protected NHibernate.Criterion.QueryOver Create(NHibernate.ICriteria criteria) => throw null; + protected QueryOver() => throw null; + NHibernate.IFutureEnumerable NHibernate.IQueryOver.Future() => throw null; + NHibernate.IFutureEnumerable NHibernate.IQueryOver.Future() => throw null; + NHibernate.IFutureValue NHibernate.IQueryOver.FutureValue() => throw null; + NHibernate.IFutureValue NHibernate.IQueryOver.FutureValue() => throw null; + public NHibernate.IQueryOver GetExecutableQueryOver(NHibernate.ISession session) => throw null; + public NHibernate.IQueryOver GetExecutableQueryOver(NHibernate.IStatelessSession session) => throw null; + System.Collections.Generic.IList NHibernate.IQueryOver.List() => throw null; + System.Collections.Generic.IList NHibernate.IQueryOver.List() => throw null; + System.Threading.Tasks.Task> NHibernate.IQueryOver.ListAsync(System.Threading.CancellationToken cancellationToken) => throw null; + System.Threading.Tasks.Task> NHibernate.IQueryOver.ListAsync(System.Threading.CancellationToken cancellationToken) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.ReadOnly() => throw null; + int NHibernate.IQueryOver.RowCount() => throw null; + System.Threading.Tasks.Task NHibernate.IQueryOver.RowCountAsync(System.Threading.CancellationToken cancellationToken) => throw null; + long NHibernate.IQueryOver.RowCountInt64() => throw null; + System.Threading.Tasks.Task NHibernate.IQueryOver.RowCountInt64Async(System.Threading.CancellationToken cancellationToken) => throw null; + TRoot NHibernate.IQueryOver.SingleOrDefault() => throw null; + U NHibernate.IQueryOver.SingleOrDefault() => throw null; + System.Threading.Tasks.Task NHibernate.IQueryOver.SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + System.Threading.Tasks.Task NHibernate.IQueryOver.SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Criterion.QueryOver Skip(int firstResult) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Skip(int firstResult) => throw null; + public NHibernate.Criterion.QueryOver Take(int maxResults) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Take(int maxResults) => throw null; + public NHibernate.Criterion.QueryOver ToRowCountInt64Query() => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.ToRowCountInt64Query() => throw null; + public NHibernate.Criterion.QueryOver ToRowCountQuery() => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.ToRowCountQuery() => throw null; } - - // Generated from `NHibernate.Impl.ISharedSessionCreationOptions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISharedSessionCreationOptions : NHibernate.Impl.ISessionCreationOptions + public abstract class QueryOver { - NHibernate.AdoNet.ConnectionManager ConnectionManager { get; } - bool IsTransactionCoordinatorShared { get; } + protected NHibernate.ICriteria criteria; + protected QueryOver() => throw null; + public NHibernate.Criterion.DetachedCriteria DetachedCriteria { get => throw null; } + protected NHibernate.Impl.CriteriaImpl impl; + public static NHibernate.Criterion.QueryOver Of() => throw null; + public static NHibernate.Criterion.QueryOver Of(System.Linq.Expressions.Expression> alias) => throw null; + public static NHibernate.Criterion.QueryOver Of(string entityName) => throw null; + public static NHibernate.Criterion.QueryOver Of(string entityName, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.ICriteria RootCriteria { get => throw null; } + public NHibernate.ICriteria UnderlyingCriteria { get => throw null; } } - - // Generated from `NHibernate.Impl.ISupportEntityJoinCriteria` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportEntityJoinCriteria + public class QueryOver : NHibernate.Criterion.QueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver, NHibernate.IQueryOver, NHibernate.Criterion.ISupportEntityJoinQueryOver, NHibernate.Criterion.ISupportSelectModeQueryOver { - NHibernate.ICriteria CreateEntityCriteria(string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName); + public NHibernate.Criterion.QueryOver And(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver And(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver And(NHibernate.Criterion.ICriterion expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.And(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.And(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.And(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.Criterion.QueryOver AndNot(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver AndNot(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver AndNot(NHibernate.Criterion.ICriterion expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.AndNot(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.AndRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + protected QueryOver() => throw null; + protected QueryOver(string entityName) => throw null; + protected QueryOver(System.Linq.Expressions.Expression> alias) => throw null; + protected QueryOver(string entityName, System.Linq.Expressions.Expression> alias) => throw null; + protected QueryOver(NHibernate.Impl.CriteriaImpl impl) => throw null; + protected QueryOver(NHibernate.Impl.CriteriaImpl rootImpl, NHibernate.ICriteria criteria) => throw null; + public NHibernate.Criterion.Lambda.QueryOverFetchBuilder Fetch(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverFetchBuilder NHibernate.IQueryOver.Fetch(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.IQueryOver NHibernate.Criterion.ISupportSelectModeQueryOver.Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver Fetch(NHibernate.SelectMode mode, System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Full { get => throw null; } + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Full { get => throw null; } + public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Inner { get => throw null; } + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Inner { get => throw null; } + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + public NHibernate.Criterion.QueryOver JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + NHibernate.IQueryOver NHibernate.Criterion.ISupportEntityJoinQueryOver.JoinEntityQueryOver(System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.Criterion.QueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Left { get => throw null; } + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Left { get => throw null; } + public NHibernate.Criterion.Lambda.QueryOverLockBuilder Lock() => throw null; + public NHibernate.Criterion.Lambda.QueryOverLockBuilder Lock(System.Linq.Expressions.Expression> alias) => throw null; + NHibernate.Criterion.Lambda.IQueryOverLockBuilder NHibernate.IQueryOver.Lock() => throw null; + NHibernate.Criterion.Lambda.IQueryOverLockBuilder NHibernate.IQueryOver.Lock(System.Linq.Expressions.Expression> alias) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderBy(NHibernate.Criterion.IProjection projection) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderBy(NHibernate.Criterion.IProjection projection) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder OrderByAlias(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.OrderByAlias(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverJoinBuilder Right { get => throw null; } + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder NHibernate.IQueryOver.Right { get => throw null; } + public NHibernate.Criterion.QueryOver Select(params System.Linq.Expressions.Expression>[] projections) => throw null; + public NHibernate.Criterion.QueryOver Select(params NHibernate.Criterion.IProjection[] projections) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Select(params System.Linq.Expressions.Expression>[] projections) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Select(params NHibernate.Criterion.IProjection[] projections) => throw null; + public NHibernate.Criterion.QueryOver SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenBy(NHibernate.Criterion.IProjection projection) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenBy(NHibernate.Criterion.IProjection projection) => throw null; + public NHibernate.Criterion.Lambda.QueryOverOrderBuilder ThenByAlias(System.Linq.Expressions.Expression> path) => throw null; + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder NHibernate.IQueryOver.ThenByAlias(System.Linq.Expressions.Expression> path) => throw null; + public NHibernate.Criterion.QueryOver TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + public NHibernate.Criterion.QueryOver Where(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver Where(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver Where(NHibernate.Criterion.ICriterion expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Where(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Where(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.Where(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.Criterion.QueryOver WhereNot(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver WhereNot(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.QueryOver WhereNot(NHibernate.Criterion.ICriterion expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.IQueryOver NHibernate.IQueryOver.WhereNot(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder NHibernate.IQueryOver.WhereRestrictionOn(System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Criterion.Lambda.QueryOverSubqueryBuilder WithSubquery { get => throw null; } + NHibernate.Criterion.Lambda.IQueryOverSubqueryBuilder NHibernate.IQueryOver.WithSubquery { get => throw null; } } - - // Generated from `NHibernate.Impl.ITranslator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITranslator + public static partial class QueryOverBuilderExtensions { - NHibernate.Loader.Loader Loader { get; } - System.Collections.Generic.ICollection QuerySpaces { get; } - string[] ReturnAliases { get; } - NHibernate.Type.IType[] ReturnTypes { get; } + public static NHibernate.Criterion.QueryOver Asc(this NHibernate.Criterion.Lambda.QueryOverOrderBuilder builder) => throw null; + public static NHibernate.IQueryOver Asc(this NHibernate.Criterion.Lambda.IQueryOverOrderBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Default(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; + public static NHibernate.IQueryOver Default(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Desc(this NHibernate.Criterion.Lambda.QueryOverOrderBuilder builder) => throw null; + public static NHibernate.IQueryOver Desc(this NHibernate.Criterion.Lambda.IQueryOverOrderBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Eager(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; + public static NHibernate.IQueryOver Eager(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Force(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver Force(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver IsEmpty(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.IQueryOver IsEmpty(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver IsNotEmpty(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.IQueryOver IsNotEmpty(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver IsNotNull(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.IQueryOver IsNotNull(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver IsNull(this NHibernate.Criterion.Lambda.QueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.IQueryOver IsNull(this NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Lazy(this NHibernate.Criterion.Lambda.QueryOverFetchBuilder builder) => throw null; + public static NHibernate.IQueryOver Lazy(this NHibernate.Criterion.Lambda.IQueryOverFetchBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver None(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver None(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Read(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver Read(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Upgrade(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver Upgrade(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver UpgradeNoWait(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver UpgradeNoWait(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; + public static NHibernate.Criterion.QueryOver Write(this NHibernate.Criterion.Lambda.QueryOverLockBuilder builder) => throw null; + public static NHibernate.IQueryOver Write(this NHibernate.Criterion.Lambda.IQueryOverLockBuilder builder) => throw null; } - - // Generated from `NHibernate.Impl.LambdaSubqueryType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum LambdaSubqueryType + public static partial class RestrictionExtensions { - All, - Exact, - Some, + public static NHibernate.Criterion.RestrictionExtensions.RestrictionBetweenBuilder IsBetween(this object projection, object lo) => throw null; + public static bool IsIn(this object projection, object[] values) => throw null; + public static bool IsIn(this object projection, System.Collections.ICollection values) => throw null; + public static bool IsInsensitiveLike(this string projection, string comparison) => throw null; + public static bool IsInsensitiveLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static bool IsLike(this string projection, string comparison) => throw null; + public static bool IsLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static bool IsLike(this string projection, string comparison, NHibernate.Criterion.MatchMode matchMode, char? escapeChar) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsBetween(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsInArray(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsInCollection(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsInsensitiveLike(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsInsensitiveLikeMatchMode(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsLike(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsLikeMatchMode(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessIsLikeMatchModeEscapeChar(System.Linq.Expressions.MethodCallExpression methodCallExpression) => throw null; + public class RestrictionBetweenBuilder + { + public bool And(object hi) => throw null; + public RestrictionBetweenBuilder() => throw null; + } } - - // Generated from `NHibernate.Impl.MessageHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class MessageHelper + public class Restrictions { - public static string InfoString(string entityName, string propertyName, object key) => throw null; - public static string InfoString(string entityName, object id) => throw null; - public static string InfoString(System.Type clazz, object id) => throw null; - public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object[] ids, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id, NHibernate.Type.IType identifierType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; - public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - public static string InfoString(NHibernate.Persister.Collection.ICollectionPersister persister, object id, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static string InfoString(NHibernate.Persister.Collection.ICollectionPersister persister, object id) => throw null; + public static NHibernate.Criterion.AbstractCriterion AllEq(System.Collections.IDictionary propertyNameValues) => throw null; + public static NHibernate.Criterion.AbstractCriterion And(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; + public static NHibernate.Criterion.AbstractCriterion Between(string propertyName, object lo, object hi) => throw null; + public static NHibernate.Criterion.AbstractCriterion Between(NHibernate.Criterion.IProjection projection, object lo, object hi) => throw null; + public static NHibernate.Criterion.Conjunction Conjunction() => throw null; + public static NHibernate.Criterion.Disjunction Disjunction() => throw null; + public static NHibernate.Criterion.SimpleExpression Eq(string propertyName, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Eq(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion EqProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion EqProperty(NHibernate.Criterion.IProjection lshProjection, NHibernate.Criterion.IProjection rshProjection) => throw null; + public static NHibernate.Criterion.AbstractCriterion EqProperty(string propertyName, NHibernate.Criterion.IProjection rshProjection) => throw null; + public static NHibernate.Criterion.SimpleExpression Ge(string propertyName, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Ge(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.SimpleExpression Gt(string propertyName, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Gt(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.AbstractCriterion IdEq(object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion IdEq(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AbstractCriterion In(string propertyName, object[] values) => throw null; + public static NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.IProjection projection, object[] values) => throw null; + public static NHibernate.Criterion.AbstractCriterion In(NHibernate.Criterion.IProjection projection, System.Collections.ICollection values) => throw null; + public static NHibernate.Criterion.AbstractCriterion In(string propertyName, System.Collections.ICollection values) => throw null; + public static NHibernate.Criterion.AbstractCriterion InG(string propertyName, System.Collections.Generic.IEnumerable values) => throw null; + public static NHibernate.Criterion.AbstractCriterion InG(NHibernate.Criterion.IProjection projection, System.Collections.Generic.IEnumerable values) => throw null; + public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(string propertyName, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion InsensitiveLike(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractEmptinessExpression IsEmpty(string propertyName) => throw null; + public static NHibernate.Criterion.AbstractEmptinessExpression IsNotEmpty(string propertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNotNull(string propertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNotNull(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNull(string propertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNull(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.SimpleExpression Le(string propertyName, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Le(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.SimpleExpression Like(string propertyName, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion Like(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode, char? escapeChar) => throw null; + public static NHibernate.Criterion.SimpleExpression Like(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Like(NHibernate.Criterion.IProjection projection, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static NHibernate.Criterion.SimpleExpression Like(string propertyName, string value, NHibernate.Criterion.MatchMode matchMode) => throw null; + public static NHibernate.Criterion.SimpleExpression Lt(string propertyName, object value) => throw null; + public static NHibernate.Criterion.SimpleExpression Lt(NHibernate.Criterion.IProjection projection, object value) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtProperty(string propertyName, NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.NaturalIdentifier NaturalId() => throw null; + public static NHibernate.Criterion.AbstractCriterion Not(NHibernate.Criterion.ICriterion expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotEqProperty(string propertyName, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.IProjection projection, string otherPropertyName) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotEqProperty(NHibernate.Criterion.IProjection lhsProjection, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotEqProperty(string propertyName, NHibernate.Criterion.IProjection rhsProjection) => throw null; + public static NHibernate.Criterion.Lambda.LambdaRestrictionBuilder On(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.Lambda.LambdaRestrictionBuilder On(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion Or(NHibernate.Criterion.ICriterion lhs, NHibernate.Criterion.ICriterion rhs) => throw null; + public static NHibernate.Criterion.ICriterion Where(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.ICriterion Where(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.ICriterion WhereNot(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.ICriterion WhereNot(System.Linq.Expressions.Expression> expression) => throw null; } - - // Generated from `NHibernate.Impl.MultiCriteriaImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MultiCriteriaImpl : NHibernate.IMultiCriteria + public class RowCountInt64Projection : NHibernate.Criterion.RowCountProjection { - public NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver) => throw null; - public NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver) => throw null; - public NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria) => throw null; - public NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria) => throw null; - public NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.IQueryOver queryOver) => throw null; - public NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.ICriteria criteria) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria) => throw null; - public NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; - public NHibernate.IMultiCriteria ForceCacheRefresh(bool forceRefresh) => throw null; - public object GetResult(string key) => throw null; - public System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected virtual System.Collections.IList GetResultList(System.Collections.IList results) => throw null; - public System.Collections.IList List() => throw null; - public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.IMultiCriteria SetCacheRegion(string cacheRegion) => throw null; - public NHibernate.IMultiCriteria SetCacheable(bool cachable) => throw null; - public NHibernate.IMultiCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - public NHibernate.IMultiCriteria SetTimeout(int timeout) => throw null; - public NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + public RowCountInt64Projection() => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - // Generated from `NHibernate.Impl.MultiQueryImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MultiQueryImpl : NHibernate.IMultiQuery + public class RowCountProjection : NHibernate.Criterion.SimpleProjection { - public NHibernate.IMultiQuery Add(string key, string hql) => throw null; - public NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query) => throw null; - public NHibernate.IMultiQuery Add(string hql) => throw null; - public NHibernate.IMultiQuery Add(NHibernate.IQuery query) => throw null; - public NHibernate.IMultiQuery Add(string key, string hql) => throw null; - public NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query) => throw null; - public NHibernate.IMultiQuery Add(string hql) => throw null; - public NHibernate.IMultiQuery Add(System.Type resultGenericListType, NHibernate.IQuery query) => throw null; - public NHibernate.IMultiQuery Add(NHibernate.IQuery query) => throw null; - public NHibernate.IMultiQuery AddNamedQuery(string queryName) => throw null; - public NHibernate.IMultiQuery AddNamedQuery(string key, string namedQuery) => throw null; - public NHibernate.IMultiQuery AddNamedQuery(string queryName) => throw null; - public NHibernate.IMultiQuery AddNamedQuery(string key, string namedQuery) => throw null; - protected void After() => throw null; - protected void Before() => throw null; - protected System.Collections.Generic.List DoList() => throw null; - protected System.Threading.Tasks.Task> DoListAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public object GetResult(string key) => throw null; - public System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected virtual System.Collections.IList GetResultList(System.Collections.IList results) => throw null; - public System.Collections.IList List() => throw null; - public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public MultiQueryImpl(NHibernate.Engine.ISessionImplementor session) => throw null; - public NHibernate.IMultiQuery SetAnsiString(string name, string val) => throw null; - public NHibernate.IMultiQuery SetBinary(string name, System.Byte[] val) => throw null; - public NHibernate.IMultiQuery SetBoolean(string name, bool val) => throw null; - public NHibernate.IMultiQuery SetByte(string name, System.Byte val) => throw null; - public NHibernate.IMultiQuery SetCacheRegion(string region) => throw null; - public NHibernate.IMultiQuery SetCacheable(bool cacheable) => throw null; - public NHibernate.IMultiQuery SetCharacter(string name, System.Char val) => throw null; - public NHibernate.IMultiQuery SetDateTime(string name, System.DateTime val) => throw null; - public NHibernate.IMultiQuery SetDateTime2(string name, System.DateTime val) => throw null; - public NHibernate.IMultiQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; - public NHibernate.IMultiQuery SetDateTimeOffset(string name, System.DateTimeOffset val) => throw null; - public NHibernate.IMultiQuery SetDecimal(string name, System.Decimal val) => throw null; - public NHibernate.IMultiQuery SetDouble(string name, double val) => throw null; - public NHibernate.IMultiQuery SetEntity(string name, object val) => throw null; - public NHibernate.IMultiQuery SetEnum(string name, System.Enum val) => throw null; - public NHibernate.IMultiQuery SetFlushMode(NHibernate.FlushMode mode) => throw null; - public NHibernate.IMultiQuery SetForceCacheRefresh(bool cacheRefresh) => throw null; - public NHibernate.IMultiQuery SetGuid(string name, System.Guid val) => throw null; - public NHibernate.IMultiQuery SetInt16(string name, System.Int16 val) => throw null; - public NHibernate.IMultiQuery SetInt32(string name, int val) => throw null; - public NHibernate.IMultiQuery SetInt64(string name, System.Int64 val) => throw null; - public NHibernate.IMultiQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; - public NHibernate.IMultiQuery SetParameter(string name, object val) => throw null; - public NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; - public NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; - public NHibernate.IMultiQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer) => throw null; - public NHibernate.IMultiQuery SetSingle(string name, float val) => throw null; - public NHibernate.IMultiQuery SetString(string name, string val) => throw null; - public NHibernate.IMultiQuery SetTime(string name, System.DateTime val) => throw null; - public NHibernate.IMultiQuery SetTimeAsTimeSpan(string name, System.TimeSpan val) => throw null; - public NHibernate.IMultiQuery SetTimeSpan(string name, System.TimeSpan val) => throw null; - public NHibernate.IMultiQuery SetTimeout(int timeout) => throw null; - public NHibernate.IMultiQuery SetTimestamp(string name, System.DateTime val) => throw null; - protected NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + protected RowCountProjection() => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.Printer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Printer - { - public Printer(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public void ToString(object[] entities) => throw null; - public string ToString(object entity) => throw null; - public string ToString(System.Collections.Generic.IDictionary namedTypedValues) => throw null; - public string ToString(NHibernate.Type.IType[] types, object[] values) => throw null; - } - - // Generated from `NHibernate.Impl.QueryImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryImpl : NHibernate.Impl.AbstractQueryImpl2 + public class SelectSubqueryExpression : NHibernate.Criterion.SubqueryExpression { - protected override NHibernate.IQueryExpression ExpandParameters(System.Collections.Generic.IDictionary namedParams) => throw null; - public QueryImpl(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - public QueryImpl(string queryString, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; + protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + internal SelectSubqueryExpression() : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) { } } - - // Generated from `NHibernate.Impl.SessionFactoryImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionFactoryImpl : System.Runtime.Serialization.IObjectReference, System.IDisposable, NHibernate.ISessionFactory, NHibernate.Engine.ISessionFactoryImplementor, NHibernate.Engine.IMapping + public class SimpleExpression : NHibernate.Criterion.AbstractCriterion { - public void Close() => throw null; - public System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.Connection.IConnectionProvider ConnectionProvider { get => throw null; } - public NHibernate.Context.ICurrentSessionContext CurrentSessionContext { get => throw null; } - public System.Collections.Generic.ICollection DefinedFilterNames { get => throw null; } - public NHibernate.Dialect.Dialect Dialect { get => throw null; } - public void Dispose() => throw null; - public NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get => throw null; } - public NHibernate.Event.EventListeners EventListeners { get => throw null; } - public void Evict(System.Type persistentClass, object id) => throw null; - public void Evict(System.Type persistentClass) => throw null; - public void Evict(System.Collections.Generic.IEnumerable persistentClasses) => throw null; - public System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictAsync(System.Collections.Generic.IEnumerable persistentClasses, System.Threading.CancellationToken cancellationToken) => throw null; - public void EvictCollection(string roleName, object id, string tenantIdentifier) => throw null; - public void EvictCollection(string roleName, object id) => throw null; - public void EvictCollection(string roleName) => throw null; - public void EvictCollection(System.Collections.Generic.IEnumerable roleNames) => throw null; - public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictCollectionAsync(System.Collections.Generic.IEnumerable roleNames, System.Threading.CancellationToken cancellationToken) => throw null; - public void EvictEntity(string entityName, object id, string tenantIdentifier) => throw null; - public void EvictEntity(string entityName, object id) => throw null; - public void EvictEntity(string entityName) => throw null; - public void EvictEntity(System.Collections.Generic.IEnumerable entityNames) => throw null; - public System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictEntityAsync(string entityName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictEntityAsync(System.Collections.Generic.IEnumerable entityNames, System.Threading.CancellationToken cancellationToken) => throw null; - public void EvictQueries(string cacheRegion) => throw null; - public void EvictQueries() => throw null; - public System.Threading.Tasks.Task EvictQueriesAsync(string cacheRegion, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task EvictQueriesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Collections.Generic.IDictionary GetAllClassMetadata() => throw null; - public System.Collections.Generic.IDictionary GetAllCollectionMetadata() => throw null; - public System.Collections.Generic.IDictionary GetAllSecondLevelCacheRegions() => throw null; - public NHibernate.Metadata.IClassMetadata GetClassMetadata(string entityName) => throw null; - public NHibernate.Metadata.IClassMetadata GetClassMetadata(System.Type persistentClass) => throw null; - public NHibernate.Metadata.ICollectionMetadata GetCollectionMetadata(string roleName) => throw null; - public NHibernate.Persister.Collection.ICollectionPersister GetCollectionPersister(string role) => throw null; - public System.Collections.Generic.ISet GetCollectionRolesByEntityParticipant(string entityName) => throw null; - public NHibernate.ISession GetCurrentSession() => throw null; - public NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName) => throw null; - public NHibernate.Engine.FilterDefinition GetFilterDefinition(string filterName) => throw null; - public NHibernate.Id.IIdentifierGenerator GetIdentifierGenerator(string rootEntityName) => throw null; - public string GetIdentifierPropertyName(string className) => throw null; - public NHibernate.Type.IType GetIdentifierType(string className) => throw null; - public string[] GetImplementors(string entityOrClassName) => throw null; - public string GetImportedClassName(string className) => throw null; - public NHibernate.Engine.NamedQueryDefinition GetNamedQuery(string queryName) => throw null; - public NHibernate.Engine.NamedSQLQueryDefinition GetNamedSQLQuery(string queryName) => throw null; - public NHibernate.Cache.IQueryCache GetQueryCache(string cacheRegion) => throw null; - public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; - public NHibernate.Type.IType GetReferencedPropertyType(string className, string propertyName) => throw null; - public NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string resultSetName) => throw null; - public string[] GetReturnAliases(string queryString) => throw null; - public NHibernate.Type.IType[] GetReturnTypes(string queryString) => throw null; - public NHibernate.Cache.ICache GetSecondLevelCacheRegion(string regionName) => throw null; - public bool HasNonIdentifierPropertyNamedId(string className) => throw null; - public NHibernate.IInterceptor Interceptor { get => throw null; } - public bool IsClosed { get => throw null; } - public string Name { get => throw null; } - public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, bool flushBeforeCompletionEnabled, bool autoCloseSessionEnabled, NHibernate.ConnectionReleaseMode connectionReleaseMode) => throw null; - public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, NHibernate.IInterceptor sessionLocalInterceptor) => throw null; - public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection) => throw null; - public NHibernate.ISession OpenSession(NHibernate.IInterceptor sessionLocalInterceptor) => throw null; - public NHibernate.ISession OpenSession() => throw null; - public NHibernate.IStatelessSession OpenStatelessSession(System.Data.Common.DbConnection connection) => throw null; - public NHibernate.IStatelessSession OpenStatelessSession() => throw null; - public NHibernate.Cache.IQueryCache QueryCache { get => throw null; } - public NHibernate.Engine.Query.QueryPlanCache QueryPlanCache { get => throw null; } - public NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get => throw null; } - public NHibernate.Dialect.Function.SQLFunctionRegistry SQLFunctionRegistry { get => throw null; } - public SessionFactoryImpl(NHibernate.Cfg.Configuration cfg, NHibernate.Engine.IMapping mapping, NHibernate.Cfg.Settings settings, NHibernate.Event.EventListeners listeners) => throw null; - public NHibernate.Cfg.Settings Settings { get => throw null; } - public NHibernate.Stat.IStatistics Statistics { get => throw null; } - public NHibernate.Stat.IStatisticsImplementor StatisticsImplementor { get => throw null; } - public NHibernate.Transaction.ITransactionFactory TransactionFactory { get => throw null; } - public NHibernate.Persister.Entity.IEntityPersister TryGetEntityPersister(string entityName) => throw null; - public string TryGetGuessEntityName(System.Type implementor) => throw null; - public NHibernate.Cache.UpdateTimestampsCache UpdateTimestampsCache { get => throw null; } - public string Uuid { get => throw null; } - public NHibernate.ISessionBuilder WithOptions() => throw null; - public NHibernate.IStatelessSessionBuilder WithStatelessOptions() => throw null; + protected SimpleExpression(NHibernate.Criterion.IProjection projection, object value, string op) => throw null; + public SimpleExpression(string propertyName, object value, string op) => throw null; + public SimpleExpression(string propertyName, object value, string op, bool ignoreCase) => throw null; + public NHibernate.Engine.TypedValue GetParameterTypedValue(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Criterion.SimpleExpression IgnoreCase() => throw null; + protected virtual string Op { get => throw null; } + public string PropertyName { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + public object Value { get => throw null; } } - - // Generated from `NHibernate.Impl.SessionFactoryObjectFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SessionFactoryObjectFactory + public abstract class SimpleProjection : NHibernate.Criterion.IProjection { - public static void AddInstance(string uid, string name, NHibernate.ISessionFactory instance, System.Collections.Generic.IDictionary properties) => throw null; - public static NHibernate.ISessionFactory GetInstance(string uid) => throw null; - public static NHibernate.ISessionFactory GetNamedInstance(string name) => throw null; - public static void RemoveInstance(string uid, string name, System.Collections.Generic.IDictionary properties) => throw null; + public virtual string[] Aliases { get => throw null; } + public NHibernate.Criterion.IProjection As(string alias) => throw null; + protected SimpleProjection() => throw null; + protected string GetColumnAlias(int position) => throw null; + public virtual string[] GetColumnAliases(string alias, int loc) => throw null; + public virtual string[] GetColumnAliases(int loc) => throw null; + public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public virtual NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public abstract NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + public abstract bool IsAggregate { get; } + public abstract bool IsGrouped { get; } + public abstract NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery); + public abstract NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery); } - - // Generated from `NHibernate.Impl.SessionIdLoggingContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionIdLoggingContext : System.IDisposable + public class SimpleSubqueryExpression : NHibernate.Criterion.SubqueryExpression { - public static System.IDisposable CreateOrNull(System.Guid id) => throw null; - public void Dispose() => throw null; - public static System.Guid? SessionId { get => throw null; set => throw null; } - public SessionIdLoggingContext(System.Guid id) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + protected override NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + internal SimpleSubqueryExpression() : base(default(string), default(string), default(NHibernate.Criterion.DetachedCriteria)) { } } - - // Generated from `NHibernate.Impl.SessionImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SessionImpl : NHibernate.Impl.AbstractSessionImpl, System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback, System.IDisposable, NHibernate.ISession, NHibernate.Event.IEventSource, NHibernate.Engine.ISessionImplementor + public class SQLCriterion : NHibernate.Criterion.AbstractCriterion { - public NHibernate.Engine.ActionQueue ActionQueue { get => throw null; } - public override void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; - public override void AfterTransactionCompletion(bool success, NHibernate.ITransaction tx) => throw null; - public override System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool success, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool AutoFlushIfRequired(System.Collections.Generic.ISet querySpaces) => throw null; - public override System.Threading.Tasks.Task AutoFlushIfRequiredAsync(System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; - public bool AutoFlushSuspended { get => throw null; } - public override void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; - public override System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; - public override string BestGuessEntityName(object entity) => throw null; - public override NHibernate.CacheMode CacheMode { get => throw null; set => throw null; } - public void CancelQuery() => throw null; - public void Clear() => throw null; - public System.Data.Common.DbConnection Close() => throw null; - public override void CloseSessionFromSystemTransaction() => throw null; - public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { get => throw null; } - public bool Contains(object obj) => throw null; - public NHibernate.ICriteria CreateCriteria(string alias) where T : class => throw null; - public NHibernate.ICriteria CreateCriteria() where T : class => throw null; - public NHibernate.ICriteria CreateCriteria(string entityName, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string entityName) => throw null; - public NHibernate.ICriteria CreateCriteria(System.Type persistentClass, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(System.Type persistentClass) => throw null; - public override NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression) => throw null; - public NHibernate.IQuery CreateFilter(object collection, string queryString) => throw null; - public override System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task CreateFilterAsync(object collection, string queryString, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.IMultiCriteria CreateMultiCriteria() => throw null; - public NHibernate.IMultiQuery CreateMultiQuery() => throw null; - public bool DefaultReadOnly { get => throw null; set => throw null; } - public void Delete(string entityName, object obj) => throw null; - public void Delete(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities) => throw null; - public void Delete(object obj) => throw null; - public int Delete(string query, object[] values, NHibernate.Type.IType[] types) => throw null; - public int Delete(string query, object value, NHibernate.Type.IType type) => throw null; - public int Delete(string query) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string query, object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string query, object value, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string query, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task DeleteAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void DisableFilter(string filterName) => throw null; - public System.Data.Common.DbConnection Disconnect() => throw null; - public void Dispose() => throw null; - public NHibernate.IFilter EnableFilter(string filterName) => throw null; - public override System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - public override System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public void Evict(object obj) => throw null; - public System.Threading.Tasks.Task EvictAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeQuerySpecification, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeQuerySpecification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override string FetchProfile { get => throw null; set => throw null; } - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public bool FlushBeforeCompletionEnabled { get => throw null; } - public override void FlushBeforeTransactionCompletion() => throw null; - public override System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public void ForceFlush(NHibernate.Engine.EntityEntry entityEntry) => throw null; - public System.Threading.Tasks.Task ForceFlushAsync(NHibernate.Engine.EntityEntry entityEntry, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get => throw null; set => throw null; } - public override NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get => throw null; set => throw null; } - public object Get(string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public object Get(string entityName, object id) => throw null; - public object Get(System.Type entityClass, object id) => throw null; - public object Get(System.Type clazz, object id, NHibernate.LockMode lockMode) => throw null; - public T Get(object id, NHibernate.LockMode lockMode) => throw null; - public T Get(object id) => throw null; - public System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Type entityClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override object GetContextEntityIdentifier(object obj) => throw null; - public NHibernate.LockMode GetCurrentLockMode(object obj) => throw null; - public NHibernate.IFilter GetEnabledFilter(string filterName) => throw null; - public string GetEntityName(object obj) => throw null; - public System.Threading.Tasks.Task GetEntityNameAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj) => throw null; - public override object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key) => throw null; - public override System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Type.IType GetFilterParameterType(string filterParameterName) => throw null; - public override object GetFilterParameterValue(string filterParameterName) => throw null; - public object GetIdentifier(object obj) => throw null; - void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public override NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar) => throw null; - public override System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.ISession GetSession(NHibernate.EntityMode entityMode) => throw null; - public NHibernate.Engine.ISessionImplementor GetSessionImplementation() => throw null; - public override string GuessEntityName(object entity) => throw null; - public override object ImmediateLoad(string entityName, object id) => throw null; - public override System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken) => throw null; - public override void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing) => throw null; - public override System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken) => throw null; - public override object Instantiate(string clazz, object id) => throw null; - public override object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; - public override object InternalLoad(string entityName, object id, bool eager, bool isNullable) => throw null; - public override System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken) => throw null; - public bool IsAutoCloseSessionEnabled { get => throw null; } - public bool IsDirty() => throw null; - public System.Threading.Tasks.Task IsDirtyAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override bool IsEventSource { get => throw null; } - public override bool IsOpen { get => throw null; } - public bool IsReadOnly(object entityOrProxy) => throw null; - public override void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results) => throw null; - public override void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public override System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; - public override System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public override System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected override void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public override System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Event.EventListeners Listeners { get => throw null; } - public void Load(object obj, object id) => throw null; - public object Load(string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public object Load(string entityName, object id) => throw null; - public object Load(System.Type entityClass, object id, NHibernate.LockMode lockMode) => throw null; - public object Load(System.Type entityClass, object id) => throw null; - public T Load(object id, NHibernate.LockMode lockMode) => throw null; - public T Load(object id) => throw null; - public System.Threading.Tasks.Task LoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(System.Type entityClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(System.Type entityClass, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LoadAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Lock(string entityName, object obj, NHibernate.LockMode lockMode) => throw null; - public void Lock(object obj, NHibernate.LockMode lockMode) => throw null; - public System.Threading.Tasks.Task LockAsync(string entityName, object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task LockAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Merge(string entityName, object obj, System.Collections.IDictionary copiedAlready) => throw null; - public object Merge(string entityName, object obj) => throw null; - public object Merge(object obj) => throw null; - public T Merge(string entityName, T entity) where T : class => throw null; - public T Merge(T entity) where T : class => throw null; - public System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task MergeAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task MergeAsync(string entityName, T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class => throw null; - public System.Threading.Tasks.Task MergeAsync(T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class => throw null; - public System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; - void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public void Persist(string entityName, object obj, System.Collections.IDictionary createdAlready) => throw null; - public void Persist(string entityName, object obj) => throw null; - public void Persist(object obj) => throw null; - public System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PersistAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void PersistOnFlush(string entityName, object obj, System.Collections.IDictionary copiedAlready) => throw null; - public void PersistOnFlush(string entityName, object obj) => throw null; - public void PersistOnFlush(object obj) => throw null; - public System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task PersistOnFlushAsync(object obj, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } - public NHibernate.IQueryOver QueryOver(string entityName, System.Linq.Expressions.Expression> alias) where T : class => throw null; - public NHibernate.IQueryOver QueryOver(string entityName) where T : class => throw null; - public NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class => throw null; - public NHibernate.IQueryOver QueryOver() where T : class => throw null; - public void Reconnect(System.Data.Common.DbConnection conn) => throw null; - public void Reconnect() => throw null; - public void Refresh(object obj, System.Collections.IDictionary refreshedAlready) => throw null; - public void Refresh(object obj, NHibernate.LockMode lockMode) => throw null; - public void Refresh(object obj) => throw null; - public System.Threading.Tasks.Task RefreshAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task RefreshAsync(object obj, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task RefreshAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Replicate(string entityName, object obj, NHibernate.ReplicationMode replicationMode) => throw null; - public void Replicate(object obj, NHibernate.ReplicationMode replicationMode) => throw null; - public System.Threading.Tasks.Task ReplicateAsync(string entityName, object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task ReplicateAsync(object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Save(string entityName, object obj, object id) => throw null; - public void Save(object obj, object id) => throw null; - public object Save(string entityName, object obj) => throw null; - public object Save(object obj) => throw null; - public System.Threading.Tasks.Task SaveAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task SaveAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task SaveAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task SaveAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void SaveOrUpdate(string entityName, object obj, object id) => throw null; - public void SaveOrUpdate(string entityName, object obj) => throw null; - public void SaveOrUpdate(object obj) => throw null; - public System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task SaveOrUpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.ISessionFactory SessionFactory { get => throw null; } - public NHibernate.ISharedSessionBuilder SessionWithOptions() => throw null; - public NHibernate.ISession SetBatchSize(int batchSize) => throw null; - public void SetReadOnly(object entityOrProxy, bool readOnly) => throw null; - public bool ShouldAutoClose { get => throw null; } - public NHibernate.ISharedStatelessSessionBuilder StatelessSessionWithOptions() => throw null; - public NHibernate.Stat.ISessionStatistics Statistics { get => throw null; } - public System.IDisposable SuspendAutoFlush() => throw null; - public void Update(string entityName, object obj, object id) => throw null; - public void Update(string entityName, object obj) => throw null; - public void Update(object obj, object id) => throw null; - public void Update(object obj) => throw null; - public System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UpdateAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - // ERR: Stub generator didn't handle member: ~SessionImpl + public SQLCriterion(NHibernate.SqlCommand.SqlString sql, object[] values, NHibernate.Type.IType[] types) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class SqlFunctionProjection : NHibernate.Criterion.SimpleProjection + { + public SqlFunctionProjection(string functionName, NHibernate.Type.IType returnType, params NHibernate.Criterion.IProjection[] args) => throw null; + public SqlFunctionProjection(NHibernate.Dialect.Function.ISQLFunction function, NHibernate.Type.IType returnType, params NHibernate.Criterion.IProjection[] args) => throw null; + public SqlFunctionProjection(string functionName, NHibernate.Criterion.IProjection returnTypeProjection, params NHibernate.Criterion.IProjection[] args) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int position, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; } - - // Generated from `NHibernate.Impl.SqlQueryImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlQueryImpl : NHibernate.Impl.AbstractQueryImpl, NHibernate.ISynchronizableSQLQuery, NHibernate.ISynchronizableQuery, NHibernate.ISQLQuery, NHibernate.IQuery + public sealed class SQLProjection : NHibernate.Criterion.IProjection { - public NHibernate.ISQLQuery AddEntity(string entityName) => throw null; - public NHibernate.ISQLQuery AddEntity(string alias, string entityName, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ISQLQuery AddEntity(string alias, string entityName) => throw null; - public NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass) => throw null; - public NHibernate.ISQLQuery AddEntity(System.Type entityClass) => throw null; - public NHibernate.ISQLQuery AddJoin(string alias, string path, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ISQLQuery AddJoin(string alias, string path) => throw null; - public NHibernate.ISQLQuery AddScalar(string columnAlias, NHibernate.Type.IType type) => throw null; - public NHibernate.ISynchronizableSQLQuery AddSynchronizedEntityClass(System.Type entityType) => throw null; - public NHibernate.ISynchronizableSQLQuery AddSynchronizedEntityName(string entityName) => throw null; - public NHibernate.ISynchronizableSQLQuery AddSynchronizedQuerySpace(string querySpace) => throw null; - public override System.Collections.IEnumerable Enumerable() => throw null; - public override System.Collections.Generic.IEnumerable Enumerable() => throw null; - public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override int ExecuteUpdate() => throw null; - public override System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification GenerateQuerySpecification(System.Collections.Generic.IDictionary parameters) => throw null; - public override NHibernate.Engine.QueryParameters GetQueryParameters(System.Collections.Generic.IDictionary namedParams) => throw null; - public System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces() => throw null; - protected internal override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected internal override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override void List(System.Collections.IList results) => throw null; - public override System.Collections.IList List() => throw null; - public override System.Collections.Generic.IList List() => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - protected internal override System.Collections.Generic.IDictionary LockModes { get => throw null; } - public override string[] ReturnAliases { get => throw null; } - public override NHibernate.Type.IType[] ReturnTypes { get => throw null; } - public override NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; - public NHibernate.ISQLQuery SetResultSetMapping(string name) => throw null; - internal SqlQueryImpl(string sql, string[] returnAliases, System.Type[] returnClasses, NHibernate.LockMode[] lockModes, NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ICollection querySpaces, NHibernate.FlushMode flushMode, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - internal SqlQueryImpl(string sql, string[] returnAliases, System.Type[] returnClasses, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - internal SqlQueryImpl(string sql, System.Collections.Generic.IList queryReturns, System.Collections.Generic.ICollection querySpaces, NHibernate.FlushMode flushMode, bool callable, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - internal SqlQueryImpl(string sql, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - internal SqlQueryImpl(NHibernate.Engine.NamedSQLQueryDefinition queryDef, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; - public override NHibernate.Type.IType[] TypeArray() => throw null; - protected override System.Collections.Generic.IList Types { get => throw null; } - public override object[] ValueArray() => throw null; - protected override System.Collections.IList Values { get => throw null; } - protected internal override void VerifyParameters(bool reserveFirstParameter) => throw null; - protected internal override void VerifyParameters() => throw null; + public string[] Aliases { get => throw null; } + public string[] GetColumnAliases(int loc) => throw null; + public string[] GetColumnAliases(string alias, int loc) => throw null; + public string[] GetColumnAliases(int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public string[] GetColumnAliases(string alias, int position, NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria crit, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Type.IType[] GetTypes(string alias, NHibernate.ICriteria crit, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public bool IsAggregate { get => throw null; } + public bool IsGrouped { get => throw null; } + public NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Impl.StatelessSessionImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StatelessSessionImpl : NHibernate.Impl.AbstractSessionImpl, System.IDisposable, NHibernate.IStatelessSession + public class Subqueries { - public override void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; - public override void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx) => throw null; - public override System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; - public override void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; - public override System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; - public override string BestGuessEntityName(object entity) => throw null; - public override NHibernate.CacheMode CacheMode { get => throw null; set => throw null; } - public void Close() => throw null; - public override void CloseSessionFromSystemTransaction() => throw null; - public NHibernate.ICriteria CreateCriteria(string alias) where T : class => throw null; - public NHibernate.ICriteria CreateCriteria() where T : class => throw null; - public NHibernate.ICriteria CreateCriteria(string entityName, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(string entityName) => throw null; - public NHibernate.ICriteria CreateCriteria(System.Type entityType, string alias) => throw null; - public NHibernate.ICriteria CreateCriteria(System.Type entityType) => throw null; - public override NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression) => throw null; - public override System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken) => throw null; - public void Delete(string entityName, object entity) => throw null; - public void Delete(object entity) => throw null; - public System.Threading.Tasks.Task DeleteAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task DeleteAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Dispose() => throw null; - protected void Dispose(bool isDisposing) => throw null; - public override System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - public override System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; - public override System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; - public override System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeSQLQuerySpecification, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeSQLQuerySpecification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public override System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override string FetchProfile { get => throw null; set => throw null; } - public override void Flush() => throw null; - public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override void FlushBeforeTransactionCompletion() => throw null; - public override System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.FlushMode FlushMode { get => throw null; set => throw null; } - public override NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get => throw null; set => throw null; } - public override NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get => throw null; set => throw null; } - public object Get(string entityName, object id, NHibernate.LockMode lockMode) => throw null; - public object Get(string entityName, object id) => throw null; - public T Get(object id, NHibernate.LockMode lockMode) => throw null; - public T Get(object id) => throw null; - public System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override object GetContextEntityIdentifier(object obj) => throw null; - public override NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj) => throw null; - public override object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key) => throw null; - public override System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Type.IType GetFilterParameterType(string filterParameterName) => throw null; - public override object GetFilterParameterValue(string filterParameterName) => throw null; - public override NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar) => throw null; - public override System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Engine.ISessionImplementor GetSessionImplementation() => throw null; - public override string GuessEntityName(object entity) => throw null; - public override object ImmediateLoad(string entityName, object id) => throw null; - public override System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken) => throw null; - public override void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing) => throw null; - public override System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken) => throw null; - public object Insert(string entityName, object entity) => throw null; - public object Insert(object entity) => throw null; - public System.Threading.Tasks.Task InsertAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task InsertAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public override object Instantiate(string clazz, object id) => throw null; - public override object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; - public override NHibernate.IInterceptor Interceptor { get => throw null; } - public override object InternalLoad(string entityName, object id, bool eager, bool isNullable) => throw null; - public override System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool IsEventSource { get => throw null; } - public override bool IsOpen { get => throw null; } - public override void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results) => throw null; - public override void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public override System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; - public override System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; - public override System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; - public override System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; - protected override void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results) => throw null; - public override System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; - protected override System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Event.EventListeners Listeners { get => throw null; } - public void ManagedClose() => throw null; - public void ManagedFlush() => throw null; - public System.Threading.Tasks.Task ManagedFlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public override NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } - public NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class => throw null; - public NHibernate.IQueryOver QueryOver() where T : class => throw null; - public void Refresh(string entityName, object entity, NHibernate.LockMode lockMode) => throw null; - public void Refresh(string entityName, object entity) => throw null; - public void Refresh(object entity, NHibernate.LockMode lockMode) => throw null; - public void Refresh(object entity) => throw null; - public System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task RefreshAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task RefreshAsync(object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.IStatelessSession SetBatchSize(int batchSize) => throw null; - public override System.Int64 Timestamp { get => throw null; } - public void Update(string entityName, object entity) => throw null; - public void Update(object entity) => throw null; - public System.Threading.Tasks.Task UpdateAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task UpdateAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - // ERR: Stub generator didn't handle member: ~StatelessSessionImpl + public Subqueries() => throw null; + public static NHibernate.Criterion.AbstractCriterion Eq(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion EqAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Exists(NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Ge(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion GeSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Gt(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion GtSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion In(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNotNull(NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion IsNull(NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Le(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion LeSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Lt(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtAll(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion LtSome(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Ne(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotExists(NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion NotIn(object value, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyEq(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyEqAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGeAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGeSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGt(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGtAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyGtSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyIn(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLeAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLeSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLt(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLtAll(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyLtSome(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyNe(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion PropertyNotIn(string propertyName, NHibernate.Criterion.DetachedCriteria dc) => throw null; + public static NHibernate.Criterion.AbstractCriterion Select(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public static NHibernate.Criterion.AbstractCriterion Where(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion Where(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereAll(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereAll(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereNotExists(NHibernate.Criterion.QueryOver detachedQuery) => throw null; + public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereProperty(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereSome(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion WhereSome(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.Lambda.LambdaSubqueryBuilder WhereValue(object value) => throw null; + } + public abstract class SubqueryExpression : NHibernate.Criterion.AbstractCriterion + { + public NHibernate.ICriteria Criteria { get => throw null; } + protected SubqueryExpression(string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc) => throw null; + protected SubqueryExpression(string op, string quantifier, NHibernate.Criterion.DetachedCriteria dc, bool prefixOp) => throw null; + public override NHibernate.Criterion.IProjection[] GetProjections() => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public NHibernate.Type.IType[] GetTypes() => throw null; + protected abstract NHibernate.SqlCommand.SqlString ToLeftSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery outerQuery); + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; + } + public class SubqueryProjection : NHibernate.Criterion.SimpleProjection + { + protected SubqueryProjection(NHibernate.Criterion.SelectSubqueryExpression subquery) => throw null; + public override NHibernate.Engine.TypedValue[] GetTypedValues(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.Type.IType[] GetTypes(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override bool IsAggregate { get => throw null; } + public override bool IsGrouped { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToGroupSqlString(NHibernate.ICriteria criteria, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString(NHibernate.ICriteria criteria, int loc, NHibernate.Criterion.ICriteriaQuery criteriaQuery) => throw null; + public override string ToString() => throw null; } - } - namespace Intercept + namespace DebugHelpers { - // Generated from `NHibernate.Intercept.AbstractFieldInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractFieldInterceptor : NHibernate.Intercept.IFieldInterceptor + public class CollectionProxy { - protected internal AbstractFieldInterceptor(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet uninitializedFields, System.Collections.Generic.ISet unwrapProxyFieldNames, string entityName, System.Type mappedClass) => throw null; - public void ClearDirty() => throw null; - public string EntityName { get => throw null; } - public System.Collections.Generic.ISet GetUninitializedFields() => throw null; - public bool Initializing { get => throw null; } - public object Intercept(object target, string fieldName, object value, bool setter) => throw null; - public object Intercept(object target, string fieldName, object value) => throw null; - public static object InvokeImplementation; - public bool IsDirty { get => throw null; } - public bool IsInitialized { get => throw null; } - public bool IsInitializedField(string field) => throw null; - public System.Type MappedClass { get => throw null; } - public void MarkDirty() => throw null; - public NHibernate.Engine.ISessionImplementor Session { get => throw null; set => throw null; } - public System.Collections.Generic.ISet UninitializedFields { get => throw null; } + public CollectionProxy(System.Collections.ICollection dic) => throw null; + public object[] Items { get => throw null; } + } + public class CollectionProxy + { + public CollectionProxy(System.Collections.Generic.ICollection dic) => throw null; + public T[] Items { get => throw null; } } - - // Generated from `NHibernate.Intercept.DefaultDynamicLazyFieldInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultDynamicLazyFieldInterceptor : NHibernate.Proxy.DynamicProxy.IInterceptor, NHibernate.Intercept.IFieldInterceptorAccessor + public class DictionaryProxy { - public DefaultDynamicLazyFieldInterceptor() => throw null; - public NHibernate.Intercept.IFieldInterceptor FieldInterceptor { get => throw null; set => throw null; } - public object Intercept(NHibernate.Proxy.DynamicProxy.InvocationInfo info) => throw null; + public DictionaryProxy(System.Collections.IDictionary dic) => throw null; + public System.Collections.DictionaryEntry[] Items { get => throw null; } } - - // Generated from `NHibernate.Intercept.DefaultFieldInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultFieldInterceptor : NHibernate.Intercept.AbstractFieldInterceptor + public class DictionaryProxy { - public DefaultFieldInterceptor(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet uninitializedFields, System.Collections.Generic.ISet unwrapProxyFieldNames, string entityName, System.Type mappedClass) : base(default(NHibernate.Engine.ISessionImplementor), default(System.Collections.Generic.ISet), default(System.Collections.Generic.ISet), default(string), default(System.Type)) => throw null; + public DictionaryProxy(System.Collections.Generic.IDictionary dic) => throw null; + public System.Collections.Generic.KeyValuePair[] Items { get => throw null; } } - - // Generated from `NHibernate.Intercept.FieldInterceptionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class FieldInterceptionHelper + } + namespace Dialect + { + public class AnsiSqlKeywords { - public static void ClearDirty(object entity) => throw null; - public static NHibernate.Intercept.IFieldInterceptor ExtractFieldInterceptor(object entity) => throw null; - public static NHibernate.Intercept.IFieldInterceptor InjectFieldInterceptor(object entity, string entityName, System.Type mappedClass, System.Collections.Generic.ISet uninitializedFieldNames, System.Collections.Generic.ISet unwrapProxyFieldNames, NHibernate.Engine.ISessionImplementor session) => throw null; - public static bool IsInstrumented(object entity) => throw null; - public static bool IsInstrumented(System.Type entityClass) => throw null; - public static void MarkDirty(object entity) => throw null; + public AnsiSqlKeywords() => throw null; + public static System.Collections.Generic.IReadOnlyCollection Sql2003; } - - // Generated from `NHibernate.Intercept.FieldInterceptorExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class FieldInterceptorExtensions + public class BitwiseFunctionOperation : NHibernate.Dialect.Function.BitwiseFunctionOperation { - public static object Intercept(this NHibernate.Intercept.IFieldInterceptor interceptor, object target, string fieldName, object value, bool setter) => throw null; + public BitwiseFunctionOperation(string functionName) : base(default(string)) => throw null; } - - // Generated from `NHibernate.Intercept.IFieldInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFieldInterceptor + public class BitwiseNativeOperation : NHibernate.Dialect.Function.BitwiseNativeOperation { - void ClearDirty(); - string EntityName { get; } - object Intercept(object target, string fieldName, object value); - bool IsDirty { get; } - bool IsInitialized { get; } - bool IsInitializedField(string field); - System.Type MappedClass { get; } - void MarkDirty(); - NHibernate.Engine.ISessionImplementor Session { get; set; } + public BitwiseNativeOperation(string sqlOpToken) : base(default(string)) => throw null; + public BitwiseNativeOperation(string sqlOpToken, bool isNot) : base(default(string)) => throw null; } - - // Generated from `NHibernate.Intercept.IFieldInterceptorAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFieldInterceptorAccessor + public class DB2400Dialect : NHibernate.Dialect.DB2Dialect { - NHibernate.Intercept.IFieldInterceptor FieldInterceptor { get; set; } + public DB2400Dialect() => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string IdentitySelectString { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override bool UseMaxForLimit { get => throw null; } } - - // Generated from `NHibernate.Intercept.ILazyPropertyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILazyPropertyInitializer + public class DB2Dialect : NHibernate.Dialect.Dialect { - object InitializeLazyProperty(string fieldName, object entity, NHibernate.Engine.ISessionImplementor session); + public override string AddColumnString { get => throw null; } + public DB2Dialect() => throw null; + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override string ForUpdateString { get => throw null; } + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentityInsertString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override bool SupportsCrossJoin { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExistsInSelect { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLobValueChangePropogation { get => throw null; } + public override bool SupportsNullInUnique { get => throw null; } + public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override bool UseMaxForLimit { get => throw null; } } - - // Generated from `NHibernate.Intercept.LazyPropertyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct LazyPropertyInitializer + public abstract class Dialect { - // Stub generator skipped constructor - public static object UnfetchedProperty; + public virtual string AddColumnString { get => throw null; } + public virtual string AddColumnSuffixString { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; + public virtual NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; + public virtual NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName) => throw null; + public virtual string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; + public virtual NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; + public virtual bool AreStringComparisonsCaseInsensitive { get => throw null; } + public virtual NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter() => throw null; + public virtual string CascadeConstraintsString { get => throw null; } + public virtual char CloseQuote { get => throw null; } + public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public virtual string ConvertQuotesForAliasName(string aliasName) => throw null; + public virtual string ConvertQuotesForCatalogName(string catalogName) => throw null; + public virtual string ConvertQuotesForColumnName(string columnName) => throw null; + public virtual string ConvertQuotesForSchemaName(string schemaName) => throw null; + public virtual string ConvertQuotesForTableName(string tableName) => throw null; + public virtual NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; + public virtual string CreateMultisetTableString { get => throw null; } + public virtual NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; + public virtual string CreateTableString { get => throw null; } + public virtual string CreateTemporaryTablePostfix { get => throw null; } + public virtual string CreateTemporaryTableString { get => throw null; } + protected Dialect() => throw null; + public virtual string CurrentTimestampSelectString { get => throw null; } + public virtual string CurrentTimestampSQLFunctionName { get => throw null; } + public virtual string CurrentUtcTimestampSelectString { get => throw null; } + public virtual string CurrentUtcTimestampSQLFunctionName { get => throw null; } + protected static string DefaultBatchSize; + public int DefaultCastLength { get => throw null; set { } } + public byte DefaultCastPrecision { get => throw null; set { } } + public byte DefaultCastScale { get => throw null; set { } } + public System.Collections.Generic.IDictionary DefaultProperties { get => throw null; } + public virtual string DisableForeignKeyConstraintsString { get => throw null; } + public virtual bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public virtual bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public virtual bool DropConstraints { get => throw null; } + public virtual string DropForeignKeyString { get => throw null; } + public virtual bool DropTemporaryTableAfterUse() => throw null; + public virtual string EnableForeignKeyConstraintsString { get => throw null; } + public virtual string ForUpdateNowaitString { get => throw null; } + public virtual bool ForUpdateOfColumns { get => throw null; } + public virtual string ForUpdateString { get => throw null; } + public virtual System.Collections.Generic.IDictionary Functions { get => throw null; } + public virtual bool GenerateTablePrimaryKeyConstraintForIdentityColumn { get => throw null; } + public virtual string GenerateTemporaryTableName(string baseTableName) => throw null; + public virtual string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; + public virtual string GetAddPrimaryKeyConstraintString(string constraintName) => throw null; + public virtual string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected virtual string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, NHibernate.Dialect.TypeNames castTypeNames) => throw null; + public virtual string GetColumnComment(string comment) => throw null; + public virtual string GetCreateSequenceString(string sequenceName) => throw null; + protected virtual string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; + public virtual string[] GetCreateSequenceStrings(string sequenceName, int initialValue, int incrementSize) => throw null; + public virtual NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public static NHibernate.Dialect.Dialect GetDialect() => throw null; + public static NHibernate.Dialect.Dialect GetDialect(System.Collections.Generic.IDictionary props) => throw null; + public virtual string GetDropForeignKeyConstraintString(string constraintName) => throw null; + public virtual string GetDropIndexConstraintString(string constraintName) => throw null; + public virtual string GetDropPrimaryKeyConstraintString(string constraintName) => throw null; + public virtual string GetDropSequenceString(string sequenceName) => throw null; + public virtual string[] GetDropSequenceStrings(string sequenceName) => throw null; + public virtual string GetDropTableString(string tableName) => throw null; + public virtual string GetForUpdateNowaitString(string aliases) => throw null; + public virtual string GetForUpdateString(NHibernate.LockMode lockMode) => throw null; + public virtual string GetForUpdateString(string aliases) => throw null; + public virtual string GetIdentityColumnString(System.Data.DbType type) => throw null; + public virtual string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; + public virtual string GetIfExistsDropConstraint(NHibernate.Mapping.Table table, string name) => throw null; + public virtual string GetIfExistsDropConstraint(string catalog, string schema, string table, string name) => throw null; + public virtual string GetIfExistsDropConstraintEnd(NHibernate.Mapping.Table table, string name) => throw null; + public virtual string GetIfExistsDropConstraintEnd(string catalog, string schema, string table, string name) => throw null; + public virtual string GetIfNotExistsCreateConstraint(NHibernate.Mapping.Table table, string name) => throw null; + public virtual string GetIfNotExistsCreateConstraint(string catalog, string schema, string table, string name) => throw null; + public virtual string GetIfNotExistsCreateConstraintEnd(NHibernate.Mapping.Table table, string name) => throw null; + public virtual string GetIfNotExistsCreateConstraintEnd(string catalog, string schema, string table, string name) => throw null; + public virtual NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, int? offset, int? limit, NHibernate.SqlCommand.Parameter offsetParameter, NHibernate.SqlCommand.Parameter limitParameter) => throw null; + public int GetLimitValue(int offset, int limit) => throw null; + public virtual NHibernate.Dialect.Lock.ILockingStrategy GetLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; + public virtual string GetLongestTypeName(System.Data.DbType dbType) => throw null; + public int GetOffsetValue(int offset) => throw null; + public virtual System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; + public virtual System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public virtual string GetSelectSequenceNextValString(string sequenceName) => throw null; + public virtual string GetSequenceNextValString(string sequenceName) => throw null; + public virtual string GetTableComment(string comment) => throw null; + public virtual string GetTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public virtual string GetTypeName(NHibernate.SqlTypes.SqlType sqlType, int length, int precision, int scale) => throw null; + public virtual bool HasDataTypeInIdentityColumn { get => throw null; } + public virtual bool HasSelfReferentialForeignKeyBug { get => throw null; } + public virtual string IdentityColumnString { get => throw null; } + public virtual string IdentityInsertString { get => throw null; } + public virtual string IdentitySelectString { get => throw null; } + public virtual System.Type IdentityStyleIdentifierGeneratorClass { get => throw null; } + public virtual NHibernate.Dialect.InsertGeneratedIdentifierRetrievalMethod InsertGeneratedIdentifierRetrievalMethod { get => throw null; } + public virtual bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public virtual bool IsDecimalStoredAsFloatingPointNumber { get => throw null; } + public bool IsKeyword(string str) => throw null; + public virtual bool IsKnownToken(string currentToken, string nextToken) => throw null; + public virtual bool IsQuoted(string name) => throw null; + public System.Collections.Generic.HashSet Keywords { get => throw null; } + public virtual string LowercaseFunction { get => throw null; } + public virtual int MaxAliasLength { get => throw null; } + public virtual int? MaxNumberOfParameters { get => throw null; } + public virtual System.Type NativeIdentifierGeneratorClass { get => throw null; } + protected static string NoBatch; + public virtual string NoColumnsInsertString { get => throw null; } + public virtual string NullColumnString { get => throw null; } + public virtual bool OffsetStartsAtOne { get => throw null; } + public virtual char OpenQuote { get => throw null; } + public virtual NHibernate.SqlTypes.SqlType OverrideSqlType(NHibernate.SqlTypes.SqlType type) => throw null; + public virtual bool? PerformTemporaryTableDDLInIsolation() => throw null; + public static string PossibleClosedQuoteChars; + public static string PossibleQuoteChars; + public virtual string PrimaryKeyString { get => throw null; } + public virtual string Qualify(string catalog, string schema, string name) => throw null; + public virtual bool QualifyIndexName { get => throw null; } + public virtual string QuerySequencesString { get => throw null; } + protected virtual string Quote(string name) => throw null; + public class QuotedAndParenthesisStringTokenizer : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public QuotedAndParenthesisStringTokenizer(NHibernate.SqlCommand.SqlString original) => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + public System.Collections.Generic.IList GetTokens() => throw null; + public enum TokenizerState + { + WhiteSpace = 0, + Quoted = 1, + InParenthesis = 2, + Token = 3, + } + } + public virtual string QuoteForAliasName(string aliasName) => throw null; + public virtual string QuoteForCatalogName(string catalogName) => throw null; + public virtual string QuoteForColumnName(string columnName) => throw null; + public virtual string QuoteForSchemaName(string schemaName) => throw null; + public virtual string QuoteForTableName(string tableName) => throw null; + protected void RegisterColumnType(System.Data.DbType code, int capacity, string name) => throw null; + protected void RegisterColumnType(System.Data.DbType code, string name) => throw null; + protected void RegisterFunction(string name, NHibernate.Dialect.Function.ISQLFunction function) => throw null; + protected void RegisterKeyword(string word) => throw null; + protected void RegisterKeywords(params string[] keywords) => throw null; + protected void RegisterKeywords(System.Collections.Generic.IEnumerable keywords) => throw null; + public virtual int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; + public virtual bool ReplaceResultVariableInOrderByClauseWithPosition { get => throw null; } + public virtual string SelectGUIDString { get => throw null; } + public virtual char StatementTerminator { get => throw null; } + public virtual bool SupportsBindAsCallableArgument { get => throw null; } + public virtual bool SupportsCascadeDelete { get => throw null; } + public virtual bool SupportsCircularCascadeDeleteConstraints { get => throw null; } + public virtual bool SupportsColumnCheck { get => throw null; } + public virtual bool SupportsCommentOn { get => throw null; } + public virtual bool SupportsConcurrentWritingConnections { get => throw null; } + public virtual bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } + public virtual bool SupportsCrossJoin { get => throw null; } + public virtual bool SupportsCurrentTimestampSelection { get => throw null; } + public virtual bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public virtual bool SupportsDateTimeScale { get => throw null; } + public virtual bool SupportsDistributedTransactions { get => throw null; } + public virtual bool SupportsEmptyInList { get => throw null; } + public virtual bool SupportsExistsInSelect { get => throw null; } + public virtual bool SupportsExpectedLobUsagePattern { get => throw null; } + public virtual bool SupportsForeignKeyConstraintInAlterTable { get => throw null; } + public virtual bool SupportsForUpdateOf { get => throw null; } + public virtual bool SupportsHavingOnGroupedByComputation { get => throw null; } + public virtual bool SupportsIdentityColumns { get => throw null; } + public virtual bool SupportsIfExistsAfterTableName { get => throw null; } + public virtual bool SupportsIfExistsBeforeTableName { get => throw null; } + public virtual bool SupportsInsertSelectIdentity { get => throw null; } + public virtual bool SupportsLimit { get => throw null; } + public virtual bool SupportsLimitOffset { get => throw null; } + public virtual bool SupportsLobValueChangePropogation { get => throw null; } + public virtual bool SupportsNotNullUnique { get => throw null; } + public virtual bool SupportsNullInUnique { get => throw null; } + public virtual bool SupportsOuterJoinForUpdate { get => throw null; } + public virtual bool SupportsParametersInInsertSelect { get => throw null; } + public virtual bool SupportsPooledSequences { get => throw null; } + public virtual bool SupportsPoolingParameter { get => throw null; } + public virtual bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } + public virtual bool SupportsRowValueConstructorSyntax { get => throw null; } + public virtual bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } + public virtual bool SupportsScalarSubSelects { get => throw null; } + public virtual bool SupportsSequences { get => throw null; } + public virtual bool SupportsSqlBatches { get => throw null; } + public virtual bool SupportsSubqueryOnMutatingTable { get => throw null; } + public virtual bool SupportsSubselectAsInPredicateLHS { get => throw null; } + public virtual bool SupportsSubSelects { get => throw null; } + public virtual bool SupportsSubSelectsWithPagingAsInPredicateRhs { get => throw null; } + public virtual bool SupportsTableCheck { get => throw null; } + public virtual bool SupportsTemporaryTables { get => throw null; } + public virtual bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } + public virtual bool SupportsUnionAll { get => throw null; } + public virtual bool SupportsUnique { get => throw null; } + public virtual bool SupportsUniqueConstraintInCreateAlterTable { get => throw null; } + public virtual bool SupportsVariableLimit { get => throw null; } + public virtual string TableTypeString { get => throw null; } + public virtual long TimestampResolutionInTicks { get => throw null; } + public virtual string ToBooleanValueString(bool value) => throw null; + public virtual bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, out string typeName) => throw null; + protected virtual bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, NHibernate.Dialect.TypeNames castTypeNames, out string typeName) => throw null; + public virtual string UnQuote(string quoted) => throw null; + public virtual string[] UnQuote(string[] quoted) => throw null; + public virtual bool UseInputStreamToInsertBlob { get => throw null; } + public virtual bool UseMaxForLimit { get => throw null; } + public virtual bool UsesColumnsWithForUpdateOf { get => throw null; } + public virtual NHibernate.Exceptions.IViolatedConstraintNameExtracter ViolatedConstraintNameExtracter { get => throw null; } } - - // Generated from `NHibernate.Intercept.UnfetchedLazyProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public struct UnfetchedLazyProperty + public class FirebirdDialect : NHibernate.Dialect.Dialect { - // Stub generator skipped constructor + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; + public override string CreateTemporaryTableString { get => throw null; } + public FirebirdDialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override bool DropTemporaryTableAfterUse() => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override int MaxAliasLength { get => throw null; } + public override bool? PerformTemporaryTableDDLInIsolation() => throw null; + public override string QuerySequencesString { get => throw null; } + protected virtual void RegisterColumnTypes() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } } - - } - namespace Linq - { - // Generated from `NHibernate.Linq.DefaultQueryProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultQueryProvider : System.Linq.IQueryProvider, NHibernate.Linq.ISupportFutureBatchNhQueryProvider, NHibernate.Linq.IQueryProviderWithOptions, NHibernate.Linq.INhQueryProvider + namespace Function { - public object Collection { get => throw null; } - public virtual System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; - public virtual System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; - protected virtual System.Linq.IQueryProvider CreateWithOptions(NHibernate.Linq.NhQueryableOptions options) => throw null; - public DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; - public DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session) => throw null; - protected DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session, object collection, NHibernate.Linq.NhQueryableOptions options) => throw null; - public virtual object Execute(System.Linq.Expressions.Expression expression) => throw null; - public TResult Execute(System.Linq.Expressions.Expression expression) => throw null; - public virtual System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; - public int ExecuteDml(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression) => throw null; - public System.Threading.Tasks.Task ExecuteDmlAsync(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual NHibernate.IFutureEnumerable ExecuteFuture(System.Linq.Expressions.Expression expression) => throw null; - public virtual NHibernate.IFutureValue ExecuteFutureValue(System.Linq.Expressions.Expression expression) => throw null; - public virtual System.Collections.Generic.IList ExecuteList(System.Linq.Expressions.Expression expression) => throw null; - public virtual System.Threading.Tasks.Task> ExecuteListAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual object ExecuteQuery(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhQuery) => throw null; - protected virtual object ExecuteQuery(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query) => throw null; - protected virtual System.Threading.Tasks.Task ExecuteQueryAsync(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.Threading.Tasks.Task ExecuteQueryAsync(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhQuery, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.IQuery GetPreparedQuery(System.Linq.Expressions.Expression expression, out NHibernate.Linq.NhLinqExpression nhExpression) => throw null; - protected virtual NHibernate.Linq.NhLinqExpression PrepareQuery(System.Linq.Expressions.Expression expression, out NHibernate.IQuery query) => throw null; - public virtual NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public virtual void SetResultTransformerAndAdditionalCriteria(NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhExpression, System.Collections.Generic.IDictionary> parameters) => throw null; - public System.Linq.IQueryProvider WithOptions(System.Action setOptions) => throw null; + public class AnsiExtractFunction : NHibernate.Dialect.Function.SQLFunctionTemplate, NHibernate.Dialect.Function.IFunctionGrammar + { + public AnsiExtractFunction() : base(default(NHibernate.Type.IType), default(string)) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; + } + public class AnsiSubstringFunction : NHibernate.Dialect.Function.ISQLFunction + { + public AnsiSubstringFunction() => throw null; + public NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class AnsiTrimEmulationFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar + { + public AnsiTrimEmulationFunction() => throw null; + public AnsiTrimEmulationFunction(string replaceFunction) => throw null; + public NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class AnsiTrimFunction : NHibernate.Dialect.Function.SQLFunctionTemplate, NHibernate.Dialect.Function.IFunctionGrammar + { + public AnsiTrimFunction() : base(default(NHibernate.Type.IType), default(string)) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; + } + public class BitwiseFunctionOperation : NHibernate.Dialect.Function.ISQLFunction + { + public BitwiseFunctionOperation(string functionName) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class BitwiseNativeOperation : NHibernate.Dialect.Function.ISQLFunction + { + public BitwiseNativeOperation(string sqlOpToken) => throw null; + public BitwiseNativeOperation(string sqlOpToken, bool isUnary) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class CastFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar + { + protected virtual bool CastingIsRequired(string sqlType) => throw null; + public CastFunction() => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; + public string Name { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected virtual NHibernate.SqlCommand.SqlString Render(object expression, string sqlType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class CharIndexFunction : NHibernate.Dialect.Function.ISQLFunction + { + public CharIndexFunction() => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class ClassicAggregateFunction : NHibernate.Dialect.Function.ISQLFunction, NHibernate.Dialect.Function.IFunctionGrammar + { + protected bool acceptAsterisk; + public ClassicAggregateFunction(string name, bool acceptAsterisk) => throw null; + public ClassicAggregateFunction(string name, bool acceptAsterisk, NHibernate.Type.IType typeValue) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + bool NHibernate.Dialect.Function.IFunctionGrammar.IsKnownArgument(string token) => throw null; + bool NHibernate.Dialect.Function.IFunctionGrammar.IsSeparator(string token) => throw null; + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + public override string ToString() => throw null; + protected bool TryGetArgumentType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError, out NHibernate.Type.IType argumentType, out NHibernate.SqlTypes.SqlType sqlType) => throw null; + } + public class ClassicAvgFunction : NHibernate.Dialect.Function.ClassicAggregateFunction + { + public ClassicAvgFunction() : base(default(string), default(bool)) => throw null; + public override NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public override NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class ClassicCountFunction : NHibernate.Dialect.Function.ClassicAggregateFunction + { + public ClassicCountFunction() : base(default(string), default(bool)) => throw null; + public override NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public override NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class ClassicSumFunction : NHibernate.Dialect.Function.ClassicAggregateFunction + { + public ClassicSumFunction() : base(default(string), default(bool)) => throw null; + } + public class CommonGrammar : NHibernate.Dialect.Function.IFunctionGrammar + { + public CommonGrammar() => throw null; + public bool IsKnownArgument(string token) => throw null; + public bool IsSeparator(string token) => throw null; + } + public class EmulatedLengthSubstringFunction : NHibernate.Dialect.Function.StandardSQLFunction + { + public EmulatedLengthSubstringFunction() : base(default(string)) => throw null; + public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public interface IFunctionGrammar + { + bool IsKnownArgument(string token); + bool IsSeparator(string token); + } + public interface ISQLFunction + { + bool HasArguments { get; } + bool HasParenthesesIfNoArguments { get; } + NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory); + NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping); + } + public class NoArgSQLFunction : NHibernate.Dialect.Function.ISQLFunction + { + public NoArgSQLFunction(string name, NHibernate.Type.IType returnType) => throw null; + public NoArgSQLFunction(string name, NHibernate.Type.IType returnType, bool hasParenthesesIfNoArguments) => throw null; + public NHibernate.Type.IType FunctionReturnType { get => throw null; set { } } + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; set { } } + public string Name { get => throw null; set { } } + public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class NvlFunction : NHibernate.Dialect.Function.ISQLFunction + { + public NvlFunction() => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public class PositionSubstringFunction : NHibernate.Dialect.Function.ISQLFunction + { + public PositionSubstringFunction() => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } + public static partial class SQLFunctionExtensions + { + public static NHibernate.Type.IType GetEffectiveReturnType(this NHibernate.Dialect.Function.ISQLFunction sqlFunction, System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public static NHibernate.Type.IType GetReturnType(this NHibernate.Dialect.Function.ISQLFunction sqlFunction, System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + } + public class SQLFunctionRegistry + { + public SQLFunctionRegistry(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary userFunctions) => throw null; + public NHibernate.Dialect.Function.ISQLFunction FindSQLFunction(string functionName) => throw null; + public bool HasFunction(string functionName) => throw null; + } + public class SQLFunctionTemplate : NHibernate.Dialect.Function.ISQLFunction + { + public SQLFunctionTemplate(NHibernate.Type.IType type, string template) => throw null; + public SQLFunctionTemplate(NHibernate.Type.IType type, string template, bool hasParenthesesIfNoArgs) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public virtual string Name { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + public override string ToString() => throw null; + } + public class SQLFunctionTemplateWithRequiredParameters : NHibernate.Dialect.Function.SQLFunctionTemplate + { + public SQLFunctionTemplateWithRequiredParameters(NHibernate.Type.IType type, string template, object[] requiredArgs) : base(default(NHibernate.Type.IType), default(string)) => throw null; + public SQLFunctionTemplateWithRequiredParameters(NHibernate.Type.IType type, string template, object[] requiredArgs, bool hasParenthesesIfNoArgs) : base(default(NHibernate.Type.IType), default(string)) => throw null; + public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class StandardSafeSQLFunction : NHibernate.Dialect.Function.StandardSQLFunction + { + public StandardSafeSQLFunction(string name, int allowedArgsCount) : base(default(string)) => throw null; + public StandardSafeSQLFunction(string name, NHibernate.Type.IType typeValue, int allowedArgsCount) : base(default(string)) => throw null; + public override NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class StandardSQLFunction : NHibernate.Dialect.Function.ISQLFunction + { + public StandardSQLFunction(string name) => throw null; + public StandardSQLFunction(string name, NHibernate.Type.IType typeValue) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + protected string name; + public string Name { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + public override string ToString() => throw null; + } + public class TransparentCastFunction : NHibernate.Dialect.Function.CastFunction + { + protected override bool CastingIsRequired(string sqlType) => throw null; + public TransparentCastFunction() => throw null; + protected override NHibernate.SqlCommand.SqlString Render(object expression, string sqlType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class VarArgsSQLFunction : NHibernate.Dialect.Function.ISQLFunction + { + public VarArgsSQLFunction(string begin, string sep, string end) => throw null; + public VarArgsSQLFunction(NHibernate.Type.IType type, string begin, string sep, string end) => throw null; + public virtual NHibernate.Type.IType GetEffectiveReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public virtual NHibernate.Type.IType GetReturnType(System.Collections.Generic.IEnumerable argumentTypes, NHibernate.Engine.IMapping mapping, bool throwOnError) => throw null; + public bool HasArguments { get => throw null; } + public bool HasParenthesesIfNoArguments { get => throw null; } + public virtual string Name { get => throw null; } + public NHibernate.SqlCommand.SqlString Render(System.Collections.IList args, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public virtual NHibernate.Type.IType ReturnType(NHibernate.Type.IType columnType, NHibernate.Engine.IMapping mapping) => throw null; + } } - - // Generated from `NHibernate.Linq.DmlExpressionRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DmlExpressionRewriter + public class GenericDialect : NHibernate.Dialect.Dialect { - public static System.Linq.Expressions.Expression PrepareExpression(System.Linq.Expressions.Expression sourceExpression, System.Collections.Generic.IReadOnlyDictionary assignments) => throw null; - public static System.Linq.Expressions.Expression PrepareExpression(System.Linq.Expressions.Expression sourceExpression, System.Linq.Expressions.Expression> expression) => throw null; - public static System.Linq.Expressions.Expression PrepareExpressionFromAnonymous(System.Linq.Expressions.Expression sourceExpression, System.Linq.Expressions.Expression> expression) => throw null; + public override string AddColumnString { get => throw null; } + public GenericDialect() => throw null; } - - // Generated from `NHibernate.Linq.DmlExtensionMethods` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class DmlExtensionMethods + public class HanaColumnStoreDialect : NHibernate.Dialect.HanaDialectBase { - public static int Delete(this System.Linq.IQueryable source) => throw null; - public static System.Threading.Tasks.Task DeleteAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.Linq.InsertBuilder InsertBuilder(this System.Linq.IQueryable source) => throw null; - public static int InsertInto(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static int InsertInto(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static System.Threading.Tasks.Task InsertIntoAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task InsertIntoAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int Update(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static int Update(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static System.Threading.Tasks.Task UpdateAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task UpdateAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static NHibernate.Linq.UpdateBuilder UpdateBuilder(this System.Linq.IQueryable source) => throw null; - public static int UpdateVersioned(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static int UpdateVersioned(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; - public static System.Threading.Tasks.Task UpdateVersionedAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task UpdateVersionedAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override string CreateTableString { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public HanaColumnStoreDialect() => throw null; } - - // Generated from `NHibernate.Linq.EagerFetchingExtensionMethods` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EagerFetchingExtensionMethods + public abstract class HanaDialectBase : NHibernate.Dialect.Dialect { - public static NHibernate.Linq.INhFetchRequest Fetch(this System.Linq.IQueryable query, System.Linq.Expressions.Expression> relatedObjectSelector) => throw null; - public static NHibernate.Linq.INhFetchRequest FetchLazyProperties(this System.Linq.IQueryable query) => throw null; - public static NHibernate.Linq.INhFetchRequest FetchMany(this System.Linq.IQueryable query, System.Linq.Expressions.Expression>> relatedObjectSelector) => throw null; - public static NHibernate.Linq.INhFetchRequest ThenFetch(this NHibernate.Linq.INhFetchRequest query, System.Linq.Expressions.Expression> relatedObjectSelector) => throw null; - public static NHibernate.Linq.INhFetchRequest ThenFetchMany(this NHibernate.Linq.INhFetchRequest query, System.Linq.Expressions.Expression>> relatedObjectSelector) => throw null; + public override string AddColumnString { get => throw null; } + public override string AddColumnSuffixString { get => throw null; } + public override string CascadeConstraintsString { get => throw null; } + protected HanaDialectBase() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override string ForUpdateNowaitString { get => throw null; } + public override string GenerateTemporaryTableName(string baseTableName) => throw null; + public override string GetColumnComment(string comment) => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override string GetForUpdateNowaitString(string aliases) => throw null; + public override string GetForUpdateString(string aliases) => throw null; + public override string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override string GetTableComment(string comment) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override bool? PerformTemporaryTableDDLInIsolation() => throw null; + public override bool QualifyIndexName { get => throw null; } + public override string QuerySequencesString { get => throw null; } + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterHANAFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + protected virtual void RegisterNHibernateFunctions() => throw null; + public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsColumnCheck { get => throw null; } + public override bool SupportsCommentOn { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExistsInSelect { get => throw null; } + public override bool SupportsExpectedLobUsagePattern { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsRowValueConstructorSyntax { get => throw null; } + public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override string ToBooleanValueString(bool value) => throw null; + public override bool UsesColumnsWithForUpdateOf { get => throw null; } } - - // Generated from `NHibernate.Linq.EnumerableHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EnumerableHelper + public class HanaRowStoreDialect : NHibernate.Dialect.HanaDialectBase { - public static System.Reflection.MethodInfo GetMethod(string name, System.Type[] parameterTypes, System.Type[] genericTypeParameters) => throw null; - public static System.Reflection.MethodInfo GetMethod(string name, System.Type[] parameterTypes) => throw null; + public override string CreateTableString { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public HanaRowStoreDialect() => throw null; + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsOuterJoinForUpdate { get => throw null; } } - - // Generated from `NHibernate.Linq.ExpressionExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ExpressionExtensions + public class IfxViolatedConstraintExtracter : NHibernate.Exceptions.TemplatedViolatedConstraintNameExtracter { - public static bool IsGroupingElementOf(this Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression, Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; - public static bool IsGroupingKey(this System.Linq.Expressions.MemberExpression expression) => throw null; - public static bool IsGroupingKeyOf(this System.Linq.Expressions.MemberExpression expression, Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; + public IfxViolatedConstraintExtracter() => throw null; + public override string ExtractConstraintName(System.Data.Common.DbException sqle) => throw null; } - - // Generated from `NHibernate.Linq.ExpressionToHqlTranslationResults` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExpressionToHqlTranslationResults + public class InformixDialect : NHibernate.Dialect.Dialect { - public System.Collections.Generic.List>>> AdditionalCriteria { get => throw null; } - public System.Type ExecuteResultTypeOverride { get => throw null; } - public ExpressionToHqlTranslationResults(NHibernate.Hql.Ast.HqlTreeNode statement, System.Collections.Generic.IList itemTransformers, System.Collections.Generic.IList listTransformers, System.Collections.Generic.IList postExecuteTransformers, System.Collections.Generic.List>>> additionalCriteria, System.Type executeResultTypeOverride) => throw null; - public System.Delegate PostExecuteTransformer { get => throw null; } - public NHibernate.Linq.ResultTransformer ResultTransformer { get => throw null; } - public NHibernate.Hql.Ast.HqlTreeNode Statement { get => throw null; } + public override string AddColumnString { get => throw null; } + public override NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter() => throw null; + public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; + public override string CreateTemporaryTablePostfix { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public InformixDialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override bool ForUpdateOfColumns { get => throw null; } + public override string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; + public override string GetForUpdateString(string aliases) => throw null; + public override string GetIdentityColumnString(System.Data.DbType type) => throw null; + public override string GetIdentitySelectString(string identityColumn, string tableName, System.Data.DbType type) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; + public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool HasDataTypeInIdentityColumn { get => throw null; } + public override string IdentityColumnString { get => throw null; } + public override string IdentityInsertString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override bool? PerformTemporaryTableDDLInIsolation() => throw null; + public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; + public override bool SupportsCrossJoin { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsOuterJoinForUpdate { get => throw null; } + public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override string ToBooleanValueString(bool value) => throw null; + public override NHibernate.Exceptions.IViolatedConstraintNameExtracter ViolatedConstraintNameExtracter { get => throw null; } } - - // Generated from `NHibernate.Linq.IEntityNameProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface IEntityNameProvider + public class InformixDialect0940 : NHibernate.Dialect.InformixDialect { - string EntityName { get; } + public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; + public InformixDialect0940() => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override int MaxAliasLength { get => throw null; } + public override string QuerySequencesString { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } } - - // Generated from `NHibernate.Linq.INhFetchRequest<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INhFetchRequest : System.Linq.IQueryable, System.Linq.IQueryable, System.Linq.IOrderedQueryable, System.Linq.IOrderedQueryable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class InformixDialect1000 : NHibernate.Dialect.InformixDialect0940 { + public InformixDialect1000() => throw null; + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } } - - // Generated from `NHibernate.Linq.INhQueryModelVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INhQueryModelVisitor : Remotion.Linq.IQueryModelVisitor + public class Ingres9Dialect : NHibernate.Dialect.IngresDialect { - void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index); - void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause nhJoinClause, Remotion.Linq.QueryModel queryModel, int index); - void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index); + public Ingres9Dialect() => throw null; + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override System.Type IdentityStyleIdentifierGeneratorClass { get => throw null; } + public override System.Type NativeIdentifierGeneratorClass { get => throw null; } + public override string QuerySequencesString { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } } - - // Generated from `NHibernate.Linq.INhQueryModelVisitorExtended` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface INhQueryModelVisitorExtended : Remotion.Linq.IQueryModelVisitor, NHibernate.Linq.INhQueryModelVisitor + public class IngresDialect : NHibernate.Dialect.Dialect { - void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause nhOuterJoinClause, Remotion.Linq.QueryModel queryModel, int index); + public IngresDialect() => throw null; + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExpectedLobUsagePattern { get => throw null; } + public override bool SupportsSubselectAsInPredicateLHS { get => throw null; } } - - // Generated from `NHibernate.Linq.INhQueryProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INhQueryProvider : System.Linq.IQueryProvider + public enum InsertGeneratedIdentifierRetrievalMethod { - System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken); - int ExecuteDml(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression); - System.Threading.Tasks.Task ExecuteDmlAsync(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken); - NHibernate.IFutureEnumerable ExecuteFuture(System.Linq.Expressions.Expression expression); - NHibernate.IFutureValue ExecuteFutureValue(System.Linq.Expressions.Expression expression); - void SetResultTransformerAndAdditionalCriteria(NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhExpression, System.Collections.Generic.IDictionary> parameters); + OutputParameter = 0, + ReturnValueParameter = 1, } - - // Generated from `NHibernate.Linq.IQueryProviderWithOptions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryProviderWithOptions : System.Linq.IQueryProvider + namespace Lock { - System.Linq.IQueryProvider WithOptions(System.Action setOptions); + public interface ILockingStrategy + { + void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } + public class SelectLockingStrategy : NHibernate.Dialect.Lock.ILockingStrategy + { + public SelectLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; + public void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class UpdateLockingStrategy : NHibernate.Dialect.Lock.ILockingStrategy + { + public UpdateLockingStrategy(NHibernate.Persister.Entity.ILockable lockable, NHibernate.LockMode lockMode) => throw null; + public void Lock(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task LockAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } } - - // Generated from `NHibernate.Linq.IQueryableOptions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryableOptions + public class MsSql2000Dialect : NHibernate.Dialect.Dialect { - NHibernate.Linq.IQueryableOptions SetCacheMode(NHibernate.CacheMode cacheMode); - NHibernate.Linq.IQueryableOptions SetCacheRegion(string cacheRegion); - NHibernate.Linq.IQueryableOptions SetCacheable(bool cacheable); - NHibernate.Linq.IQueryableOptions SetTimeout(int timeout); + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; + public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; + public override NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; + public override bool AreStringComparisonsCaseInsensitive { get => throw null; } + public override char CloseQuote { get => throw null; } + protected class CountBigQueryFunction : NHibernate.Dialect.Function.ClassicAggregateFunction + { + public CountBigQueryFunction() : base(default(string), default(bool)) => throw null; + } + public MsSql2000Dialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override string CurrentUtcTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override bool DropTemporaryTableAfterUse() => throw null; + public override string ForUpdateString { get => throw null; } + public override string GenerateTemporaryTableName(string baseTableName) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropTableString(string tableName) => throw null; + public override string GetIfExistsDropConstraint(string catalog, string schema, string tableName, string name) => throw null; + public override string GetIfNotExistsCreateConstraint(string catalog, string schema, string table, string name) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + protected virtual string GetSelectExistingObject(string name, NHibernate.Mapping.Table table) => throw null; + protected virtual string GetSelectExistingObject(string catalog, string schema, string table, string name) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override bool IsKnownToken(string currentToken, string nextToken) => throw null; + public struct LockHintAppender + { + public NHibernate.SqlCommand.SqlString AppendLockHint(NHibernate.SqlCommand.SqlString sql) => throw null; + public LockHintAppender(NHibernate.Dialect.MsSql2000Dialect dialect, System.Collections.Generic.IDictionary aliasedLockModes) => throw null; + } + public override int MaxAliasLength { get => throw null; } + public static byte MaxDateTime2; + public static byte MaxDateTimeOffset; + public override int? MaxNumberOfParameters { get => throw null; } + public static int MaxSizeForAnsiClob; + public static int MaxSizeForBlob; + public static int MaxSizeForClob; + public static int MaxSizeForLengthLimitedAnsiString; + public static int MaxSizeForLengthLimitedBinary; + public static int MaxSizeForLengthLimitedString; + protected bool NeedsLockHint(NHibernate.LockMode lockMode) => throw null; + public override string NoColumnsInsertString { get => throw null; } + public override string NullColumnString { get => throw null; } + public override char OpenQuote { get => throw null; } + public override string Qualify(string catalog, string schema, string name) => throw null; + public override bool QualifyIndexName { get => throw null; } + protected override string Quote(string name) => throw null; + protected virtual void RegisterCharacterTypeMappings() => throw null; + protected virtual void RegisterDateTimeTypeMappings() => throw null; + protected virtual void RegisterDefaultProperties() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterGuidTypeMapping() => throw null; + protected virtual void RegisterKeywords() => throw null; + protected virtual void RegisterLargeObjectTypeMappings() => throw null; + protected virtual void RegisterNumericTypeMappings() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCircularCascadeDeleteConstraints { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsLobValueChangePropogation { get => throw null; } + public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } + public override bool SupportsSqlBatches { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override string UnQuote(string quoted) => throw null; + public override bool UseMaxForLimit { get => throw null; } } - - // Generated from `NHibernate.Linq.ISupportFutureBatchNhQueryProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportFutureBatchNhQueryProvider + public class MsSql2005Dialect : NHibernate.Dialect.MsSql2000Dialect { - NHibernate.IQuery GetPreparedQuery(System.Linq.Expressions.Expression expression, out NHibernate.Linq.NhLinqExpression nhExpression); - NHibernate.Engine.ISessionImplementor Session { get; } + public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; + public MsSql2005Dialect() => throw null; + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + protected override string GetSelectExistingObject(string catalog, string schema, string table, string name) => throw null; + public override int MaxAliasLength { get => throw null; } + public static int MaxSizeForXml; + protected override void RegisterCharacterTypeMappings() => throw null; + protected override void RegisterKeywords() => throw null; + protected override void RegisterLargeObjectTypeMappings() => throw null; + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override bool UseMaxForLimit { get => throw null; } } - - // Generated from `NHibernate.Linq.InsertBuilder<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertBuilder + public class MsSql2008Dialect : NHibernate.Dialect.MsSql2005Dialect { - public int Insert() => throw null; - public System.Threading.Tasks.Task InsertAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public NHibernate.Linq.InsertBuilder Value(System.Linq.Expressions.Expression> property, TProp value) => throw null; - public NHibernate.Linq.InsertBuilder Value(System.Linq.Expressions.Expression> property, System.Linq.Expressions.Expression> expression) => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public MsSql2008Dialect() => throw null; + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + protected bool KeepDateTime { get => throw null; } + public override NHibernate.SqlTypes.SqlType OverrideSqlType(NHibernate.SqlTypes.SqlType type) => throw null; + protected override void RegisterDateTimeTypeMappings() => throw null; + protected override void RegisterDefaultProperties() => throw null; + protected override void RegisterFunctions() => throw null; + protected override void RegisterKeywords() => throw null; + public override bool SupportsDateTimeScale { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } } - - // Generated from `NHibernate.Linq.InsertBuilder<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertBuilder + public class MsSql2012Dialect : NHibernate.Dialect.MsSql2008Dialect { - public NHibernate.Linq.InsertBuilder Into() => throw null; + public MsSql2012Dialect() => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override string QuerySequencesString { get => throw null; } + protected override void RegisterFunctions() => throw null; + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } } - - // Generated from `NHibernate.Linq.IntermediateHqlTree` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IntermediateHqlTree + public class MsSql7Dialect : NHibernate.Dialect.MsSql2000Dialect { - public void AddAdditionalCriteria(System.Action>> criteria) => throw null; - public void AddDistinctRootOperator() => throw null; - public void AddFromClause(NHibernate.Hql.Ast.HqlTreeNode from) => throw null; - public void AddFromLastChildClause(params NHibernate.Hql.Ast.HqlTreeNode[] nodes) => throw null; - public void AddGroupByClause(NHibernate.Hql.Ast.HqlGroupBy groupBy) => throw null; - public void AddHavingClause(NHibernate.Hql.Ast.HqlBooleanExpression where) => throw null; - public void AddInsertClause(NHibernate.Hql.Ast.HqlIdent target, NHibernate.Hql.Ast.HqlRange columnSpec) => throw null; - public void AddItemTransformer(System.Linq.Expressions.LambdaExpression transformer) => throw null; - public void AddListTransformer(System.Linq.Expressions.LambdaExpression lambda) => throw null; - public void AddOrderByClause(NHibernate.Hql.Ast.HqlExpression orderBy, NHibernate.Hql.Ast.HqlDirectionStatement direction) => throw null; - public void AddPostExecuteTransformer(System.Linq.Expressions.LambdaExpression lambda) => throw null; - public void AddSelectClause(NHibernate.Hql.Ast.HqlTreeNode select) => throw null; - public void AddSet(NHibernate.Hql.Ast.HqlEquality equality) => throw null; - public void AddSkipClause(NHibernate.Hql.Ast.HqlExpression toSkip) => throw null; - public void AddTakeClause(NHibernate.Hql.Ast.HqlExpression toTake) => throw null; - public void AddWhereClause(NHibernate.Hql.Ast.HqlBooleanExpression where) => throw null; - public System.Type ExecuteResultTypeOverride { get => throw null; set => throw null; } - public NHibernate.Linq.ExpressionToHqlTranslationResults GetTranslation() => throw null; - public IntermediateHqlTree(bool root, NHibernate.Linq.QueryMode mode) => throw null; - public bool IsRoot { get => throw null; } - public NHibernate.Hql.Ast.HqlTreeNode Root { get => throw null; } - public void SetRoot(NHibernate.Hql.Ast.HqlTreeNode newRoot) => throw null; - public NHibernate.Hql.Ast.HqlTreeBuilder TreeBuilder { get => throw null; } + public MsSql7Dialect() => throw null; + public override string IdentitySelectString { get => throw null; } } - - // Generated from `NHibernate.Linq.LinqExtensionMethodAttribute` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LinqExtensionMethodAttribute : NHibernate.Linq.LinqExtensionMethodAttributeBase + public class MsSqlAzure2008Dialect : NHibernate.Dialect.MsSql2008Dialect { - public LinqExtensionMethodAttribute(string name, NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; - public LinqExtensionMethodAttribute(string name) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; - public LinqExtensionMethodAttribute(NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; - public LinqExtensionMethodAttribute() : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; - public string Name { get => throw null; } + public MsSqlAzure2008Dialect() => throw null; + public override string PrimaryKeyString { get => throw null; } } - - // Generated from `NHibernate.Linq.LinqExtensionMethodAttributeBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class LinqExtensionMethodAttributeBase : System.Attribute + public class MsSqlCe40Dialect : NHibernate.Dialect.MsSqlCeDialect { - protected LinqExtensionMethodAttributeBase(NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) => throw null; - public NHibernate.Linq.LinqExtensionPreEvaluation PreEvaluation { get => throw null; } + public MsSqlCe40Dialect() => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } } - - // Generated from `NHibernate.Linq.LinqExtensionMethods` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class LinqExtensionMethods + public class MsSqlCeDialect : NHibernate.Dialect.Dialect { - public static System.Threading.Tasks.Task AllAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AnyAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AnyAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Linq.IQueryable CacheMode(this System.Linq.IQueryable query, NHibernate.CacheMode cacheMode) => throw null; - public static System.Linq.IQueryable CacheRegion(this System.Linq.IQueryable query, string region) => throw null; - public static System.Linq.IQueryable Cacheable(this System.Linq.IQueryable query) => throw null; - public static System.Threading.Tasks.Task CountAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task CountAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task FirstAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task FirstAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task FirstOrDefaultAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task FirstOrDefaultAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Linq.IQueryable LeftJoin(this System.Linq.IQueryable outer, System.Linq.IQueryable inner, System.Linq.Expressions.Expression> outerKeySelector, System.Linq.Expressions.Expression> innerKeySelector, System.Linq.Expressions.Expression> resultSelector) => throw null; - public static System.Threading.Tasks.Task LongCountAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task LongCountAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static T MappedAs(this T parameter, NHibernate.Type.IType type) => throw null; - public static System.Threading.Tasks.Task MaxAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task MaxAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task MinAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task MinAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Linq.IQueryable SetOptions(this System.Linq.IQueryable query, System.Action setOptions) => throw null; - public static System.Threading.Tasks.Task SingleAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SingleAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SingleOrDefaultAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SingleOrDefaultAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Linq.IQueryable Timeout(this System.Linq.IQueryable query, int timeout) => throw null; - public static NHibernate.IFutureEnumerable ToFuture(this System.Linq.IQueryable source) => throw null; - public static NHibernate.IFutureValue ToFutureValue(this System.Linq.IQueryable source) => throw null; - public static NHibernate.IFutureValue ToFutureValue(this System.Linq.IQueryable source, System.Linq.Expressions.Expression, TResult>> selector) => throw null; - public static System.Threading.Tasks.Task> ToListAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static System.Linq.IQueryable WithLock(this System.Linq.IQueryable query, NHibernate.LockMode lockMode) => throw null; - public static System.Collections.Generic.IEnumerable WithLock(this System.Collections.Generic.IEnumerable query, NHibernate.LockMode lockMode) => throw null; - public static System.Linq.IQueryable WithOptions(this System.Linq.IQueryable query, System.Action setOptions) => throw null; + public override string AddColumnString { get => throw null; } + public MsSqlCeDialect() => throw null; + public override string ForUpdateString { get => throw null; } + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override System.Type NativeIdentifierGeneratorClass { get => throw null; } + public override string NullColumnString { get => throw null; } + public override string Qualify(string catalog, string schema, string table) => throw null; + public override bool QualifyIndexName { get => throw null; } + protected virtual void RegisterDefaultProperties() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + protected virtual void RegisterTypeMapping() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCircularCascadeDeleteConstraints { get => throw null; } + public override bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsPoolingParameter { get => throw null; } + public override bool SupportsScalarSubSelects { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } } - - // Generated from `NHibernate.Linq.LinqExtensionPreEvaluation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum LinqExtensionPreEvaluation + public class MySQL55Dialect : NHibernate.Dialect.MySQL5Dialect { - AllowPreEvaluation, - NoEvaluation, + public MySQL55Dialect() => throw null; + protected override void RegisterFunctions() => throw null; } - - // Generated from `NHibernate.Linq.NHibernateNodeTypeProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NHibernateNodeTypeProvider : Remotion.Linq.Parsing.Structure.INodeTypeProvider + public class MySQL55InnoDBDialect : NHibernate.Dialect.MySQL55Dialect { - public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; - public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; - public NHibernateNodeTypeProvider() => throw null; + public MySQL55InnoDBDialect() => throw null; + public override bool HasSelfReferentialForeignKeyBug { get => throw null; } + public override bool SupportsCascadeDelete { get => throw null; } + public override string TableTypeString { get => throw null; } } - - // Generated from `NHibernate.Linq.NhFetchRequest<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhFetchRequest : Remotion.Linq.QueryableBase, System.Linq.IQueryable, System.Linq.IQueryable, System.Linq.IOrderedQueryable, System.Linq.IOrderedQueryable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable, NHibernate.Linq.INhFetchRequest + public class MySQL57Dialect : NHibernate.Dialect.MySQL55Dialect { - public NhFetchRequest(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) : base(default(System.Linq.IQueryProvider)) => throw null; + public MySQL57Dialect() => throw null; + public override bool SupportsDateTimeScale { get => throw null; } + public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } } - - // Generated from `NHibernate.Linq.NhLinqDmlExpression<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhLinqDmlExpression : NHibernate.Linq.NhLinqExpression + public class MySQL5Dialect : NHibernate.Dialect.MySQLDialect { - public NhLinqDmlExpression(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) : base(default(System.Linq.Expressions.Expression), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override System.Type TargetType { get => throw null; } + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; + public MySQL5Dialect() => throw null; + public override int MaxAliasLength { get => throw null; } + protected override void RegisterCastTypes() => throw null; + protected override void RegisterFunctions() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } + public override bool SupportsSubSelects { get => throw null; } } - - // Generated from `NHibernate.Linq.NhLinqExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhLinqExpression : NHibernate.IQueryExpression + public class MySQL5InnoDBDialect : NHibernate.Dialect.MySQL5Dialect { - public bool CanCachePlan { get => throw null; set => throw null; } - public NHibernate.Linq.ExpressionToHqlTranslationResults ExpressionToHqlTranslationResults { get => throw null; set => throw null; } - public string Key { get => throw null; set => throw null; } - public NhLinqExpression(System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public System.Collections.Generic.IList ParameterDescriptors { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary> ParameterValuesByName { get => throw null; } - protected virtual NHibernate.Linq.QueryMode QueryMode { get => throw null; } - public NHibernate.Linq.NhLinqExpressionReturnType ReturnType { get => throw null; } - protected virtual System.Type TargetType { get => throw null; } - public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, bool filter) => throw null; - public System.Type Type { get => throw null; set => throw null; } + public MySQL5InnoDBDialect() => throw null; + public override bool HasSelfReferentialForeignKeyBug { get => throw null; } + public override bool SupportsCascadeDelete { get => throw null; } + public override string TableTypeString { get => throw null; } } - - // Generated from `NHibernate.Linq.NhLinqExpressionReturnType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum NhLinqExpressionReturnType + public class MySQLDialect : NHibernate.Dialect.Dialect { - Scalar, - Sequence, + public override string AddColumnString { get => throw null; } + public override bool AreStringComparisonsCaseInsensitive { get => throw null; } + public override char CloseQuote { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public MySQLDialect() => throw null; + public override string GetAddForeignKeyConstraintString(string constraintName, string[] foreignKey, string referencedTable, string[] primaryKey, bool referencesPrimaryKey) => throw null; + public override string GetCastTypeName(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropForeignKeyConstraintString(string constraintName) => throw null; + public override string GetDropIndexConstraintString(string constraintName) => throw null; + public override string GetDropPrimaryKeyConstraintString(string constraintName) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override char OpenQuote { get => throw null; } + public override bool QualifyIndexName { get => throw null; } + protected void RegisterCastType(System.Data.DbType code, string name) => throw null; + protected void RegisterCastType(System.Data.DbType code, int capacity, string name) => throw null; + protected virtual void RegisterCastTypes() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + public override bool SupportsConcurrentWritingConnectionsInSameTransaction { get => throw null; } + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsHavingOnGroupedByComputation { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsIfExistsBeforeTableName { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLobValueChangePropogation { get => throw null; } + public override bool SupportsSubqueryOnMutatingTable { get => throw null; } + public override bool SupportsSubSelects { get => throw null; } + public override bool SupportsSubSelectsWithPagingAsInPredicateRhs { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override bool TryGetCastTypeName(NHibernate.SqlTypes.SqlType sqlType, out string typeName) => throw null; } - - // Generated from `NHibernate.Linq.NhQueryable<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhQueryable : Remotion.Linq.QueryableBase, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class Oracle10gDialect : NHibernate.Dialect.Oracle9iDialect { - public string EntityName { get => throw null; set => throw null; } - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public NhQueryable(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression, string entityName) : base(default(System.Linq.IQueryProvider)) => throw null; - public NhQueryable(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) : base(default(System.Linq.IQueryProvider)) => throw null; - public NhQueryable(NHibernate.Engine.ISessionImplementor session, string entityName) : base(default(System.Linq.IQueryProvider)) => throw null; - public NhQueryable(NHibernate.Engine.ISessionImplementor session, object collection) : base(default(System.Linq.IQueryProvider)) => throw null; - public NhQueryable(NHibernate.Engine.ISessionImplementor session) : base(default(System.Linq.IQueryProvider)) => throw null; - public override string ToString() => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; + public Oracle10gDialect() => throw null; + protected override void RegisterFloatingPointTypeMappings() => throw null; + protected override void RegisterFunctions() => throw null; + public override bool SupportsCrossJoin { get => throw null; } } - - // Generated from `NHibernate.Linq.NhQueryableOptions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhQueryableOptions : NHibernate.Linq.IQueryableOptions + public class Oracle12cDialect : NHibernate.Dialect.Oracle10gDialect { - protected internal void Apply(NHibernate.IQuery query) => throw null; - protected NHibernate.CacheMode? CacheMode { get => throw null; set => throw null; } - protected string CacheRegion { get => throw null; set => throw null; } - protected bool? Cacheable { get => throw null; set => throw null; } - protected internal NHibernate.Linq.NhQueryableOptions Clone() => throw null; - protected string Comment { get => throw null; set => throw null; } - protected NHibernate.FlushMode? FlushMode { get => throw null; set => throw null; } - public NhQueryableOptions() => throw null; - protected bool? ReadOnly { get => throw null; set => throw null; } - public NHibernate.Linq.NhQueryableOptions SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; - public NHibernate.Linq.NhQueryableOptions SetCacheRegion(string cacheRegion) => throw null; - NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheRegion(string cacheRegion) => throw null; - public NHibernate.Linq.NhQueryableOptions SetCacheable(bool cacheable) => throw null; - NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheable(bool cacheable) => throw null; - public NHibernate.Linq.NhQueryableOptions SetComment(string comment) => throw null; - public NHibernate.Linq.NhQueryableOptions SetFlushMode(NHibernate.FlushMode flushMode) => throw null; - public NHibernate.Linq.NhQueryableOptions SetReadOnly(bool readOnly) => throw null; - public NHibernate.Linq.NhQueryableOptions SetTimeout(int timeout) => throw null; - NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetTimeout(int timeout) => throw null; - protected int? Timeout { get => throw null; set => throw null; } + public Oracle12cDialect() => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString querySqlString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override bool UseMaxForLimit { get => throw null; } } - - // Generated from `NHibernate.Linq.NhRelinqQueryParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NhRelinqQueryParser + public class Oracle8iDialect : NHibernate.Dialect.Dialect { - public static Remotion.Linq.QueryModel Parse(System.Linq.Expressions.Expression expression) => throw null; - public static System.Linq.Expressions.Expression PreTransform(System.Linq.Expressions.Expression expression) => throw null; - public static NHibernate.Linq.Visitors.PreTransformationResult PreTransform(System.Linq.Expressions.Expression expression, NHibernate.Linq.Visitors.PreTransformationParameters parameters) => throw null; + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; + public override string CascadeConstraintsString { get => throw null; } + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public override NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; + public override NHibernate.SqlCommand.JoinFragment CreateOuterJoinFragment() => throw null; + public override string CreateTemporaryTablePostfix { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public Oracle8iDialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override bool DropTemporaryTableAfterUse() => throw null; + public override string ForUpdateNowaitString { get => throw null; } + public override bool ForUpdateOfColumns { get => throw null; } + public override string GenerateTemporaryTableName(string baseTableName) => throw null; + public virtual string GetBasicSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override string GetForUpdateNowaitString(string aliases) => throw null; + public override string GetForUpdateString(string aliases) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override string QuerySequencesString { get => throw null; } + protected virtual void RegisterCharacterTypeMappings() => throw null; + protected virtual void RegisterDateTimeTypeMappings() => throw null; + protected virtual void RegisterDefaultProperties() => throw null; + protected virtual void RegisterFloatingPointTypeMappings() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterGuidTypeMapping() => throw null; + protected virtual void RegisterKeywords() => throw null; + protected virtual void RegisterLargeObjectTypeMappings() => throw null; + protected virtual void RegisterNumericTypeMappings() => throw null; + protected virtual void RegisterReverseHibernateTypeMappings() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCommentOn { get => throw null; } + public override bool SupportsCrossJoin { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExistsInSelect { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override bool UseMaxForLimit { get => throw null; } + public bool UseNPrefixedTypesForUnicode { get => throw null; } } - - // Generated from `NHibernate.Linq.NoPreEvaluationAttribute` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoPreEvaluationAttribute : NHibernate.Linq.LinqExtensionMethodAttributeBase + public class Oracle9iDialect : NHibernate.Dialect.Oracle8iDialect { - public NoPreEvaluationAttribute() : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + public override NHibernate.SqlCommand.CaseFragment CreateCaseFragment() => throw null; + public Oracle9iDialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override string CurrentUtcTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected override void RegisterDateTimeTypeMappings() => throw null; + protected override void RegisterFunctions() => throw null; + public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public override bool SupportsDateTimeScale { get => throw null; } + public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } } - - // Generated from `NHibernate.Linq.QueryMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum QueryMode + public class OracleLiteDialect : NHibernate.Dialect.Oracle9iDialect { - Delete, - Insert, - Select, - Update, - UpdateVersioned, + public OracleLiteDialect() => throw null; + public override string GetCreateSequenceString(string sequenceName) => throw null; + protected override string GetCreateSequenceString(string sequenceName, int initialValue, int incrementSize) => throw null; } - - // Generated from `NHibernate.Linq.QuerySourceNamer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuerySourceNamer + public class PostgreSQL81Dialect : NHibernate.Dialect.PostgreSQLDialect { - public void Add(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; - public string GetName(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; - public QuerySourceNamer() => throw null; + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName) => throw null; + public PostgreSQL81Dialect() => throw null; + public override string ForUpdateNowaitString { get => throw null; } + public override string GetForUpdateNowaitString(string aliases) => throw null; + public override string GetIdentityColumnString(System.Data.DbType type) => throw null; + public override bool HasDataTypeInIdentityColumn { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override string NoColumnsInsertString { get => throw null; } + protected override void RegisterDateTimeTypeMappings() => throw null; + public override bool SupportsDateTimeScale { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } } - - // Generated from `NHibernate.Linq.ReflectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ReflectionHelper + public class PostgreSQL82Dialect : NHibernate.Dialect.PostgreSQL81Dialect { - public static System.Reflection.MethodInfo GetMethod(System.Linq.Expressions.Expression> method) => throw null; - public static System.Reflection.MethodInfo GetMethod(System.Linq.Expressions.Expression method) => throw null; - public static System.Reflection.MethodInfo GetMethodDefinition(System.Linq.Expressions.Expression> method) => throw null; - public static System.Reflection.MethodInfo GetMethodDefinition(System.Linq.Expressions.Expression method) => throw null; - public static System.Reflection.MemberInfo GetProperty(System.Linq.Expressions.Expression> property) => throw null; + public PostgreSQL82Dialect() => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override bool SupportsIfExistsBeforeTableName { get => throw null; } + public override bool SupportsRowValueConstructorSyntaxInInList { get => throw null; } } - - // Generated from `NHibernate.Linq.ResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultTransformer : System.IEquatable, NHibernate.Transform.IResultTransformer + public class PostgreSQL83Dialect : NHibernate.Dialect.PostgreSQL82Dialect { - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Linq.ResultTransformer other) => throw null; - public override int GetHashCode() => throw null; - public ResultTransformer(System.Func itemTransformation, System.Func, object> listTransformation) => throw null; - public System.Collections.IList TransformList(System.Collections.IList collection) => throw null; - public object TransformTuple(object[] tuple, string[] aliases) => throw null; + public PostgreSQL83Dialect() => throw null; } - - // Generated from `NHibernate.Linq.SqlMethods` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SqlMethods + public class PostgreSQLDialect : NHibernate.Dialect.Dialect { - public static bool Like(this string matchExpression, string sqlLikePattern, System.Char escapeCharacter) => throw null; - public static bool Like(this string matchExpression, string sqlLikePattern) => throw null; + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AddIdentifierOutParameterToInsert(NHibernate.SqlCommand.SqlString insertString, string identifierColumnName, string parameterName) => throw null; + public override string CascadeConstraintsString { get => throw null; } + public override string CreateTemporaryTablePostfix { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public PostgreSQLDialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override string GetForUpdateString(string aliases) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string GetSelectClauseNullString(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override NHibernate.Dialect.InsertGeneratedIdentifierRetrievalMethod InsertGeneratedIdentifierRetrievalMethod { get => throw null; } + public override string QuerySequencesString { get => throw null; } + protected virtual void RegisterDateTimeTypeMappings() => throw null; + protected virtual void RegisterKeywords() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsForUpdateOf { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsLobValueChangePropogation { get => throw null; } + public override bool SupportsOuterJoinForUpdate { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnboundedLobLocatorMaterialization { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + public override string ToBooleanValueString(bool value) => throw null; + public override bool UseInputStreamToInsertBlob { get => throw null; } } - - // Generated from `NHibernate.Linq.UpdateBuilder<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UpdateBuilder + public class SapSQLAnywhere17Dialect : NHibernate.Dialect.SybaseSQLAnywhere12Dialect { - public NHibernate.Linq.UpdateBuilder Set(System.Linq.Expressions.Expression> property, TProp value) => throw null; - public NHibernate.Linq.UpdateBuilder Set(System.Linq.Expressions.Expression> property, System.Linq.Expressions.Expression> expression) => throw null; - public int Update() => throw null; - public System.Threading.Tasks.Task UpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public int UpdateVersioned() => throw null; - public System.Threading.Tasks.Task UpdateVersionedAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public SapSQLAnywhere17Dialect() => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + protected virtual void RegisterConfigurationDependentFunctions() => throw null; + protected override void RegisterKeywords() => throw null; + protected override void RegisterMathFunctions() => throw null; + protected override void RegisterStringFunctions() => throw null; + public override bool SupportsNullInUnique { get => throw null; } } - - namespace Clauses + namespace Schema { - // Generated from `NHibernate.Linq.Clauses.NhClauseBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NhClauseBase - { - public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - protected abstract void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index); - protected NhClauseBase() => throw null; - } - - // Generated from `NHibernate.Linq.Clauses.NhHavingClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhHavingClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause - { - protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public NHibernate.Linq.Clauses.NhHavingClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public NhHavingClause(System.Linq.Expressions.Expression predicate) => throw null; - public System.Linq.Expressions.Expression Predicate { get => throw null; set => throw null; } - public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; - } - - // Generated from `NHibernate.Linq.Clauses.NhJoinClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhJoinClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IFromClause, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public abstract class AbstractColumnMetaData : NHibernate.Dialect.Schema.IColumnMetadata { - protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public NHibernate.Linq.Clauses.NhJoinClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public void CopyFromSource(Remotion.Linq.Clauses.IFromClause source) => throw null; - public System.Linq.Expressions.Expression FromExpression { get => throw null; set => throw null; } - public bool IsInner { get => throw null; set => throw null; } - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public void MakeInner() => throw null; - public NhJoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression, System.Collections.Generic.IEnumerable restrictions) => throw null; - public NhJoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) => throw null; - public System.Collections.ObjectModel.ObservableCollection Restrictions { get => throw null; } + public int ColumnSize { get => throw null; set { } } + public AbstractColumnMetaData(System.Data.DataRow rs) => throw null; + public string Name { get => throw null; set { } } + public string Nullable { get => throw null; set { } } + public int NumericalPrecision { get => throw null; set { } } + protected void SetColumnSize(object columnSizeValue) => throw null; + protected void SetNumericalPrecision(object numericalPrecisionValue) => throw null; public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; + public string TypeName { get => throw null; set { } } } - - // Generated from `NHibernate.Linq.Clauses.NhOuterJoinClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhOuterJoinClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public abstract class AbstractDataBaseSchema : NHibernate.Dialect.Schema.IDataBaseSchema { - protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public Remotion.Linq.Clauses.IBodyClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public string ItemName { get => throw null; } - public System.Type ItemType { get => throw null; } - public Remotion.Linq.Clauses.JoinClause JoinClause { get => throw null; } - public NhOuterJoinClause(Remotion.Linq.Clauses.JoinClause joinClause) => throw null; - public void TransformExpressions(System.Func transformation) => throw null; + public virtual string ColumnNameForTableName { get => throw null; } + protected System.Data.Common.DbConnection Connection { get => throw null; } + protected AbstractDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + protected AbstractDataBaseSchema(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) => throw null; + protected virtual string ForeignKeysSchemaName { get => throw null; } + public virtual System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public virtual System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public virtual System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public virtual System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public virtual System.Collections.Generic.ISet GetReservedWords() => throw null; + public abstract NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras); + public virtual System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; + public virtual bool IncludeDataTypesInReservedWords { get => throw null; } + public virtual bool StoresLowerCaseIdentifiers { get => throw null; } + public virtual bool StoresLowerCaseQuotedIdentifiers { get => throw null; } + public virtual bool StoresMixedCaseQuotedIdentifiers { get => throw null; } + public virtual bool StoresUpperCaseIdentifiers { get => throw null; } + public virtual bool StoresUpperCaseQuotedIdentifiers { get => throw null; } + public virtual bool UseDialectQualifyInsteadOfTableName { get => throw null; } } - - // Generated from `NHibernate.Linq.Clauses.NhWithClause` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhWithClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public class AbstractForeignKeyMetadata : NHibernate.Dialect.Schema.IForeignKeyMetadata { - protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public NHibernate.Linq.Clauses.NhWithClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public NhWithClause(System.Linq.Expressions.Expression predicate) => throw null; - public System.Linq.Expressions.Expression Predicate { get => throw null; set => throw null; } + public void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column) => throw null; + public NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get => throw null; } + public AbstractForeignKeyMetadata(System.Data.DataRow rs) => throw null; + public string Name { get => throw null; set { } } public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; - } - - } - namespace ExpressionTransformers - { - // Generated from `NHibernate.Linq.ExpressionTransformers.RemoveCharToIntConversion` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RemoveCharToIntConversion : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer - { - public RemoveCharToIntConversion() => throw null; - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.BinaryExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.ExpressionTransformers.RemoveRedundantCast` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RemoveRedundantCast : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer - { - public RemoveRedundantCast() => throw null; - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.UnaryExpression expression) => throw null; - } - - } - namespace Expressions - { - // Generated from `NHibernate.Linq.Expressions.NhAggregatedExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NhAggregatedExpression : NHibernate.Linq.Expressions.NhExpression - { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public virtual bool AllowsNullableReturnType { get => throw null; } - public abstract System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression); - public System.Linq.Expressions.Expression Expression { get => throw null; } - protected NhAggregatedExpression(System.Linq.Expressions.Expression expression, System.Type type) => throw null; - protected NhAggregatedExpression(System.Linq.Expressions.Expression expression) => throw null; - public override System.Type Type { get => throw null; } - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - } - - // Generated from `NHibernate.Linq.Expressions.NhAverageExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhAverageExpression : NHibernate.Linq.Expressions.NhAggregatedExpression - { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhAverageExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; - } - - // Generated from `NHibernate.Linq.Expressions.NhCountExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NhCountExpression : NHibernate.Linq.Expressions.NhAggregatedExpression - { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override bool AllowsNullableReturnType { get => throw null; } - protected NhCountExpression(System.Linq.Expressions.Expression expression, System.Type type) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhDistinctExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhDistinctExpression : NHibernate.Linq.Expressions.NhAggregatedExpression + public abstract class AbstractIndexMetadata : NHibernate.Dialect.Schema.IIndexMetadata { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhDistinctExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; + public void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column) => throw null; + public NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get => throw null; } + public AbstractIndexMetadata(System.Data.DataRow rs) => throw null; + public string Name { get => throw null; set { } } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NhExpression : System.Linq.Expressions.Expression + public abstract class AbstractTableMetadata : NHibernate.Dialect.Schema.ITableMetadata { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - protected abstract System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor); - protected NhExpression() => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public string Catalog { get => throw null; set { } } + public AbstractTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) => throw null; + protected abstract NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs); + public NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(string columnName) => throw null; + protected abstract string GetColumnName(System.Data.DataRow rs); + protected abstract string GetConstraintName(System.Data.DataRow rs); + protected abstract NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs); + public NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(string keyName) => throw null; + protected abstract NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs); + public NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(string indexName) => throw null; + protected abstract string GetIndexName(System.Data.DataRow rs); + public string Name { get => throw null; set { } } + public virtual bool NeedPhysicalConstraintCreation(string fkName) => throw null; + protected abstract void ParseTableInfo(System.Data.DataRow rs); + public string Schema { get => throw null; set { } } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhLongCountExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhLongCountExpression : NHibernate.Linq.Expressions.NhCountExpression + public class DB2ColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhLongCountExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression), default(System.Type)) => throw null; + public DB2ColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhMaxExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhMaxExpression : NHibernate.Linq.Expressions.NhAggregatedExpression + public class DB2ForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhMaxExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; + public DB2ForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhMinExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhMinExpression : NHibernate.Linq.Expressions.NhAggregatedExpression + public class DB2IndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhMinExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; + public DB2IndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhNewExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhNewExpression : NHibernate.Linq.Expressions.NhExpression + public class DB2MetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } - public System.Collections.ObjectModel.ReadOnlyCollection Members { get => throw null; } - public NhNewExpression(System.Collections.Generic.IList members, System.Collections.Generic.IList arguments) => throw null; - public override System.Type Type { get => throw null; } - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public DB2MetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Collections.Generic.ISet GetReservedWords() => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhNominatedExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhNominatedExpression : NHibernate.Linq.Expressions.NhExpression + public class DB2TableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public System.Linq.Expressions.Expression Expression { get => throw null; } - public NhNominatedExpression(System.Linq.Expressions.Expression expression) => throw null; - public override System.Type Type { get => throw null; } - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public DB2TableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhShortCountExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhShortCountExpression : NHibernate.Linq.Expressions.NhCountExpression + public class FirebirdColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhShortCountExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression), default(System.Type)) => throw null; + public FirebirdColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Expressions.NhStarExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhStarExpression : NHibernate.Linq.Expressions.NhExpression + public class FirebirdDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public System.Linq.Expressions.Expression Expression { get => throw null; } - public NhStarExpression(System.Linq.Expressions.Expression expression) => throw null; - public override System.Type Type { get => throw null; } - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public FirebirdDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override bool StoresUpperCaseIdentifiers { get => throw null; } } - - // Generated from `NHibernate.Linq.Expressions.NhSumExpression` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhSumExpression : NHibernate.Linq.Expressions.NhAggregatedExpression + public class FirebirdForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; - public NhSumExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; + public FirebirdForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - } - namespace Functions - { - // Generated from `NHibernate.Linq.Functions.AllHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AllHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class FirebirdIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public AllHqlGenerator() => throw null; - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public FirebirdIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.AnyHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnyHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class FirebirdTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public AnyHqlGenerator() => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public FirebirdTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.BaseHqlGeneratorForMethod` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class BaseHqlGeneratorForMethod : NHibernate.Linq.Functions.IHqlGeneratorForMethod + public class HanaColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public virtual bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - protected BaseHqlGeneratorForMethod() => throw null; - public abstract NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); - protected static NHibernate.INHibernateLogger Log; - public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; set => throw null; } - public virtual bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; + public HanaColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.BaseHqlGeneratorForProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class BaseHqlGeneratorForProperty : NHibernate.Linq.Functions.IHqlGeneratorForProperty + public class HanaDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - protected BaseHqlGeneratorForProperty() => throw null; - public abstract NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); - public System.Collections.Generic.IEnumerable SupportedProperties { get => throw null; set => throw null; } + public HanaDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public override System.Collections.Generic.ISet GetReservedWords() => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; + public override bool StoresUpperCaseIdentifiers { get => throw null; } } - - // Generated from `NHibernate.Linq.Functions.CollectionContainsGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionContainsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class HanaForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public CollectionContainsGenerator() => throw null; - public override bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; + public HanaForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.CollectionContainsRuntimeHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionContainsRuntimeHqlGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator + public class HanaIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public CollectionContainsRuntimeHqlGenerator() => throw null; - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; + public HanaIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ContainsGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ContainsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class HanaTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public ContainsGenerator() => throw null; + public HanaTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ConvertToBooleanGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConvertToBooleanGenerator : NHibernate.Linq.Functions.ConvertToGenerator + public interface IColumnMetadata { - public ConvertToBooleanGenerator() => throw null; + int ColumnSize { get; } + string Name { get; } + string Nullable { get; } + int NumericalPrecision { get; } + string TypeName { get; } } - - // Generated from `NHibernate.Linq.Functions.ConvertToDateTimeGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConvertToDateTimeGenerator : NHibernate.Linq.Functions.ConvertToGenerator + public interface IDataBaseSchema { - public ConvertToDateTimeGenerator() => throw null; + string ColumnNameForTableName { get; } + System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern); + System.Data.DataTable GetForeignKeys(string catalog, string schema, string table); + System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName); + System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName); + System.Collections.Generic.ISet GetReservedWords(); + NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras); + System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types); + bool StoresLowerCaseIdentifiers { get; } + bool StoresLowerCaseQuotedIdentifiers { get; } + bool StoresMixedCaseQuotedIdentifiers { get; } + bool StoresUpperCaseIdentifiers { get; } + bool StoresUpperCaseQuotedIdentifiers { get; } } - - // Generated from `NHibernate.Linq.Functions.ConvertToDecimalGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConvertToDecimalGenerator : NHibernate.Linq.Functions.ConvertToGenerator + public interface IForeignKeyMetadata { - public ConvertToDecimalGenerator() => throw null; + void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column); + NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get; } + string Name { get; } } - - // Generated from `NHibernate.Linq.Functions.ConvertToDoubleGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConvertToDoubleGenerator : NHibernate.Linq.Functions.ConvertToGenerator + public interface IIndexMetadata { - public ConvertToDoubleGenerator() => throw null; + void AddColumn(NHibernate.Dialect.Schema.IColumnMetadata column); + NHibernate.Dialect.Schema.IColumnMetadata[] Columns { get; } + string Name { get; } } - - // Generated from `NHibernate.Linq.Functions.ConvertToGenerator<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ConvertToGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public interface ITableMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - protected ConvertToGenerator() => throw null; + string Catalog { get; } + NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(string columnName); + NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(string keyName); + NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(string indexName); + string Name { get; } + bool NeedPhysicalConstraintCreation(string fkName); + string Schema { get; } } - - // Generated from `NHibernate.Linq.Functions.ConvertToInt32Generator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConvertToInt32Generator : NHibernate.Linq.Functions.ConvertToGenerator + public class MsSqlCeColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public ConvertToInt32Generator() => throw null; + public MsSqlCeColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DateTimeNowHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DateTimeNowHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator + public class MsSqlCeDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public DateTimeNowHqlGenerator() => throw null; - public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; + public MsSqlCeDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public MsSqlCeDataBaseSchema(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) : base(default(System.Data.Common.DbConnection)) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override bool UseDialectQualifyInsteadOfTableName { get => throw null; } } - - // Generated from `NHibernate.Linq.Functions.DateTimePropertiesHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DateTimePropertiesHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty + public class MsSqlCeForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public DateTimePropertiesHqlGenerator() => throw null; + public MsSqlCeForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DefaultLinqToHqlGeneratorsRegistry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry + public class MsSqlCeIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public DefaultLinqToHqlGeneratorsRegistry() => throw null; - protected bool GetRuntimeMethodGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod methodGenerator) => throw null; - public void RegisterGenerator(NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator generator) => throw null; - public virtual void RegisterGenerator(System.Reflection.MethodInfo method, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; - public virtual void RegisterGenerator(System.Reflection.MemberInfo property, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; - public virtual bool TryGetGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; - public virtual bool TryGetGenerator(System.Reflection.MemberInfo property, out NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; + public MsSqlCeIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DictionaryContainsKeyGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryContainsKeyGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class MsSqlCeTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public DictionaryContainsKeyGenerator() => throw null; + public MsSqlCeTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DictionaryContainsKeyRuntimeHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryContainsKeyRuntimeHqlGenerator : NHibernate.Linq.Functions.DictionaryRuntimeMethodHqlGeneratorBase + public class MsSqlColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public DictionaryContainsKeyRuntimeHqlGenerator() => throw null; - protected override string MethodName { get => throw null; } + public MsSqlColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DictionaryItemGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryItemGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class MsSqlDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public DictionaryItemGenerator() => throw null; + public MsSqlDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DictionaryItemRuntimeHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DictionaryItemRuntimeHqlGenerator : NHibernate.Linq.Functions.DictionaryRuntimeMethodHqlGeneratorBase + public class MsSqlForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public DictionaryItemRuntimeHqlGenerator() => throw null; - protected override string MethodName { get => throw null; } + public MsSqlForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.DictionaryRuntimeMethodHqlGeneratorBase<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class DictionaryRuntimeMethodHqlGeneratorBase : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator where TGenerator : NHibernate.Linq.Functions.IHqlGeneratorForMethod, new() + public class MsSqlIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - protected DictionaryRuntimeMethodHqlGeneratorBase() => throw null; - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - protected abstract string MethodName { get; } - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; + public MsSqlIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.EndsWithGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EndsWithGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class MsSqlTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public EndsWithGenerator() => throw null; + public MsSqlTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.EqualsGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EqualsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class MySQLColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public EqualsGenerator() => throw null; + public MySQLColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.GenericDictionaryContainsKeyRuntimeHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericDictionaryContainsKeyRuntimeHqlGenerator : NHibernate.Linq.Functions.GenericDictionaryRuntimeMethodHqlGeneratorBase + public class MySQLDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public GenericDictionaryContainsKeyRuntimeHqlGenerator() => throw null; - protected override string MethodName { get => throw null; } + public MySQLDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + protected override string ForeignKeysSchemaName { get => throw null; } + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; } - - // Generated from `NHibernate.Linq.Functions.GenericDictionaryItemRuntimeHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GenericDictionaryItemRuntimeHqlGenerator : NHibernate.Linq.Functions.GenericDictionaryRuntimeMethodHqlGeneratorBase + public class MySQLForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public GenericDictionaryItemRuntimeHqlGenerator() => throw null; - protected override string MethodName { get => throw null; } + public MySQLForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.GenericDictionaryRuntimeMethodHqlGeneratorBase<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class GenericDictionaryRuntimeMethodHqlGeneratorBase : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator where TGenerator : NHibernate.Linq.Functions.IHqlGeneratorForMethod, new() + public class MySQLIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - protected GenericDictionaryRuntimeMethodHqlGeneratorBase() => throw null; - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - protected abstract string MethodName { get; } - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; + public MySQLIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.GetCharsGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GetCharsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class MySQLTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public GetCharsGenerator() => throw null; + public MySQLTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.HqlGeneratorForExtensionMethod` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlGeneratorForExtensionMethod : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class OracleColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public HqlGeneratorForExtensionMethod(NHibernate.Linq.LinqExtensionMethodAttribute attribute, System.Reflection.MethodInfo method) => throw null; + public OracleColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.HqlGeneratorForPropertyExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class HqlGeneratorForPropertyExtensions + public class OracleDataBaseSchema : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public static bool AllowPreEvaluation(this NHibernate.Linq.Functions.IHqlGeneratorForProperty generator, System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public OracleDataBaseSchema(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; + public override bool StoresUpperCaseIdentifiers { get => throw null; } } - - // Generated from `NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAllowPreEvaluationHqlGenerator + public class OracleForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory); - bool IgnoreInstance(System.Reflection.MemberInfo member); + public OracleForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.IHqlGeneratorForMethod` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IHqlGeneratorForMethod + public class OracleIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); - System.Collections.Generic.IEnumerable SupportedMethods { get; } + public OracleIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.IHqlGeneratorForMethodExtended` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface IHqlGeneratorForMethodExtended + public class OracleTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - bool AllowsNullableReturnType(System.Reflection.MethodInfo method); - bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter); + public OracleTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.IHqlGeneratorForProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IHqlGeneratorForProperty + public class PostgreSQLColumnMetadata : NHibernate.Dialect.Schema.AbstractColumnMetaData { - NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); - System.Collections.Generic.IEnumerable SupportedProperties { get; } + public PostgreSQLColumnMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILinqToHqlGeneratorsRegistry + public class PostgreSQLDataBaseMetadata : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - void RegisterGenerator(System.Reflection.MethodInfo method, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator); - void RegisterGenerator(System.Reflection.MemberInfo property, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator); - void RegisterGenerator(NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator generator); - bool TryGetGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod generator); - bool TryGetGenerator(System.Reflection.MemberInfo property, out NHibernate.Linq.Functions.IHqlGeneratorForProperty generator); + public PostgreSQLDataBaseMetadata(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; + public override bool IncludeDataTypesInReservedWords { get => throw null; } + public override bool StoresLowerCaseIdentifiers { get => throw null; } + public override bool StoresMixedCaseQuotedIdentifiers { get => throw null; } } - - // Generated from `NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRuntimeMethodHqlGenerator + public class PostgreSQLForeignKeyMetadata : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method); - bool SupportsMethod(System.Reflection.MethodInfo method); + public PostgreSQLForeignKeyMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.IndexOfGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexOfGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class PostgreSQLIndexMetadata : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public IndexOfGenerator() => throw null; + public PostgreSQLIndexMetadata(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.LengthGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LengthGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty + public class PostgreSQLTableMetadata : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public LengthGenerator() => throw null; + public PostgreSQLTableMetadata(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.LikeGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LikeGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator, NHibernate.Linq.Functions.IHqlGeneratorForMethod + public class SapSqlAnywhere17ColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - public LikeGenerator() => throw null; - public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; } - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; - public bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; + public SapSqlAnywhere17ColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.LinqToHqlGeneratorsRegistryExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class LinqToHqlGeneratorsRegistryExtensions + public class SapSqlAnywhere17DataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public static void Merge(this NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry registry, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; - public static void Merge(this NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry registry, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; + public SapSqlAnywhere17DataBaseMetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public override System.Collections.Generic.ISet GetReservedWords() => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; } - - // Generated from `NHibernate.Linq.Functions.LinqToHqlGeneratorsRegistryFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LinqToHqlGeneratorsRegistryFactory + public class SapSqlAnywhere17ForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public static NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry CreateGeneratorsRegistry(System.Collections.Generic.IDictionary properties) => throw null; - public LinqToHqlGeneratorsRegistryFactory() => throw null; + public SapSqlAnywhere17ForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.MathGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MathGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SapSqlAnywhere17IndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression expression, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public MathGenerator() => throw null; + public SapSqlAnywhere17IndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.MaxHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MaxHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SapSqlAnywhere17TableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public MaxHqlGenerator() => throw null; + public SapSqlAnywhere17TableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.MinHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MinHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public static class SchemaHelper { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public MinHqlGenerator() => throw null; + public static string GetString(System.Data.DataRow row, params string[] alternativeColumnNames) => throw null; + public static object GetValue(System.Data.DataRow row, params string[] alternativeColumnNames) => throw null; } - - // Generated from `NHibernate.Linq.Functions.NewGuidHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NewGuidHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator + public class SQLiteColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; - public NewGuidHqlGenerator() => throw null; + public SQLiteColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.RandomHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RandomHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator + public class SQLiteDataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; - public RandomHqlGenerator() => throw null; + public SQLiteDataBaseMetaData(System.Data.Common.DbConnection connection) : base(default(System.Data.Common.DbConnection)) => throw null; + public SQLiteDataBaseMetaData(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) : base(default(System.Data.Common.DbConnection)) => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; + public override bool UseDialectQualifyInsteadOfTableName { get => throw null; } } - - // Generated from `NHibernate.Linq.Functions.ReplaceGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReplaceGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SQLiteForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public ReplaceGenerator() => throw null; + public SQLiteForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.StandardLinqExtensionMethodGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardLinqExtensionMethodGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator + public class SQLiteIndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - public StandardLinqExtensionMethodGenerator() => throw null; - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; + public SQLiteIndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.StartsWithGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StartsWithGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SQLiteTableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public StartsWithGenerator() => throw null; + public SQLiteTableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.SubStringGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubStringGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SybaseAnywhereColumnMetaData : NHibernate.Dialect.Schema.AbstractColumnMetaData { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public SubStringGenerator() => throw null; + public SybaseAnywhereColumnMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ToLowerGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ToLowerGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SybaseAnywhereDataBaseMetaData : NHibernate.Dialect.Schema.AbstractDataBaseSchema { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public ToLowerGenerator() => throw null; + public SybaseAnywhereDataBaseMetaData(System.Data.Common.DbConnection pObjConnection) : base(default(System.Data.Common.DbConnection)) => throw null; + public override System.Data.DataTable GetColumns(string catalog, string schemaPattern, string tableNamePattern, string columnNamePattern) => throw null; + public override System.Data.DataTable GetForeignKeys(string catalog, string schema, string table) => throw null; + public override System.Data.DataTable GetIndexColumns(string catalog, string schemaPattern, string tableName, string indexName) => throw null; + public override System.Data.DataTable GetIndexInfo(string catalog, string schemaPattern, string tableName) => throw null; + public override System.Collections.Generic.ISet GetReservedWords() => throw null; + public override NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(System.Data.DataRow rs, bool extras) => throw null; + public override System.Data.DataTable GetTables(string catalog, string schemaPattern, string tableNamePattern, string[] types) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ToStringHqlGeneratorForMethod` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ToStringHqlGeneratorForMethod : NHibernate.Linq.Functions.IHqlGeneratorForMethod + public class SybaseAnywhereForeignKeyMetaData : NHibernate.Dialect.Schema.AbstractForeignKeyMetadata { - public NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; } - public ToStringHqlGeneratorForMethod() => throw null; + public SybaseAnywhereForeignKeyMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ToStringRuntimeMethodHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ToStringRuntimeMethodHqlGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator + public class SybaseAnywhereIndexMetaData : NHibernate.Dialect.Schema.AbstractIndexMetadata { - public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; - public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; - public ToStringRuntimeMethodHqlGenerator() => throw null; + public SybaseAnywhereIndexMetaData(System.Data.DataRow rs) : base(default(System.Data.DataRow)) => throw null; } - - // Generated from `NHibernate.Linq.Functions.ToUpperGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ToUpperGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + public class SybaseAnywhereTableMetaData : NHibernate.Dialect.Schema.AbstractTableMetadata { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public ToUpperGenerator() => throw null; + public SybaseAnywhereTableMetaData(System.Data.DataRow rs, NHibernate.Dialect.Schema.IDataBaseSchema meta, bool extras) : base(default(System.Data.DataRow), default(NHibernate.Dialect.Schema.IDataBaseSchema), default(bool)) => throw null; + protected override NHibernate.Dialect.Schema.IColumnMetadata GetColumnMetadata(System.Data.DataRow rs) => throw null; + protected override string GetColumnName(System.Data.DataRow rs) => throw null; + protected override string GetConstraintName(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IForeignKeyMetadata GetForeignKeyMetadata(System.Data.DataRow rs) => throw null; + protected override NHibernate.Dialect.Schema.IIndexMetadata GetIndexMetadata(System.Data.DataRow rs) => throw null; + protected override string GetIndexName(System.Data.DataRow rs) => throw null; + protected override void ParseTableInfo(System.Data.DataRow rs) => throw null; } - - // Generated from `NHibernate.Linq.Functions.TrimGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TrimGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + } + public class SQLiteDialect : NHibernate.Dialect.Dialect + { + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public override string CreateTemporaryTableString { get => throw null; } + public SQLiteDialect() => throw null; + public override string DisableForeignKeyConstraintsString { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override bool DropTemporaryTableAfterUse() => throw null; + public override string EnableForeignKeyConstraintsString { get => throw null; } + public override string ForUpdateString { get => throw null; } + public override bool GenerateTablePrimaryKeyConstraintForIdentityColumn { get => throw null; } + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override bool HasDataTypeInIdentityColumn { get => throw null; } + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsDecimalStoredAsFloatingPointNumber { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override string NoColumnsInsertString { get => throw null; } + public override string Qualify(string catalog, string schema, string table) => throw null; + protected virtual void RegisterColumnTypes() => throw null; + protected virtual void RegisterDefaultProperties() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + public override string SelectGUIDString { get => throw null; } + protected class SQLiteCastFunction : NHibernate.Dialect.Function.CastFunction { - public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; - public TrimGenerator() => throw null; + protected override bool CastingIsRequired(string sqlType) => throw null; + public SQLiteCastFunction() => throw null; } - + public override bool SupportsConcurrentWritingConnections { get => throw null; } + public override bool SupportsDistributedTransactions { get => throw null; } + public override bool SupportsForeignKeyConstraintInAlterTable { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsIfExistsBeforeTableName { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsSubSelects { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + } + public class SybaseASA9Dialect : NHibernate.Dialect.Dialect + { + public override string AddColumnString { get => throw null; } + public SybaseASA9Dialect() => throw null; + public override bool DropConstraints { get => throw null; } + public override string ForUpdateString { get => throw null; } + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString queryString, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override string NoColumnsInsertString { get => throw null; } + public override string NullColumnString { get => throw null; } + public override bool OffsetStartsAtOne { get => throw null; } + public override bool QualifyIndexName { get => throw null; } + public override bool SupportsCrossJoin { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + } + public class SybaseASE15Dialect : NHibernate.Dialect.Dialect + { + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertString) => throw null; + public override string AppendLockHint(NHibernate.LockMode lockMode, string tableName) => throw null; + public override NHibernate.SqlCommand.SqlString ApplyLocksToSql(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary aliasedLockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; + public override bool AreStringComparisonsCaseInsensitive { get => throw null; } + public override char CloseQuote { get => throw null; } + public SybaseASE15Dialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override string CurrentUtcTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override bool DropTemporaryTableAfterUse() => throw null; + public override string ForUpdateString { get => throw null; } + public override string GenerateTemporaryTableName(string baseTableName) => throw null; + public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; + public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override string NullColumnString { get => throw null; } + public override char OpenQuote { get => throw null; } + public override bool QualifyIndexName { get => throw null; } + public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCascadeDelete { get => throw null; } + public override bool SupportsCrossJoin { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExistsInSelect { get => throw null; } + public override bool SupportsExpectedLobUsagePattern { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + } + public class SybaseSQLAnywhere10Dialect : NHibernate.Dialect.Dialect + { + public override string AddColumnString { get => throw null; } + public override NHibernate.SqlCommand.SqlString AppendIdentitySelectToInsert(NHibernate.SqlCommand.SqlString insertSql) => throw null; + public override bool AreStringComparisonsCaseInsensitive { get => throw null; } + public override char CloseQuote { get => throw null; } + public override string CreateTemporaryTablePostfix { get => throw null; } + public override string CreateTemporaryTableString { get => throw null; } + public SybaseSQLAnywhere10Dialect() => throw null; + public override string CurrentTimestampSelectString { get => throw null; } + public override string CurrentTimestampSQLFunctionName { get => throw null; } + public override bool DoesReadCommittedCauseWritersToBlockReaders { get => throw null; } + public override bool DoesRepeatableReadCauseReadersToBlockWriters { get => throw null; } + public override bool DropConstraints { get => throw null; } + public override string DropForeignKeyString { get => throw null; } + public string ForReadOnlyString { get => throw null; } + public string ForUpdateByLockString { get => throw null; } + public override string ForUpdateNowaitString { get => throw null; } + public override bool ForUpdateOfColumns { get => throw null; } + public override string ForUpdateString { get => throw null; } + protected static int GetAfterSelectInsertPoint(NHibernate.SqlCommand.SqlString sql) => throw null; + public override NHibernate.Dialect.Schema.IDataBaseSchema GetDataBaseSchema(System.Data.Common.DbConnection connection) => throw null; + public override string GetForUpdateString(NHibernate.LockMode lockMode) => throw null; + public override NHibernate.SqlCommand.SqlString GetLimitString(NHibernate.SqlCommand.SqlString sql, NHibernate.SqlCommand.SqlString offset, NHibernate.SqlCommand.SqlString limit) => throw null; + public override System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand statement) => throw null; + public override System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand statement, System.Threading.CancellationToken cancellationToken) => throw null; + public override string IdentityColumnString { get => throw null; } + public override string IdentitySelectString { get => throw null; } + public override bool IsCurrentTimestampSelectStringCallable { get => throw null; } + public override int MaxAliasLength { get => throw null; } + public override string NoColumnsInsertString { get => throw null; } + public override string NullColumnString { get => throw null; } + public override bool OffsetStartsAtOne { get => throw null; } + public override char OpenQuote { get => throw null; } + public override bool? PerformTemporaryTableDDLInIsolation() => throw null; + public override bool QualifyIndexName { get => throw null; } + protected virtual void RegisterAggregationFunctions() => throw null; + protected virtual void RegisterBitFunctions() => throw null; + protected virtual void RegisterCharacterTypeMappings() => throw null; + protected virtual void RegisterDateFunctions() => throw null; + protected virtual void RegisterDateTimeTypeMappings() => throw null; + protected virtual void RegisterFunctions() => throw null; + protected virtual void RegisterKeywords() => throw null; + protected virtual void RegisterMathFunctions() => throw null; + protected virtual void RegisterMiscellaneousFunctions() => throw null; + protected virtual void RegisterNumericTypeMappings() => throw null; + public override int RegisterResultSetOutParameter(System.Data.Common.DbCommand statement, int position) => throw null; + protected virtual void RegisterReverseNHibernateTypeMappings() => throw null; + protected virtual void RegisterSoapFunctions() => throw null; + protected virtual void RegisterStringFunctions() => throw null; + protected virtual void RegisterXmlFunctions() => throw null; + public override string SelectGUIDString { get => throw null; } + public override bool SupportsCommentOn { get => throw null; } + public override bool SupportsCurrentTimestampSelection { get => throw null; } + public override bool SupportsEmptyInList { get => throw null; } + public override bool SupportsExistsInSelect { get => throw null; } + public override bool SupportsIdentityColumns { get => throw null; } + public override bool SupportsInsertSelectIdentity { get => throw null; } + public override bool SupportsLimit { get => throw null; } + public override bool SupportsLimitOffset { get => throw null; } + public override bool SupportsOuterJoinForUpdate { get => throw null; } + public override bool SupportsResultSetPositionQueryMethodsOnForwardOnlyCursor { get => throw null; } + public override bool SupportsTemporaryTables { get => throw null; } + public override bool SupportsUnionAll { get => throw null; } + public override bool SupportsVariableLimit { get => throw null; } + public override long TimestampResolutionInTicks { get => throw null; } + } + public class SybaseSQLAnywhere11Dialect : NHibernate.Dialect.SybaseSQLAnywhere10Dialect + { + public SybaseSQLAnywhere11Dialect() => throw null; + } + public class SybaseSQLAnywhere12Dialect : NHibernate.Dialect.SybaseSQLAnywhere11Dialect + { + public SybaseSQLAnywhere12Dialect() => throw null; + public override string CurrentUtcTimestampSelectString { get => throw null; } + public override string CurrentUtcTimestampSQLFunctionName { get => throw null; } + public override string GetCreateSequenceString(string sequenceName) => throw null; + public override string GetDropSequenceString(string sequenceName) => throw null; + public override string GetSelectSequenceNextValString(string sequenceName) => throw null; + public override string GetSequenceNextValString(string sequenceName) => throw null; + public override string NoColumnsInsertString { get => throw null; } + public override string QuerySequencesString { get => throw null; } + protected override void RegisterDateFunctions() => throw null; + protected override void RegisterDateTimeTypeMappings() => throw null; + protected override void RegisterKeywords() => throw null; + public override bool SupportsCurrentUtcTimestampSelection { get => throw null; } + public override bool SupportsPooledSequences { get => throw null; } + public override bool SupportsSequences { get => throw null; } + } + public class TypeNames + { + public TypeNames() => throw null; + public string Get(System.Data.DbType typecode) => throw null; + public string Get(System.Data.DbType typecode, int size, int precision, int scale) => throw null; + public string GetLongest(System.Data.DbType typecode) => throw null; + public static string LengthPlaceHolder; + public static string PrecisionPlaceHolder; + public void Put(System.Data.DbType typecode, int capacity, string value) => throw null; + public void Put(System.Data.DbType typecode, string value) => throw null; + public static string ScalePlaceHolder; + public bool TryGet(System.Data.DbType typecode, out string typeName) => throw null; + public bool TryGet(System.Data.DbType typecode, int size, int precision, int scale, out string typeName) => throw null; + } + } + namespace Driver + { + public class BasicResultSetsCommand : NHibernate.Driver.IResultSetsCommand + { + public virtual void Append(NHibernate.SqlCommand.ISqlCommand command) => throw null; + protected virtual void BindParameters(System.Data.Common.DbCommand command) => throw null; + protected System.Collections.Generic.List Commands { get => throw null; } + public BasicResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + protected void ForEachSqlCommand(System.Action actionToDo) => throw null; + public virtual System.Data.Common.DbDataReader GetReader(int? commandTimeout) => throw null; + public virtual System.Threading.Tasks.Task GetReaderAsync(int? commandTimeout, System.Threading.CancellationToken cancellationToken) => throw null; + public bool HasQueries { get => throw null; } + protected NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString Sql { get => throw null; } + } + public class BatcherDataReaderWrapper : System.Data.Common.DbDataReader + { + public override void Close() => throw null; + public static NHibernate.Driver.BatcherDataReaderWrapper Create(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command) => throw null; + public static System.Threading.Tasks.Task CreateAsync(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command, System.Threading.CancellationToken cancellationToken) => throw null; + protected BatcherDataReaderWrapper(NHibernate.Engine.IBatcher batcher, System.Data.Common.DbCommand command) => throw null; + public override int Depth { get => throw null; } + public override bool Equals(object obj) => throw null; + public override int FieldCount { get => throw null; } + public override bool GetBoolean(int i) => throw null; + public override byte GetByte(int i) => throw null; + public override long GetBytes(int i, long fieldOffset, byte[] buffer, int bufferoffset, int length) => throw null; + public override char GetChar(int i) => throw null; + public override long GetChars(int i, long fieldoffset, char[] buffer, int bufferoffset, int length) => throw null; + public override string GetDataTypeName(int i) => throw null; + public override System.DateTime GetDateTime(int i) => throw null; + protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; + public override decimal GetDecimal(int i) => throw null; + public override double GetDouble(int i) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public override System.Type GetFieldType(int i) => throw null; + public override float GetFloat(int i) => throw null; + public override System.Guid GetGuid(int i) => throw null; + public override int GetHashCode() => throw null; + public override short GetInt16(int i) => throw null; + public override int GetInt32(int i) => throw null; + public override long GetInt64(int i) => throw null; + public override string GetName(int i) => throw null; + public override int GetOrdinal(string name) => throw null; + public override System.Data.DataTable GetSchemaTable() => throw null; + public override string GetString(int i) => throw null; + public override object GetValue(int i) => throw null; + public override int GetValues(object[] values) => throw null; + public override bool HasRows { get => throw null; } + public override bool IsClosed { get => throw null; } + public override bool IsDBNull(int i) => throw null; + public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NextResult() => throw null; + public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override bool Read() => throw null; + public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override int RecordsAffected { get => throw null; } + public override object this[int i] { get => throw null; } + public override object this[string name] { get => throw null; } + } + public class CsharpSqliteDriver : NHibernate.Driver.ReflectionBasedDriver + { + public CsharpSqliteDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class DB2400Driver : NHibernate.Driver.ReflectionBasedDriver + { + public DB2400Driver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class DB2CoreDriver : NHibernate.Driver.DB2DriverBase + { + public DB2CoreDriver() : base(default(string)) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class DB2Driver : NHibernate.Driver.DB2DriverBase + { + public DB2Driver() : base(default(string)) => throw null; + } + public abstract class DB2DriverBase : NHibernate.Driver.ReflectionBasedDriver + { + protected DB2DriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class DbProviderFactoryDriveConnectionCommandProvider : NHibernate.Driver.IDriveConnectionCommandProvider + { + public System.Data.Common.DbCommand CreateCommand() => throw null; + public System.Data.Common.DbConnection CreateConnection() => throw null; + public DbProviderFactoryDriveConnectionCommandProvider(System.Data.Common.DbProviderFactory dbProviderFactory) => throw null; + } + public class DotConnectMySqlDriver : NHibernate.Driver.ReflectionBasedDriver + { + public DotConnectMySqlDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public abstract class DriverBase : NHibernate.Driver.IDriver, NHibernate.Driver.ISqlParameterFormatter + { + public virtual void AdjustCommand(System.Data.Common.DbCommand command) => throw null; + public virtual System.Data.Common.DbTransaction BeginTransaction(System.Data.IsolationLevel isolationLevel, System.Data.Common.DbConnection connection) => throw null; + protected virtual System.Data.Common.DbParameter CloneParameter(System.Data.Common.DbCommand cmd, System.Data.Common.DbParameter originalParameter, NHibernate.SqlTypes.SqlType originalType) => throw null; + public virtual int CommandTimeout { get => throw null; } + public virtual void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public abstract System.Data.Common.DbCommand CreateCommand(); + public abstract System.Data.Common.DbConnection CreateConnection(); + protected DriverBase() => throw null; + public virtual void ExpandQueryParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + public string FormatNameForParameter(string parameterName) => throw null; + public string FormatNameForSql(string parameterName) => throw null; + public virtual System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + public System.Data.Common.DbParameter GenerateOutputParameter(System.Data.Common.DbCommand command) => throw null; + public System.Data.Common.DbParameter GenerateParameter(System.Data.Common.DbCommand command, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + string NHibernate.Driver.ISqlParameterFormatter.GetParameterName(int index) => throw null; + public virtual NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual NHibernate.Driver.SqlStringFormatter GetSqlStringFormatter() => throw null; + public virtual bool HasDelayedDistributedTransactionCompletion { get => throw null; } + protected virtual void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected bool IsPrepareSqlEnabled { get => throw null; } + public virtual System.DateTime MinDate { get => throw null; } + public abstract string NamedPrefix { get; } + protected virtual void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; + public void PrepareCommand(System.Data.Common.DbCommand command) => throw null; + public void RemoveUnusedCommandParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString) => throw null; + public virtual bool RequiresTimeSpanForTime { get => throw null; } + protected virtual void SetCommandTimeout(System.Data.Common.DbCommand cmd) => throw null; + public virtual bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } + public virtual bool SupportsMultipleOpenReaders { get => throw null; } + public virtual bool SupportsMultipleQueries { get => throw null; } + public virtual bool SupportsNullEnlistment { get => throw null; } + protected virtual bool SupportsPreparingCommands { get => throw null; } + public virtual bool SupportsSystemTransactions { get => throw null; } + public virtual System.Data.Common.DbCommand UnwrapDbCommand(System.Data.Common.DbCommand command) => throw null; + public abstract bool UseNamedPrefixInParameter { get; } + public abstract bool UseNamedPrefixInSql { get; } + } + public static partial class DriverExtensions + { + public static System.Data.Common.DbTransaction BeginTransaction(this NHibernate.Driver.IDriver driver, System.Data.IsolationLevel isolationLevel, System.Data.Common.DbConnection connection) => throw null; + public static System.Data.Common.DbCommand UnwrapDbCommand(this NHibernate.Driver.IDriver driver, System.Data.Common.DbCommand command) => throw null; + } + public class FirebirdClientDriver : NHibernate.Driver.ReflectionBasedDriver + { + public void ClearPool(string connectionString) => throw null; + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public FirebirdClientDriver() : base(default(string), default(string), default(string)) => throw null; + public override System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } + public override bool SupportsSystemTransactions { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class HanaColumnStoreDriver : NHibernate.Driver.HanaDriverBase + { + public HanaColumnStoreDriver() => throw null; + } + public abstract class HanaDriverBase : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider + { + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + protected HanaDriverBase() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool SupportsNullEnlistment { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class HanaRowStoreDriver : NHibernate.Driver.HanaDriverBase + { + public HanaRowStoreDriver() => throw null; + public override bool SupportsSystemTransactions { get => throw null; } + } + public interface IDriveConnectionCommandProvider + { + System.Data.Common.DbCommand CreateCommand(); + System.Data.Common.DbConnection CreateConnection(); + } + public interface IDriver + { + void AdjustCommand(System.Data.Common.DbCommand command); + void Configure(System.Collections.Generic.IDictionary settings); + System.Data.Common.DbConnection CreateConnection(); + void ExpandQueryParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes); + System.Data.Common.DbCommand GenerateCommand(System.Data.CommandType type, NHibernate.SqlCommand.SqlString sqlString, NHibernate.SqlTypes.SqlType[] parameterTypes); + System.Data.Common.DbParameter GenerateParameter(System.Data.Common.DbCommand command, string name, NHibernate.SqlTypes.SqlType sqlType); + NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session); + bool HasDelayedDistributedTransactionCompletion { get; } + System.DateTime MinDate { get; } + void PrepareCommand(System.Data.Common.DbCommand command); + void RemoveUnusedCommandParameters(System.Data.Common.DbCommand cmd, NHibernate.SqlCommand.SqlString sqlString); + bool RequiresTimeSpanForTime { get; } + bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get; } + bool SupportsMultipleOpenReaders { get; } + bool SupportsMultipleQueries { get; } + bool SupportsNullEnlistment { get; } + bool SupportsSystemTransactions { get; } + } + public class IfxDriver : NHibernate.Driver.ReflectionBasedDriver + { + public IfxDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class IngresDriver : NHibernate.Driver.ReflectionBasedDriver + { + public IngresDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public interface IResultSetsCommand + { + void Append(NHibernate.SqlCommand.ISqlCommand command); + System.Data.Common.DbDataReader GetReader(int? commandTimeout); + System.Threading.Tasks.Task GetReaderAsync(int? commandTimeout, System.Threading.CancellationToken cancellationToken); + bool HasQueries { get; } + NHibernate.SqlCommand.SqlString Sql { get; } + } + public interface ISqlParameterFormatter + { + string GetParameterName(int index); + } + public class MicrosoftDataSqlClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider, NHibernate.AdoNet.IParameterAdjuster + { + public virtual void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value) => throw null; + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public MicrosoftDataSqlClientDriver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsAnsiText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsBlob(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override System.DateTime MinDate { get => throw null; } + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class MySqlDataDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider + { + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public MySqlDataDriver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.DateTime MinDate { get => throw null; } + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + protected override bool SupportsPreparingCommands { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class NDataReader : System.Data.Common.DbDataReader + { + public override void Close() => throw null; + public static NHibernate.Driver.NDataReader Create(System.Data.Common.DbDataReader reader, bool isMidstream) => throw null; + public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, bool isMidstream, System.Threading.CancellationToken cancellationToken) => throw null; + protected NDataReader() => throw null; + public override int Depth { get => throw null; } + protected override void Dispose(bool disposing) => throw null; + public override int FieldCount { get => throw null; } + public override bool GetBoolean(int i) => throw null; + public override byte GetByte(int i) => throw null; + public override long GetBytes(int i, long fieldOffset, byte[] buffer, int bufferOffset, int length) => throw null; + public override char GetChar(int i) => throw null; + public override long GetChars(int i, long fieldOffset, char[] buffer, int bufferOffset, int length) => throw null; + public override string GetDataTypeName(int i) => throw null; + public override System.DateTime GetDateTime(int i) => throw null; + protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; + public override decimal GetDecimal(int i) => throw null; + public override double GetDouble(int i) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public override System.Type GetFieldType(int i) => throw null; + public override float GetFloat(int i) => throw null; + public override System.Guid GetGuid(int i) => throw null; + public override short GetInt16(int i) => throw null; + public override int GetInt32(int i) => throw null; + public override long GetInt64(int i) => throw null; + public override string GetName(int i) => throw null; + public override int GetOrdinal(string name) => throw null; + public override System.Data.DataTable GetSchemaTable() => throw null; + public override string GetString(int i) => throw null; + public override object GetValue(int i) => throw null; + public override int GetValues(object[] values) => throw null; + public override bool HasRows { get => throw null; } + public override bool IsClosed { get => throw null; } + public override bool IsDBNull(int i) => throw null; + public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool NextResult() => throw null; + public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override bool Read() => throw null; + public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override int RecordsAffected { get => throw null; } + public override object this[string name] { get => throw null; } + public override object this[int i] { get => throw null; } + } + public class NHybridDataReader : System.Data.Common.DbDataReader + { + public override void Close() => throw null; + public static NHibernate.Driver.NHybridDataReader Create(System.Data.Common.DbDataReader reader) => throw null; + public static NHibernate.Driver.NHybridDataReader Create(System.Data.Common.DbDataReader reader, bool inMemory) => throw null; + public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task CreateAsync(System.Data.Common.DbDataReader reader, bool inMemory, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHybridDataReader() => throw null; + public override int Depth { get => throw null; } + protected override void Dispose(bool disposing) => throw null; + public override int FieldCount { get => throw null; } + public override bool GetBoolean(int i) => throw null; + public override byte GetByte(int i) => throw null; + public override long GetBytes(int i, long fieldOffset, byte[] buffer, int bufferoffset, int length) => throw null; + public override char GetChar(int i) => throw null; + public override long GetChars(int i, long fieldoffset, char[] buffer, int bufferoffset, int length) => throw null; + public override string GetDataTypeName(int i) => throw null; + public override System.DateTime GetDateTime(int i) => throw null; + protected override System.Data.Common.DbDataReader GetDbDataReader(int ordinal) => throw null; + public override decimal GetDecimal(int i) => throw null; + public override double GetDouble(int i) => throw null; + public override System.Collections.IEnumerator GetEnumerator() => throw null; + public override System.Type GetFieldType(int i) => throw null; + public override float GetFloat(int i) => throw null; + public override System.Guid GetGuid(int i) => throw null; + public override short GetInt16(int i) => throw null; + public override int GetInt32(int i) => throw null; + public override long GetInt64(int i) => throw null; + public override string GetName(int i) => throw null; + public override int GetOrdinal(string name) => throw null; + public override System.Data.DataTable GetSchemaTable() => throw null; + public override string GetString(int i) => throw null; + public override object GetValue(int i) => throw null; + public override int GetValues(object[] values) => throw null; + public override bool HasRows { get => throw null; } + public override bool IsClosed { get => throw null; } + public override bool IsDBNull(int i) => throw null; + public override System.Threading.Tasks.Task IsDBNullAsync(int ordinal, System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsMidstream { get => throw null; } + public override bool NextResult() => throw null; + public override System.Threading.Tasks.Task NextResultAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override bool Read() => throw null; + public override System.Threading.Tasks.Task ReadAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void ReadIntoMemory() => throw null; + public System.Threading.Tasks.Task ReadIntoMemoryAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override int RecordsAffected { get => throw null; } + public System.Data.Common.DbDataReader Target { get => throw null; } + public override object this[string name] { get => throw null; } + public override object this[int i] { get => throw null; } + } + public class NpgsqlDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider + { + public override void AdjustCommand(System.Data.Common.DbCommand command) => throw null; + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public NpgsqlDriver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + public override bool SupportsNullEnlistment { get => throw null; } + protected override bool SupportsPreparingCommands { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class OdbcDriver : NHibernate.Driver.ReflectionBasedDriver + { + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public OdbcDriver() : base(default(string), default(string), default(string)) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override System.DateTime MinDate { get => throw null; } + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class OleDbDriver : NHibernate.Driver.ReflectionBasedDriver + { + public OleDbDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class OracleClientDriver : NHibernate.Driver.ReflectionBasedDriver + { + public OracleClientDriver() : base(default(string), default(string), default(string)) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + protected override void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class OracleDataClientDriver : NHibernate.Driver.OracleDataClientDriverBase + { + public OracleDataClientDriver() : base(default(string)) => throw null; + } + public abstract class OracleDataClientDriverBase : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider + { + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public override System.Data.Common.DbCommand CreateCommand() => throw null; + protected OracleDataClientDriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + protected override void OnBeforePrepare(System.Data.Common.DbCommand command) => throw null; + public bool SuppressDecimalInvalidCastException { get => throw null; } + public override System.Data.Common.DbCommand UnwrapDbCommand(System.Data.Common.DbCommand command) => throw null; + public bool UseBinaryFloatingPointTypes { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + public bool UseNPrefixedTypesForUnicode { get => throw null; } + } + public class OracleLiteDataClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider + { + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public OracleLiteDataClientDriver() : base(default(string), default(string), default(string)) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class OracleManagedDataClientDriver : NHibernate.Driver.OracleDataClientDriverBase + { + public OracleManagedDataClientDriver() : base(default(string)) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + } + public abstract class ReflectionBasedDriver : NHibernate.Driver.DriverBase + { + public override System.Data.Common.DbCommand CreateCommand() => throw null; + public override System.Data.Common.DbConnection CreateConnection() => throw null; + protected ReflectionBasedDriver(string driverAssemblyName, string connectionTypeName, string commandTypeName) => throw null; + protected ReflectionBasedDriver(string providerInvariantName, string driverAssemblyName, string connectionTypeName, string commandTypeName) => throw null; + protected System.Version DriverVersion { get => throw null; } + protected static string ReflectionTypedProviderExceptionMessageTemplate; + } + public class ReflectionDriveConnectionCommandProvider : NHibernate.Driver.IDriveConnectionCommandProvider + { + public System.Data.Common.DbCommand CreateCommand() => throw null; + public System.Data.Common.DbConnection CreateConnection() => throw null; + public ReflectionDriveConnectionCommandProvider(System.Type connectionType, System.Type commandType) => throw null; + } + public class SapSQLAnywhere17Driver : NHibernate.Driver.ReflectionBasedDriver + { + public SapSQLAnywhere17Driver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class Sql2008ClientDriver : NHibernate.Driver.SqlClientDriver + { + public Sql2008ClientDriver() => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override System.DateTime MinDate { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + } + public class SqlClientDriver : NHibernate.Driver.ReflectionBasedDriver, NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider, NHibernate.AdoNet.IParameterAdjuster + { + public virtual void AdjustParameterForValue(System.Data.Common.DbParameter parameter, NHibernate.SqlTypes.SqlType sqlType, object value) => throw null; + System.Type NHibernate.AdoNet.IEmbeddedBatcherFactoryProvider.BatcherFactoryClass { get => throw null; } + public override void Configure(System.Collections.Generic.IDictionary settings) => throw null; + public SqlClientDriver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsAnsiText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsBlob(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsChar(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + protected static bool IsText(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public static byte MaxDateTime2; + public static byte MaxDateTimeOffset; + public static byte MaxPrecision; + public static byte MaxScale; + public static int MaxSizeForAnsiClob; + public static int MaxSizeForBlob; + public static int MaxSizeForClob; + public static int MaxSizeForLengthLimitedAnsiString; + public static int MaxSizeForLengthLimitedBinary; + public static int MaxSizeForLengthLimitedString; + public static int MaxSizeForXml; + public override System.DateTime MinDate { get => throw null; } + public override string NamedPrefix { get => throw null; } + protected static void SetDefaultParameterSize(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public static void SetVariableLengthParameterSize(System.Data.Common.DbParameter dbParam, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SQLite20Driver : NHibernate.Driver.ReflectionBasedDriver + { + public override System.Data.Common.DbConnection CreateConnection() => throw null; + public SQLite20Driver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + public override bool HasDelayedDistributedTransactionCompletion { get => throw null; } + public override string NamedPrefix { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsMultipleQueries { get => throw null; } + public override bool SupportsNullEnlistment { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SqlServerCeDriver : NHibernate.Driver.ReflectionBasedDriver + { + public SqlServerCeDriver() : base(default(string), default(string), default(string)) => throw null; + public override NHibernate.Driver.IResultSetsCommand GetResultSetsCommand(NHibernate.Engine.ISessionImplementor session) => throw null; + protected override void InitializeParameter(System.Data.Common.DbParameter dbParam, string name, NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override System.DateTime MinDate { get => throw null; } + public override string NamedPrefix { get => throw null; } + protected override void SetCommandTimeout(System.Data.Common.DbCommand cmd) => throw null; + public override bool SupportsEnlistmentWhenAutoEnlistmentIsDisabled { get => throw null; } + public override bool SupportsMultipleOpenReaders { get => throw null; } + public override bool SupportsNullEnlistment { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SqlStringFormatter : NHibernate.SqlCommand.ISqlStringVisitor + { + public string[] AssignedParameterNames { get => throw null; } + public SqlStringFormatter(NHibernate.Driver.ISqlParameterFormatter formatter, string multipleQueriesSeparator) => throw null; + public void Format(NHibernate.SqlCommand.SqlString text) => throw null; + public string GetFormattedText() => throw null; + public bool HasReturnParameter { get => throw null; } + void NHibernate.SqlCommand.ISqlStringVisitor.Parameter(NHibernate.SqlCommand.Parameter parameter) => throw null; + void NHibernate.SqlCommand.ISqlStringVisitor.String(string text) => throw null; + void NHibernate.SqlCommand.ISqlStringVisitor.String(NHibernate.SqlCommand.SqlString sqlString) => throw null; + } + public class SybaseAdoNet45Driver : NHibernate.Driver.SybaseAseClientDriverBase + { + public SybaseAdoNet45Driver() : base(default(string)) => throw null; + } + public class SybaseAdoNet4Driver : NHibernate.Driver.SybaseAseClientDriverBase + { + public SybaseAdoNet4Driver() : base(default(string)) => throw null; + } + public class SybaseAsaClientDriver : NHibernate.Driver.ReflectionBasedDriver + { + public SybaseAsaClientDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SybaseAseClientDriver : NHibernate.Driver.SybaseAseClientDriverBase + { + public SybaseAseClientDriver() : base(default(string)) => throw null; + } + public abstract class SybaseAseClientDriverBase : NHibernate.Driver.ReflectionBasedDriver + { + protected SybaseAseClientDriverBase(string assemblyName) : base(default(string), default(string), default(string)) => throw null; + protected SybaseAseClientDriverBase(string providerInvariantName, string assemblyName, string connectionTypeName, string commandTypeName) : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SybaseSQLAnywhereDotNet4Driver : NHibernate.Driver.ReflectionBasedDriver + { + public SybaseSQLAnywhereDotNet4Driver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + public class SybaseSQLAnywhereDriver : NHibernate.Driver.ReflectionBasedDriver + { + public SybaseSQLAnywhereDriver() : base(default(string), default(string), default(string)) => throw null; + public override string NamedPrefix { get => throw null; } + public override bool RequiresTimeSpanForTime { get => throw null; } + public override bool UseNamedPrefixInParameter { get => throw null; } + public override bool UseNamedPrefixInSql { get => throw null; } + } + } + public class DuplicateMappingException : NHibernate.MappingException + { + public DuplicateMappingException(string customMessage, string type, string name) : base(default(string)) => throw null; + public DuplicateMappingException(string type, string name) : base(default(string)) => throw null; + public DuplicateMappingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string Name { get => throw null; } + public string Type { get => throw null; } + } + public class EmptyInterceptor : NHibernate.IInterceptor + { + public virtual void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; + public virtual void AfterTransactionCompletion(NHibernate.ITransaction tx) => throw null; + public virtual void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; + public EmptyInterceptor() => throw null; + public virtual int[] FindDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; + public virtual object GetEntity(string entityName, object id) => throw null; + public virtual string GetEntityName(object entity) => throw null; + public static NHibernate.EmptyInterceptor Instance; + public virtual object Instantiate(string clazz, object id) => throw null; + public virtual bool? IsTransient(object entity) => throw null; + public virtual void OnCollectionRecreate(object collection, object key) => throw null; + public virtual void OnCollectionRemove(object collection, object key) => throw null; + public virtual void OnCollectionUpdate(object collection, object key) => throw null; + public virtual void OnDelete(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; + public virtual bool OnFlushDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; + public virtual bool OnLoad(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; + public virtual NHibernate.SqlCommand.SqlString OnPrepareStatement(NHibernate.SqlCommand.SqlString sql) => throw null; + public virtual bool OnSave(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types) => throw null; + public virtual void PostFlush(System.Collections.ICollection entities) => throw null; + public virtual void PreFlush(System.Collections.ICollection entitites) => throw null; + public virtual void SetSession(NHibernate.ISession session) => throw null; + } + namespace Engine + { + public abstract class AbstractLhsAssociationTypeSqlInfo : NHibernate.Engine.ILhsAssociationTypeSqlInfo + { + public string Alias { get => throw null; } + protected AbstractLhsAssociationTypeSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) => throw null; + public string[] GetAliasedColumnNames(NHibernate.Type.IAssociationType type, int begin) => throw null; + protected abstract string[] GetAliasedColumns(); + public string[] GetColumnNames(NHibernate.Type.IAssociationType type, int begin) => throw null; + protected abstract string[] GetColumns(); + public abstract string GetTableName(NHibernate.Type.IAssociationType type); + public NHibernate.Engine.IMapping Mapping { get => throw null; } + public NHibernate.Persister.Entity.IOuterJoinLoadable Persister { get => throw null; } + } + public class ActionQueue + { + public void AddAction(NHibernate.Action.EntityInsertAction action) => throw null; + public void AddAction(NHibernate.Action.EntityDeleteAction action) => throw null; + public void AddAction(NHibernate.Action.EntityUpdateAction action) => throw null; + public void AddAction(NHibernate.Action.CollectionRecreateAction action) => throw null; + public void AddAction(NHibernate.Action.CollectionRemoveAction action) => throw null; + public void AddAction(NHibernate.Action.CollectionUpdateAction action) => throw null; + public void AddAction(NHibernate.Action.EntityIdentityInsertAction insert) => throw null; + public void AddAction(NHibernate.Action.BulkOperationCleanupAction cleanupAction) => throw null; + public System.Threading.Tasks.Task AddActionAsync(NHibernate.Action.BulkOperationCleanupAction cleanupAction, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void AfterTransactionCompletion(bool success) => throw null; + public System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public bool AreInsertionsOrDeletionsQueued { get => throw null; } + public virtual bool AreTablesToBeUpdated(System.Collections.Generic.ISet tables) => throw null; + public void BeforeTransactionCompletion() => throw null; + public System.Threading.Tasks.Task BeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void Clear() => throw null; + public void ClearFromFlushNeededCheck(int previousCollectionRemovalSize) => throw null; + public System.Collections.Generic.IList CloneDeletions() => throw null; + public int CollectionCreationsCount { get => throw null; } + public int CollectionRemovalsCount { get => throw null; } + public int CollectionUpdatesCount { get => throw null; } + public ActionQueue(NHibernate.Engine.ISessionImplementor session) => throw null; + public int DeletionsCount { get => throw null; } + public void Execute(NHibernate.Action.IExecutable executable) => throw null; + public void ExecuteActions() => throw null; + public System.Threading.Tasks.Task ExecuteActionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(NHibernate.Action.IExecutable executable, System.Threading.CancellationToken cancellationToken) => throw null; + public void ExecuteInserts() => throw null; + public System.Threading.Tasks.Task ExecuteInsertsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public bool HasAfterTransactionActions() => throw null; + public bool HasAnyQueuedActions { get => throw null; } + public bool HasBeforeTransactionActions() => throw null; + public int InsertionsCount { get => throw null; } + public void PrepareActions() => throw null; + public System.Threading.Tasks.Task PrepareActionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void RegisterProcess(NHibernate.Action.IBeforeTransactionCompletionProcess process) => throw null; + public void RegisterProcess(NHibernate.Action.IAfterTransactionCompletionProcess process) => throw null; + public void RegisterProcess(NHibernate.Action.BeforeTransactionCompletionProcessDelegate process) => throw null; + public void RegisterProcess(NHibernate.Action.AfterTransactionCompletionProcessDelegate process) => throw null; + public void SortActions() => throw null; + public void SortCollectionActions() => throw null; + public override string ToString() => throw null; + public int UpdatesCount { get => throw null; } + } + public class BatchFetchQueue + { + public void AddBatchLoadableCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.CollectionEntry ce) => throw null; + public void AddBatchLoadableEntityKey(NHibernate.Engine.EntityKey key) => throw null; + public void AddSubselect(NHibernate.Engine.EntityKey key, NHibernate.Engine.SubselectFetch subquery) => throw null; + public void Clear() => throw null; + public void ClearSubselects() => throw null; + public BatchFetchQueue(NHibernate.Engine.IPersistenceContext context) => throw null; + public object[] GetCollectionBatch(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object id, int batchSize) => throw null; + public System.Threading.Tasks.Task GetCollectionBatchAsync(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object id, int batchSize, System.Threading.CancellationToken cancellationToken) => throw null; + public object[] GetEntityBatch(NHibernate.Persister.Entity.IEntityPersister persister, object id, int batchSize) => throw null; + public System.Threading.Tasks.Task GetEntityBatchAsync(NHibernate.Persister.Entity.IEntityPersister persister, object id, int batchSize, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Engine.SubselectFetch GetSubselect(NHibernate.Engine.EntityKey key) => throw null; + public void RemoveBatchLoadableCollection(NHibernate.Engine.CollectionEntry ce) => throw null; + public void RemoveBatchLoadableEntityKey(NHibernate.Engine.EntityKey key) => throw null; + public void RemoveSubselect(NHibernate.Engine.EntityKey key) => throw null; + } + public sealed class Cascade + { + public void CascadeOn(NHibernate.Persister.Entity.IEntityPersister persister, object parent) => throw null; + public void CascadeOn(NHibernate.Persister.Entity.IEntityPersister persister, object parent, object anything) => throw null; + public System.Threading.Tasks.Task CascadeOnAsync(NHibernate.Persister.Entity.IEntityPersister persister, object parent, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task CascadeOnAsync(NHibernate.Persister.Entity.IEntityPersister persister, object parent, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + public Cascade(NHibernate.Engine.CascadingAction action, NHibernate.Engine.CascadePoint point, NHibernate.Event.IEventSource eventSource) => throw null; + } + public enum CascadePoint + { + AfterInsertBeforeDelete = 1, + BeforeInsertAfterDelete = 2, + AfterInsertBeforeDeleteViaCollection = 3, + AfterUpdate = 0, + BeforeFlush = 0, + AfterEvict = 0, + BeforeRefresh = 0, + AfterLock = 0, + BeforeMerge = 0, } - namespace GroupBy + public abstract class CascadeStyle : System.Runtime.Serialization.ISerializable { - // Generated from `NHibernate.Linq.GroupBy.AggregatingGroupByRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class AggregatingGroupByRewriter - { - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; - } - - // Generated from `NHibernate.Linq.GroupBy.ClientSideSelect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClientSideSelect : NHibernate.Linq.ResultOperators.ClientSideTransformOperator + public static NHibernate.Engine.CascadeStyle All; + public static NHibernate.Engine.CascadeStyle AllDeleteOrphan; + public static NHibernate.Engine.CascadeStyle Delete; + public static NHibernate.Engine.CascadeStyle DeleteOrphan; + public abstract bool DoCascade(NHibernate.Engine.CascadingAction action); + public static NHibernate.Engine.CascadeStyle Evict; + public static NHibernate.Engine.CascadeStyle GetCascadeStyle(string cascade) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public virtual bool HasOrphanDelete { get => throw null; } + public static NHibernate.Engine.CascadeStyle Lock; + public static NHibernate.Engine.CascadeStyle Merge; + public sealed class MultipleCascadeStyle : NHibernate.Engine.CascadeStyle, System.Runtime.Serialization.ISerializable { - public ClientSideSelect(System.Linq.Expressions.LambdaExpression selectClause) => throw null; - public System.Linq.Expressions.LambdaExpression SelectClause { get => throw null; set => throw null; } + public MultipleCascadeStyle(NHibernate.Engine.CascadeStyle[] styles) => throw null; + public override bool DoCascade(NHibernate.Engine.CascadingAction action) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override bool HasOrphanDelete { get => throw null; } + public override bool ReallyDoCascade(NHibernate.Engine.CascadingAction action) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Linq.GroupBy.ClientSideSelect2` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClientSideSelect2 : NHibernate.Linq.ResultOperators.ClientSideTransformOperator + public static NHibernate.Engine.CascadeStyle None; + public static NHibernate.Engine.CascadeStyle Persist; + public virtual bool ReallyDoCascade(NHibernate.Engine.CascadingAction action) => throw null; + public static NHibernate.Engine.CascadeStyle Refresh; + public static NHibernate.Engine.CascadeStyle Replicate; + public static NHibernate.Engine.CascadeStyle Update; + } + public abstract class CascadingAction + { + public abstract void Cascade(NHibernate.Event.IEventSource session, object child, string entityName, object anything, bool isCascadeDeleteEnabled); + public abstract System.Threading.Tasks.Task CascadeAsync(NHibernate.Event.IEventSource session, object child, string entityName, object anything, bool isCascadeDeleteEnabled, System.Threading.CancellationToken cancellationToken); + protected CascadingAction() => throw null; + public static NHibernate.Engine.CascadingAction Delete; + public abstract bool DeleteOrphans { get; } + public static NHibernate.Engine.CascadingAction Evict; + public abstract System.Collections.IEnumerable GetCascadableChildrenIterator(NHibernate.Event.IEventSource session, NHibernate.Type.CollectionType collectionType, object collection); + public static System.Collections.IEnumerable GetLoadedElementsIterator(NHibernate.Engine.ISessionImplementor session, NHibernate.Type.CollectionType collectionType, object collection) => throw null; + public static NHibernate.Engine.CascadingAction Lock; + public static NHibernate.Engine.CascadingAction Merge; + public virtual void NoCascade(NHibernate.Event.IEventSource session, object child, object parent, NHibernate.Persister.Entity.IEntityPersister persister, int propertyIndex) => throw null; + public virtual System.Threading.Tasks.Task NoCascadeAsync(NHibernate.Event.IEventSource session, object child, object parent, NHibernate.Persister.Entity.IEntityPersister persister, int propertyIndex, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual bool PerformOnLazyProperty { get => throw null; } + public static NHibernate.Engine.CascadingAction Persist; + public static NHibernate.Engine.CascadingAction PersistOnFlush; + public static NHibernate.Engine.CascadingAction Refresh; + public static NHibernate.Engine.CascadingAction Replicate; + public virtual bool RequiresNoCascadeChecking { get => throw null; } + public static NHibernate.Engine.CascadingAction SaveUpdate; + } + public class CollectionEntry + { + public void AfterAction(NHibernate.Collection.IPersistentCollection collection) => throw null; + public CollectionEntry(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; + public CollectionEntry(NHibernate.Collection.IPersistentCollection collection, NHibernate.Persister.Collection.ICollectionPersister loadedPersister, object loadedKey, bool ignore) => throw null; + public CollectionEntry(NHibernate.Persister.Collection.ICollectionPersister loadedPersister, object loadedKey) => throw null; + public object CurrentKey { get => throw null; set { } } + public NHibernate.Persister.Collection.ICollectionPersister CurrentPersister { get => throw null; set { } } + public System.Collections.ICollection GetOrphans(string entityName, NHibernate.Collection.IPersistentCollection collection) => throw null; + public System.Threading.Tasks.Task GetOrphansAsync(string entityName, NHibernate.Collection.IPersistentCollection collection, System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsDorecreate { get => throw null; set { } } + public bool IsDoremove { get => throw null; set { } } + public bool IsDoupdate { get => throw null; set { } } + public bool IsIgnore { get => throw null; } + public bool IsProcessed { get => throw null; set { } } + public bool IsReached { get => throw null; set { } } + public bool IsSnapshotEmpty(NHibernate.Collection.IPersistentCollection collection) => throw null; + public object Key { get => throw null; } + public object LoadedKey { get => throw null; } + public NHibernate.Persister.Collection.ICollectionPersister LoadedPersister { get => throw null; } + public void PostFlush(NHibernate.Collection.IPersistentCollection collection) => throw null; + public void PostInitialize(NHibernate.Collection.IPersistentCollection collection) => throw null; + public void PostInitialize(NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.IPersistenceContext persistenceContext) => throw null; + public void PreFlush(NHibernate.Collection.IPersistentCollection collection) => throw null; + public System.Threading.Tasks.Task PreFlushAsync(NHibernate.Collection.IPersistentCollection collection, System.Threading.CancellationToken cancellationToken) => throw null; + public string Role { get => throw null; set { } } + public object Snapshot { get => throw null; } + public override string ToString() => throw null; + public bool WasDereferenced { get => throw null; } + } + public sealed class CollectionKey : System.Runtime.Serialization.IDeserializationCallback + { + public CollectionKey(NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public object Key { get => throw null; } + public void OnDeserialization(object sender) => throw null; + public string Role { get => throw null; } + public override string ToString() => throw null; + } + public static class Collections + { + public static void ProcessReachableCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task ProcessReachableCollectionAsync(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static void ProcessUnreachableCollection(NHibernate.Collection.IPersistentCollection coll, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task ProcessUnreachableCollectionAsync(NHibernate.Collection.IPersistentCollection coll, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + public sealed class EntityEntry + { + public object[] DeletedState { get => throw null; set { } } + public NHibernate.Engine.EntityKey EntityKey { get => throw null; } + public string EntityName { get => throw null; } + public bool ExistsInDatabase { get => throw null; } + public void ForceLocked(object entity, object nextVersion) => throw null; + public object GetLoadedValue(string propertyName) => throw null; + public object Id { get => throw null; } + public bool IsBeingReplicated { get => throw null; } + public bool IsModifiableEntity() => throw null; + public bool IsNullifiable(bool earlyInsert, NHibernate.Engine.ISessionImplementor session) => throw null; + public bool IsReadOnly { get => throw null; } + public object[] LoadedState { get => throw null; } + public bool LoadedWithLazyPropertiesUnfetched { get => throw null; } + public NHibernate.LockMode LockMode { get => throw null; set { } } + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } + public void PostDelete() => throw null; + public void PostInsert() => throw null; + public void PostUpdate(object entity, object[] updatedState, object nextVersion) => throw null; + public bool RequiresDirtyCheck(object entity) => throw null; + public object RowId { get => throw null; } + public void SetReadOnly(bool readOnly, object entity) => throw null; + public NHibernate.Engine.Status Status { get => throw null; set { } } + public override string ToString() => throw null; + public object Version { get => throw null; } + } + public sealed class EntityKey : System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable, System.IEquatable + { + public EntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public string EntityName { get => throw null; } + public override bool Equals(object other) => throw null; + public bool Equals(NHibernate.Engine.EntityKey other) => throw null; + public override int GetHashCode() => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Identifier { get => throw null; } + public bool IsBatchLoadable { get => throw null; } + public void OnDeserialization(object sender) => throw null; + public override string ToString() => throw null; + } + public class EntityUniqueKey : System.Runtime.Serialization.IDeserializationCallback + { + public EntityUniqueKey(string entityName, string uniqueKeyName, object semiResolvedKey, NHibernate.Type.IType keyType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public string EntityName { get => throw null; } + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Engine.EntityUniqueKey that) => throw null; + public int GenerateHashCode() => throw null; + public override int GetHashCode() => throw null; + public object Key { get => throw null; } + public void OnDeserialization(object sender) => throw null; + public override string ToString() => throw null; + public string UniqueKeyName { get => throw null; } + } + public class ExecuteUpdateResultCheckStyle + { + public static NHibernate.Engine.ExecuteUpdateResultCheckStyle Count; + public static NHibernate.Engine.ExecuteUpdateResultCheckStyle DetermineDefault(NHibernate.SqlCommand.SqlString customSql, bool callable) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public static NHibernate.Engine.ExecuteUpdateResultCheckStyle None; + public static NHibernate.Engine.ExecuteUpdateResultCheckStyle Parse(string name) => throw null; + public override string ToString() => throw null; + } + public class FilterDefinition + { + public FilterDefinition(string name, string defaultCondition, System.Collections.Generic.IDictionary parameterTypes, bool useManyToOne) => throw null; + public string DefaultFilterCondition { get => throw null; } + public string FilterName { get => throw null; } + public NHibernate.Type.IType GetParameterType(string parameterName) => throw null; + public System.Collections.Generic.ICollection ParameterNames { get => throw null; } + public System.Collections.Generic.IDictionary ParameterTypes { get => throw null; } + public bool UseInManyToOne { get => throw null; } + } + public static class ForeignKeys + { + public static object GetEntityIdentifierIfNotUnsaved(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task GetEntityIdentifierIfNotUnsavedAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool IsNotTransientSlow(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task IsNotTransientSlowAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool? IsTransientFast(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task IsTransientFastAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool IsTransientSlow(string entityName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task IsTransientSlowAsync(string entityName, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public class Nullifier { - public ClientSideSelect2(System.Linq.Expressions.LambdaExpression selectClause) => throw null; - public System.Linq.Expressions.LambdaExpression SelectClause { get => throw null; set => throw null; } + public Nullifier(object self, bool isDelete, bool isEarlyInsert, NHibernate.Engine.ISessionImplementor session) => throw null; + public void NullifyTransientReferences(object[] values, NHibernate.Type.IType[] types) => throw null; + public System.Threading.Tasks.Task NullifyTransientReferencesAsync(object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Linq.GroupBy.NonAggregatingGroupByRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NonAggregatingGroupByRewriter + } + public interface IBatcher : System.IDisposable + { + void AbortBatch(System.Exception e); + void AddToBatch(NHibernate.AdoNet.IExpectation expectation); + System.Threading.Tasks.Task AddToBatchAsync(NHibernate.AdoNet.IExpectation expectation, System.Threading.CancellationToken cancellationToken); + int BatchSize { get; set; } + void CancelLastQuery(); + void CloseCommand(System.Data.Common.DbCommand cmd, System.Data.Common.DbDataReader reader); + void CloseCommands(); + void CloseReader(System.Data.Common.DbDataReader reader); + void ExecuteBatch(); + System.Threading.Tasks.Task ExecuteBatchAsync(System.Threading.CancellationToken cancellationToken); + int ExecuteNonQuery(System.Data.Common.DbCommand cmd); + System.Threading.Tasks.Task ExecuteNonQueryAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken); + System.Data.Common.DbDataReader ExecuteReader(System.Data.Common.DbCommand cmd); + System.Threading.Tasks.Task ExecuteReaderAsync(System.Data.Common.DbCommand cmd, System.Threading.CancellationToken cancellationToken); + bool HasOpenResources { get; } + System.Data.Common.DbCommand PrepareBatchCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); + System.Threading.Tasks.Task PrepareBatchCommandAsync(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken); + System.Data.Common.DbCommand PrepareCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); + System.Threading.Tasks.Task PrepareCommandAsync(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes, System.Threading.CancellationToken cancellationToken); + System.Data.Common.DbCommand PrepareQueryCommand(System.Data.CommandType commandType, NHibernate.SqlCommand.SqlString sql, NHibernate.SqlTypes.SqlType[] parameterTypes); + } + public class IdentifierValue + { + protected IdentifierValue() => throw null; + public IdentifierValue(object value) => throw null; + public virtual object GetDefaultValue(object currentValue) => throw null; + public virtual bool? IsUnsaved(object id) => throw null; + public static NHibernate.Engine.IdentifierValue SaveAny; + public static NHibernate.Engine.IdentifierValue SaveNone; + public static NHibernate.Engine.IdentifierValue SaveNull; + public static NHibernate.Engine.IdentifierValue Undefined; + public class UndefinedClass : NHibernate.Engine.IdentifierValue { - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; + public UndefinedClass() => throw null; + public override object GetDefaultValue(object currentValue) => throw null; + public override bool? IsUnsaved(object id) => throw null; } - } - namespace GroupJoin + public class IdPropertiesLhsAssociationTypeSqlInfo : NHibernate.Engine.AbstractLhsAssociationTypeSqlInfo + { + public IdPropertiesLhsAssociationTypeSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) : base(default(string), default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.IMapping)) => throw null; + protected override string[] GetAliasedColumns() => throw null; + protected override string[] GetColumns() => throw null; + public override string GetTableName(NHibernate.Type.IAssociationType type) => throw null; + } + public interface ILhsAssociationTypeSqlInfo + { + string[] GetAliasedColumnNames(NHibernate.Type.IAssociationType type, int begin); + string[] GetColumnNames(NHibernate.Type.IAssociationType type, int begin); + string GetTableName(NHibernate.Type.IAssociationType type); + } + public interface IMapping + { + NHibernate.Dialect.Dialect Dialect { get; } + string GetIdentifierPropertyName(string className); + NHibernate.Type.IType GetIdentifierType(string className); + NHibernate.Type.IType GetReferencedPropertyType(string className, string propertyName); + bool HasNonIdentifierPropertyNamedId(string className); + } + public interface IPersistenceContext + { + void AddChildParent(object child, object parent); + void AddCollectionHolder(NHibernate.Collection.IPersistentCollection holder); + void AddEntity(NHibernate.Engine.EntityKey key, object entity); + void AddEntity(NHibernate.Engine.EntityUniqueKey euk, object entity); + NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched); + NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched); + NHibernate.Engine.CollectionEntry AddInitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id); + void AddInitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection); + void AddNewCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection); + void AddNonLazyCollection(NHibernate.Collection.IPersistentCollection collection); + void AddNullProperty(NHibernate.Engine.EntityKey ownerKey, string propertyName); + void AddProxy(NHibernate.Engine.EntityKey key, NHibernate.Proxy.INHibernateProxy proxy); + void AddUninitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id); + void AddUninitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection); + void AddUnownedCollection(NHibernate.Engine.CollectionKey key, NHibernate.Collection.IPersistentCollection collection); + void AfterLoad(); + void AfterTransactionCompletion(); + NHibernate.Engine.BatchFetchQueue BatchFetchQueue { get; } + void BeforeLoad(); + int CascadeLevel { get; } + void CheckUniqueness(NHibernate.Engine.EntityKey key, object obj); + void Clear(); + System.Collections.IDictionary CollectionEntries { get; } + System.Collections.Generic.IDictionary CollectionsByKey { get; } + bool ContainsCollection(NHibernate.Collection.IPersistentCollection collection); + bool ContainsEntity(NHibernate.Engine.EntityKey key); + bool ContainsProxy(NHibernate.Proxy.INHibernateProxy proxy); + int DecrementCascadeLevel(); + bool DefaultReadOnly { get; set; } + System.Collections.Generic.IDictionary EntitiesByKey { get; } + System.Collections.IDictionary EntityEntries { get; } + bool Flushing { get; set; } + object[] GetCachedDatabaseSnapshot(NHibernate.Engine.EntityKey key); + NHibernate.Collection.IPersistentCollection GetCollection(NHibernate.Engine.CollectionKey collectionKey); + NHibernate.Engine.CollectionEntry GetCollectionEntry(NHibernate.Collection.IPersistentCollection coll); + NHibernate.Engine.CollectionEntry GetCollectionEntryOrNull(object collection); + NHibernate.Collection.IPersistentCollection GetCollectionHolder(object array); + object GetCollectionOwner(object key, NHibernate.Persister.Collection.ICollectionPersister collectionPersister); + object[] GetDatabaseSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister); + System.Threading.Tasks.Task GetDatabaseSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken); + object GetEntity(NHibernate.Engine.EntityKey key); + object GetEntity(NHibernate.Engine.EntityUniqueKey euk); + NHibernate.Engine.EntityEntry GetEntry(object entity); + object GetIndexInOwner(string entity, string property, object childObject, System.Collections.IDictionary mergeMap); + object GetLoadedCollectionOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection); + object GetLoadedCollectionOwnerOrNull(NHibernate.Collection.IPersistentCollection collection); + object[] GetNaturalIdSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister); + System.Threading.Tasks.Task GetNaturalIdSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken); + object GetOwnerId(string entity, string property, object childObject, System.Collections.IDictionary mergeMap); + object GetProxy(NHibernate.Engine.EntityKey key); + object GetSnapshot(NHibernate.Collection.IPersistentCollection coll); + bool HasNonReadOnlyEntities { get; } + int IncrementCascadeLevel(); + void InitializeNonLazyCollections(); + System.Threading.Tasks.Task InitializeNonLazyCollectionsAsync(System.Threading.CancellationToken cancellationToken); + bool IsEntryFor(object entity); + bool IsLoadFinished { get; } + bool IsPropertyNull(NHibernate.Engine.EntityKey ownerKey, string propertyName); + bool IsReadOnly(object entityOrProxy); + bool IsStateless { get; } + NHibernate.Engine.Loading.LoadContexts LoadContexts { get; } + object NarrowProxy(NHibernate.Proxy.INHibernateProxy proxy, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object obj); + System.Collections.Generic.ISet NullifiableEntityKeys { get; } + object ProxyFor(NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object impl); + object ProxyFor(object impl); + bool ReassociateIfUninitializedProxy(object value); + void ReassociateProxy(object value, object id); + void RemoveChildParent(object child); + NHibernate.Collection.IPersistentCollection RemoveCollectionHolder(object array); + object RemoveEntity(NHibernate.Engine.EntityKey key); + NHibernate.Engine.EntityEntry RemoveEntry(object entity); + object RemoveProxy(NHibernate.Engine.EntityKey key); + void ReplaceDelayedEntityIdentityInsertKeys(NHibernate.Engine.EntityKey oldKey, object generatedId); + NHibernate.Engine.ISessionImplementor Session { get; } + void SetEntryStatus(NHibernate.Engine.EntityEntry entry, NHibernate.Engine.Status status); + void SetReadOnly(object entityOrProxy, bool readOnly); + object Unproxy(object maybeProxy); + object UnproxyAndReassociate(object maybeProxy); + System.Threading.Tasks.Task UnproxyAndReassociateAsync(object maybeProxy, System.Threading.CancellationToken cancellationToken); + NHibernate.Collection.IPersistentCollection UseUnownedCollection(NHibernate.Engine.CollectionKey key); + } + public interface ISessionFactoryImplementor : NHibernate.Engine.IMapping, NHibernate.ISessionFactory, System.IDisposable { - // Generated from `NHibernate.Linq.GroupJoin.AggregatingGroupJoinRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class AggregatingGroupJoinRewriter - { - public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; - } - - // Generated from `NHibernate.Linq.GroupJoin.GroupJoinSelectClauseRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GroupJoinSelectClauseRewriter : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public static System.Linq.Expressions.Expression ReWrite(System.Linq.Expressions.Expression expression, NHibernate.Linq.GroupJoin.IsAggregatingResults results) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.GroupJoin.IsAggregatingResults` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IsAggregatingResults - { - public System.Collections.Generic.List AggregatingClauses { get => throw null; set => throw null; } - public IsAggregatingResults() => throw null; - public System.Collections.Generic.List NonAggregatingClauses { get => throw null; set => throw null; } - public System.Collections.Generic.List NonAggregatingExpressions { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Linq.GroupJoin.LocateGroupJoinQuerySource` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LocateGroupJoinQuerySource : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public Remotion.Linq.Clauses.GroupJoinClause Detect(System.Linq.Expressions.Expression expression) => throw null; - public LocateGroupJoinQuerySource(NHibernate.Linq.GroupJoin.IsAggregatingResults results) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - } - + NHibernate.Connection.IConnectionProvider ConnectionProvider { get; } + NHibernate.Context.ICurrentSessionContext CurrentSessionContext { get; } + NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get; } + System.Collections.Generic.IDictionary GetAllSecondLevelCacheRegions(); + NHibernate.Persister.Collection.ICollectionPersister GetCollectionPersister(string role); + System.Collections.Generic.ISet GetCollectionRolesByEntityParticipant(string entityName); + NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName); + NHibernate.Id.IIdentifierGenerator GetIdentifierGenerator(string rootEntityName); + string[] GetImplementors(string entityOrClassName); + string GetImportedClassName(string name); + NHibernate.Engine.NamedQueryDefinition GetNamedQuery(string queryName); + NHibernate.Engine.NamedSQLQueryDefinition GetNamedSQLQuery(string queryName); + NHibernate.Cache.IQueryCache GetQueryCache(string regionName); + NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string resultSetRef); + string[] GetReturnAliases(string queryString); + NHibernate.Type.IType[] GetReturnTypes(string queryString); + NHibernate.Cache.ICache GetSecondLevelCacheRegion(string regionName); + NHibernate.IInterceptor Interceptor { get; } + NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, bool flushBeforeCompletionEnabled, bool autoCloseSessionEnabled, NHibernate.ConnectionReleaseMode connectionReleaseMode); + NHibernate.Cache.IQueryCache QueryCache { get; } + NHibernate.Engine.Query.QueryPlanCache QueryPlanCache { get; } + NHibernate.Cfg.Settings Settings { get; } + NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get; } + NHibernate.Dialect.Function.SQLFunctionRegistry SQLFunctionRegistry { get; } + NHibernate.Stat.IStatisticsImplementor StatisticsImplementor { get; } + NHibernate.Transaction.ITransactionFactory TransactionFactory { get; } + NHibernate.Persister.Entity.IEntityPersister TryGetEntityPersister(string entityName); + string TryGetGuessEntityName(System.Type implementor); + NHibernate.Cache.UpdateTimestampsCache UpdateTimestampsCache { get; } } - namespace ReWriters + public interface ISessionImplementor { - // Generated from `NHibernate.Linq.ReWriters.AddJoinsReWriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AddJoinsReWriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, Remotion.Linq.IQueryModelVisitor, NHibernate.Linq.INhQueryModelVisitor - { - public bool IsEntity(System.Type type) => throw null; - public bool IsIdentifier(System.Type type, string propertyName) => throw null; - public static void ReWrite(Remotion.Linq.QueryModel queryModel, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; - public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause nhOuterJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.ArrayIndexExpressionFlattener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ArrayIndexExpressionFlattener : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public ArrayIndexExpressionFlattener() => throw null; - public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.IIsEntityDecider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface IIsEntityDecider - { - } - - // Generated from `NHibernate.Linq.ReWriters.MergeAggregatingResultsRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MergeAggregatingResultsRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase - { - public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; - public override void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.MoveOrderByToEndRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MoveOrderByToEndRewriter - { - public MoveOrderByToEndRewriter() => throw null; - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.QueryReferenceExpressionFlattener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryReferenceExpressionFlattener : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression subQuery) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.RemoveUnnecessaryBodyOperators` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RemoveUnnecessaryBodyOperators : NHibernate.Linq.Visitors.NhQueryModelVisitorBase - { - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.ResultOperatorRemover` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultOperatorRemover : NHibernate.Linq.Visitors.NhQueryModelVisitorBase - { - public static void Remove(Remotion.Linq.QueryModel queryModel, System.Func predicate) => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.ResultOperatorRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultOperatorRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase - { - public static NHibernate.Linq.ReWriters.ResultOperatorRewriterResult Rewrite(Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; - } - - // Generated from `NHibernate.Linq.ReWriters.ResultOperatorRewriterResult` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultOperatorRewriterResult - { - public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo EvaluationType { get => throw null; set => throw null; } - public ResultOperatorRewriterResult(System.Collections.Generic.IEnumerable rewrittenOperators, Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo evaluationType) => throw null; - public System.Collections.Generic.IEnumerable RewrittenOperators { get => throw null; set => throw null; } - } - + void AfterTransactionBegin(NHibernate.ITransaction tx); + void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx); + System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); + NHibernate.Engine.IBatcher Batcher { get; } + void BeforeTransactionCompletion(NHibernate.ITransaction tx); + System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); + string BestGuessEntityName(object entity); + NHibernate.CacheMode CacheMode { get; set; } + void CloseSessionFromSystemTransaction(); + System.Data.Common.DbConnection Connection { get; } + NHibernate.AdoNet.ConnectionManager ConnectionManager { get; } + NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression); + System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken); + NHibernate.IQuery CreateQuery(NHibernate.IQueryExpression queryExpression); + System.Collections.Generic.IDictionary EnabledFilters { get; } + System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters); + System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + int ExecuteUpdate(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + NHibernate.Engine.ISessionFactoryImplementor Factory { get; } + string FetchProfile { get; set; } + void Flush(); + System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken); + void FlushBeforeTransactionCompletion(); + System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); + NHibernate.FlushMode FlushMode { get; set; } + NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get; } + NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get; } + NHibernate.Cache.CacheKey GenerateCacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName); + NHibernate.Engine.EntityKey GenerateEntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister); + object GetContextEntityIdentifier(object obj); + NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj); + object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key); + System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken); + NHibernate.Type.IType GetFilterParameterType(string filterParameterName); + object GetFilterParameterValue(string filterParameterName); + NHibernate.IQuery GetNamedQuery(string queryName); + NHibernate.IQuery GetNamedSQLQuery(string name); + NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar); + System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken); + string GuessEntityName(object entity); + object ImmediateLoad(string entityName, object id); + System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken); + void Initialize(); + void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing); + System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken); + object Instantiate(string entityName, object id); + NHibernate.IInterceptor Interceptor { get; } + object InternalLoad(string entityName, object id, bool eager, bool isNullable); + System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken); + bool IsClosed { get; } + bool IsConnected { get; } + bool IsEventSource { get; } + bool IsOpen { get; } + void JoinTransaction(); + System.Collections.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters); + void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); + System.Collections.Generic.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); + System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria); + void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results); + System.Collections.IList List(NHibernate.Impl.CriteriaImpl criteria); + System.Collections.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters); + void List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); + System.Collections.Generic.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); + System.Collections.Generic.IList ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + NHibernate.Event.EventListeners Listeners { get; } + System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + System.Collections.IList ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters); + System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + NHibernate.Engine.IPersistenceContext PersistenceContext { get; } + System.Guid SessionId { get; } + long Timestamp { get; } + NHibernate.Transaction.ITransactionContext TransactionContext { get; set; } + bool TransactionInProgress { get; } } - namespace ResultOperators + public static class JoinHelper { - // Generated from `NHibernate.Linq.ResultOperators.ClientSideTransformOperator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClientSideTransformOperator : Remotion.Linq.Clauses.ResultOperatorBase - { - public ClientSideTransformOperator() => throw null; - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; - public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override void TransformExpressions(System.Func transformation) => throw null; - } - - // Generated from `NHibernate.Linq.ResultOperators.NonAggregatingGroupBy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonAggregatingGroupBy : NHibernate.Linq.ResultOperators.ClientSideTransformOperator - { - public Remotion.Linq.Clauses.ResultOperators.GroupResultOperator GroupBy { get => throw null; set => throw null; } - public NonAggregatingGroupBy(Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; - } - + public static NHibernate.Engine.ILhsAssociationTypeSqlInfo GetIdLhsSqlInfo(string alias, NHibernate.Persister.Entity.IOuterJoinLoadable lhsPersister, NHibernate.Engine.IMapping mapping) => throw null; + public static NHibernate.Engine.ILhsAssociationTypeSqlInfo GetLhsSqlInfo(string alias, int property, NHibernate.Persister.Entity.IOuterJoinLoadable lhsPersister, NHibernate.Engine.IMapping mapping) => throw null; + public static string[] GetRHSColumnNames(NHibernate.Type.IAssociationType type, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static string[] GetRHSColumnNames(NHibernate.Persister.Entity.IJoinable joinable, NHibernate.Type.IAssociationType type) => throw null; } - namespace Visitors + public class JoinSequence { - // Generated from `NHibernate.Linq.Visitors.BooleanToCaseConvertor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class BooleanToCaseConvertor - { - public static System.Collections.Generic.IEnumerable Convert(System.Collections.Generic.IEnumerable hqlTreeNodes) => throw null; - public static NHibernate.Hql.Ast.HqlExpression ConvertBooleanToCase(NHibernate.Hql.Ast.HqlExpression node) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.EqualityHqlGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EqualityHqlGenerator + public NHibernate.Engine.JoinSequence AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; + public NHibernate.Engine.JoinSequence AddCondition(string alias, string[] columns, string condition, bool appendParameter) => throw null; + public NHibernate.Engine.JoinSequence AddJoin(NHibernate.Type.IAssociationType associationType, string alias, NHibernate.SqlCommand.JoinType joinType, string[] referencingKey) => throw null; + public NHibernate.Engine.JoinSequence AddJoin(NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement) => throw null; + public NHibernate.Engine.JoinSequence Copy() => throw null; + public JoinSequence(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public NHibernate.Engine.JoinSequence GetFromPart() => throw null; + public interface ISelector { - public EqualityHqlGenerator(NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; - public NHibernate.Hql.Ast.HqlBooleanExpression Visit(System.Linq.Expressions.Expression innerKeySelector, System.Linq.Expressions.Expression outerKeySelector) => throw null; + bool IncludeSubclasses(string alias); } - - // Generated from `NHibernate.Linq.Visitors.ExpressionKeyVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExpressionKeyVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public bool IsThetaStyle { get => throw null; } + public int JoinCount { get => throw null; } + public NHibernate.Engine.JoinSequence SetNext(NHibernate.Engine.JoinSequence next) => throw null; + public NHibernate.Engine.JoinSequence SetRoot(NHibernate.Persister.Entity.IJoinable joinable, string alias) => throw null; + public NHibernate.Engine.JoinSequence SetSelector(NHibernate.Engine.JoinSequence.ISelector s) => throw null; + public NHibernate.Engine.JoinSequence SetUseThetaStyle(bool useThetaStyle) => throw null; + public NHibernate.SqlCommand.JoinFragment ToJoinFragment() => throw null; + public NHibernate.SqlCommand.JoinFragment ToJoinFragment(System.Collections.Generic.IDictionary enabledFilters, bool includeExtraJoins) => throw null; + public NHibernate.SqlCommand.JoinFragment ToJoinFragment(System.Collections.Generic.IDictionary enabledFilters, bool includeAllSubclassJoins, NHibernate.SqlCommand.SqlString withClause) => throw null; + public NHibernate.SqlCommand.JoinFragment ToJoinFragment(System.Collections.Generic.IDictionary enabledFilters, bool includeExtraJoins, NHibernate.SqlCommand.SqlString withClauseFragment, string withClauseJoinAlias) => throw null; + public override string ToString() => throw null; + } + namespace Loading + { + public class CollectionLoadContext { + public CollectionLoadContext(NHibernate.Engine.Loading.LoadContexts loadContexts, System.Data.Common.DbDataReader resultSet) => throw null; + public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; + public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache) => throw null; + public void EndLoadingCollections(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, NHibernate.Cache.CacheBatcher cacheBatcher) => throw null; + public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task EndLoadingCollectionsAsync(NHibernate.Persister.Collection.ICollectionPersister persister, bool skipCache, NHibernate.Cache.CacheBatcher cacheBatcher, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Collection.IPersistentCollection GetLoadingCollection(NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public NHibernate.Engine.Loading.LoadContexts LoadContext { get => throw null; } + public System.Data.Common.DbDataReader ResultSet { get => throw null; } public override string ToString() => throw null; - public static string Visit(System.Linq.Expressions.Expression rootExpression, System.Collections.Generic.IDictionary parameters, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public static string Visit(System.Linq.Expressions.Expression expression, System.Collections.Generic.IDictionary parameters) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ExpressionParameterVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExpressionParameterVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public ExpressionParameterVisitor(NHibernate.Linq.Visitors.PreTransformationResult preTransformationResult) => throw null; - public ExpressionParameterVisitor(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public static System.Collections.Generic.IDictionary Visit(System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public static System.Collections.Generic.IDictionary Visit(NHibernate.Linq.Visitors.PreTransformationResult preTransformationResult) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression node) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.HqlGeneratorExpressionVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HqlGeneratorExpressionVisitor : NHibernate.Linq.Visitors.IHqlExpressionVisitor - { - public HqlGeneratorExpressionVisitor(NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; - public NHibernate.ISessionFactory SessionFactory { get => throw null; } - public static NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; - public NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitBinaryExpression(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitConditionalExpression(System.Linq.Expressions.ConditionalExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitConstantExpression(System.Linq.Expressions.ConstantExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitExpression(System.Linq.Expressions.Expression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitLambdaExpression(System.Linq.Expressions.LambdaExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitMemberExpression(System.Linq.Expressions.MemberExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitMethodCallExpression(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNewArrayExpression(System.Linq.Expressions.NewArrayExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhAverage(NHibernate.Linq.Expressions.NhAverageExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhCount(NHibernate.Linq.Expressions.NhCountExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhDistinct(NHibernate.Linq.Expressions.NhDistinctExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhMax(NHibernate.Linq.Expressions.NhMaxExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhMin(NHibernate.Linq.Expressions.NhMinExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhStar(NHibernate.Linq.Expressions.NhStarExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitNhSum(NHibernate.Linq.Expressions.NhSumExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitParameterExpression(System.Linq.Expressions.ParameterExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitQuerySourceReferenceExpression(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitSubQueryExpression(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; - protected NHibernate.Hql.Ast.HqlTreeNode VisitUnaryExpression(System.Linq.Expressions.UnaryExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.IExpressionTransformerRegistrar` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IExpressionTransformerRegistrar - { - void Register(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformerRegistry expressionTransformerRegistry); - } - - // Generated from `NHibernate.Linq.Visitors.IHqlExpressionVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IHqlExpressionVisitor - { - NHibernate.ISessionFactory SessionFactory { get; } - NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression); - } - - // Generated from `NHibernate.Linq.Visitors.IJoiner` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoiner - { - System.Linq.Expressions.Expression AddJoin(System.Linq.Expressions.Expression expression, string key); - bool CanAddJoin(System.Linq.Expressions.Expression expression); - void MakeInnerIfJoined(string key); - } - - // Generated from `NHibernate.Linq.Visitors.IQueryModelRewriterFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryModelRewriterFactory - { - Remotion.Linq.QueryModelVisitorBase CreateVisitor(NHibernate.Linq.Visitors.VisitorParameters parameters); - } - - // Generated from `NHibernate.Linq.Visitors.Joiner` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Joiner : NHibernate.Linq.Visitors.IJoiner - { - public System.Linq.Expressions.Expression AddJoin(System.Linq.Expressions.Expression expression, string key) => throw null; - public bool CanAddJoin(System.Linq.Expressions.Expression expression) => throw null; - public System.Collections.Generic.IEnumerable Joins { get => throw null; } - public void MakeInnerIfJoined(string key) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.LeftJoinRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LeftJoinRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase - { - public LeftJoinRewriter() => throw null; - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.NameGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NameGenerator - { - public string GetNewName() => throw null; - public NameGenerator(Remotion.Linq.QueryModel model) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.NhExpressionVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor - { - public NhExpressionVisitor() => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhAggregated(NHibernate.Linq.Expressions.NhAggregatedExpression node) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhAverage(NHibernate.Linq.Expressions.NhAverageExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhCount(NHibernate.Linq.Expressions.NhCountExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhDistinct(NHibernate.Linq.Expressions.NhDistinctExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhMax(NHibernate.Linq.Expressions.NhMaxExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhMin(NHibernate.Linq.Expressions.NhMinExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhNew(NHibernate.Linq.Expressions.NhNewExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhNominated(NHibernate.Linq.Expressions.NhNominatedExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhStar(NHibernate.Linq.Expressions.NhStarExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitNhSum(NHibernate.Linq.Expressions.NhSumExpression expression) => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.NhQueryModelVisitorBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NhQueryModelVisitorBase : Remotion.Linq.QueryModelVisitorBase, Remotion.Linq.IQueryModelVisitor, Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator.ISupportedByIQueryModelVistor, NHibernate.Linq.INhQueryModelVisitor - { - public NhQueryModelVisitorBase() => throw null; - public virtual void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public virtual void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public virtual void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Linq.Visitors.NonAggregatingGroupJoinRewriter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonAggregatingGroupJoinRewriter + public class LoadContexts { - public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; + public virtual void Cleanup(System.Data.Common.DbDataReader resultSet) => throw null; + public void Cleanup() => throw null; + public LoadContexts(NHibernate.Engine.IPersistenceContext persistenceContext) => throw null; + public NHibernate.Engine.Loading.CollectionLoadContext GetCollectionLoadContext(System.Data.Common.DbDataReader resultSet) => throw null; + public bool HasLoadingCollectionEntries { get => throw null; } + public bool HasRegisteredLoadingCollectionEntries { get => throw null; } + public NHibernate.Collection.IPersistentCollection LocateLoadingCollection(NHibernate.Persister.Collection.ICollectionPersister persister, object ownerKey) => throw null; + public NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ParameterTypeLocator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ParameterTypeLocator + public class LoadingCollectionEntry { - public static void SetParameterTypes(System.Collections.Generic.IDictionary parameters, Remotion.Linq.QueryModel queryModel, System.Type targetType, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public NHibernate.Collection.IPersistentCollection Collection { get => throw null; } + public LoadingCollectionEntry(System.Data.Common.DbDataReader resultSet, NHibernate.Persister.Collection.ICollectionPersister persister, object key, NHibernate.Collection.IPersistentCollection collection) => throw null; + public object Key { get => throw null; } + public NHibernate.Persister.Collection.ICollectionPersister Persister { get => throw null; } + public System.Data.Common.DbDataReader ResultSet { get => throw null; } + public bool StopLoading { get => throw null; set { } } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Linq.Visitors.PossibleValueSet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PossibleValueSet + } + public class NamedQueryDefinition + { + public NHibernate.CacheMode? CacheMode { get => throw null; } + public string CacheRegion { get => throw null; } + public string Comment { get => throw null; } + public NamedQueryDefinition(string query, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes) => throw null; + public NamedQueryDefinition(string query, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes) => throw null; + public int FetchSize { get => throw null; } + public NHibernate.FlushMode FlushMode { get => throw null; } + public bool IsCacheable { get => throw null; } + public bool IsReadOnly { get => throw null; } + public System.Collections.Generic.IDictionary ParameterTypes { get => throw null; } + public string Query { get => throw null; } + public string QueryString { get => throw null; } + public int Timeout { get => throw null; } + public override string ToString() => throw null; + } + public class NamedSQLQueryDefinition : NHibernate.Engine.NamedQueryDefinition + { + public NamedSQLQueryDefinition(string query, NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, System.Collections.Generic.IList querySpaces, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes, bool callable) : base(default(string), default(bool), default(string), default(int), default(int), default(NHibernate.FlushMode), default(bool), default(string), default(System.Collections.Generic.IDictionary)) => throw null; + public NamedSQLQueryDefinition(string query, string resultSetRef, System.Collections.Generic.IList querySpaces, bool cacheable, string cacheRegion, int timeout, int fetchSize, NHibernate.FlushMode flushMode, NHibernate.CacheMode? cacheMode, bool readOnly, string comment, System.Collections.Generic.IDictionary parameterTypes, bool callable) : base(default(string), default(bool), default(string), default(int), default(int), default(NHibernate.FlushMode), default(bool), default(string), default(System.Collections.Generic.IDictionary)) => throw null; + public bool IsCallable { get => throw null; } + public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] QueryReturns { get => throw null; } + public System.Collections.Generic.IList QuerySpaces { get => throw null; } + public string ResultSetRef { get => throw null; } + } + public sealed class Nullability + { + public void CheckNullability(object[] values, NHibernate.Persister.Entity.IEntityPersister persister, bool isUpdate) => throw null; + public Nullability(NHibernate.Engine.ISessionImplementor session) => throw null; + } + public static partial class PersistenceContextExtensions + { + public static NHibernate.Engine.EntityEntry AddEntity(this NHibernate.Engine.IPersistenceContext context, object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; + public static NHibernate.Engine.EntityEntry AddEntry(this NHibernate.Engine.IPersistenceContext context, object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; + } + public class PropertiesLhsAssociationTypeSqlInfo : NHibernate.Engine.AbstractLhsAssociationTypeSqlInfo + { + public PropertiesLhsAssociationTypeSqlInfo(string alias, int propertyIdx, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.IMapping mapping) : base(default(string), default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.IMapping)) => throw null; + protected override string[] GetAliasedColumns() => throw null; + protected override string[] GetColumns() => throw null; + public override string GetTableName(NHibernate.Type.IAssociationType type) => throw null; + } + namespace Query + { + public static class CallableParser { - public NHibernate.Linq.Visitors.PossibleValueSet Add(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet And(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet AndAlso(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet ArrayLength(System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet BitwiseNot(System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Coalesce(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public bool Contains(object obj) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Convert(System.Type resultType) => throw null; - public static NHibernate.Linq.Visitors.PossibleValueSet Create(System.Type expressionType, params object[] values) => throw null; - public static NHibernate.Linq.Visitors.PossibleValueSet CreateAllNonNullValues(System.Type expressionType) => throw null; - public static NHibernate.Linq.Visitors.PossibleValueSet CreateAllValues(System.Type expressionType) => throw null; - public static NHibernate.Linq.Visitors.PossibleValueSet CreateNull(System.Type expressionType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Divide(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Equal(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet ExclusiveOr(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet GreaterThan(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet GreaterThanOrEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet IsNotNull() => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet IsNull() => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet LeftShift(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet LessThan(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet LessThanOrEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet MemberAccess(System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Modulo(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Multiply(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Negate(System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Not() => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet NotEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Or(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet OrElse(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Power(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet RightShift(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet Subtract(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; - public NHibernate.Linq.Visitors.PossibleValueSet UnaryPlus(System.Type resultType) => throw null; + public class Detail + { + public Detail() => throw null; + public string FunctionName; + public bool HasReturn; + public bool IsCallable; + } + public static NHibernate.Engine.Query.CallableParser.Detail Parse(string sqlString) => throw null; } - - // Generated from `NHibernate.Linq.Visitors.PreTransformationParameters` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreTransformationParameters + public class FilterQueryPlan : NHibernate.Engine.Query.QueryExpressionPlan { - public bool MinimizeParameters { get => throw null; set => throw null; } - public PreTransformationParameters(NHibernate.Linq.QueryMode queryMode, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public NHibernate.Linq.QueryMode QueryMode { get => throw null; } - public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; } + public string CollectionRole { get => throw null; } + public override NHibernate.Engine.Query.QueryExpressionPlan Copy(NHibernate.IQueryExpression expression) => throw null; + public FilterQueryPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; + protected FilterQueryPlan(NHibernate.Engine.Query.FilterQueryPlan source, NHibernate.IQueryExpression expression) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; } - - // Generated from `NHibernate.Linq.Visitors.PreTransformationResult` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PreTransformationResult + public class HQLQueryPlan : NHibernate.Engine.Query.IQueryPlan { - public System.Linq.Expressions.Expression Expression { get => throw null; } - public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; } + protected HQLQueryPlan(string sourceQuery, NHibernate.Hql.IQueryTranslator[] translators) => throw null; + protected static NHibernate.INHibernateLogger Log; + public NHibernate.Engine.Query.ParameterMetadata ParameterMetadata { get => throw null; } + public int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; + public System.Collections.Generic.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; + public System.Threading.Tasks.Task PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task> PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + public void PerformList(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Collections.IList results) => throw null; + public System.Threading.Tasks.Task PerformListAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public NHibernate.Engine.Query.ReturnMetadata ReturnMetadata { get => throw null; } + public string[] SqlStrings { get => throw null; } + public NHibernate.Hql.IQueryTranslator[] Translators { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.QueryExpressionSourceIdentifer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryExpressionSourceIdentifer : Remotion.Linq.Parsing.RelinqExpressionVisitor + public interface IQueryExpressionPlan : NHibernate.Engine.Query.IQueryPlan { - public QueryExpressionSourceIdentifer(NHibernate.Linq.Visitors.QuerySourceIdentifier identifier) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + NHibernate.IQueryExpression QueryExpression { get; } } - - // Generated from `NHibernate.Linq.Visitors.QueryModelVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryModelVisitor : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, Remotion.Linq.IQueryModelVisitor, NHibernate.Linq.INhQueryModelVisitor + public interface IQueryPlan { - public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo CurrentEvaluationType { get => throw null; set => throw null; } - public static NHibernate.Linq.ExpressionToHqlTranslationResults GenerateHqlQuery(Remotion.Linq.QueryModel queryModel, NHibernate.Linq.Visitors.VisitorParameters parameters, bool root, NHibernate.Linq.NhLinqExpressionReturnType? rootReturnType) => throw null; - public Remotion.Linq.QueryModel Model { get => throw null; } - public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo PreviousEvaluationType { get => throw null; set => throw null; } - public NHibernate.Linq.ReWriters.ResultOperatorRewriterResult RewrittenOperatorResult { get => throw null; set => throw null; } - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause outerJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause withClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitOrderByClause(Remotion.Linq.Clauses.OrderByClause orderByClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public NHibernate.Linq.Visitors.VisitorParameters VisitorParameters { get => throw null; } + NHibernate.Engine.Query.ParameterMetadata ParameterMetadata { get; } + int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl); + System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Threading.CancellationToken cancellationToken); + System.Collections.Generic.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); + System.Collections.IEnumerable PerformIterate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); + System.Threading.Tasks.Task> PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task PerformIterateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); + void PerformList(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Collections.IList results); + System.Threading.Tasks.Task PerformListAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor statelessSessionImpl, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + System.Collections.Generic.ISet QuerySpaces { get; } + NHibernate.Engine.Query.ReturnMetadata ReturnMetadata { get; } + NHibernate.Hql.IQueryTranslator[] Translators { get; } } - - // Generated from `NHibernate.Linq.Visitors.QuerySourceIdentifier` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuerySourceIdentifier : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, Remotion.Linq.IQueryModelVisitor, NHibernate.Linq.INhQueryModelVisitor + public class NamedParameterDescriptor { - public NHibernate.Linq.QuerySourceNamer Namer { get => throw null; } - public static void Visit(NHibernate.Linq.QuerySourceNamer namer, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.GroupJoinClause groupJoinClause) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause outerJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; + public NamedParameterDescriptor(string name, NHibernate.Type.IType expectedType, bool jpaStyle) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; } + public bool JpaStyle { get => throw null; } + public string Name { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.QuerySourceLocator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QuerySourceLocator : NHibernate.Linq.Visitors.NhQueryModelVisitorBase + public class NativeSQLQueryPlan { - public static Remotion.Linq.Clauses.IQuerySource FindQuerySource(Remotion.Linq.QueryModel queryModel, System.Type type) => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; - public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public NativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Loader.Custom.Sql.SQLCustomQuery CustomQuery { get => throw null; } + public int PerformExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task PerformExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public string SourceQuery { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.SelectClauseVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectClauseVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public class OrdinalParameterDescriptor { - public System.Collections.Generic.IEnumerable GetHqlNodes() => throw null; - public System.Linq.Expressions.LambdaExpression ProjectionExpression { get => throw null; set => throw null; } - public SelectClauseVisitor(System.Type inputType, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; - public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - public void VisitSelector(System.Linq.Expressions.Expression expression) => throw null; + public OrdinalParameterDescriptor(int ordinalPosition, NHibernate.Type.IType expectedType) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; } + public int OrdinalPosition { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.SubQueryFromClauseFlattener` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubQueryFromClauseFlattener : NHibernate.Linq.Visitors.NhQueryModelVisitorBase + public class ParameterMetadata { - public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; - public SubQueryFromClauseFlattener() => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public ParameterMetadata(System.Collections.Generic.IEnumerable ordinalDescriptors, System.Collections.Generic.IDictionary namedDescriptorMap) => throw null; + public NHibernate.Engine.Query.NamedParameterDescriptor GetNamedParameterDescriptor(string name) => throw null; + public NHibernate.Type.IType GetNamedParameterExpectedType(string name) => throw null; + public NHibernate.Engine.Query.OrdinalParameterDescriptor GetOrdinalParameterDescriptor(int position) => throw null; + public NHibernate.Type.IType GetOrdinalParameterExpectedType(int position) => throw null; + public System.Collections.Generic.ICollection NamedParameterNames { get => throw null; } + public int OrdinalParameterCount { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.SwapQuerySourceVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SwapQuerySourceVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public class ParameterParser { - public System.Linq.Expressions.Expression Swap(System.Linq.Expressions.Expression expression) => throw null; - public SwapQuerySourceVisitor(Remotion.Linq.Clauses.IQuerySource oldClause, Remotion.Linq.Clauses.IQuerySource newClause) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + public interface IRecognizer + { + void JpaPositionalParameter(string name, int position); + void NamedParameter(string name, int position); + void OrdinalParameter(int position); + void Other(char character); + void Other(string sqlPart); + void OutParameter(int position); + } + public static void Parse(string sqlString, NHibernate.Engine.Query.ParameterParser.IRecognizer recognizer) => throw null; } - - // Generated from `NHibernate.Linq.Visitors.VisitorParameters` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class VisitorParameters + public class ParamLocationRecognizer : NHibernate.Engine.Query.ParameterParser.IRecognizer { - public System.Collections.Generic.IDictionary ConstantToParameterMap { get => throw null; set => throw null; } - public NHibernate.Linq.QuerySourceNamer QuerySourceNamer { get => throw null; set => throw null; } - public System.Collections.Generic.List RequiredHqlParameters { get => throw null; set => throw null; } - public NHibernate.Linq.QueryMode RootQueryMode { get => throw null; } - public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; set => throw null; } - public System.Type TargetEntityType { get => throw null; } - public VisitorParameters(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, System.Collections.Generic.IDictionary constantToParameterMap, System.Collections.Generic.List requiredHqlParameters, NHibernate.Linq.QuerySourceNamer querySourceNamer, System.Type targetEntityType, NHibernate.Linq.QueryMode rootQueryMode) => throw null; + public ParamLocationRecognizer() => throw null; + public void JpaPositionalParameter(string name, int position) => throw null; + public void NamedParameter(string name, int position) => throw null; + public class NamedParameterDescription + { + public int[] BuildPositionsArray() => throw null; + public NamedParameterDescription(bool jpaStyle) => throw null; + public bool JpaStyle { get => throw null; } + } + public System.Collections.Generic.IDictionary NamedParameterDescriptionMap { get => throw null; } + public void OrdinalParameter(int position) => throw null; + public System.Collections.Generic.List OrdinalParameterLocationList { get => throw null; } + public void Other(char character) => throw null; + public void Other(string sqlPart) => throw null; + public void OutParameter(int position) => throw null; + public static NHibernate.Engine.Query.ParamLocationRecognizer ParseLocations(string query) => throw null; } - - // Generated from `NHibernate.Linq.Visitors.VisitorUtil` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class VisitorUtil + public class QueryExpressionPlan : NHibernate.Engine.Query.HQLQueryPlan, NHibernate.Engine.Query.IQueryExpressionPlan, NHibernate.Engine.Query.IQueryPlan { - public static string GetMemberPath(this System.Linq.Expressions.MemberExpression memberExpression) => throw null; - public static bool IsBooleanConstant(System.Linq.Expressions.Expression expression, out bool value) => throw null; - public static bool IsDynamicComponentDictionaryGetter(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.Generic.IEnumerable arguments, NHibernate.ISessionFactory sessionFactory, out string memberName) => throw null; - public static bool IsDynamicComponentDictionaryGetter(System.Linq.Expressions.MethodCallExpression expression, NHibernate.ISessionFactory sessionFactory, out string memberName) => throw null; - public static bool IsDynamicComponentDictionaryGetter(System.Linq.Expressions.MethodCallExpression expression, NHibernate.ISessionFactory sessionFactory) => throw null; - public static bool IsNullConstant(System.Linq.Expressions.Expression expression) => throw null; - public static System.Linq.Expressions.Expression Replace(this System.Linq.Expressions.Expression expression, System.Linq.Expressions.Expression oldExpression, System.Linq.Expressions.Expression newExpression) => throw null; + public virtual NHibernate.Engine.Query.QueryExpressionPlan Copy(NHibernate.IQueryExpression expression) => throw null; + protected static NHibernate.Hql.IQueryTranslator[] CreateTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public QueryExpressionPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; + public QueryExpressionPlan(NHibernate.IQueryExpression queryExpression, bool shallow, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; + protected QueryExpressionPlan(string key, NHibernate.Hql.IQueryTranslator[] translators) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; + protected QueryExpressionPlan(NHibernate.Engine.Query.HQLQueryPlan source, NHibernate.IQueryExpression expression) : base(default(string), default(NHibernate.Hql.IQueryTranslator[])) => throw null; + public NHibernate.IQueryExpression QueryExpression { get => throw null; } } - - namespace ResultOperatorProcessors + public class QueryPlanCache { - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IResultOperatorProcessor - { - void Process(T resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree); - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessAggregate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessAggregate : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.AggregateResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessAggregate() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessAggregateFromSeed` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessAggregateFromSeed : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.AggregateFromSeedResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessAggregateFromSeed() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessAll` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessAll : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.AllResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessAll() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessAny` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessAny : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.AnyResultOperator anyOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessAny() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessAsQueryable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessAsQueryable : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessAsQueryable() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessCast` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessCast : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.CastResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessCast() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessClientSideSelect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessClientSideSelect : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(NHibernate.Linq.GroupBy.ClientSideSelect resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessClientSideSelect() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessClientSideSelect2` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessClientSideSelect2 : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(NHibernate.Linq.GroupBy.ClientSideSelect2 resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessClientSideSelect2() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessContains` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessContains : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.ContainsResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessContains() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessFetch - { - public void Process(Remotion.Linq.EagerFetching.FetchRequestBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree, string sourceAlias) => throw null; - public void Process(Remotion.Linq.EagerFetching.FetchRequestBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessFetch() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetchMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessFetchMany : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetch, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.EagerFetching.FetchManyRequest resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessFetchMany() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetchOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessFetchOne : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetch, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.EagerFetching.FetchOneRequest resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessFetchOne() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirst` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessFirst : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirstOrSingleBase, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.FirstResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessFirst() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirstOrSingleBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessFirstOrSingleBase - { - protected static void AddClientSideEval(System.Reflection.MethodInfo target, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessFirstOrSingleBase() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessGroupBy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessGroupBy : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.GroupResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessGroupBy() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessNonAggregatingGroupBy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessNonAggregatingGroupBy : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(NHibernate.Linq.ResultOperators.NonAggregatingGroupBy resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessNonAggregatingGroupBy() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessOfType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessOfType : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor - { - public void Process(Remotion.Linq.Clauses.ResultOperators.OfTypeResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessOfType() => throw null; - } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessResultOperatorReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessResultOperatorReturn + public QueryPlanCache(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public NHibernate.Engine.Query.IQueryExpressionPlan GetFilterQueryPlan(string filterString, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public NHibernate.Engine.Query.IQueryExpressionPlan GetFilterQueryPlan(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public NHibernate.Engine.Query.IQueryExpressionPlan GetHQLQueryPlan(NHibernate.IQueryExpression queryExpression, bool shallow, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public NHibernate.Engine.Query.NativeSQLQueryPlan GetNativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec) => throw null; + public NHibernate.Engine.Query.ParameterMetadata GetSQLParameterMetadata(string query) => throw null; + } + public class ReturnMetadata + { + public ReturnMetadata(string[] returnAliases, NHibernate.Type.IType[] returnTypes) => throw null; + public string[] ReturnAliases { get => throw null; } + public NHibernate.Type.IType[] ReturnTypes { get => throw null; } + } + namespace Sql + { + public interface INativeSQLQueryReturn { - public System.Action>> AdditionalCriteria { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.HqlTreeNode AdditionalFrom { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.HqlGroupBy GroupBy { get => throw null; set => throw null; } - public System.Linq.Expressions.LambdaExpression ListTransformer { get => throw null; set => throw null; } - public System.Linq.Expressions.LambdaExpression PostExecuteTransformer { get => throw null; set => throw null; } - public ProcessResultOperatorReturn() => throw null; - public NHibernate.Hql.Ast.HqlTreeNode TreeNode { get => throw null; set => throw null; } - public NHibernate.Hql.Ast.HqlBooleanExpression WhereClause { get => throw null; set => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessSingle` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessSingle : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirstOrSingleBase, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + public class NativeSQLQueryCollectionReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn { - public void Process(Remotion.Linq.Clauses.ResultOperators.SingleResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessSingle() => throw null; + public NativeSQLQueryCollectionReturn(string alias, string ownerEntityName, string ownerProperty, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; + public string OwnerEntityName { get => throw null; } + public string OwnerProperty { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessSkip` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessSkip : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + public class NativeSQLQueryJoinReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn { - public void Process(Remotion.Linq.Clauses.ResultOperators.SkipResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessSkip() => throw null; + public NativeSQLQueryJoinReturn(string alias, string ownerAlias, string ownerProperty, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; + public string OwnerAlias { get => throw null; } + public string OwnerProperty { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessTake` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProcessTake : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + public abstract class NativeSQLQueryNonScalarReturn : NHibernate.Engine.Query.Sql.INativeSQLQueryReturn { - public void Process(Remotion.Linq.Clauses.ResultOperators.TakeResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ProcessTake() => throw null; + public string Alias { get => throw null; } + protected NativeSQLQueryNonScalarReturn(string alias, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn other) => throw null; + public override int GetHashCode() => throw null; + public NHibernate.LockMode LockMode { get => throw null; } + public System.Collections.Generic.IDictionary PropertyResultsMap { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ResultOperatorMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultOperatorMap + public class NativeSQLQueryRootReturn : NHibernate.Engine.Query.Sql.NativeSQLQueryNonScalarReturn { - public void Add() where TOperator : Remotion.Linq.Clauses.ResultOperatorBase where TProcessor : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor, new() => throw null; - public void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ResultOperatorMap() => throw null; + public NativeSQLQueryRootReturn(string alias, string entityName, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; + public NativeSQLQueryRootReturn(string alias, string entityName, System.Collections.Generic.IDictionary propertyResults, NHibernate.LockMode lockMode) : base(default(string), default(System.Collections.Generic.IDictionary), default(NHibernate.LockMode)) => throw null; + public string ReturnEntityName { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ResultOperatorProcessor<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultOperatorProcessor : NHibernate.Linq.Visitors.ResultOperatorProcessors.ResultOperatorProcessorBase where T : Remotion.Linq.Clauses.ResultOperatorBase + public class NativeSQLQueryScalarReturn : NHibernate.Engine.Query.Sql.INativeSQLQueryReturn { - public override void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree) => throw null; - public ResultOperatorProcessor(NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor processor) => throw null; + public string ColumnAlias { get => throw null; } + public NativeSQLQueryScalarReturn(string alias, NHibernate.Type.IType type) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Engine.Query.Sql.NativeSQLQueryScalarReturn other) => throw null; + public override int GetHashCode() => throw null; + public NHibernate.Type.IType Type { get => throw null; } } - - // Generated from `NHibernate.Linq.Visitors.ResultOperatorProcessors.ResultOperatorProcessorBase` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ResultOperatorProcessorBase + public class NativeSQLQuerySpecification { - public abstract void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree); - protected ResultOperatorProcessorBase() => throw null; + public NativeSQLQuerySpecification(string queryString, NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] sqlQueryReturns, System.Collections.Generic.ICollection querySpaces) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public string QueryString { get => throw null; } + public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] SqlQueryReturns { get => throw null; } } - } } - } - namespace Loader - { - // Generated from `NHibernate.Loader.AbstractEntityJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEntityJoinWalker : NHibernate.Loader.JoinWalker + public sealed class QueryParameters { - public AbstractEntityJoinWalker(string rootSqlAlias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public AbstractEntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected virtual void AddAssociations() => throw null; - protected string Alias { get => throw null; } - public abstract string Comment { get; } - protected virtual NHibernate.Loader.OuterJoinableAssociation CreateRootAssociation() => throw null; - protected virtual void InitAll(NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.LockMode lockMode) => throw null; - protected void InitProjection(NHibernate.SqlCommand.SqlString projectionString, NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.SqlCommand.SqlString groupByString, NHibernate.SqlCommand.SqlString havingString, System.Collections.Generic.IDictionary enabledFilters, NHibernate.LockMode lockMode, System.Collections.Generic.IList entityProjections) => throw null; - protected void InitProjection(NHibernate.SqlCommand.SqlString projectionString, NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.SqlCommand.SqlString groupByString, NHibernate.SqlCommand.SqlString havingString, System.Collections.Generic.IDictionary enabledFilters, NHibernate.LockMode lockMode) => throw null; - protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected NHibernate.Persister.Entity.IOuterJoinLoadable Persister { get => throw null; } + public bool Cacheable { get => throw null; set { } } + public NHibernate.CacheMode? CacheMode { get => throw null; set { } } + public string CacheRegion { get => throw null; set { } } + public bool Callable { get => throw null; set { } } + public bool CanGetFromCache(NHibernate.Engine.ISessionImplementor session) => throw null; + public bool CanPutToCache(NHibernate.Engine.ISessionImplementor session) => throw null; + public object[] CollectionKeys { get => throw null; set { } } + public string Comment { get => throw null; set { } } + public NHibernate.Engine.QueryParameters CreateCopyUsing(NHibernate.Engine.RowSelection selection) => throw null; + public QueryParameters() => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, object optionalObject, string optionalEntityName, object optionalObjectId) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, object[] collectionKeys) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] postionalParameterValues, System.Collections.Generic.IDictionary namedParameters, object[] collectionKeys) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, bool isLookupByNaturalKey, NHibernate.Transform.IResultTransformer transformer) => throw null; + public QueryParameters(System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, bool isLookupByNaturalKey, NHibernate.Transform.IResultTransformer transformer) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, object[] collectionKeys, NHibernate.Transform.IResultTransformer transformer) => throw null; + public QueryParameters(NHibernate.Type.IType[] positionalParameterTypes, object[] positionalParameterValues, System.Collections.Generic.IDictionary namedParameters, System.Collections.Generic.IDictionary lockModes, NHibernate.Engine.RowSelection rowSelection, bool isReadOnlyInitialized, bool readOnly, bool cacheable, string cacheRegion, string comment, object[] collectionKeys, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Transform.IResultTransformer transformer) => throw null; + public bool ForceCacheRefresh { get => throw null; set { } } + public bool HasAutoDiscoverScalarTypes { get => throw null; set { } } + public bool HasRowSelection { get => throw null; } + public bool IsReadOnly(NHibernate.Engine.ISessionImplementor session) => throw null; + public bool IsReadOnlyInitialized { get => throw null; } + public System.Collections.Generic.IDictionary LockModes { get => throw null; set { } } + public void LogParameters(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public System.Collections.Generic.IDictionary NamedParameters { get => throw null; } + public bool NaturalKeyLookup { get => throw null; set { } } + public string OptionalEntityName { get => throw null; set { } } + public object OptionalId { get => throw null; set { } } + public object OptionalObject { get => throw null; set { } } + public NHibernate.Type.IType[] PositionalParameterTypes { get => throw null; set { } } + public object[] PositionalParameterValues { get => throw null; set { } } + public NHibernate.Engine.RowSelection ProcessedRowSelection { get => throw null; } + public NHibernate.SqlCommand.SqlString ProcessedSql { get => throw null; } + public System.Collections.Generic.IEnumerable ProcessedSqlParameters { get => throw null; } + public bool ReadOnly { get => throw null; set { } } + public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; } + public NHibernate.Engine.RowSelection RowSelection { get => throw null; set { } } + public void ValidateParameters() => throw null; + } + public class ResultSetMappingDefinition + { + public void AddQueryReturn(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn queryReturn) => throw null; + public ResultSetMappingDefinition(string name) => throw null; + public NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] GetQueryReturns() => throw null; + public string Name { get => throw null; } + } + public sealed class RowSelection + { + public RowSelection() => throw null; + public bool DefinesLimits { get => throw null; } + public int FetchSize { get => throw null; set { } } + public int FirstRow { get => throw null; set { } } + public int MaxRows { get => throw null; set { } } + public static int NoValue; + public int Timeout { get => throw null; set { } } + } + public static class SessionFactoryImplementorExtension + { + public static System.Collections.Generic.ISet GetCollectionPersisters(this NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.ISet spaces) => throw null; + public static System.Collections.Generic.ISet GetEntityPersisters(this NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.ISet spaces) => throw null; + } + public static partial class SessionImplementorExtensions + { + public static string GetTenantIdentifier(this NHibernate.Engine.ISessionImplementor session) => throw null; + } + public class StatefulPersistenceContext : NHibernate.Engine.IPersistenceContext, System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback + { + public void AddChildParent(object child, object parent) => throw null; + public void AddCollectionHolder(NHibernate.Collection.IPersistentCollection holder) => throw null; + public void AddEntity(NHibernate.Engine.EntityKey key, object entity) => throw null; + public void AddEntity(NHibernate.Engine.EntityUniqueKey euk, object entity) => throw null; + public NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched) => throw null; + public NHibernate.Engine.EntityEntry AddEntity(object entity, NHibernate.Engine.Status status, object[] loadedState, NHibernate.Engine.EntityKey entityKey, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; + public NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement, bool lazyPropertiesAreUnfetched) => throw null; + public NHibernate.Engine.EntityEntry AddEntry(object entity, NHibernate.Engine.Status status, object[] loadedState, object rowId, object id, object version, NHibernate.LockMode lockMode, bool existsInDatabase, NHibernate.Persister.Entity.IEntityPersister persister, bool disableVersionIncrement) => throw null; + public NHibernate.Engine.CollectionEntry AddInitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id) => throw null; + public void AddInitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection) => throw null; + public void AddNewCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; + public void AddNonLazyCollection(NHibernate.Collection.IPersistentCollection collection) => throw null; + public void AddNullProperty(NHibernate.Engine.EntityKey ownerKey, string propertyName) => throw null; + public void AddProxy(NHibernate.Engine.EntityKey key, NHibernate.Proxy.INHibernateProxy proxy) => throw null; + public void AddUninitializedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection, object id) => throw null; + public void AddUninitializedDetachedCollection(NHibernate.Persister.Collection.ICollectionPersister persister, NHibernate.Collection.IPersistentCollection collection) => throw null; + public void AddUnownedCollection(NHibernate.Engine.CollectionKey key, NHibernate.Collection.IPersistentCollection collection) => throw null; + public void AfterLoad() => throw null; + public void AfterTransactionCompletion() => throw null; + public NHibernate.Engine.BatchFetchQueue BatchFetchQueue { get => throw null; } + public void BeforeLoad() => throw null; + public int CascadeLevel { get => throw null; } + public void CheckUniqueness(NHibernate.Engine.EntityKey key, object obj) => throw null; + public void Clear() => throw null; + public System.Collections.IDictionary CollectionEntries { get => throw null; } + public System.Collections.Generic.IDictionary CollectionsByKey { get => throw null; } + public bool ContainsCollection(NHibernate.Collection.IPersistentCollection collection) => throw null; + public bool ContainsEntity(NHibernate.Engine.EntityKey key) => throw null; + public bool ContainsProxy(NHibernate.Proxy.INHibernateProxy proxy) => throw null; + public StatefulPersistenceContext(NHibernate.Engine.ISessionImplementor session) => throw null; + public int DecrementCascadeLevel() => throw null; + public bool DefaultReadOnly { get => throw null; set { } } + public System.Collections.Generic.IDictionary EntitiesByKey { get => throw null; } + public System.Collections.IDictionary EntityEntries { get => throw null; } + public bool Flushing { get => throw null; set { } } + public object[] GetCachedDatabaseSnapshot(NHibernate.Engine.EntityKey key) => throw null; + public NHibernate.Collection.IPersistentCollection GetCollection(NHibernate.Engine.CollectionKey collectionKey) => throw null; + public NHibernate.Engine.CollectionEntry GetCollectionEntry(NHibernate.Collection.IPersistentCollection coll) => throw null; + public NHibernate.Engine.CollectionEntry GetCollectionEntryOrNull(object collection) => throw null; + public NHibernate.Collection.IPersistentCollection GetCollectionHolder(object array) => throw null; + public object GetCollectionOwner(object key, NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; + public object[] GetDatabaseSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public System.Threading.Tasks.Task GetDatabaseSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + public object GetEntity(NHibernate.Engine.EntityKey key) => throw null; + public object GetEntity(NHibernate.Engine.EntityUniqueKey euk) => throw null; + public NHibernate.Engine.EntityEntry GetEntry(object entity) => throw null; + public object GetIndexInOwner(string entity, string property, object childEntity, System.Collections.IDictionary mergeMap) => throw null; + public virtual object GetLoadedCollectionOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection) => throw null; + public virtual object GetLoadedCollectionOwnerOrNull(NHibernate.Collection.IPersistentCollection collection) => throw null; + public object[] GetNaturalIdSnapshot(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public System.Threading.Tasks.Task GetNaturalIdSnapshotAsync(object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object GetOwnerId(string entityName, string propertyName, object childEntity, System.Collections.IDictionary mergeMap) => throw null; + public object GetProxy(NHibernate.Engine.EntityKey key) => throw null; + public object GetSnapshot(NHibernate.Collection.IPersistentCollection coll) => throw null; + public bool HasNonReadOnlyEntities { get => throw null; } + public int IncrementCascadeLevel() => throw null; + public void InitializeNonLazyCollections() => throw null; + public System.Threading.Tasks.Task InitializeNonLazyCollectionsAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsEntryFor(object entity) => throw null; + public bool IsLoadFinished { get => throw null; } + public bool IsPropertyNull(NHibernate.Engine.EntityKey ownerKey, string propertyName) => throw null; + public bool IsReadOnly(object entityOrProxy) => throw null; + public bool IsStateless { get => throw null; } + public NHibernate.Engine.Loading.LoadContexts LoadContexts { get => throw null; } + public object NarrowProxy(NHibernate.Proxy.INHibernateProxy proxy, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object obj) => throw null; + public static object NoRow; + public System.Collections.Generic.ISet NullifiableEntityKeys { get => throw null; } + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public object ProxyFor(NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey key, object impl) => throw null; + public object ProxyFor(object impl) => throw null; + public bool ReassociateIfUninitializedProxy(object value) => throw null; + public void ReassociateProxy(object value, object id) => throw null; + public void RemoveChildParent(object child) => throw null; + public NHibernate.Collection.IPersistentCollection RemoveCollectionHolder(object array) => throw null; + public object RemoveEntity(NHibernate.Engine.EntityKey key) => throw null; + public NHibernate.Engine.EntityEntry RemoveEntry(object entity) => throw null; + public object RemoveProxy(NHibernate.Engine.EntityKey key) => throw null; + public void ReplaceDelayedEntityIdentityInsertKeys(NHibernate.Engine.EntityKey oldKey, object generatedId) => throw null; + public NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public void SetEntryStatus(NHibernate.Engine.EntityEntry entry, NHibernate.Engine.Status status) => throw null; + public void SetReadOnly(object entityOrProxy, bool readOnly) => throw null; + public override string ToString() => throw null; + public object Unproxy(object maybeProxy) => throw null; + public object UnproxyAndReassociate(object maybeProxy) => throw null; + public System.Threading.Tasks.Task UnproxyAndReassociateAsync(object maybeProxy, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Collection.IPersistentCollection UseUnownedCollection(NHibernate.Engine.CollectionKey key) => throw null; + } + public enum Status + { + Loaded = 0, + Deleted = 1, + Gone = 2, + Loading = 3, + Saving = 4, + ReadOnly = 5, + } + public class SubselectFetch + { + public SubselectFetch(string alias, NHibernate.Persister.Entity.ILoadable loadable, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet resultingEntityKeys) => throw null; + public NHibernate.Engine.QueryParameters QueryParameters { get => throw null; } + public System.Collections.Generic.ISet Result { get => throw null; } + public override string ToString() => throw null; + public NHibernate.SqlCommand.SqlString ToSubselectString(string ukname) => throw null; + } + namespace Transaction + { + public interface IIsolatedWork + { + void DoWork(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction); + System.Threading.Tasks.Task DoWorkAsync(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken); + } + public class Isolater + { + public Isolater() => throw null; + public static void DoIsolatedWork(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task DoIsolatedWorkAsync(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static void DoNonTransactedWork(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task DoNonTransactedWorkAsync(NHibernate.Engine.Transaction.IIsolatedWork work, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + } + public abstract class TransactionHelper + { + protected TransactionHelper() => throw null; + public abstract object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction); + public abstract System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken); + public virtual object DoWorkInNewTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; + public virtual System.Threading.Tasks.Task DoWorkInNewTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public class Work : NHibernate.Engine.Transaction.IIsolatedWork + { + public Work(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.TransactionHelper owner) => throw null; + public void DoWork(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction) => throw null; + public System.Threading.Tasks.Task DoWorkAsync(System.Data.Common.DbConnection connection, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; + } + } + public static class TwoPhaseLoad + { + public static void AddUninitializedCachedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, object version, NHibernate.Engine.ISessionImplementor session) => throw null; + public static void AddUninitializedCachedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, object version, NHibernate.Engine.ISessionImplementor session) => throw null; + public static void AddUninitializedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; + public static void AddUninitializedEntity(NHibernate.Engine.EntityKey key, object obj, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session) => throw null; + public static void InitializeEntity(object entity, bool readOnly, NHibernate.Engine.ISessionImplementor session, NHibernate.Event.PreLoadEvent preLoadEvent, NHibernate.Event.PostLoadEvent postLoadEvent) => throw null; + public static System.Threading.Tasks.Task InitializeEntityAsync(object entity, bool readOnly, NHibernate.Engine.ISessionImplementor session, NHibernate.Event.PreLoadEvent preLoadEvent, NHibernate.Event.PostLoadEvent postLoadEvent, System.Threading.CancellationToken cancellationToken) => throw null; + public static void PostHydrate(NHibernate.Persister.Entity.IEntityPersister persister, object id, object[] values, object rowId, object obj, NHibernate.LockMode lockMode, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; + public static void PostHydrate(NHibernate.Persister.Entity.IEntityPersister persister, object id, object[] values, object rowId, object obj, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session) => throw null; + } + public sealed class TypedValue + { + public System.Collections.Generic.IEqualityComparer Comparer { get => throw null; } + public TypedValue(NHibernate.Type.IType type, object value) => throw null; + public TypedValue(NHibernate.Type.IType type, object value, bool isList) => throw null; + public class DefaultComparer : System.Collections.Generic.IEqualityComparer + { + public DefaultComparer() => throw null; + public bool Equals(NHibernate.Engine.TypedValue x, NHibernate.Engine.TypedValue y) => throw null; + public int GetHashCode(NHibernate.Engine.TypedValue obj) => throw null; + } + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public class ParameterListComparer : System.Collections.Generic.IEqualityComparer + { + public ParameterListComparer() => throw null; + public bool Equals(NHibernate.Engine.TypedValue x, NHibernate.Engine.TypedValue y) => throw null; + public int GetHashCode(NHibernate.Engine.TypedValue obj) => throw null; + } public override string ToString() => throw null; - protected virtual NHibernate.SqlCommand.SqlString WhereFragment { get => throw null; } + public NHibernate.Type.IType Type { get => throw null; } + public object Value { get => throw null; } } - - // Generated from `NHibernate.Loader.BasicLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class BasicLoader : NHibernate.Loader.Loader + public static class UnsavedValueFactory { - public BasicLoader(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override NHibernate.Loader.ICollectionAliases[] CollectionAliases { get => throw null; } - protected abstract string[] CollectionSuffixes { get; } - protected override NHibernate.Loader.IEntityAliases[] EntityAliases { get => throw null; } - public static string GenerateSuffix(int index) => throw null; - public static string[] GenerateSuffixes(int seed, int length) => throw null; - public static string[] GenerateSuffixes(int length) => throw null; - protected virtual System.Collections.Generic.IDictionary GetCollectionUserProvidedAlias(int index) => throw null; - protected static string[] NoSuffix; - protected override void PostInstantiate() => throw null; - protected abstract string[] Suffixes { get; } + public static NHibernate.Engine.IdentifierValue GetUnsavedIdentifierValue(string unsavedValue, NHibernate.Properties.IGetter identifierGetter, NHibernate.Type.IType identifierType, System.Reflection.ConstructorInfo constructor) => throw null; + public static NHibernate.Engine.VersionValue GetUnsavedVersionValue(string versionUnsavedValue, NHibernate.Properties.IGetter versionGetter, NHibernate.Type.IVersionType versionType, System.Reflection.ConstructorInfo constructor) => throw null; } - - // Generated from `NHibernate.Loader.DefaultEntityAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultEntityAliases : NHibernate.Loader.IEntityAliases + public enum ValueInclusion { - public DefaultEntityAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - public DefaultEntityAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - protected virtual string GetDiscriminatorAlias(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - protected virtual string[] GetIdentifierAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - protected virtual string[] GetPropertyAliases(NHibernate.Persister.Entity.ILoadable persister, int j) => throw null; - public string[][] GetSuffixedPropertyAliases(NHibernate.Persister.Entity.ILoadable persister) => throw null; - public string RowIdAlias { get => throw null; } - public string SuffixedDiscriminatorAlias { get => throw null; } - public string[] SuffixedKeyAliases { get => throw null; } - public string[][] SuffixedPropertyAliases { get => throw null; } - public string[] SuffixedVersionAliases { get => throw null; } + None = 0, + Partial = 1, + Full = 2, } - - // Generated from `NHibernate.Loader.GeneratedCollectionAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GeneratedCollectionAliases : NHibernate.Loader.ICollectionAliases + public class Versioning { - public GeneratedCollectionAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Collection.ICollectionPersister persister, string suffix) => throw null; - public GeneratedCollectionAliases(NHibernate.Persister.Collection.ICollectionPersister persister, string str) => throw null; - public string Suffix { get => throw null; } - public string[] SuffixedElementAliases { get => throw null; } - public string SuffixedIdentifierAlias { get => throw null; } - public string[] SuffixedIndexAliases { get => throw null; } - public string[] SuffixedKeyAliases { get => throw null; } - public override string ToString() => throw null; + public Versioning() => throw null; + public static object GetVersion(object[] fields, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public static object Increment(object version, NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task IncrementAsync(object version, NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool IsVersionIncrementRequired(int[] dirtyProperties, bool hasDirtyCollections, bool[] propertyVersionability) => throw null; + public enum OptimisticLock + { + None = -1, + Version = 0, + Dirty = 1, + All = 2, + } + public static object Seed(NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task SeedAsync(NHibernate.Type.IVersionType versionType, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static bool SeedVersion(object[] fields, int versionProperty, NHibernate.Type.IVersionType versionType, bool? force, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task SeedVersionAsync(object[] fields, int versionProperty, NHibernate.Type.IVersionType versionType, bool? force, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static void SetVersion(object[] fields, object version, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; } - - // Generated from `NHibernate.Loader.ICollectionAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionAliases + public class VersionValue { - string Suffix { get; } - string[] SuffixedElementAliases { get; } - string SuffixedIdentifierAlias { get; } - string[] SuffixedIndexAliases { get; } - string[] SuffixedKeyAliases { get; } + protected VersionValue() => throw null; + public VersionValue(object value) => throw null; + public virtual object GetDefaultValue(object currentValue) => throw null; + public virtual bool? IsUnsaved(object version) => throw null; + public static NHibernate.Engine.VersionValue VersionNegative; + public static NHibernate.Engine.VersionValue VersionSaveNull; + public static NHibernate.Engine.VersionValue VersionUndefined; } - - // Generated from `NHibernate.Loader.IEntityAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityAliases + } + public static partial class EntityJoinExtensions + { + public static NHibernate.ICriteria CreateEntityAlias(this NHibernate.ICriteria criteria, string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; + public static NHibernate.ICriteria CreateEntityAlias(this NHibernate.ICriteria criteria, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + public static NHibernate.ICriteria CreateEntityCriteria(this NHibernate.ICriteria criteria, string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; + public static NHibernate.ICriteria CreateEntityCriteria(this NHibernate.ICriteria criteria, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + public static TThis JoinEntityAlias(this TThis queryOver, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) where TThis : NHibernate.IQueryOver => throw null; + public static TThis JoinEntityAlias(this TThis queryOver, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) where TThis : NHibernate.IQueryOver => throw null; + public static NHibernate.IQueryOver JoinEntityQueryOver(this NHibernate.IQueryOver queryOver, System.Linq.Expressions.Expression> alias, System.Linq.Expressions.Expression> withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + public static NHibernate.IQueryOver JoinEntityQueryOver(this NHibernate.IQueryOver queryOver, System.Linq.Expressions.Expression> alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType = default(NHibernate.SqlCommand.JoinType), string entityName = default(string)) => throw null; + } + public enum EntityMode + { + Poco = 0, + Map = 1, + } + namespace Event + { + public abstract class AbstractCollectionEvent : NHibernate.Event.AbstractEvent { - string[][] GetSuffixedPropertyAliases(NHibernate.Persister.Entity.ILoadable persister); - string RowIdAlias { get; } - string SuffixedDiscriminatorAlias { get; } - string[] SuffixedKeyAliases { get; } - string[][] SuffixedPropertyAliases { get; } - string[] SuffixedVersionAliases { get; } + public object AffectedOwnerIdOrNull { get => throw null; } + public object AffectedOwnerOrNull { get => throw null; } + public NHibernate.Collection.IPersistentCollection Collection { get => throw null; } + protected AbstractCollectionEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object affectedOwner, object affectedOwnerId) : base(default(NHibernate.Event.IEventSource)) => throw null; + protected static string GetAffectedOwnerEntityName(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, object affectedOwner, NHibernate.Event.IEventSource source) => throw null; + public virtual string GetAffectedOwnerEntityName() => throw null; + protected static NHibernate.Persister.Collection.ICollectionPersister GetLoadedCollectionPersister(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; + protected static object GetLoadedOwnerIdOrNull(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; + protected static object GetLoadedOwnerOrNull(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) => throw null; + protected static object GetOwnerIdOrNull(object owner, NHibernate.Event.IEventSource source) => throw null; } - - // Generated from `NHibernate.Loader.JoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinWalker + public class AbstractEvent : NHibernate.Event.IDatabaseEventArgs { - public string[] Aliases { get => throw null; set => throw null; } - // Generated from `NHibernate.Loader.JoinWalker+AssociationKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected class AssociationKey - { - public AssociationKey(string[] columns, string table) => throw null; - public override bool Equals(object other) => throw null; - public override int GetHashCode() => throw null; - } - - - public bool[] ChildFetchEntities { get => throw null; set => throw null; } - public int[] CollectionOwners { get => throw null; set => throw null; } - public NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; set => throw null; } - public string[] CollectionSuffixes { get => throw null; set => throw null; } - protected static int CountCollectionPersisters(System.Collections.Generic.IList associations) => throw null; - protected static int CountEntityPersisters(System.Collections.Generic.IList associations) => throw null; - // Generated from `NHibernate.Loader.JoinWalker+DependentAlias` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DependentAlias - { - public string Alias { get => throw null; set => throw null; } - public DependentAlias() => throw null; - public string[] DependsOn { get => throw null; set => throw null; } - } - - - protected NHibernate.Dialect.Dialect Dialect { get => throw null; } - public bool[] EagerPropertyFetches { get => throw null; set => throw null; } - protected System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - public System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; set => throw null; } - protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - protected virtual string GenerateAliasForColumn(string rootAlias, string column) => throw null; - protected virtual string GenerateRootAlias(string description) => throw null; - protected virtual string GenerateTableAlias(int n, string path, string pathAlias, NHibernate.Persister.Entity.IJoinable joinable) => throw null; - protected virtual string GenerateTableAlias(int n, string path, NHibernate.Persister.Entity.IJoinable joinable) => throw null; - protected virtual System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; - protected virtual System.Collections.Generic.ISet GetEntityFetchLazyProperties(string path) => throw null; - protected virtual NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string pathAlias, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected virtual NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected NHibernate.SqlCommand.JoinType GetJoinType(bool nullable, int currentDepth) => throw null; - protected static string GetSelectFragment(NHibernate.Loader.OuterJoinableAssociation join, string entitySuffix, string collectionSuffix, NHibernate.Loader.OuterJoinableAssociation next = default(NHibernate.Loader.OuterJoinableAssociation)) => throw null; - protected virtual NHibernate.SelectMode GetSelectMode(string path) => throw null; - protected virtual NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; - protected virtual NHibernate.SqlCommand.SqlString GetWithClause(string path) => throw null; - protected void InitPersisters(System.Collections.Generic.IList associations, NHibernate.LockMode lockMode) => throw null; - protected virtual bool IsDuplicateAssociation(string lhsTable, string[] lhsColumnNames, NHibernate.Type.IAssociationType type) => throw null; - protected virtual bool IsDuplicateAssociation(string foreignKeyTable, string[] foreignKeyColumns) => throw null; - protected bool IsJoinable(NHibernate.SqlCommand.JoinType joinType, System.Collections.Generic.ISet visitedAssociationKeys, string lhsTable, string[] lhsColumnNames, NHibernate.Type.IAssociationType type, int depth) => throw null; - protected virtual bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected bool IsJoinedFetchEnabledInMapping(NHibernate.FetchMode config, NHibernate.Type.IAssociationType type) => throw null; - protected virtual bool IsTooDeep(int currentDepth) => throw null; - protected virtual bool IsTooManyCollections { get => throw null; } - protected JoinWalker(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public NHibernate.LockMode[] LockModeArray { get => throw null; set => throw null; } - protected NHibernate.SqlCommand.SqlString MergeOrderings(string ass, string orderBy) => throw null; - protected NHibernate.SqlCommand.SqlString MergeOrderings(string ass, NHibernate.SqlCommand.SqlString orderBy) => throw null; - protected NHibernate.SqlCommand.SqlString MergeOrderings(NHibernate.SqlCommand.SqlString ass, NHibernate.SqlCommand.SqlString orderBy) => throw null; - protected NHibernate.SqlCommand.JoinFragment MergeOuterJoins(System.Collections.Generic.IList associations) => throw null; - protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations, string orderBy) => throw null; - protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations, NHibernate.SqlCommand.SqlString orderBy) => throw null; - protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations) => throw null; - public NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; set => throw null; } - public int[] Owners { get => throw null; set => throw null; } - public NHibernate.Persister.Entity.ILoadable[] Persisters { get => throw null; set => throw null; } - public string SelectString(System.Collections.Generic.IList associations) => throw null; - public NHibernate.SqlCommand.SqlString SqlString { get => throw null; set => throw null; } - protected static string SubPath(string path, string property) => throw null; - public string[] Suffixes { get => throw null; set => throw null; } - protected void WalkCollectionTree(NHibernate.Persister.Collection.IQueryableCollection persister, string alias) => throw null; - protected void WalkComponentTree(NHibernate.Type.IAbstractComponentType componentType, int begin, string alias, string path, int currentDepth, NHibernate.Engine.ILhsAssociationTypeSqlInfo associationTypeSQLInfo) => throw null; - protected void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias) => throw null; - protected virtual void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path, int currentDepth) => throw null; - protected NHibernate.SqlCommand.SqlStringBuilder WhereString(string alias, string[] columnNames, int batchSize) => throw null; - protected System.Collections.Generic.IList associations; + public AbstractEvent(NHibernate.Event.IEventSource source) => throw null; + public NHibernate.Event.IEventSource Session { get => throw null; } } - - // Generated from `NHibernate.Loader.Loader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Loader + public class AbstractPostDatabaseOperationEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPostDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs { - protected NHibernate.SqlCommand.SqlString AddLimitsParametersIfNeeded(NHibernate.SqlCommand.SqlString sqlString, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - protected void AdjustQueryParametersForSubSelectFetching(NHibernate.SqlCommand.SqlString filteredSqlString, System.Collections.Generic.IEnumerable parameterSpecsWithFilters, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected virtual string[] Aliases { get => throw null; } - protected virtual NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; - protected virtual bool AreResultSetRowsTransformedImmediately() => throw null; - protected internal virtual void AutoDiscoverTypes(System.Data.Common.DbDataReader rs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; - protected internal virtual void AutoDiscoverTypes(System.Data.Common.DbDataReader rs) => throw null; - public virtual NHibernate.Loader.Loader.QueryCacheInfo CacheInfo { get => throw null; } - protected void CachePersistersWithCollections(System.Collections.Generic.IEnumerable resultTypePersisters) => throw null; - public NHibernate.Type.IType[] CacheTypes { get => throw null; } - protected abstract NHibernate.Loader.ICollectionAliases[] CollectionAliases { get; } - protected virtual int[] CollectionOwners { get => throw null; } - protected internal virtual NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } - public virtual NHibernate.SqlCommand.ISqlCommand CreateSqlCommand(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, NHibernate.Cache.QueryCacheResultBuilder queryCacheResultBuilder) => throw null; - protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; - protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, NHibernate.Cache.QueryCacheResultBuilder queryCacheResultBuilder, System.Threading.CancellationToken cancellationToken) => throw null; - protected abstract NHibernate.Loader.IEntityAliases[] EntityAliases { get; } - protected virtual bool[] EntityEagerPropertyFetches { get => throw null; } - protected virtual System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } - public abstract NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get; } - protected NHibernate.SqlCommand.SqlString ExpandDynamicFilterParameters(NHibernate.SqlCommand.SqlString sqlString, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.ISessionImplementor session) => throw null; - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public abstract NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes); - protected abstract System.Collections.Generic.IEnumerable GetParameterSpecifications(); - protected virtual object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected virtual object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand st, bool autoDiscoverTypes, bool callable, NHibernate.Engine.RowSelection selection, NHibernate.Engine.ISessionImplementor session) => throw null; - protected System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand st, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; - protected System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand st, bool autoDiscoverTypes, bool callable, NHibernate.Engine.RowSelection selection, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand st, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, NHibernate.Transform.IResultTransformer forcedResultTransformer, System.Threading.CancellationToken cancellationToken) => throw null; - protected bool HasSubselectLoadableCollections() => throw null; - protected NHibernate.Hql.Util.SessionFactoryHelper Helper { get => throw null; } - protected virtual bool[] IncludeInResultRow { get => throw null; } - protected virtual bool IsChildFetchEntity(int i) => throw null; - protected virtual bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; - protected virtual bool IsSingleRowLoader { get => throw null; } - public virtual bool IsSubselectLoadingEnabled { get => throw null; } - protected System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, NHibernate.Type.IType[] resultTypes) => throw null; - protected System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces) => throw null; - protected System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, NHibernate.Type.IType[] resultTypes, System.Threading.CancellationToken cancellationToken) => throw null; - public void LoadCollection(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType type) => throw null; - public System.Threading.Tasks.Task LoadCollectionAsync(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; - public void LoadCollectionBatch(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType type) => throw null; - public System.Threading.Tasks.Task LoadCollectionBatchAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; - protected void LoadCollectionSubselect(NHibernate.Engine.ISessionImplementor session, object[] ids, object[] parameterValues, NHibernate.Type.IType[] parameterTypes, System.Collections.Generic.IDictionary namedParameters, NHibernate.Type.IType type) => throw null; - protected System.Threading.Tasks.Task LoadCollectionSubselectAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, object[] parameterValues, NHibernate.Type.IType[] parameterTypes, System.Collections.Generic.IDictionary namedParameters, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Collections.IList LoadEntity(NHibernate.Engine.ISessionImplementor session, object key, object index, NHibernate.Type.IType keyType, NHibernate.Type.IType indexType, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected System.Collections.IList LoadEntity(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType identifierType, object optionalObject, string optionalEntityName, object optionalIdentifier, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected System.Threading.Tasks.Task LoadEntityAsync(NHibernate.Engine.ISessionImplementor session, object key, object index, NHibernate.Type.IType keyType, NHibernate.Type.IType indexType, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - protected System.Threading.Tasks.Task LoadEntityAsync(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType identifierType, object optionalObject, string optionalEntityName, object optionalIdentifier, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal System.Collections.IList LoadEntityBatch(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType idType, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; - protected internal System.Threading.Tasks.Task LoadEntityBatchAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType idType, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; - protected object LoadSingleRow(System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, bool returnProxies) => throw null; - protected System.Threading.Tasks.Task LoadSingleRowAsync(System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, bool returnProxies, System.Threading.CancellationToken cancellationToken) => throw null; - protected Loader(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected virtual NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } - protected virtual int[] Owners { get => throw null; } - protected virtual void PostInstantiate() => throw null; - protected internal virtual System.Data.Common.DbCommand PrepareQueryCommand(NHibernate.Engine.QueryParameters queryParameters, bool scroll, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal virtual System.Threading.Tasks.Task PrepareQueryCommandAsync(NHibernate.Engine.QueryParameters queryParameters, bool scroll, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual NHibernate.SqlCommand.SqlString PreprocessSQL(NHibernate.SqlCommand.SqlString sql, NHibernate.Engine.QueryParameters parameters, NHibernate.Dialect.Dialect dialect) => throw null; - // Generated from `NHibernate.Loader.Loader+QueryCacheInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryCacheInfo - { - public System.Collections.Generic.IReadOnlyList AdditionalEntities { get => throw null; set => throw null; } - public NHibernate.Type.IType[] CacheTypes { get => throw null; set => throw null; } - public QueryCacheInfo() => throw null; - } - - - public virtual string QueryIdentifier { get => throw null; } - protected virtual void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected virtual NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected virtual string[] ResultRowAliases { get => throw null; } - public NHibernate.Type.IType[] ResultTypes { get => throw null; set => throw null; } - public abstract NHibernate.SqlCommand.SqlString SqlString { get; } - public override string ToString() => throw null; - protected bool TryGetLimitString(NHibernate.Dialect.Dialect dialect, NHibernate.SqlCommand.SqlString queryString, int? offset, int? limit, NHibernate.SqlCommand.Parameter offsetParameter, NHibernate.SqlCommand.Parameter limitParameter, out NHibernate.SqlCommand.SqlString result) => throw null; - protected virtual bool UpgradeLocks() => throw null; + protected AbstractPostDatabaseOperationEvent(NHibernate.Event.IEventSource source, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; } + public object Id { get => throw null; } + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } } - - // Generated from `NHibernate.Loader.OuterJoinLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class OuterJoinLoader : NHibernate.Loader.BasicLoader + public abstract class AbstractPreDatabaseOperationEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPreDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs { - protected override string[] Aliases { get => throw null; } - protected override int[] CollectionOwners { get => throw null; } - protected internal override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } - protected override string[] CollectionSuffixes { get => throw null; } - protected NHibernate.Dialect.Dialect Dialect { get => throw null; } - public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } - protected override bool[] EntityEagerPropertyFetches { get => throw null; } - public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } - public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; - protected void InitFromWalker(NHibernate.Loader.JoinWalker walker) => throw null; - protected OuterJoinLoader(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } - protected override int[] Owners { get => throw null; } - public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } - protected override string[] Suffixes { get => throw null; } + protected AbstractPreDatabaseOperationEvent(NHibernate.Event.IEventSource source, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; } + public object Id { get => throw null; } + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } } - - // Generated from `NHibernate.Loader.OuterJoinableAssociation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OuterJoinableAssociation + public class AutoFlushEvent : NHibernate.Event.FlushEvent { - public void AddJoins(NHibernate.SqlCommand.JoinFragment outerjoin) => throw null; - public void AddManyToManyJoin(NHibernate.SqlCommand.JoinFragment outerjoin, NHibernate.Persister.Collection.IQueryableCollection collection) => throw null; - public System.Collections.Generic.ISet EntityFetchLazyProperties { get => throw null; set => throw null; } - public int GetOwner(System.Collections.Generic.IList associations) => throw null; - public bool IsCollection { get => throw null; } - public bool IsManyToManyWith(NHibernate.Loader.OuterJoinableAssociation other) => throw null; - public NHibernate.SqlCommand.JoinType JoinType { get => throw null; } - public NHibernate.Persister.Entity.IJoinable Joinable { get => throw null; } - public NHibernate.Type.IAssociationType JoinableType { get => throw null; } - public NHibernate.SqlCommand.SqlString On { get => throw null; } - public OuterJoinableAssociation(NHibernate.Type.IAssociationType joinableType, string lhsAlias, string[] lhsColumns, string rhsAlias, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString withClause, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters, NHibernate.SelectMode selectMode) => throw null; - public OuterJoinableAssociation(NHibernate.Type.IAssociationType joinableType, string lhsAlias, string[] lhsColumns, string rhsAlias, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString withClause, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public string RHSAlias { get => throw null; } - public string RHSUniqueKeyName { get => throw null; } - public NHibernate.SelectMode SelectMode { get => throw null; } - public void ValidateJoin(string path) => throw null; + public AutoFlushEvent(System.Collections.Generic.ISet querySpaces, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public bool FlushRequired { get => throw null; set { } } + public System.Collections.Generic.ISet QuerySpaces { get => throw null; set { } } } - - namespace Collection + namespace Default { - // Generated from `NHibernate.Loader.Collection.BasicCollectionJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicCollectionJoinWalker : NHibernate.Loader.Collection.CollectionJoinWalker - { - public BasicCollectionJoinWalker(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Loader.Collection.BasicCollectionLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicCollectionLoader : NHibernate.Loader.Collection.CollectionLoader - { - public BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.Engine.ISessionFactoryImplementor session, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected virtual void InitializeFromWalker(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.SqlCommand.SqlString subquery, int batchSize, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Loader.Collection.BatchingCollectionInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BatchingCollectionInitializer : NHibernate.Loader.Collection.ICollectionInitializer - { - public BatchingCollectionInitializer(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, int[] batchSizes, NHibernate.Loader.Loader[] loaders) => throw null; - public static NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public static NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingOneToManyInitializer(NHibernate.Persister.Collection.OneToManyPersister persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - } - - // Generated from `NHibernate.Loader.Collection.CollectionJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CollectionJoinWalker : NHibernate.Loader.JoinWalker - { - public CollectionJoinWalker(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected NHibernate.SqlCommand.SqlStringBuilder WhereString(string alias, string[] columnNames, NHibernate.SqlCommand.SqlString subselect, int batchSize) => throw null; - } - - // Generated from `NHibernate.Loader.Collection.CollectionLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionLoader : NHibernate.Loader.OuterJoinLoader, NHibernate.Loader.Collection.ICollectionInitializer - { - public CollectionLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected virtual System.Collections.Generic.IEnumerable CreateParameterSpecificationsAndAssignBackTrack(System.Collections.Generic.IEnumerable sqlPatameters) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected NHibernate.SqlCommand.SqlString GetSubSelectWithLimits(NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.RowSelection processedRowSelection, System.Collections.Generic.IDictionary parameters) => throw null; - public virtual void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public virtual System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override bool IsSubselectLoadingEnabled { get => throw null; } - protected NHibernate.Type.IType KeyType { get => throw null; } - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Loader.Collection.ICollectionInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionInitializer - { - void Initialize(object id, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Loader.Collection.OneToManyJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToManyJoinWalker : NHibernate.Loader.Collection.CollectionJoinWalker - { - protected override string GenerateAliasForColumn(string rootAlias, string column) => throw null; - protected override bool IsDuplicateAssociation(string foreignKeyTable, string[] foreignKeyColumns) => throw null; - public OneToManyJoinWalker(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public override string ToString() => throw null; - } - - // Generated from `NHibernate.Loader.Collection.OneToManyLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToManyLoader : NHibernate.Loader.Collection.CollectionLoader - { - protected virtual void InitializeFromWalker(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, NHibernate.SqlCommand.SqlString subquery, int batchSize, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, NHibernate.Engine.ISessionFactoryImplementor session, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - } - - // Generated from `NHibernate.Loader.Collection.SubselectCollectionLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubselectCollectionLoader : NHibernate.Loader.Collection.BasicCollectionLoader + public abstract class AbstractFlushingEventListener { - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - public override void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public SubselectCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection entityKeys, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected virtual object Anything { get => throw null; } + protected virtual void CascadeOnFlush(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object key, object anything) => throw null; + protected virtual System.Threading.Tasks.Task CascadeOnFlushAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object key, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual NHibernate.Engine.CascadingAction CascadingAction { get => throw null; } + protected AbstractFlushingEventListener() => throw null; + protected virtual void FlushCollections(NHibernate.Event.IEventSource session) => throw null; + protected virtual System.Threading.Tasks.Task FlushCollectionsAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void FlushEntities(NHibernate.Event.FlushEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task FlushEntitiesAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void FlushEverythingToExecutions(NHibernate.Event.FlushEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task FlushEverythingToExecutionsAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void PerformExecutions(NHibernate.Event.IEventSource session) => throw null; + protected virtual System.Threading.Tasks.Task PerformExecutionsAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void PostFlush(NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual void PrepareCollectionFlushes(NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task PrepareCollectionFlushesAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void PrepareEntityFlushes(NHibernate.Event.IEventSource session) => throw null; + protected virtual System.Threading.Tasks.Task PrepareEntityFlushesAsync(NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Collection.SubselectOneToManyLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubselectOneToManyLoader : NHibernate.Loader.Collection.OneToManyLoader + public class AbstractLockUpgradeEventListener : NHibernate.Event.Default.AbstractReassociateEventListener { - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - public override void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public SubselectOneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection entityKeys, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public AbstractLockUpgradeEventListener() => throw null; + protected virtual void UpgradeLock(object entity, NHibernate.Engine.EntityEntry entry, NHibernate.LockMode requestedLockMode, NHibernate.Engine.ISessionImplementor source) => throw null; + protected virtual System.Threading.Tasks.Task UpgradeLockAsync(object entity, NHibernate.Engine.EntityEntry entry, NHibernate.LockMode requestedLockMode, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; } - - } - namespace Criteria - { - // Generated from `NHibernate.Loader.Criteria.ComponentCollectionCriteriaInfoProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentCollectionCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + public class AbstractReassociateEventListener { - public ComponentCollectionCriteriaInfoProvider(NHibernate.Persister.Collection.IQueryableCollection persister) => throw null; - public NHibernate.Type.IType GetType(string relativePath) => throw null; - public string Name { get => throw null; } - public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } - public string[] Spaces { get => throw null; } + public AbstractReassociateEventListener() => throw null; + protected NHibernate.Engine.EntityEntry Reassociate(NHibernate.Event.AbstractEvent @event, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected System.Threading.Tasks.Task ReassociateAsync(NHibernate.Event.AbstractEvent @event, object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.CriteriaJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CriteriaJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + public abstract class AbstractSaveEventListener : NHibernate.Event.Default.AbstractReassociateEventListener { - protected override void AddAssociations() => throw null; - public override string Comment { get => throw null; } - protected override NHibernate.Loader.OuterJoinableAssociation CreateRootAssociation() => throw null; - public CriteriaJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Loader.Criteria.CriteriaQueryTranslator translator, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.ICriteria criteria, string rootEntityName, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override string GenerateRootAlias(string tableName) => throw null; - protected override string GenerateTableAlias(int n, string path, string pathAlias, NHibernate.Persister.Entity.IJoinable joinable) => throw null; - protected override System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; - protected override System.Collections.Generic.ISet GetEntityFetchLazyProperties(string path) => throw null; - protected override NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string pathAlias, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected override NHibernate.SelectMode GetSelectMode(string path) => throw null; - protected override NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; - public bool[] IncludeInResultRow { get => throw null; } - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public NHibernate.Type.IType[] ResultTypes { get => throw null; } - public string[] UserAliases { get => throw null; } - protected override void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path, int currentDepth) => throw null; - protected override NHibernate.SqlCommand.SqlString WhereFragment { get => throw null; } + protected virtual bool? AssumedUnsaved { get => throw null; } + protected abstract NHibernate.Engine.CascadingAction CascadeAction { get; } + protected virtual void CascadeAfterSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; + protected virtual System.Threading.Tasks.Task CascadeAfterSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void CascadeBeforeSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; + protected virtual System.Threading.Tasks.Task CascadeBeforeSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + protected AbstractSaveEventListener() => throw null; + protected virtual NHibernate.Event.Default.EntityState GetEntityState(object entity, string entityName, NHibernate.Engine.EntityEntry entry, NHibernate.Engine.ISessionImplementor source) => throw null; + protected virtual System.Threading.Tasks.Task GetEntityStateAsync(object entity, string entityName, NHibernate.Engine.EntityEntry entry, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual string GetLoggableName(string entityName, object entity) => throw null; + protected virtual System.Collections.IDictionary GetMergeMap(object anything) => throw null; + protected virtual bool InvokeSaveLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; + protected virtual object PerformSave(object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; + protected virtual System.Threading.Tasks.Task PerformSaveAsync(object entity, object id, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object PerformSaveOrReplicate(object entity, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; + protected virtual System.Threading.Tasks.Task PerformSaveOrReplicateAsync(object entity, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, bool useIdentityColumn, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object SaveWithGeneratedId(object entity, string entityName, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess) => throw null; + protected virtual System.Threading.Tasks.Task SaveWithGeneratedIdAsync(object entity, string entityName, object anything, NHibernate.Event.IEventSource source, bool requiresImmediateIdAccess, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object SaveWithRequestedId(object entity, object requestedId, string entityName, object anything, NHibernate.Event.IEventSource source) => throw null; + protected virtual System.Threading.Tasks.Task SaveWithRequestedIdAsync(object entity, object requestedId, string entityName, object anything, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool SubstituteValuesIfNecessary(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source) => throw null; + protected virtual System.Threading.Tasks.Task SubstituteValuesIfNecessaryAsync(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void Validate(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; + protected virtual bool VersionIncrementDisabled { get => throw null; } + protected virtual bool VisitCollectionsBeforeSave(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source) => throw null; + protected virtual System.Threading.Tasks.Task VisitCollectionsBeforeSaveAsync(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.CriteriaLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CriteriaLoader : NHibernate.Loader.OuterJoinLoader + public abstract class AbstractVisitor { - protected override NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sqlSelectString, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; - protected override bool AreResultSetRowsTransformedImmediately() => throw null; - public CriteriaLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl rootCriteria, string rootEntityName, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } - public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer customResultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer customResultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool[] IncludeInResultRow { get => throw null; } - protected override bool IsChildFetchEntity(int i) => throw null; - protected override bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; - public override bool IsSubselectLoadingEnabled { get => throw null; } - public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override string[] ResultRowAliases { get => throw null; } - public NHibernate.Loader.Criteria.CriteriaQueryTranslator Translator { get => throw null; } + public AbstractVisitor(NHibernate.Event.IEventSource session) => throw null; + public void ProcessEntityPropertyValues(object[] values, NHibernate.Type.IType[] types) => throw null; + public System.Threading.Tasks.Task ProcessEntityPropertyValuesAsync(object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Event.IEventSource Session { get => throw null; } } - - // Generated from `NHibernate.Loader.Criteria.CriteriaQueryTranslator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CriteriaQueryTranslator : NHibernate.Loader.Criteria.ISupportEntityProjectionCriteriaQuery, NHibernate.Criterion.ICriteriaQuery + public class DefaultAutoFlushEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IAutoFlushEventListener { - public System.Collections.Generic.ICollection CollectedParameterSpecifications { get => throw null; } - public System.Collections.Generic.ICollection CollectedParameters { get => throw null; } - public NHibernate.SqlCommand.Parameter CreateSkipParameter(int value) => throw null; - public NHibernate.SqlCommand.Parameter CreateTakeParameter(int value) => throw null; - public CriteriaQueryTranslator(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl criteria, string rootEntityName, string rootSQLAlias, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; - public CriteriaQueryTranslator(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl criteria, string rootEntityName, string rootSQLAlias) => throw null; - // Generated from `NHibernate.Loader.Criteria.CriteriaQueryTranslator+EntityJoinInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityJoinInfo - { - public NHibernate.ICriteria Criteria; - public EntityJoinInfo() => throw null; - public NHibernate.Persister.Entity.IQueryable Persister; - } - - - public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public string GenerateSQLAlias() => throw null; - public System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; - public string GetColumn(NHibernate.ICriteria criteria, string propertyName) => throw null; - public string[] GetColumnAliasesUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public string[] GetColumns(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public string[] GetColumnsUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public NHibernate.ICriteria GetCriteria(string path, string critAlias) => throw null; - public NHibernate.ICriteria GetCriteria(string path) => throw null; - public string GetEntityName(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public string GetEntityName(NHibernate.ICriteria criteria) => throw null; - public System.Collections.Generic.IList GetEntityProjections() => throw null; - public NHibernate.SqlCommand.SqlString GetGroupBy() => throw null; - public NHibernate.SqlCommand.SqlString GetHavingCondition() => throw null; - public string[] GetIdentifierColumns(NHibernate.ICriteria subcriteria) => throw null; - public NHibernate.Type.IType GetIdentifierType(NHibernate.ICriteria subcriteria) => throw null; - public int GetIndexForAlias() => throw null; - public NHibernate.SqlCommand.JoinType GetJoinType(string path, string critAlias) => throw null; - public NHibernate.SqlCommand.JoinType GetJoinType(string path) => throw null; - public NHibernate.SqlCommand.SqlString GetOrderBy() => throw null; - public string GetPropertyName(string propertyName) => throw null; - public NHibernate.Engine.QueryParameters GetQueryParameters() => throw null; - public System.Collections.Generic.ISet GetQuerySpaces() => throw null; - public string GetSQLAlias(NHibernate.ICriteria criteria, string propertyName) => throw null; - public string GetSQLAlias(NHibernate.ICriteria criteria) => throw null; - public NHibernate.SqlCommand.SqlString GetSelect() => throw null; - public NHibernate.Type.IType GetType(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public NHibernate.Type.IType GetTypeUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; - public NHibernate.Engine.TypedValue GetTypedIdentifierValue(NHibernate.ICriteria subcriteria, object value) => throw null; - public NHibernate.Engine.TypedValue GetTypedValue(NHibernate.ICriteria subcriteria, string propertyName, object value) => throw null; - public NHibernate.SqlCommand.SqlString GetWhereCondition() => throw null; - public NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; - public NHibernate.SqlCommand.SqlString GetWithClause(string path) => throw null; - protected static bool HasGroupedOrAggregateProjection(NHibernate.Criterion.IProjection[] projections) => throw null; - public bool HasProjection { get => throw null; } - public bool IsJoin(string path, string critAlias) => throw null; - public bool IsJoin(string path) => throw null; - public System.Collections.Generic.IEnumerable NewQueryParameter(NHibernate.Engine.TypedValue parameter) => throw null; - public string[] ProjectedAliases { get => throw null; } - public string[] ProjectedColumnAliases { get => throw null; } - public NHibernate.Type.IType[] ProjectedTypes { get => throw null; } - public void RegisterEntityProjection(NHibernate.Criterion.EntityProjection projection) => throw null; - public NHibernate.SqlCommand.SqlString RenderSQLAliases(NHibernate.SqlCommand.SqlString sqlTemplate) => throw null; - public NHibernate.Impl.CriteriaImpl RootCriteria { get => throw null; } - NHibernate.ICriteria NHibernate.Loader.Criteria.ISupportEntityProjectionCriteriaQuery.RootCriteria { get => throw null; } - public string RootSQLAlias { get => throw null; } - public static string RootSqlAlias; - public int SQLAliasCount { get => throw null; } - public bool TryGetType(NHibernate.ICriteria subcriteria, string propertyName, out NHibernate.Type.IType type) => throw null; - public System.Collections.Generic.ISet UncacheableCollectionPersisters { get => throw null; } + public DefaultAutoFlushEventListener() => throw null; + public virtual void OnAutoFlush(NHibernate.Event.AutoFlushEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnAutoFlushAsync(NHibernate.Event.AutoFlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.EntityCriteriaInfoProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + public class DefaultDeleteEventListener : NHibernate.Event.IDeleteEventListener { - public EntityCriteriaInfoProvider(NHibernate.Persister.Entity.IQueryable persister) => throw null; - public NHibernate.Type.IType GetType(string relativePath) => throw null; - public string Name { get => throw null; } - public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } - public string[] Spaces { get => throw null; } + protected virtual void CascadeAfterDelete(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.Generic.ISet transientEntities) => throw null; + protected virtual System.Threading.Tasks.Task CascadeAfterDeleteAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void CascadeBeforeDelete(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, NHibernate.Engine.EntityEntry entityEntry, System.Collections.Generic.ISet transientEntities) => throw null; + protected virtual System.Threading.Tasks.Task CascadeBeforeDeleteAsync(NHibernate.Event.IEventSource session, NHibernate.Persister.Entity.IEntityPersister persister, object entity, NHibernate.Engine.EntityEntry entityEntry, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + public DefaultDeleteEventListener() => throw null; + protected virtual void DeleteEntity(NHibernate.Event.IEventSource session, object entity, NHibernate.Engine.EntityEntry entityEntry, bool isCascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities) => throw null; + protected virtual System.Threading.Tasks.Task DeleteEntityAsync(NHibernate.Event.IEventSource session, object entity, NHibernate.Engine.EntityEntry entityEntry, bool isCascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void DeleteTransientEntity(NHibernate.Event.IEventSource session, object entity, bool cascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities) => throw null; + protected virtual System.Threading.Tasks.Task DeleteTransientEntityAsync(NHibernate.Event.IEventSource session, object entity, bool cascadeDeleteEnabled, NHibernate.Persister.Entity.IEntityPersister persister, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool InvokeDeleteLifecycle(NHibernate.Event.IEventSource session, object entity, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public virtual void OnDelete(NHibernate.Event.DeleteEvent @event) => throw null; + public virtual void OnDelete(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities) => throw null; + public virtual System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void PerformDetachedEntityDeletionCheck(NHibernate.Event.DeleteEvent @event) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.ICriteriaInfoProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICriteriaInfoProvider + public class DefaultDirtyCheckEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IDirtyCheckEventListener { - NHibernate.Type.IType GetType(string relativePath); - string Name { get; } - NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get; } - string[] Spaces { get; } + protected override object Anything { get => throw null; } + protected override NHibernate.Engine.CascadingAction CascadingAction { get => throw null; } + public DefaultDirtyCheckEventListener() => throw null; + public virtual void OnDirtyCheck(NHibernate.Event.DirtyCheckEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnDirtyCheckAsync(NHibernate.Event.DirtyCheckEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.ISupportEntityProjectionCriteriaQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISupportEntityProjectionCriteriaQuery + public class DefaultEvictEventListener : NHibernate.Event.IEvictEventListener { - void RegisterEntityProjection(NHibernate.Criterion.EntityProjection projection); - NHibernate.ICriteria RootCriteria { get; } + public DefaultEvictEventListener() => throw null; + protected virtual void DoEvict(object obj, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource session) => throw null; + protected virtual System.Threading.Tasks.Task DoEvictAsync(object obj, NHibernate.Engine.EntityKey key, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void OnEvict(NHibernate.Event.EvictEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnEvictAsync(NHibernate.Event.EvictEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Criteria.ScalarCollectionCriteriaInfoProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ScalarCollectionCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + public class DefaultFlushEntityEventListener : NHibernate.Event.IFlushEntityEventListener { - public NHibernate.Type.IType GetType(string relativePath) => throw null; - public string Name { get => throw null; } - public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } - public ScalarCollectionCriteriaInfoProvider(NHibernate.Hql.Util.SessionFactoryHelper helper, string role) => throw null; - public string[] Spaces { get => throw null; } + public virtual void CheckId(object obj, NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; + public DefaultFlushEntityEventListener() => throw null; + protected virtual void DirtyCheck(NHibernate.Event.FlushEntityEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task DirtyCheckAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool HandleInterception(NHibernate.Event.FlushEntityEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task HandleInterceptionAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool InvokeInterceptor(NHibernate.Engine.ISessionImplementor session, object entity, NHibernate.Engine.EntityEntry entry, object[] values, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected bool IsUpdateNecessary(NHibernate.Event.FlushEntityEvent @event) => throw null; + protected System.Threading.Tasks.Task IsUpdateNecessaryAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void OnFlushEntity(NHibernate.Event.FlushEntityEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnFlushEntityAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void Validate(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.Status status) => throw null; } - - } - namespace Custom - { - // Generated from `NHibernate.Loader.Custom.CollectionFetchReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionFetchReturn : NHibernate.Loader.Custom.FetchReturn + public class DefaultFlushEventListener : NHibernate.Event.Default.AbstractFlushingEventListener, NHibernate.Event.IFlushEventListener { - public NHibernate.Loader.ICollectionAliases CollectionAliases { get => throw null; } - public CollectionFetchReturn(string alias, NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, NHibernate.Loader.ICollectionAliases collectionAliases, NHibernate.Loader.IEntityAliases elementEntityAliases, NHibernate.LockMode lockMode) : base(default(NHibernate.Loader.Custom.NonScalarReturn), default(string), default(string), default(NHibernate.LockMode)) => throw null; - public NHibernate.Loader.IEntityAliases ElementEntityAliases { get => throw null; } + public DefaultFlushEventListener() => throw null; + public virtual void OnFlush(NHibernate.Event.FlushEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnFlushAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.CollectionReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionReturn : NHibernate.Loader.Custom.NonScalarReturn + public class DefaultInitializeCollectionEventListener : NHibernate.Event.IInitializeCollectionEventListener { - public NHibernate.Loader.ICollectionAliases CollectionAliases { get => throw null; } - public CollectionReturn(string alias, string ownerEntityName, string ownerProperty, NHibernate.Loader.ICollectionAliases collectionAliases, NHibernate.Loader.IEntityAliases elementEntityAliases, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; - public NHibernate.Loader.IEntityAliases ElementEntityAliases { get => throw null; } - public string OwnerEntityName { get => throw null; } - public string OwnerProperty { get => throw null; } + public DefaultInitializeCollectionEventListener() => throw null; + public virtual void OnInitializeCollection(NHibernate.Event.InitializeCollectionEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnInitializeCollectionAsync(NHibernate.Event.InitializeCollectionEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.ColumnCollectionAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnCollectionAliases : NHibernate.Loader.ICollectionAliases + public class DefaultLoadEventListener : NHibernate.Event.Default.AbstractLockUpgradeEventListener, NHibernate.Event.ILoadEventListener { - public ColumnCollectionAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Collection.ISqlLoadableCollection persister) => throw null; - public string Suffix { get => throw null; } - public string[] SuffixedElementAliases { get => throw null; } - public string SuffixedIdentifierAlias { get => throw null; } - public string[] SuffixedIndexAliases { get => throw null; } - public string[] SuffixedKeyAliases { get => throw null; } - public override string ToString() => throw null; + public DefaultLoadEventListener() => throw null; + public static NHibernate.LockMode DefaultLockMode; + protected virtual object DoLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task DoLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(NHibernate.Engine.ISessionFactoryImplementor factory, string entityName) => throw null; + public static object InconsistentRTNClassMarker; + protected virtual object Load(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task LoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object LoadFromDatasource(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task LoadFromDatasourceAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object LoadFromSecondLevelCache(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task LoadFromSecondLevelCacheAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object LoadFromSessionCache(NHibernate.Event.LoadEvent @event, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task LoadFromSessionCacheAsync(NHibernate.Event.LoadEvent @event, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object LockAndLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, NHibernate.Engine.ISessionImplementor source) => throw null; + protected virtual System.Threading.Tasks.Task LockAndLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void OnLoad(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType) => throw null; + public virtual System.Threading.Tasks.Task OnLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object ProxyOrLoad(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options) => throw null; + protected virtual System.Threading.Tasks.Task ProxyOrLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.EntityKey keyToLoad, NHibernate.Event.LoadType options, System.Threading.CancellationToken cancellationToken) => throw null; + public static object RemovedEntityMarker; } - - // Generated from `NHibernate.Loader.Custom.ColumnEntityAliases` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnEntityAliases : NHibernate.Loader.DefaultEntityAliases + public class DefaultLockEventListener : NHibernate.Event.Default.AbstractLockUpgradeEventListener, NHibernate.Event.ILockEventListener { - public ColumnEntityAliases(System.Collections.Generic.IDictionary returnProperties, NHibernate.Persister.Entity.ILoadable persister, string suffix) : base(default(NHibernate.Persister.Entity.ILoadable), default(string)) => throw null; - protected override string GetDiscriminatorAlias(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - protected override string[] GetIdentifierAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; - protected override string[] GetPropertyAliases(NHibernate.Persister.Entity.ILoadable persister, int j) => throw null; + public DefaultLockEventListener() => throw null; + public virtual void OnLock(NHibernate.Event.LockEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnLockAsync(NHibernate.Event.LockEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.CustomLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CustomLoader : NHibernate.Loader.Loader + public class DefaultMergeEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IMergeEventListener { - protected internal override void AutoDiscoverTypes(System.Data.Common.DbDataReader rs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; - protected override NHibernate.Loader.ICollectionAliases[] CollectionAliases { get => throw null; } - protected override int[] CollectionOwners { get => throw null; } - protected internal override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } - public CustomLoader(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override NHibernate.Loader.IEntityAliases[] EntityAliases { get => throw null; } - public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } - public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModesMap) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Loader.Custom.CustomLoader+IResultColumnProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IResultColumnProcessor - { - object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases); - } - - - protected override bool[] IncludeInResultRow { get => throw null; } - public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Loader.Custom.CustomLoader+MetaData` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MetaData - { - public int GetColumnCount() => throw null; - public string GetColumnName(int position) => throw null; - public int GetColumnPosition(string columnName) => throw null; - public NHibernate.Type.IType GetHibernateType(int columnPos) => throw null; - public MetaData(System.Data.Common.DbDataReader resultSet) => throw null; - } - - - public System.Collections.Generic.IEnumerable NamedParameters { get => throw null; } - // Generated from `NHibernate.Loader.Custom.CustomLoader+NonScalarResultColumnProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonScalarResultColumnProcessor : NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor - { - public object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NonScalarResultColumnProcessor(int position) => throw null; - public void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases) => throw null; - } - - - protected override int[] Owners { get => throw null; } - public override string QueryIdentifier { get => throw null; } - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - protected override void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override string[] ResultRowAliases { get => throw null; } - // Generated from `NHibernate.Loader.Custom.CustomLoader+ResultRowProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultRowProcessor - { - public object[] BuildResultRow(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; - public object BuildResultRow(object[] data, System.Data.Common.DbDataReader resultSet, bool hasTransformer, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task BuildResultRowAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task BuildResultRowAsync(object[] data, System.Data.Common.DbDataReader resultSet, bool hasTransformer, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor[] ColumnProcessors { get => throw null; } - public void PrepareForAutoDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata) => throw null; - public ResultRowProcessor(bool hasScalars, NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor[] columnProcessors) => throw null; - } - - - public string[] ReturnAliases { get => throw null; } - // Generated from `NHibernate.Loader.Custom.CustomLoader+ScalarResultColumnProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ScalarResultColumnProcessor : NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor - { - public object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases) => throw null; - public ScalarResultColumnProcessor(string alias, NHibernate.Type.IType type) => throw null; - public ScalarResultColumnProcessor(int position) => throw null; - } - - - public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + protected override bool? AssumedUnsaved { get => throw null; } + protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } + protected override void CascadeAfterSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; + protected override System.Threading.Tasks.Task CascadeAfterSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + protected override void CascadeBeforeSave(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything) => throw null; + protected override System.Threading.Tasks.Task CascadeBeforeSaveAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, object anything, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void CascadeOnMerge(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.IDictionary copyCache) => throw null; + protected virtual System.Threading.Tasks.Task CascadeOnMergeAsync(NHibernate.Event.IEventSource source, NHibernate.Persister.Entity.IEntityPersister persister, object entity, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void CopyValues(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache) => throw null; + protected virtual void CopyValues(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; + protected virtual System.Threading.Tasks.Task CopyValuesAsync(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.Tasks.Task CopyValuesAsync(NHibernate.Persister.Entity.IEntityPersister persister, object entity, object target, NHibernate.Engine.ISessionImplementor source, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; + public DefaultMergeEventListener() => throw null; + protected virtual void EntityIsDetached(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsDetachedAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void EntityIsPersistent(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsPersistentAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void EntityIsTransient(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Collections.IDictionary GetMergeMap(object anything) => throw null; + protected NHibernate.Event.Default.EventCache GetTransientCopyCache(NHibernate.Event.MergeEvent @event, NHibernate.Event.Default.EventCache copyCache) => throw null; + protected System.Threading.Tasks.Task GetTransientCopyCacheAsync(NHibernate.Event.MergeEvent @event, NHibernate.Event.Default.EventCache copyCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool InvokeUpdateLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; + public virtual void OnMerge(NHibernate.Event.MergeEvent @event) => throw null; + public virtual void OnMerge(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready) => throw null; + public virtual System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + protected void RetryMergeTransientEntities(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary transientCopyCache, NHibernate.Event.Default.EventCache copyCache) => throw null; + protected System.Threading.Tasks.Task RetryMergeTransientEntitiesAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary transientCopyCache, NHibernate.Event.Default.EventCache copyCache, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.EntityFetchReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityFetchReturn : NHibernate.Loader.Custom.FetchReturn + public class DefaultPersistEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IPersistEventListener { - public NHibernate.Loader.IEntityAliases EntityAliases { get => throw null; } - public EntityFetchReturn(string alias, NHibernate.Loader.IEntityAliases entityAliases, NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, NHibernate.LockMode lockMode) : base(default(NHibernate.Loader.Custom.NonScalarReturn), default(string), default(string), default(NHibernate.LockMode)) => throw null; + protected override bool? AssumedUnsaved { get => throw null; } + protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } + public DefaultPersistEventListener() => throw null; + protected virtual void EntityIsPersistent(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsPersistentAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void EntityIsTransient(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createCache, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual void OnPersist(NHibernate.Event.PersistEvent @event) => throw null; + public virtual void OnPersist(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready) => throw null; + public virtual System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.FetchReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class FetchReturn : NHibernate.Loader.Custom.NonScalarReturn + public class DefaultPersistOnFlushEventListener : NHibernate.Event.Default.DefaultPersistEventListener + { + protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } + public DefaultPersistOnFlushEventListener() => throw null; + } + public class DefaultPostLoadEventListener : NHibernate.Event.IPostLoadEventListener + { + public DefaultPostLoadEventListener() => throw null; + public virtual void OnPostLoad(NHibernate.Event.PostLoadEvent @event) => throw null; + } + public class DefaultPreLoadEventListener : NHibernate.Event.IPreLoadEventListener + { + public DefaultPreLoadEventListener() => throw null; + public virtual void OnPreLoad(NHibernate.Event.PreLoadEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnPreLoadAsync(NHibernate.Event.PreLoadEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class DefaultRefreshEventListener : NHibernate.Event.IRefreshEventListener + { + public DefaultRefreshEventListener() => throw null; + public virtual void OnRefresh(NHibernate.Event.RefreshEvent @event) => throw null; + public virtual void OnRefresh(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready) => throw null; + public virtual System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class DefaultReplicateEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.IReplicateEventListener { - public FetchReturn(NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, string alias, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; - public NHibernate.Loader.Custom.NonScalarReturn Owner { get => throw null; } - public string OwnerProperty { get => throw null; } + protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } + public DefaultReplicateEventListener() => throw null; + public virtual void OnReplicate(NHibernate.Event.ReplicateEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnReplicateAsync(NHibernate.Event.ReplicateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool SubstituteValuesIfNecessary(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source) => throw null; + protected override System.Threading.Tasks.Task SubstituteValuesIfNecessaryAsync(object entity, object id, object[] values, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.ISessionImplementor source, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool VersionIncrementDisabled { get => throw null; } + protected override bool VisitCollectionsBeforeSave(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source) => throw null; + protected override System.Threading.Tasks.Task VisitCollectionsBeforeSaveAsync(object entity, object id, object[] values, NHibernate.Type.IType[] types, NHibernate.Event.IEventSource source, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.ICustomQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICustomQuery + public class DefaultSaveEventListener : NHibernate.Event.Default.DefaultSaveOrUpdateEventListener { - System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get; } - System.Collections.Generic.IList CustomQueryReturns { get; } - System.Collections.Generic.ISet QuerySpaces { get; } - NHibernate.SqlCommand.SqlString SQL { get; } + public DefaultSaveEventListener() => throw null; + protected override object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected override System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool ReassociateIfUninitializedProxy(object obj, NHibernate.Engine.ISessionImplementor source) => throw null; } - - // Generated from `NHibernate.Loader.Custom.IReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IReturn + public class DefaultSaveOrUpdateEventListener : NHibernate.Event.Default.AbstractSaveEventListener, NHibernate.Event.ISaveOrUpdateEventListener { + protected override NHibernate.Engine.CascadingAction CascadeAction { get => throw null; } + public DefaultSaveOrUpdateEventListener() => throw null; + protected virtual void EntityIsDetached(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsDetachedAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object EntityIsPersistent(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected virtual object EntityIsTransient(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task EntityIsTransientAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object GetUpdateId(object entity, NHibernate.Persister.Entity.IEntityPersister persister, object requestedId) => throw null; + protected virtual bool InvokeUpdateLifecycle(object entity, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) => throw null; + public virtual void OnSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + public virtual System.Threading.Tasks.Task OnSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void PerformUpdate(NHibernate.Event.SaveOrUpdateEvent @event, object entity, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected virtual System.Threading.Tasks.Task PerformUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, object entity, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual bool ReassociateIfUninitializedProxy(object obj, NHibernate.Engine.ISessionImplementor source) => throw null; + protected virtual object SaveWithGeneratedOrRequestedId(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected virtual System.Threading.Tasks.Task SaveWithGeneratedOrRequestedIdAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.NonScalarReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NonScalarReturn : NHibernate.Loader.Custom.IReturn + public class DefaultUpdateEventListener : NHibernate.Event.Default.DefaultSaveOrUpdateEventListener { - public string Alias { get => throw null; } - public NHibernate.LockMode LockMode { get => throw null; } - public NonScalarReturn(string alias, NHibernate.LockMode lockMode) => throw null; + public DefaultUpdateEventListener() => throw null; + protected override object GetUpdateId(object entity, NHibernate.Persister.Entity.IEntityPersister persister, object requestedId) => throw null; + protected override object PerformSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected override System.Threading.Tasks.Task PerformSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; + protected override object SaveWithGeneratedOrRequestedId(NHibernate.Event.SaveOrUpdateEvent @event) => throw null; + protected override System.Threading.Tasks.Task SaveWithGeneratedOrRequestedIdAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Loader.Custom.RootReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RootReturn : NHibernate.Loader.Custom.NonScalarReturn + public class DirtyCollectionSearchVisitor : NHibernate.Event.Default.AbstractVisitor { - public NHibernate.Loader.IEntityAliases EntityAliases { get => throw null; } - public string EntityName { get => throw null; } - public RootReturn(string alias, string entityName, NHibernate.Loader.IEntityAliases entityAliases, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; + public DirtyCollectionSearchVisitor(NHibernate.Event.IEventSource session, bool[] propertyVersionability) : base(default(NHibernate.Event.IEventSource)) => throw null; + public bool WasDirtyCollectionFound { get => throw null; } } - - // Generated from `NHibernate.Loader.Custom.ScalarReturn` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ScalarReturn : NHibernate.Loader.Custom.IReturn + public enum EntityState { - public string ColumnAlias { get => throw null; } - public ScalarReturn(NHibernate.Type.IType type, string columnAlias) => throw null; - public NHibernate.Type.IType Type { get => throw null; } + Undefined = -1, + Persistent = 0, + Transient = 1, + Detached = 2, + Deleted = 3, } - - namespace Sql + public class EventCache : System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable { - // Generated from `NHibernate.Loader.Custom.Sql.SQLCustomQuery` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLCustomQuery : NHibernate.Loader.Custom.ICustomQuery - { - public System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get => throw null; } - public System.Collections.Generic.IList CustomQueryReturns { get => throw null; } - public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public NHibernate.SqlCommand.SqlString SQL { get => throw null; } - public SQLCustomQuery(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, string sqlQuery, System.Collections.Generic.ICollection additionalQuerySpaces, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - - // Generated from `NHibernate.Loader.Custom.Sql.SQLQueryParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLQueryParser - { - public System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get => throw null; } - // Generated from `NHibernate.Loader.Custom.Sql.SQLQueryParser+IParserContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IParserContext - { - NHibernate.Persister.Collection.ISqlLoadableCollection GetCollectionPersisterByAlias(string alias); - string GetCollectionSuffixByAlias(string alias); - NHibernate.Persister.Entity.ISqlLoadable GetEntityPersisterByAlias(string alias); - string GetEntitySuffixByAlias(string alias); - System.Collections.Generic.IDictionary GetPropertyResultsMapByAlias(string alias); - bool IsCollectionAlias(string aliasName); - bool IsEntityAlias(string aliasName); - } - - - // Generated from `NHibernate.Loader.Custom.Sql.SQLQueryParser+ParameterSubstitutionRecognizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ParameterSubstitutionRecognizer : NHibernate.Engine.Query.ParameterParser.IRecognizer - { - public void JpaPositionalParameter(string name, int position) => throw null; - public void NamedParameter(string name, int position) => throw null; - public void OrdinalParameter(int position) => throw null; - public void Other(string sqlPart) => throw null; - public void Other(System.Char character) => throw null; - public void OutParameter(int position) => throw null; - public ParameterSubstitutionRecognizer(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public System.Collections.Generic.IEnumerable ParametersSpecifications { get => throw null; } - } - - - public NHibernate.SqlCommand.SqlString Process() => throw null; - public bool QueryHasAliases { get => throw null; } - public SQLQueryParser(NHibernate.Engine.ISessionFactoryImplementor factory, string sqlQuery, NHibernate.Loader.Custom.Sql.SQLQueryParser.IParserContext context) => throw null; - } - - // Generated from `NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SQLQueryReturnProcessor - { - public System.Collections.IList GenerateCustomReturns(bool queryHadAliases) => throw null; - public NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor.ResultAliasContext Process() => throw null; - // Generated from `NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor+ResultAliasContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ResultAliasContext - { - public NHibernate.Persister.Collection.ISqlLoadableCollection GetCollectionPersister(string alias) => throw null; - public string GetCollectionSuffix(string alias) => throw null; - public NHibernate.Persister.Entity.ISqlLoadable GetEntityPersister(string alias) => throw null; - public string GetEntitySuffix(string alias) => throw null; - public string GetOwnerAlias(string alias) => throw null; - public System.Collections.Generic.IDictionary GetPropertyResultsMap(string alias) => throw null; - public ResultAliasContext(NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor parent) => throw null; - } - - - public SQLQueryReturnProcessor(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - + public void Add(object key, object value) => throw null; + public void Add(object entity, object copy, bool isOperatedOn) => throw null; + public void Clear() => throw null; + public bool Contains(object key) => throw null; + public void CopyTo(System.Array array, int index) => throw null; + public int Count { get => throw null; } + public EventCache() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; + public System.Collections.IDictionary InvertMap() => throw null; + public bool IsFixedSize { get => throw null; } + public bool IsOperatedOn(object entity) => throw null; + public bool IsReadOnly { get => throw null; } + public bool IsSynchronized { get => throw null; } + public System.Collections.ICollection Keys { get => throw null; } + public void Remove(object key) => throw null; + public void SetOperatedOn(object entity, bool isOperatedOn) => throw null; + public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } + public System.Collections.ICollection Values { get => throw null; } } - } - namespace Entity - { - // Generated from `NHibernate.Loader.Entity.AbstractEntityLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEntityLoader : NHibernate.Loader.OuterJoinLoader, NHibernate.Loader.Entity.IUniqueEntityLoader + public class EvictVisitor : NHibernate.Event.Default.AbstractVisitor { - protected AbstractEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Type.IType uniqueKeyType, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool IsSingleRowLoader { get => throw null; } - public object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session) => throw null; - protected virtual object Load(NHibernate.Engine.ISessionImplementor session, object id, object optionalObject, object optionalId) => throw null; - public System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected virtual System.Threading.Tasks.Task LoadAsync(NHibernate.Engine.ISessionImplementor session, object id, object optionalObject, object optionalId, System.Threading.CancellationToken cancellationToken) => throw null; - protected NHibernate.Type.IType UniqueKeyType { get => throw null; set => throw null; } - protected string entityName; - protected static NHibernate.INHibernateLogger log; - protected NHibernate.Persister.Entity.IOuterJoinLoadable persister; + public EvictVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; + public virtual void EvictCollection(object value, NHibernate.Type.CollectionType type) => throw null; } - - // Generated from `NHibernate.Loader.Entity.BatchingEntityLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BatchingEntityLoader : NHibernate.Loader.Entity.IUniqueEntityLoader + public class FlushVisitor : NHibernate.Event.Default.AbstractVisitor { - public BatchingEntityLoader(NHibernate.Persister.Entity.IEntityPersister persister, int[] batchSizes, NHibernate.Loader.Loader[] loaders) => throw null; - public static NHibernate.Loader.Entity.IUniqueEntityLoader CreateBatchingEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int maxBatchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public FlushVisitor(NHibernate.Event.IEventSource session, object owner) : base(default(NHibernate.Event.IEventSource)) => throw null; } - - // Generated from `NHibernate.Loader.Entity.CascadeEntityJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CascadeEntityJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + public class OnLockVisitor : NHibernate.Event.Default.ReattachVisitor { - public CascadeEntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.CascadingAction action, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public override string Comment { get => throw null; } - protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; - protected override bool IsTooManyCollections { get => throw null; } + public OnLockVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Loader.Entity.CascadeEntityLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CascadeEntityLoader : NHibernate.Loader.Entity.AbstractEntityLoader + public class OnReplicateVisitor : NHibernate.Event.Default.ReattachVisitor { - public CascadeEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.CascadingAction action, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public OnReplicateVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner, bool isUpdate) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Loader.Entity.CollectionElementLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionElementLoader : NHibernate.Loader.OuterJoinLoader + public class OnUpdateVisitor : NHibernate.Event.Default.ReattachVisitor { - public CollectionElementLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer transformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer transformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool IsSingleRowLoader { get => throw null; } - public virtual object LoadElement(NHibernate.Engine.ISessionImplementor session, object key, object index) => throw null; - public virtual System.Threading.Tasks.Task LoadElementAsync(NHibernate.Engine.ISessionImplementor session, object key, object index, System.Threading.CancellationToken cancellationToken) => throw null; + public OnUpdateVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Loader.Entity.EntityJoinWalker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + public abstract class ProxyVisitor : NHibernate.Event.Default.AbstractVisitor { - public override string Comment { get => throw null; } - public EntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string[] uniqueKey, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override string GenerateAliasForColumn(string rootAlias, string column) => throw null; - protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + public ProxyVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; + protected static bool IsOwnerUnchanged(NHibernate.Collection.IPersistentCollection snapshot, NHibernate.Persister.Collection.ICollectionPersister persister, object id) => throw null; + protected void ReattachCollection(NHibernate.Collection.IPersistentCollection collection, NHibernate.Type.CollectionType type) => throw null; } - - // Generated from `NHibernate.Loader.Entity.EntityLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityLoader : NHibernate.Loader.Entity.AbstractEntityLoader + public abstract class ReattachVisitor : NHibernate.Event.Default.ProxyVisitor { - public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string[] uniqueKey, NHibernate.Type.IType uniqueKeyType, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; - protected override bool IsSingleRowLoader { get => throw null; } - public object LoadByUniqueKey(NHibernate.Engine.ISessionImplementor session, object key) => throw null; - public System.Threading.Tasks.Task LoadByUniqueKeyAsync(NHibernate.Engine.ISessionImplementor session, object key, System.Threading.CancellationToken cancellationToken) => throw null; + protected ReattachVisitor(NHibernate.Event.IEventSource session, object ownerIdentifier, object owner) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Owner { get => throw null; } + public object OwnerIdentifier { get => throw null; } } - - // Generated from `NHibernate.Loader.Entity.IUniqueEntityLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUniqueEntityLoader + public class WrapVisitor : NHibernate.Event.Default.ProxyVisitor { - object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + public WrapVisitor(NHibernate.Event.IEventSource session) : base(default(NHibernate.Event.IEventSource)) => throw null; } - } - namespace Hql + public class DeleteEvent : NHibernate.Event.AbstractEvent + { + public bool CascadeDeleteEnabled { get => throw null; } + public DeleteEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public DeleteEvent(string entityName, object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public DeleteEvent(string entityName, object entity, bool isCascadeDeleteEnabled, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; } + public string EntityName { get => throw null; } + } + public class DirtyCheckEvent : NHibernate.Event.FlushEvent + { + public DirtyCheckEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public bool Dirty { get => throw null; set { } } + } + public class EventListeners + { + public NHibernate.Event.IAutoFlushEventListener[] AutoFlushEventListeners { get => throw null; set { } } + public EventListeners() => throw null; + public NHibernate.Event.IDeleteEventListener[] DeleteEventListeners { get => throw null; set { } } + public void DestroyListeners() => throw null; + public NHibernate.Event.IDirtyCheckEventListener[] DirtyCheckEventListeners { get => throw null; set { } } + public NHibernate.Event.IEvictEventListener[] EvictEventListeners { get => throw null; set { } } + public NHibernate.Event.IFlushEntityEventListener[] FlushEntityEventListeners { get => throw null; set { } } + public NHibernate.Event.IFlushEventListener[] FlushEventListeners { get => throw null; set { } } + public System.Type GetListenerClassFor(NHibernate.Event.ListenerType type) => throw null; + public NHibernate.Event.IInitializeCollectionEventListener[] InitializeCollectionEventListeners { get => throw null; set { } } + public virtual void InitializeListeners(NHibernate.Cfg.Configuration cfg) => throw null; + public NHibernate.Event.ILoadEventListener[] LoadEventListeners { get => throw null; set { } } + public NHibernate.Event.ILockEventListener[] LockEventListeners { get => throw null; set { } } + public NHibernate.Event.IMergeEventListener[] MergeEventListeners { get => throw null; set { } } + public NHibernate.Event.IPersistEventListener[] PersistEventListeners { get => throw null; set { } } + public NHibernate.Event.IPersistEventListener[] PersistOnFlushEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostCollectionRecreateEventListener[] PostCollectionRecreateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostCollectionRemoveEventListener[] PostCollectionRemoveEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostCollectionUpdateEventListener[] PostCollectionUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostDeleteEventListener[] PostCommitDeleteEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostInsertEventListener[] PostCommitInsertEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostUpdateEventListener[] PostCommitUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostDeleteEventListener[] PostDeleteEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostInsertEventListener[] PostInsertEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostLoadEventListener[] PostLoadEventListeners { get => throw null; set { } } + public NHibernate.Event.IPostUpdateEventListener[] PostUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreCollectionRecreateEventListener[] PreCollectionRecreateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreCollectionRemoveEventListener[] PreCollectionRemoveEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreCollectionUpdateEventListener[] PreCollectionUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreDeleteEventListener[] PreDeleteEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreInsertEventListener[] PreInsertEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreLoadEventListener[] PreLoadEventListeners { get => throw null; set { } } + public NHibernate.Event.IPreUpdateEventListener[] PreUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.IRefreshEventListener[] RefreshEventListeners { get => throw null; set { } } + public NHibernate.Event.IReplicateEventListener[] ReplicateEventListeners { get => throw null; set { } } + public NHibernate.Event.ISaveOrUpdateEventListener[] SaveEventListeners { get => throw null; set { } } + public NHibernate.Event.ISaveOrUpdateEventListener[] SaveOrUpdateEventListeners { get => throw null; set { } } + public NHibernate.Event.EventListeners ShallowCopy() => throw null; + public NHibernate.Event.ISaveOrUpdateEventListener[] UpdateEventListeners { get => throw null; set { } } + } + public class EvictEvent : NHibernate.Event.AbstractEvent + { + public EvictEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + } + public class FlushEntityEvent : NHibernate.Event.AbstractEvent + { + public FlushEntityEvent(NHibernate.Event.IEventSource source, object entity, NHibernate.Engine.EntityEntry entry) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object[] DatabaseSnapshot { get => throw null; set { } } + public bool DirtyCheckHandledByInterceptor { get => throw null; set { } } + public bool DirtyCheckPossible { get => throw null; set { } } + public int[] DirtyProperties { get => throw null; set { } } + public object Entity { get => throw null; } + public NHibernate.Engine.EntityEntry EntityEntry { get => throw null; } + public bool HasDatabaseSnapshot { get => throw null; } + public bool HasDirtyCollection { get => throw null; set { } } + public object[] PropertyValues { get => throw null; set { } } + } + public class FlushEvent : NHibernate.Event.AbstractEvent + { + public FlushEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + } + public interface IAutoFlushEventListener + { + void OnAutoFlush(NHibernate.Event.AutoFlushEvent @event); + System.Threading.Tasks.Task OnAutoFlushAsync(NHibernate.Event.AutoFlushEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IDatabaseEventArgs + { + NHibernate.Event.IEventSource Session { get; } + } + public interface IDeleteEventListener + { + void OnDelete(NHibernate.Event.DeleteEvent @event); + void OnDelete(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities); + System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task OnDeleteAsync(NHibernate.Event.DeleteEvent @event, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken); + } + public interface IDestructible { - // Generated from `NHibernate.Loader.Hql.QueryLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class QueryLoader : NHibernate.Loader.BasicLoader - { - protected override string[] Aliases { get => throw null; } - protected override NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; - protected override int[] CollectionOwners { get => throw null; } - protected internal override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } - protected override string[] CollectionSuffixes { get => throw null; } - protected override bool[] EntityEagerPropertyFetches { get => throw null; } - protected override System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } - public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } - protected override System.Collections.Generic.IDictionary GetCollectionUserProvidedAlias(int index) => throw null; - public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; - protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; - protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; - protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected override bool[] IncludeInResultRow { get => throw null; } - protected override bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; - public override bool IsSubselectLoadingEnabled { get => throw null; } - public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; - public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; - protected override NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } - protected override int[] Owners { get => throw null; } - public override string QueryIdentifier { get => throw null; } - public QueryLoader(NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl queryTranslator, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Hql.Ast.ANTLR.Tree.SelectClause selectClause) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; - protected override void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; - protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; - protected override string[] ResultRowAliases { get => throw null; } - public NHibernate.Type.IType[] ReturnTypes { get => throw null; } - public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } - protected override string[] Suffixes { get => throw null; } - protected override bool UpgradeLocks() => throw null; - } - + void Cleanup(); } - } - namespace Mapping - { - // Generated from `NHibernate.Mapping.AbstractAuxiliaryDatabaseObject` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractAuxiliaryDatabaseObject : NHibernate.Mapping.IRelationalModel, NHibernate.Mapping.IAuxiliaryDatabaseObject + public interface IDirtyCheckEventListener { - protected AbstractAuxiliaryDatabaseObject(System.Collections.Generic.HashSet dialectScopes) => throw null; - protected AbstractAuxiliaryDatabaseObject() => throw null; - public void AddDialectScope(string dialectName) => throw null; - public bool AppliesToDialect(NHibernate.Dialect.Dialect dialect) => throw null; - public System.Collections.Generic.HashSet DialectScopes { get => throw null; } - public System.Collections.Generic.IDictionary Parameters { get => throw null; } - public void SetParameterValues(System.Collections.Generic.IDictionary parameters) => throw null; - public abstract string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema); - public abstract string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema); + void OnDirtyCheck(NHibernate.Event.DirtyCheckEvent @event); + System.Threading.Tasks.Task OnDirtyCheckAsync(NHibernate.Event.DirtyCheckEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Any` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Any : NHibernate.Mapping.SimpleValue + public interface IEventSource : NHibernate.Engine.ISessionImplementor, NHibernate.ISession, System.IDisposable { - public Any(NHibernate.Mapping.Table table) => throw null; - public virtual string IdentifierTypeName { get => throw null; set => throw null; } - public virtual string MetaType { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary MetaValues { get => throw null; set => throw null; } - public void ResetCachedType() => throw null; - public override void SetTypeUsingReflection(string className, string propertyName, string access) => throw null; - public override NHibernate.Type.IType Type { get => throw null; } + NHibernate.Engine.ActionQueue ActionQueue { get; } + bool AutoFlushSuspended { get; } + void Delete(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities); + System.Threading.Tasks.Task DeleteAsync(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken); + void ForceFlush(NHibernate.Engine.EntityEntry e); + System.Threading.Tasks.Task ForceFlushAsync(NHibernate.Engine.EntityEntry e, System.Threading.CancellationToken cancellationToken); + object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id); + void Merge(string entityName, object obj, System.Collections.IDictionary copiedAlready); + System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); + void Persist(string entityName, object obj, System.Collections.IDictionary createdAlready); + System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken); + void PersistOnFlush(string entityName, object obj, System.Collections.IDictionary copiedAlready); + System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); + void Refresh(object obj, System.Collections.IDictionary refreshedAlready); + System.Threading.Tasks.Task RefreshAsync(object obj, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken); + System.IDisposable SuspendAutoFlush(); } - - // Generated from `NHibernate.Mapping.Array` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Array : NHibernate.Mapping.List + public interface IEvictEventListener { - public Array(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } - public System.Type ElementClass { get => throw null; } - public string ElementClassName { get => throw null; set => throw null; } - public override bool IsArray { get => throw null; } + void OnEvict(NHibernate.Event.EvictEvent @event); + System.Threading.Tasks.Task OnEvictAsync(NHibernate.Event.EvictEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Backref` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Backref : NHibernate.Mapping.Property + public interface IFlushEntityEventListener { - public override bool BackRef { get => throw null; } - public Backref() => throw null; - public string CollectionRole { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public override bool IsBasicPropertyAccessor { get => throw null; } - protected override NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } + void OnFlushEntity(NHibernate.Event.FlushEntityEvent @event); + System.Threading.Tasks.Task OnFlushEntityAsync(NHibernate.Event.FlushEntityEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Bag` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Bag : NHibernate.Mapping.Collection + public interface IFlushEventListener { - public Bag(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override void CreatePrimaryKey() => throw null; - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + void OnFlush(NHibernate.Event.FlushEvent @event); + System.Threading.Tasks.Task OnFlushAsync(NHibernate.Event.FlushEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Collection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Collection : NHibernate.Mapping.IValue, NHibernate.Mapping.IFilterable, NHibernate.Mapping.IFetchable + public interface IInitializable { - public object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; - public void AddFilter(string name, string condition) => throw null; - public void AddManyToManyFilter(string name, string condition) => throw null; - public int BatchSize { get => throw null; set => throw null; } - public string CacheConcurrencyStrategy { get => throw null; set => throw null; } - public string CacheRegionName { get => throw null; set => throw null; } - protected void CheckGenericArgumentsLength(int expectedLength) => throw null; - protected Collection(NHibernate.Mapping.PersistentClass owner) => throw null; - public System.Type CollectionPersisterClass { get => throw null; set => throw null; } - public NHibernate.Mapping.Table CollectionTable { get => throw null; set => throw null; } - public virtual NHibernate.Type.CollectionType CollectionType { get => throw null; } - public bool[] ColumnInsertability { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public bool[] ColumnUpdateability { get => throw null; } - public object Comparer { get => throw null; set => throw null; } - public string ComparerClassName { get => throw null; set => throw null; } - public virtual void CreateAllKeys() => throw null; - public void CreateForeignKey() => throw null; - public abstract void CreatePrimaryKey(); - public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLDeleteAll { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteAllCheckStyle { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } - public abstract NHibernate.Type.CollectionType DefaultCollectionType { get; } - public const string DefaultElementColumnName = default; - public const string DefaultKeyColumnName = default; - public NHibernate.Mapping.IValue Element { get => throw null; set => throw null; } - public bool ExtraLazy { get => throw null; set => throw null; } - public NHibernate.FetchMode FetchMode { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary FilterMap { get => throw null; } - public NHibernate.Mapping.Formula Formula { get => throw null; } - public System.Type[] GenericArguments { get => throw null; set => throw null; } - public virtual bool HasFormula { get => throw null; } - public bool HasOrder { get => throw null; } - public bool HasOrphanDelete { get => throw null; set => throw null; } - public virtual bool IsAlternateUniqueKey { get => throw null; } - public virtual bool IsArray { get => throw null; } - public bool IsCustomDeleteAllCallable { get => throw null; } - public bool IsCustomDeleteCallable { get => throw null; } - public bool IsCustomInsertCallable { get => throw null; } - public bool IsCustomUpdateCallable { get => throw null; } - public bool IsGeneric { get => throw null; set => throw null; } - public virtual bool IsIdentified { get => throw null; } - public virtual bool IsIndexed { get => throw null; } - public bool IsInverse { get => throw null; set => throw null; } - public bool IsLazy { get => throw null; set => throw null; } - public virtual bool IsMap { get => throw null; } - public bool IsMutable { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; } - public bool IsOneToMany { get => throw null; } - public bool IsOptimisticLocked { get => throw null; set => throw null; } - public virtual bool IsPrimitiveArray { get => throw null; } - public virtual bool IsSet { get => throw null; } - public bool IsSimpleValue { get => throw null; } - public bool IsSorted { get => throw null; set => throw null; } - public bool IsSubselectLoadable { get => throw null; set => throw null; } - public bool IsUnique { get => throw null; } - public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; - public NHibernate.Mapping.IKeyValue Key { get => throw null; set => throw null; } - public string LoaderName { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary ManyToManyFilterMap { get => throw null; } - public string ManyToManyOrdering { get => throw null; set => throw null; } - public string ManyToManyWhere { get => throw null; set => throw null; } - public string OrderBy { get => throw null; set => throw null; } - public NHibernate.Mapping.PersistentClass Owner { get => throw null; set => throw null; } - public string OwnerEntityName { get => throw null; } - public string ReferencedPropertyName { get => throw null; set => throw null; } - public string Role { get => throw null; set => throw null; } - public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLDeleteAll(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetTypeUsingReflection(string className, string propertyName, string access) => throw null; - public System.Collections.Generic.ISet SynchronizedTables { get => throw null; } - public NHibernate.Mapping.Table Table { get => throw null; } - public override string ToString() => throw null; - public NHibernate.Type.IType Type { get => throw null; } - public string TypeName { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary TypeParameters { get => throw null; set => throw null; } - public virtual void Validate(NHibernate.Engine.IMapping mapping) => throw null; - public string Where { get => throw null; set => throw null; } + void Initialize(NHibernate.Cfg.Configuration cfg); } - - // Generated from `NHibernate.Mapping.Column` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Column : System.ICloneable, NHibernate.Mapping.ISelectable + public interface IInitializeCollectionEventListener { - public string CanonicalName { get => throw null; } - public string CheckConstraint { get => throw null; set => throw null; } - public object Clone() => throw null; - public Column(string columnName) => throw null; - public Column() => throw null; - public string Comment { get => throw null; set => throw null; } - public const int DefaultLength = default; - public const int DefaultPrecision = default; - public const int DefaultScale = default; - public string DefaultValue { get => throw null; set => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Mapping.Column column) => throw null; - public string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table) => throw null; - public string GetAlias(NHibernate.Dialect.Dialect dialect) => throw null; - public override int GetHashCode() => throw null; - public string GetQuotedName(NHibernate.Dialect.Dialect d) => throw null; - public string GetQuotedName() => throw null; - public string GetSqlType(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; - public NHibernate.SqlTypes.SqlType GetSqlTypeCode(NHibernate.Engine.IMapping mapping) => throw null; - public string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; - public string GetText(NHibernate.Dialect.Dialect dialect) => throw null; - public bool HasCheckConstraint { get => throw null; } - public bool IsCaracteristicsDefined() => throw null; - public bool IsFormula { get => throw null; } - public bool IsLengthDefined() => throw null; - public bool IsNullable { get => throw null; set => throw null; } - public bool IsPrecisionDefined() => throw null; - public bool IsQuoted { get => throw null; set => throw null; } - public bool IsScaleDefined() => throw null; - public bool IsUnique { get => throw null; set => throw null; } - public int Length { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public int Precision { get => throw null; set => throw null; } - public int Scale { get => throw null; set => throw null; } - public string SqlType { get => throw null; set => throw null; } - public NHibernate.SqlTypes.SqlType SqlTypeCode { get => throw null; set => throw null; } - public string Text { get => throw null; } - public override string ToString() => throw null; - public int TypeIndex { get => throw null; set => throw null; } - public bool Unique { get => throw null; set => throw null; } - public NHibernate.Mapping.IValue Value { get => throw null; set => throw null; } + void OnInitializeCollection(NHibernate.Event.InitializeCollectionEvent @event); + System.Threading.Tasks.Task OnInitializeCollectionAsync(NHibernate.Event.InitializeCollectionEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Component` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Component : NHibernate.Mapping.SimpleValue, NHibernate.Mapping.IMetaAttributable + public interface ILoadEventListener { - public override void AddColumn(NHibernate.Mapping.Column column) => throw null; - public void AddProperty(NHibernate.Mapping.Property p) => throw null; - public virtual void AddTuplizer(NHibernate.EntityMode entityMode, string implClassName) => throw null; - public override bool[] ColumnInsertability { get => throw null; } - public override System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public override int ColumnSpan { get => throw null; } - public override bool[] ColumnUpdateability { get => throw null; } - public Component(NHibernate.Mapping.Table table, NHibernate.Mapping.PersistentClass owner) => throw null; - public Component(NHibernate.Mapping.PersistentClass owner) => throw null; - public Component(NHibernate.Mapping.Component component) => throw null; - public Component(NHibernate.Mapping.Collection collection) => throw null; - public System.Type ComponentClass { get => throw null; set => throw null; } - public string ComponentClassName { get => throw null; set => throw null; } - public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; - public NHibernate.Mapping.Property GetProperty(string propertyName) => throw null; - public virtual string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; - public bool HasPocoRepresentation { get => throw null; } - public bool IsDynamic { get => throw null; set => throw null; } - public bool IsEmbedded { get => throw null; set => throw null; } - public bool IsKey { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set => throw null; } - public NHibernate.Mapping.PersistentClass Owner { get => throw null; set => throw null; } - public NHibernate.Mapping.Property ParentProperty { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } - public int PropertySpan { get => throw null; } - public string RoleName { get => throw null; set => throw null; } - public override void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; - public override string ToString() => throw null; - public virtual System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } - public override NHibernate.Type.IType Type { get => throw null; } + void OnLoad(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType); + System.Threading.Tasks.Task OnLoadAsync(NHibernate.Event.LoadEvent @event, NHibernate.Event.LoadType loadType, System.Threading.CancellationToken cancellationToken); + } + public interface ILockEventListener + { + void OnLock(NHibernate.Event.LockEvent @event); + System.Threading.Tasks.Task OnLockAsync(NHibernate.Event.LockEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IMergeEventListener + { + void OnMerge(NHibernate.Event.MergeEvent @event); + void OnMerge(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready); + System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task OnMergeAsync(NHibernate.Event.MergeEvent @event, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); + } + public class InitializeCollectionEvent : NHibernate.Event.AbstractCollectionEvent + { + public InitializeCollectionEvent(NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; + } + public interface IPersistEventListener + { + void OnPersist(NHibernate.Event.PersistEvent @event); + void OnPersist(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready); + System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task OnPersistAsync(NHibernate.Event.PersistEvent @event, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken); + } + public interface IPostCollectionRecreateEventListener + { + void OnPostRecreateCollection(NHibernate.Event.PostCollectionRecreateEvent @event); + System.Threading.Tasks.Task OnPostRecreateCollectionAsync(NHibernate.Event.PostCollectionRecreateEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IPostCollectionRemoveEventListener + { + void OnPostRemoveCollection(NHibernate.Event.PostCollectionRemoveEvent @event); + System.Threading.Tasks.Task OnPostRemoveCollectionAsync(NHibernate.Event.PostCollectionRemoveEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IPostCollectionUpdateEventListener + { + void OnPostUpdateCollection(NHibernate.Event.PostCollectionUpdateEvent @event); + System.Threading.Tasks.Task OnPostUpdateCollectionAsync(NHibernate.Event.PostCollectionUpdateEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IPostDatabaseOperationEventArgs : NHibernate.Event.IDatabaseEventArgs + { + object Entity { get; } + object Id { get; } + NHibernate.Persister.Entity.IEntityPersister Persister { get; } + } + public interface IPostDeleteEventListener + { + void OnPostDelete(NHibernate.Event.PostDeleteEvent @event); + System.Threading.Tasks.Task OnPostDeleteAsync(NHibernate.Event.PostDeleteEvent @event, System.Threading.CancellationToken cancellationToken); + } + public interface IPostInsertEventListener + { + void OnPostInsert(NHibernate.Event.PostInsertEvent @event); + System.Threading.Tasks.Task OnPostInsertAsync(NHibernate.Event.PostInsertEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Constraint` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Constraint : NHibernate.Mapping.IRelationalModel + public interface IPostLoadEventListener { - public void AddColumn(NHibernate.Mapping.Column column) => throw null; - public void AddColumns(System.Collections.Generic.IEnumerable columnIterator) => throw null; - public void AddColumns(System.Collections.Generic.IEnumerable columnIterator) => throw null; - public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public System.Collections.Generic.IList Columns { get => throw null; } - protected Constraint() => throw null; - public static string GenerateName(string prefix, NHibernate.Mapping.Table table, NHibernate.Mapping.Table referencedTable, System.Collections.Generic.IEnumerable columns) => throw null; - public virtual bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; - public string Name { get => throw null; set => throw null; } - public abstract string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema); - public virtual string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; - public virtual string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public NHibernate.Mapping.Table Table { get => throw null; set => throw null; } - public override string ToString() => throw null; + void OnPostLoad(NHibernate.Event.PostLoadEvent @event); } - - // Generated from `NHibernate.Mapping.DenormalizedTable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DenormalizedTable : NHibernate.Mapping.Table + public interface IPostUpdateEventListener { - public override System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public override bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; - public override void CreateForeignKeys() => throw null; - public DenormalizedTable(NHibernate.Mapping.Table includedTable) => throw null; - public override NHibernate.Mapping.Column GetColumn(NHibernate.Mapping.Column column) => throw null; - public override System.Collections.Generic.IEnumerable IndexIterator { get => throw null; } - public override NHibernate.Mapping.PrimaryKey PrimaryKey { get => throw null; set => throw null; } - public override System.Collections.Generic.IEnumerable UniqueKeyIterator { get => throw null; } + void OnPostUpdate(NHibernate.Event.PostUpdateEvent @event); + System.Threading.Tasks.Task OnPostUpdateAsync(NHibernate.Event.PostUpdateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.DependantValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DependantValue : NHibernate.Mapping.SimpleValue + public interface IPreCollectionRecreateEventListener { - public DependantValue(NHibernate.Mapping.Table table, NHibernate.Mapping.IKeyValue prototype) => throw null; - public override bool IsNullable { get => throw null; } - public override bool IsUpdateable { get => throw null; } - public void SetNullable(bool nullable) => throw null; - public void SetTypeUsingReflection(string className, string propertyName) => throw null; - public virtual void SetUpdateable(bool updateable) => throw null; - public override NHibernate.Type.IType Type { get => throw null; } + void OnPreRecreateCollection(NHibernate.Event.PreCollectionRecreateEvent @event); + System.Threading.Tasks.Task OnPreRecreateCollectionAsync(NHibernate.Event.PreCollectionRecreateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.ForeignKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ForeignKey : NHibernate.Mapping.Constraint + public interface IPreCollectionRemoveEventListener { - public virtual void AddReferencedColumns(System.Collections.Generic.IEnumerable referencedColumnsIterator) => throw null; - public void AlignColumns() => throw null; - public bool CascadeDeleteEnabled { get => throw null; set => throw null; } - public ForeignKey() => throw null; - public string GeneratedConstraintNamePrefix { get => throw null; } - public bool HasPhysicalConstraint { get => throw null; } - public override bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; - public bool IsReferenceToPrimaryKey { get => throw null; } - public System.Collections.Generic.IList ReferencedColumns { get => throw null; } - public string ReferencedEntityName { get => throw null; set => throw null; } - public NHibernate.Mapping.Table ReferencedTable { get => throw null; set => throw null; } - public override string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema) => throw null; - public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public override string ToString() => throw null; + void OnPreRemoveCollection(NHibernate.Event.PreCollectionRemoveEvent @event); + System.Threading.Tasks.Task OnPreRemoveCollectionAsync(NHibernate.Event.PreCollectionRemoveEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.Formula` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Formula : NHibernate.Mapping.ISelectable + public interface IPreCollectionUpdateEventListener { - public Formula() => throw null; - public string FormulaString { get => throw null; set => throw null; } - public string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table) => throw null; - public string GetAlias(NHibernate.Dialect.Dialect dialect) => throw null; - public string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; - public string GetText(NHibernate.Dialect.Dialect dialect) => throw null; - public bool IsFormula { get => throw null; } - public string Text { get => throw null; } - public override string ToString() => throw null; + void OnPreUpdateCollection(NHibernate.Event.PreCollectionUpdateEvent @event); + System.Threading.Tasks.Task OnPreUpdateCollectionAsync(NHibernate.Event.PreCollectionUpdateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IAuxiliaryDatabaseObject` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAuxiliaryDatabaseObject : NHibernate.Mapping.IRelationalModel + public interface IPreDatabaseOperationEventArgs : NHibernate.Event.IDatabaseEventArgs { - void AddDialectScope(string dialectName); - bool AppliesToDialect(NHibernate.Dialect.Dialect dialect); - void SetParameterValues(System.Collections.Generic.IDictionary parameters); + object Entity { get; } + object Id { get; } + NHibernate.Persister.Entity.IEntityPersister Persister { get; } } - - // Generated from `NHibernate.Mapping.IFetchable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFetchable + public interface IPreDeleteEventListener { - NHibernate.FetchMode FetchMode { get; set; } - bool IsLazy { get; set; } + bool OnPreDelete(NHibernate.Event.PreDeleteEvent @event); + System.Threading.Tasks.Task OnPreDeleteAsync(NHibernate.Event.PreDeleteEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IFilterable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFilterable + public interface IPreInsertEventListener { - void AddFilter(string name, string condition); - System.Collections.Generic.IDictionary FilterMap { get; } + bool OnPreInsert(NHibernate.Event.PreInsertEvent @event); + System.Threading.Tasks.Task OnPreInsertAsync(NHibernate.Event.PreInsertEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IKeyValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IKeyValue : NHibernate.Mapping.IValue + public interface IPreLoadEventListener { - void CreateForeignKeyOfEntity(string entityName); - NHibernate.Id.IIdentifierGenerator CreateIdentifierGenerator(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema, NHibernate.Mapping.RootClass rootClass); - bool IsCascadeDeleteEnabled { get; } - bool IsIdentityColumn(NHibernate.Dialect.Dialect dialect); - bool IsUpdateable { get; } - string NullValue { get; } + void OnPreLoad(NHibernate.Event.PreLoadEvent @event); + System.Threading.Tasks.Task OnPreLoadAsync(NHibernate.Event.PreLoadEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IMetaAttributable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMetaAttributable + public interface IPreUpdateEventListener { - NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName); - System.Collections.Generic.IDictionary MetaAttributes { get; set; } + bool OnPreUpdate(NHibernate.Event.PreUpdateEvent @event); + System.Threading.Tasks.Task OnPreUpdateAsync(NHibernate.Event.PreUpdateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IPersistentClassVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistentClassVisitor + public interface IRefreshEventListener { - object Accept(NHibernate.Mapping.PersistentClass clazz); + void OnRefresh(NHibernate.Event.RefreshEvent @event); + void OnRefresh(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready); + System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task OnRefreshAsync(NHibernate.Event.RefreshEvent @event, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IPersistentClassVisitor<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPersistentClassVisitor where T : NHibernate.Mapping.PersistentClass + public interface IReplicateEventListener { - object Accept(T clazz); + void OnReplicate(NHibernate.Event.ReplicateEvent @event); + System.Threading.Tasks.Task OnReplicateAsync(NHibernate.Event.ReplicateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.IRelationalModel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IRelationalModel + public interface ISaveOrUpdateEventListener { - string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema); - string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema); + void OnSaveOrUpdate(NHibernate.Event.SaveOrUpdateEvent @event); + System.Threading.Tasks.Task OnSaveOrUpdateAsync(NHibernate.Event.SaveOrUpdateEvent @event, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.ISelectable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISelectable + public enum ListenerType { - string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table); - string GetAlias(NHibernate.Dialect.Dialect dialect); - string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry); - string GetText(NHibernate.Dialect.Dialect dialect); - bool IsFormula { get; } - string Text { get; } + NotValidType = 0, + Autoflush = 1, + Merge = 2, + Create = 3, + CreateOnFlush = 4, + Delete = 5, + DirtyCheck = 6, + Evict = 7, + Flush = 8, + FlushEntity = 9, + Load = 10, + LoadCollection = 11, + Lock = 12, + Refresh = 13, + Replicate = 14, + SaveUpdate = 15, + Save = 16, + PreUpdate = 17, + Update = 18, + PreLoad = 19, + PreDelete = 20, + PreInsert = 21, + PreCollectionRecreate = 22, + PreCollectionRemove = 23, + PreCollectionUpdate = 24, + PostLoad = 25, + PostInsert = 26, + PostUpdate = 27, + PostDelete = 28, + PostCommitUpdate = 29, + PostCommitInsert = 30, + PostCommitDelete = 31, + PostCollectionRecreate = 32, + PostCollectionRemove = 33, + PostCollectionUpdate = 34, } - - // Generated from `NHibernate.Mapping.ISqlCustomizable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlCustomizable + public class LoadEvent : NHibernate.Event.AbstractEvent { - void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); - void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); - void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); + public LoadEvent(object entityId, object instanceToLoad, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public LoadEvent(object entityId, string entityClassName, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public LoadEvent(object entityId, string entityClassName, bool isAssociationFetch, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public static NHibernate.LockMode DefaultLockMode; + public string EntityClassName { get => throw null; set { } } + public object EntityId { get => throw null; set { } } + public object InstanceToLoad { get => throw null; set { } } + public bool IsAssociationFetch { get => throw null; } + public NHibernate.LockMode LockMode { get => throw null; set { } } + public object Result { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.ITableOwner` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITableOwner + public static class LoadEventListener { - NHibernate.Mapping.Table Table { set; } + public static NHibernate.Event.LoadType Get; + public static NHibernate.Event.LoadType ImmediateLoad; + public static NHibernate.Event.LoadType InternalLoadEager; + public static NHibernate.Event.LoadType InternalLoadLazy; + public static NHibernate.Event.LoadType InternalLoadNullable; + public static NHibernate.Event.LoadType Load; + public static NHibernate.Event.LoadType Reload; } - - // Generated from `NHibernate.Mapping.IValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IValue + public sealed class LoadType { - object Accept(NHibernate.Mapping.IValueVisitor visitor); - bool[] ColumnInsertability { get; } - System.Collections.Generic.IEnumerable ColumnIterator { get; } - int ColumnSpan { get; } - bool[] ColumnUpdateability { get; } - void CreateForeignKey(); - NHibernate.FetchMode FetchMode { get; } - bool HasFormula { get; } - bool IsAlternateUniqueKey { get; } - bool IsNullable { get; } - bool IsSimpleValue { get; } - bool IsValid(NHibernate.Engine.IMapping mapping); - void SetTypeUsingReflection(string className, string propertyName, string accesorName); - NHibernate.Mapping.Table Table { get; } - NHibernate.Type.IType Type { get; } + public bool ExactPersister { get => throw null; } + public bool IsAllowNulls { get => throw null; } + public bool IsAllowProxyCreation { get => throw null; } + public bool IsCheckDeleted { get => throw null; } + public bool IsNakedEntityReturned { get => throw null; } + public string Name { get => throw null; } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Mapping.IValueVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IValueVisitor + public class LockEvent : NHibernate.Event.AbstractEvent { - object Accept(NHibernate.Mapping.IValue visited); + public LockEvent(object entity, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public LockEvent(string entityName, object original, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public string EntityName { get => throw null; set { } } + public NHibernate.LockMode LockMode { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.IValueVisitor<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IValueVisitor : NHibernate.Mapping.IValueVisitor where T : NHibernate.Mapping.IValue + public class MergeEvent : NHibernate.Event.AbstractEvent { - object Accept(T visited); + public MergeEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public MergeEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public MergeEvent(string entityName, object original, object id, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public string EntityName { get => throw null; set { } } + public object Original { get => throw null; set { } } + public object RequestedId { get => throw null; set { } } + public object Result { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.IdentifierBag` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierBag : NHibernate.Mapping.IdentifierCollection + public class PersistEvent : NHibernate.Event.AbstractEvent { - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } - public IdentifierBag(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public PersistEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public PersistEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public string EntityName { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.IdentifierCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class IdentifierCollection : NHibernate.Mapping.Collection + public class PostCollectionRecreateEvent : NHibernate.Event.AbstractCollectionEvent { - public override void CreatePrimaryKey() => throw null; - public const string DefaultIdentifierColumnName = default; - public NHibernate.Mapping.IKeyValue Identifier { get => throw null; set => throw null; } - protected IdentifierCollection(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override bool IsIdentified { get => throw null; } - public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public PostCollectionRecreateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.Index` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Index : NHibernate.Mapping.IRelationalModel + public class PostCollectionRemoveEvent : NHibernate.Event.AbstractCollectionEvent { - public void AddColumn(NHibernate.Mapping.Column column) => throw null; - public void AddColumns(System.Collections.Generic.IEnumerable extraColumns) => throw null; - public static string BuildSqlCreateIndexString(NHibernate.Dialect.Dialect dialect, string name, NHibernate.Mapping.Table table, System.Collections.Generic.IEnumerable columns, bool unique, string defaultCatalog, string defaultSchema) => throw null; - public static string BuildSqlDropIndexString(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table, string name, string defaultCatalog, string defaultSchema) => throw null; - public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; - public Index() => throw null; - public bool IsInherited { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; - public string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public NHibernate.Mapping.Table Table { get => throw null; set => throw null; } - public override string ToString() => throw null; + public PostCollectionRemoveEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object loadedOwner) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.IndexBackref` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexBackref : NHibernate.Mapping.Property + public class PostCollectionUpdateEvent : NHibernate.Event.AbstractCollectionEvent { - public override bool BackRef { get => throw null; } - public string CollectionRole { get => throw null; set => throw null; } - public string EntityName { get => throw null; set => throw null; } - public IndexBackref() => throw null; - public override bool IsBasicPropertyAccessor { get => throw null; } - protected override NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } + public PostCollectionUpdateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.IndexedCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class IndexedCollection : NHibernate.Mapping.Collection + public class PostDeleteEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent { - public override void CreatePrimaryKey() => throw null; - public const string DefaultIndexColumnName = default; - public NHibernate.Mapping.SimpleValue Index { get => throw null; set => throw null; } - protected IndexedCollection(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override bool IsIndexed { get => throw null; } - public virtual bool IsList { get => throw null; } - public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public PostDeleteEvent(object entity, object id, object[] deletedState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] DeletedState { get => throw null; } } - - // Generated from `NHibernate.Mapping.Join` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Join : NHibernate.Mapping.ISqlCustomizable + public class PostInsertEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent { - public void AddProperty(NHibernate.Mapping.Property prop) => throw null; - public bool ContainsProperty(NHibernate.Mapping.Property prop) => throw null; - public void CreateForeignKey() => throw null; - public void CreatePrimaryKey(NHibernate.Dialect.Dialect dialect) => throw null; - public void CreatePrimaryKey() => throw null; - public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } - public bool IsCustomDeleteCallable { get => throw null; } - public bool IsCustomInsertCallable { get => throw null; } - public bool IsCustomUpdateCallable { get => throw null; } - public virtual bool IsInverse { get => throw null; set => throw null; } - public bool IsLazy { get => throw null; } - public virtual bool IsOptional { get => throw null; set => throw null; } - public virtual bool IsSequentialSelect { get => throw null; set => throw null; } - public Join() => throw null; - public virtual NHibernate.Mapping.IKeyValue Key { get => throw null; set => throw null; } - public virtual NHibernate.Mapping.PersistentClass PersistentClass { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } - public int PropertySpan { get => throw null; } - public NHibernate.Mapping.Property RefIdProperty { get => throw null; set => throw null; } - public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public virtual NHibernate.Mapping.Table Table { get => throw null; set => throw null; } + public PostInsertEvent(object entity, object id, object[] state, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] State { get => throw null; } + } + public class PostLoadEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPostDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs + { + public PostLoadEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public object Id { get => throw null; set { } } + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set { } } + } + public class PostUpdateEvent : NHibernate.Event.AbstractPostDatabaseOperationEvent + { + public PostUpdateEvent(object entity, object id, object[] state, object[] oldState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] OldState { get => throw null; } + public object[] State { get => throw null; } } - - // Generated from `NHibernate.Mapping.JoinedSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedSubclass : NHibernate.Mapping.Subclass, NHibernate.Mapping.ITableOwner + public class PreCollectionRecreateEvent : NHibernate.Event.AbstractCollectionEvent { - public JoinedSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override NHibernate.Mapping.IKeyValue Key { get => throw null; set => throw null; } - public override System.Collections.Generic.IEnumerable ReferenceablePropertyIterator { get => throw null; } - public override NHibernate.Mapping.Table Table { get => throw null; } - NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set => throw null; } - public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public PreCollectionRecreateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.List` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class List : NHibernate.Mapping.IndexedCollection + public class PreCollectionRemoveEvent : NHibernate.Event.AbstractCollectionEvent { - public int BaseIndex { get => throw null; set => throw null; } - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } - public override bool IsList { get => throw null; } - public List(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public PreCollectionRemoveEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source, object loadedOwner) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.ManyToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ManyToOne : NHibernate.Mapping.ToOne + public class PreCollectionUpdateEvent : NHibernate.Event.AbstractCollectionEvent { - public override void CreateForeignKey() => throw null; - public void CreatePropertyRefConstraints(System.Collections.Generic.IDictionary persistentClasses) => throw null; - public bool IsIgnoreNotFound { get => throw null; set => throw null; } - public bool IsLogicalOneToOne { get => throw null; set => throw null; } - public ManyToOne(NHibernate.Mapping.Table table) : base(default(NHibernate.Mapping.Table)) => throw null; - public string PropertyName { get => throw null; set => throw null; } - public override NHibernate.Type.IType Type { get => throw null; } + public PreCollectionUpdateEvent(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, NHibernate.Collection.IPersistentCollection collection, NHibernate.Event.IEventSource source) : base(default(NHibernate.Persister.Collection.ICollectionPersister), default(NHibernate.Collection.IPersistentCollection), default(NHibernate.Event.IEventSource), default(object), default(object)) => throw null; } - - // Generated from `NHibernate.Mapping.Map` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Map : NHibernate.Mapping.IndexedCollection + public class PreDeleteEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent { - public override NHibernate.Type.CollectionType CollectionType { get => throw null; } - public override void CreateAllKeys() => throw null; - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } - public override bool IsMap { get => throw null; } - public Map(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public PreDeleteEvent(object entity, object id, object[] deletedState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] DeletedState { get => throw null; } } - - // Generated from `NHibernate.Mapping.MetaAttribute` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MetaAttribute + public class PreInsertEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent { - public void AddValue(string value) => throw null; - public void AddValues(System.Collections.Generic.IEnumerable range) => throw null; - public bool IsMultiValued { get => throw null; } - public MetaAttribute(string name) => throw null; - public string Name { get => throw null; } - public override string ToString() => throw null; - public string Value { get => throw null; } - public System.Collections.Generic.IList Values { get => throw null; } + public PreInsertEvent(object entity, object id, object[] state, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] State { get => throw null; } } - - // Generated from `NHibernate.Mapping.OneToMany` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToMany : NHibernate.Mapping.IValue + public class PreLoadEvent : NHibernate.Event.AbstractEvent, NHibernate.Event.IPreDatabaseOperationEventArgs, NHibernate.Event.IDatabaseEventArgs { - public object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; - public NHibernate.Mapping.PersistentClass AssociatedClass { get => throw null; set => throw null; } - public bool[] ColumnInsertability { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public bool[] ColumnUpdateability { get => throw null; } - public void CreateForeignKey() => throw null; - public NHibernate.FetchMode FetchMode { get => throw null; } - public NHibernate.Mapping.Formula Formula { get => throw null; } - public bool HasFormula { get => throw null; } - public bool IsAlternateUniqueKey { get => throw null; } - public bool IsIgnoreNotFound { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; } - public bool IsSimpleValue { get => throw null; } - public bool IsUnique { get => throw null; } - public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; - public OneToMany(NHibernate.Mapping.PersistentClass owner) => throw null; - public string ReferencedEntityName { get => throw null; set => throw null; } - public NHibernate.Mapping.Table ReferencingTable { get => throw null; } - public void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; - public NHibernate.Mapping.Table Table { get => throw null; } - public NHibernate.Type.IType Type { get => throw null; } + public PreLoadEvent(NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public object Id { get => throw null; set { } } + public NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; set { } } + public object[] State { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.OneToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToOne : NHibernate.Mapping.ToOne + public class PreUpdateEvent : NHibernate.Event.AbstractPreDatabaseOperationEvent { - public override System.Collections.Generic.IEnumerable ConstraintColumns { get => throw null; } - public override void CreateForeignKey() => throw null; - public string EntityName { get => throw null; set => throw null; } - public NHibernate.Type.ForeignKeyDirection ForeignKeyType { get => throw null; set => throw null; } - public NHibernate.Mapping.IKeyValue Identifier { get => throw null; set => throw null; } - public bool IsConstrained { get => throw null; set => throw null; } - public override bool IsNullable { get => throw null; } - public OneToOne(NHibernate.Mapping.Table table, NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.Table)) => throw null; - public string PropertyName { get => throw null; set => throw null; } - public override NHibernate.Type.IType Type { get => throw null; } + public PreUpdateEvent(object entity, object id, object[] state, object[] oldState, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource), default(object), default(object), default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public object[] OldState { get => throw null; } + public object[] State { get => throw null; } } - - // Generated from `NHibernate.Mapping.PersistentClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class PersistentClass : NHibernate.Mapping.ISqlCustomizable, NHibernate.Mapping.IMetaAttributable, NHibernate.Mapping.IFilterable + public class RefreshEvent : NHibernate.Event.AbstractEvent { - public abstract object Accept(NHibernate.Mapping.IPersistentClassVisitor mv); - public void AddFilter(string name, string condition) => throw null; - public virtual void AddJoin(NHibernate.Mapping.Join join) => throw null; - public virtual void AddProperty(NHibernate.Mapping.Property p) => throw null; - public virtual void AddSubclass(NHibernate.Mapping.Subclass subclass) => throw null; - public virtual void AddSubclassJoin(NHibernate.Mapping.Join join) => throw null; - public virtual void AddSubclassProperty(NHibernate.Mapping.Property p) => throw null; - public virtual void AddSubclassTable(NHibernate.Mapping.Table table) => throw null; - public void AddSynchronizedTable(string table) => throw null; - public void AddTuplizer(NHibernate.EntityMode entityMode, string implClass) => throw null; - public int? BatchSize { get => throw null; set => throw null; } - public abstract string CacheConcurrencyStrategy { get; set; } - protected internal void CheckColumnDuplication(System.Collections.Generic.ISet distinctColumns, System.Collections.Generic.IEnumerable columns) => throw null; - protected internal virtual void CheckColumnDuplication() => throw null; - protected internal void CheckPropertyColumnDuplication(System.Collections.Generic.ISet distinctColumns, System.Collections.Generic.IEnumerable properties) => throw null; - public string ClassName { get => throw null; set => throw null; } - public virtual void CreatePrimaryKey(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual void CreatePrimaryKey() => throw null; - public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } - public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } - public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } - public virtual System.Collections.Generic.IEnumerable DirectSubclasses { get => throw null; } - public abstract NHibernate.Mapping.IValue Discriminator { get; set; } - protected internal virtual System.Collections.Generic.IEnumerable DiscriminatorColumnIterator { get => throw null; } - public virtual string DiscriminatorValue { get => throw null; set => throw null; } - public virtual bool DynamicInsert { get => throw null; set => throw null; } - public virtual bool DynamicUpdate { get => throw null; set => throw null; } - public virtual string EntityName { get => throw null; set => throw null; } - public abstract System.Type EntityPersisterClass { get; set; } - public virtual System.Collections.Generic.IDictionary FilterMap { get => throw null; } - public virtual int GetJoinNumber(NHibernate.Mapping.Property prop) => throw null; - public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; - public NHibernate.Mapping.Property GetProperty(string propertyName) => throw null; - public NHibernate.Mapping.Property GetRecursiveProperty(string propertyPath) => throw null; - public NHibernate.Mapping.Property GetReferencedProperty(string propertyPath) => throw null; - public virtual string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; - public abstract bool HasEmbeddedIdentifier { get; set; } - public bool HasIdentifierMapper { get => throw null; } - public abstract bool HasIdentifierProperty { get; } - public bool HasNaturalId() => throw null; - public bool HasPocoRepresentation { get => throw null; } - public virtual bool HasSubclasses { get => throw null; } - public virtual bool HasSubselectLoadableCollections { get => throw null; set => throw null; } - public abstract NHibernate.Mapping.IKeyValue Identifier { get; set; } - public virtual NHibernate.Mapping.Component IdentifierMapper { get => throw null; set => throw null; } - public abstract NHibernate.Mapping.Property IdentifierProperty { get; set; } - public virtual NHibernate.Mapping.Table IdentityTable { get => throw null; } - public bool? IsAbstract { get => throw null; set => throw null; } - public virtual bool IsClassOrSuperclassJoin(NHibernate.Mapping.Join join) => throw null; - public virtual bool IsClassOrSuperclassTable(NHibernate.Mapping.Table closureTable) => throw null; - public bool IsCustomDeleteCallable { get => throw null; } - public bool IsCustomInsertCallable { get => throw null; } - public bool IsCustomUpdateCallable { get => throw null; } - public abstract bool IsDiscriminatorInsertable { get; set; } - public bool IsDiscriminatorValueNotNull { get => throw null; } - public bool IsDiscriminatorValueNull { get => throw null; } - public abstract bool IsExplicitPolymorphism { get; set; } - public virtual bool IsForceDiscriminator { get => throw null; set => throw null; } - public abstract bool IsInherited { get; } - public abstract bool IsJoinedSubclass { get; } - public bool IsLazy { get => throw null; set => throw null; } - public abstract bool IsLazyPropertiesCacheable { get; } - public abstract bool IsMutable { get; set; } - public abstract bool IsPolymorphic { get; set; } - public abstract bool IsVersioned { get; } - public virtual System.Collections.Generic.IEnumerable JoinClosureIterator { get => throw null; } - public virtual int JoinClosureSpan { get => throw null; } - public virtual System.Collections.Generic.IEnumerable JoinIterator { get => throw null; } - public abstract NHibernate.Mapping.IKeyValue Key { get; set; } - public abstract System.Collections.Generic.IEnumerable KeyClosureIterator { get; } - public string LoaderName { get => throw null; set => throw null; } - public virtual System.Type MappedClass { get => throw null; } - public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set => throw null; } - protected internal virtual System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } - public const string NotNullDiscriminatorMapping = default; - public const string NullDiscriminatorMapping = default; - public virtual NHibernate.Engine.Versioning.OptimisticLock OptimisticLockMode { get => throw null; set => throw null; } - protected PersistentClass() => throw null; - public void PrepareTemporaryTables(NHibernate.Engine.IMapping mapping, NHibernate.Dialect.Dialect dialect) => throw null; - public abstract System.Collections.Generic.IEnumerable PropertyClosureIterator { get; } - public virtual int PropertyClosureSpan { get => throw null; } - public virtual System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } - public virtual System.Type ProxyInterface { get => throw null; } - public string ProxyInterfaceName { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IEnumerable ReferenceablePropertyIterator { get => throw null; } - public abstract NHibernate.Mapping.RootClass RootClazz { get; } - public abstract NHibernate.Mapping.Table RootTable { get; } - public bool SelectBeforeUpdate { get => throw null; set => throw null; } - public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; - public virtual System.Collections.Generic.IEnumerable SubclassClosureIterator { get => throw null; } - public abstract int SubclassId { get; } - public virtual System.Collections.Generic.IEnumerable SubclassIterator { get => throw null; } - public virtual System.Collections.Generic.IEnumerable SubclassJoinClosureIterator { get => throw null; } - public virtual System.Collections.Generic.IEnumerable SubclassPropertyClosureIterator { get => throw null; } - public virtual int SubclassSpan { get => throw null; } - public virtual System.Collections.Generic.IEnumerable SubclassTableClosureIterator { get => throw null; } - public abstract NHibernate.Mapping.PersistentClass Superclass { get; set; } - public virtual System.Collections.Generic.ISet SynchronizedTables { get => throw null; } - public abstract NHibernate.Mapping.Table Table { get; } - public abstract System.Collections.Generic.IEnumerable TableClosureIterator { get; } - public string TemporaryIdTableDDL { get => throw null; } - public string TemporaryIdTableName { get => throw null; } - public override string ToString() => throw null; - public virtual System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } - public virtual System.Collections.Generic.IEnumerable UnjoinedPropertyIterator { get => throw null; } - public virtual void Validate(NHibernate.Engine.IMapping mapping) => throw null; - public abstract NHibernate.Mapping.Property Version { get; set; } - public abstract string Where { get; set; } + public RefreshEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public RefreshEvent(object entity, NHibernate.LockMode lockMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; } + public NHibernate.LockMode LockMode { get => throw null; } } - - // Generated from `NHibernate.Mapping.PrimaryKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PrimaryKey : NHibernate.Mapping.Constraint + public class ReplicateEvent : NHibernate.Event.AbstractEvent { - public PrimaryKey() => throw null; - public string SqlConstraintString(NHibernate.Dialect.Dialect d, string defaultSchema) => throw null; - public override string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema) => throw null; - public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public ReplicateEvent(object entity, NHibernate.ReplicationMode replicationMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public ReplicateEvent(string entityName, object entity, NHibernate.ReplicationMode replicationMode, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public string EntityName { get => throw null; set { } } + public NHibernate.ReplicationMode ReplicationMode { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.PrimitiveArray` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PrimitiveArray : NHibernate.Mapping.Array + public class SaveOrUpdateEvent : NHibernate.Event.AbstractEvent { - public override bool IsPrimitiveArray { get => throw null; } - public PrimitiveArray(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public SaveOrUpdateEvent(object entity, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public SaveOrUpdateEvent(string entityName, object original, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public SaveOrUpdateEvent(string entityName, object original, object id, NHibernate.Event.IEventSource source) : base(default(NHibernate.Event.IEventSource)) => throw null; + public object Entity { get => throw null; set { } } + public string EntityName { get => throw null; set { } } + public NHibernate.Engine.EntityEntry Entry { get => throw null; set { } } + public object RequestedId { get => throw null; set { } } + public object ResultEntity { get => throw null; set { } } + public object ResultId { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.Property` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Property : NHibernate.Mapping.IMetaAttributable + } + namespace Exceptions + { + public class ADOConnectionException : NHibernate.ADOException { - public virtual bool BackRef { get => throw null; } - public string Cascade { get => throw null; set => throw null; } - public NHibernate.Engine.CascadeStyle CascadeStyle { get => throw null; } - public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public NHibernate.Mapping.PropertyGeneration Generation { get => throw null; set => throw null; } - public NHibernate.Properties.IGetter GetGetter(System.Type clazz) => throw null; - public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; - public NHibernate.Properties.ISetter GetSetter(System.Type clazz) => throw null; - public virtual bool IsBasicPropertyAccessor { get => throw null; } - public bool IsComposite { get => throw null; } - public bool IsEntityRelation { get => throw null; } - public bool IsInsertable { get => throw null; set => throw null; } - public bool IsLazy { get => throw null; set => throw null; } - public bool IsNaturalIdentifier { get => throw null; set => throw null; } - public bool IsNullable { get => throw null; } - public bool IsOptimisticLocked { get => throw null; set => throw null; } - public bool IsOptional { get => throw null; set => throw null; } - public bool IsSelectable { get => throw null; set => throw null; } - public bool IsUpdateable { get => throw null; set => throw null; } - public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; - public string LazyGroup { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set => throw null; } - public string Name { get => throw null; set => throw null; } - public string NullValue { get => throw null; } - public NHibernate.Mapping.PersistentClass PersistentClass { get => throw null; set => throw null; } - public Property(NHibernate.Mapping.IValue propertyValue) => throw null; - public Property() => throw null; - protected virtual NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } - public string PropertyAccessorName { get => throw null; set => throw null; } - public NHibernate.Type.IType Type { get => throw null; } - public bool UnwrapProxy { get => throw null; set => throw null; } - public NHibernate.Mapping.IValue Value { get => throw null; set => throw null; } + public ADOConnectionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ADOConnectionException(string message, System.Exception innerException, string sql) => throw null; + public ADOConnectionException(string message, System.Exception innerException) => throw null; } - - // Generated from `NHibernate.Mapping.PropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum PropertyGeneration + public class AdoExceptionContextInfo { - Always, - Insert, - Never, + public AdoExceptionContextInfo() => throw null; + public object EntityId { get => throw null; set { } } + public string EntityName { get => throw null; set { } } + public string Message { get => throw null; set { } } + public string Sql { get => throw null; set { } } + public System.Exception SqlException { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.ReferenceDependantValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ReferenceDependantValue : NHibernate.Mapping.DependantValue + public static class ADOExceptionHelper { - public override void CreateForeignKeyOfEntity(string entityName) => throw null; - public System.Collections.Generic.IEnumerable ReferenceColumns { get => throw null; } - public ReferenceDependantValue(NHibernate.Mapping.Table table, NHibernate.Mapping.SimpleValue prototype) : base(default(NHibernate.Mapping.Table), default(NHibernate.Mapping.IKeyValue)) => throw null; + public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, NHibernate.Exceptions.AdoExceptionContextInfo exceptionContextInfo) => throw null; + public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqlException, string message, NHibernate.SqlCommand.SqlString sql) => throw null; + public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqlException, string message) => throw null; + public static System.Exception Convert(NHibernate.Exceptions.ISQLExceptionConverter converter, System.Exception sqle, string message, NHibernate.SqlCommand.SqlString sql, object[] parameterValues, System.Collections.Generic.IDictionary namedParameters) => throw null; + public static string ExtendMessage(string message, string sql, object[] parameterValues, System.Collections.Generic.IDictionary namedParameters) => throw null; + public static System.Data.Common.DbException ExtractDbException(System.Exception sqlException) => throw null; + public static string SQLNotAvailable; + public static NHibernate.SqlCommand.SqlString TryGetActualSqlQuery(System.Exception sqle, NHibernate.SqlCommand.SqlString sql) => throw null; + public static string TryGetActualSqlQuery(System.Exception sqle, string sql) => throw null; } - - // Generated from `NHibernate.Mapping.RootClass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RootClass : NHibernate.Mapping.PersistentClass, NHibernate.Mapping.ITableOwner + public class AggregateHibernateException : NHibernate.HibernateException { - public override object Accept(NHibernate.Mapping.IPersistentClassVisitor mv) => throw null; - public override void AddSubclass(NHibernate.Mapping.Subclass subclass) => throw null; - public override string CacheConcurrencyStrategy { get => throw null; set => throw null; } - public string CacheRegionName { get => throw null; set => throw null; } - public const string DefaultDiscriminatorColumnName = default; - public const string DefaultIdentifierColumnName = default; - public override NHibernate.Mapping.IValue Discriminator { get => throw null; set => throw null; } - public override System.Type EntityPersisterClass { get => throw null; set => throw null; } - public override bool HasEmbeddedIdentifier { get => throw null; set => throw null; } - public override bool HasIdentifierProperty { get => throw null; } - public override NHibernate.Mapping.IKeyValue Identifier { get => throw null; set => throw null; } - public override NHibernate.Mapping.Property IdentifierProperty { get => throw null; set => throw null; } - public virtual System.Collections.Generic.ISet IdentityTables { get => throw null; } - public override bool IsDiscriminatorInsertable { get => throw null; set => throw null; } - public override bool IsExplicitPolymorphism { get => throw null; set => throw null; } - public override bool IsForceDiscriminator { get => throw null; set => throw null; } - public override bool IsInherited { get => throw null; } - public override bool IsJoinedSubclass { get => throw null; } - public override bool IsLazyPropertiesCacheable { get => throw null; } - public override bool IsMutable { get => throw null; set => throw null; } - public override bool IsPolymorphic { get => throw null; set => throw null; } - public override bool IsVersioned { get => throw null; } - public override NHibernate.Mapping.IKeyValue Key { get => throw null; set => throw null; } - public override System.Collections.Generic.IEnumerable KeyClosureIterator { get => throw null; } - public override System.Collections.Generic.IEnumerable PropertyClosureIterator { get => throw null; } - public RootClass() => throw null; - public override NHibernate.Mapping.RootClass RootClazz { get => throw null; } - public override NHibernate.Mapping.Table RootTable { get => throw null; } - public void SetLazyPropertiesCacheable(bool isLazyPropertiesCacheable) => throw null; - public override int SubclassId { get => throw null; } - public override NHibernate.Mapping.PersistentClass Superclass { get => throw null; set => throw null; } - public override NHibernate.Mapping.Table Table { get => throw null; } - NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set => throw null; } - public override System.Collections.Generic.IEnumerable TableClosureIterator { get => throw null; } - public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; - public override NHibernate.Mapping.Property Version { get => throw null; set => throw null; } - public override string Where { get => throw null; set => throw null; } + public AggregateHibernateException(System.Collections.Generic.IEnumerable innerExceptions) => throw null; + public AggregateHibernateException(params System.Exception[] innerExceptions) => throw null; + public AggregateHibernateException(string message, System.Collections.Generic.IEnumerable innerExceptions) => throw null; + public AggregateHibernateException(string message, params System.Exception[] innerExceptions) => throw null; + protected AggregateHibernateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Collections.ObjectModel.ReadOnlyCollection InnerExceptions { get => throw null; } + public override string ToString() => throw null; + } + public class ConstraintViolationException : NHibernate.ADOException + { + public string ConstraintName { get => throw null; } + public ConstraintViolationException(string message, System.Exception innerException, string sql, string constraintName) => throw null; + public ConstraintViolationException(string message, System.Exception innerException, string constraintName) => throw null; + public ConstraintViolationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - - // Generated from `NHibernate.Mapping.SchemaAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - [System.Flags] - public enum SchemaAction + public class DataException : NHibernate.ADOException { - All, - Drop, - Export, - None, - Update, - Validate, + public DataException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public DataException(string message, System.Exception innerException, string sql) => throw null; + public DataException(string message, System.Exception innerException) => throw null; } - - // Generated from `NHibernate.Mapping.Set` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Set : NHibernate.Mapping.Collection + public class GenericADOException : NHibernate.ADOException { - public override void CreatePrimaryKey() => throw null; - public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } - public override bool IsSet { get => throw null; } - public Set(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public GenericADOException() => throw null; + public GenericADOException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public GenericADOException(string message, System.Exception innerException, string sql) => throw null; + public GenericADOException(string message, System.Exception innerException) => throw null; } - - // Generated from `NHibernate.Mapping.SimpleAuxiliaryDatabaseObject` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SimpleAuxiliaryDatabaseObject : NHibernate.Mapping.AbstractAuxiliaryDatabaseObject + public interface IConfigurable { - public SimpleAuxiliaryDatabaseObject(string sqlCreateString, string sqlDropString, System.Collections.Generic.HashSet dialectScopes) => throw null; - public SimpleAuxiliaryDatabaseObject(string sqlCreateString, string sqlDropString) => throw null; - public override string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; - public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + void Configure(System.Collections.Generic.IDictionary properties); } - - // Generated from `NHibernate.Mapping.SimpleValue` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SimpleValue : NHibernate.Mapping.IValue, NHibernate.Mapping.IKeyValue + public interface ISQLExceptionConverter { - public virtual object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; - public virtual void AddColumn(NHibernate.Mapping.Column column) => throw null; - public virtual void AddFormula(NHibernate.Mapping.Formula formula) => throw null; - public virtual bool[] ColumnInsertability { get => throw null; } - public virtual System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public virtual int ColumnSpan { get => throw null; } - public virtual bool[] ColumnUpdateability { get => throw null; } - public virtual System.Collections.Generic.IEnumerable ConstraintColumns { get => throw null; } - public virtual void CreateForeignKey() => throw null; - public virtual void CreateForeignKeyOfEntity(string entityName) => throw null; - public NHibernate.Id.IIdentifierGenerator CreateIdentifierGenerator(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema, NHibernate.Mapping.RootClass rootClass) => throw null; - public virtual NHibernate.FetchMode FetchMode { get => throw null; set => throw null; } - public string ForeignKeyName { get => throw null; set => throw null; } - public bool HasFormula { get => throw null; } - public System.Collections.Generic.IDictionary IdentifierGeneratorProperties { get => throw null; set => throw null; } - public string IdentifierGeneratorStrategy { get => throw null; set => throw null; } - public bool IsAlternateUniqueKey { get => throw null; set => throw null; } - public bool IsCascadeDeleteEnabled { get => throw null; set => throw null; } - public virtual bool IsComposite { get => throw null; } - public bool IsIdentityColumn(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual bool IsNullable { get => throw null; } - public bool IsSimpleValue { get => throw null; } - public virtual bool IsTypeSpecified { get => throw null; } - public virtual bool IsUpdateable { get => throw null; } - public virtual bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; - public string NullValue { get => throw null; set => throw null; } - public virtual void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; - public SimpleValue(NHibernate.Mapping.Table table) => throw null; - public SimpleValue() => throw null; - public NHibernate.Mapping.Table Table { get => throw null; set => throw null; } - public override string ToString() => throw null; - public virtual NHibernate.Type.IType Type { get => throw null; } - public string TypeName { get => throw null; set => throw null; } - public System.Collections.Generic.IDictionary TypeParameters { get => throw null; set => throw null; } + System.Exception Convert(NHibernate.Exceptions.AdoExceptionContextInfo adoExceptionContextInfo); } - - // Generated from `NHibernate.Mapping.SingleTableSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SingleTableSubclass : NHibernate.Mapping.Subclass + public interface IViolatedConstraintNameExtracter { - protected internal override System.Collections.Generic.IEnumerable DiscriminatorColumnIterator { get => throw null; } - protected internal override System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } - public SingleTableSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; - public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + string ExtractConstraintName(System.Data.Common.DbException sqle); } - - // Generated from `NHibernate.Mapping.Subclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Subclass : NHibernate.Mapping.PersistentClass + public class LockAcquisitionException : NHibernate.ADOException { - public override object Accept(NHibernate.Mapping.IPersistentClassVisitor mv) => throw null; - public override void AddJoin(NHibernate.Mapping.Join join) => throw null; - public override void AddProperty(NHibernate.Mapping.Property p) => throw null; - public override void AddSubclassJoin(NHibernate.Mapping.Join join) => throw null; - public override void AddSubclassProperty(NHibernate.Mapping.Property p) => throw null; - public override void AddSubclassTable(NHibernate.Mapping.Table table) => throw null; - public override string CacheConcurrencyStrategy { get => throw null; set => throw null; } - public void CreateForeignKey() => throw null; - public override NHibernate.Mapping.IValue Discriminator { get => throw null; set => throw null; } - public override System.Type EntityPersisterClass { get => throw null; set => throw null; } - public override System.Collections.Generic.IDictionary FilterMap { get => throw null; } - public override string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; - public override bool HasEmbeddedIdentifier { get => throw null; set => throw null; } - public override bool HasIdentifierProperty { get => throw null; } - public override bool HasSubselectLoadableCollections { get => throw null; set => throw null; } - public override NHibernate.Mapping.IKeyValue Identifier { get => throw null; set => throw null; } - public override NHibernate.Mapping.Component IdentifierMapper { get => throw null; } - public override NHibernate.Mapping.Property IdentifierProperty { get => throw null; set => throw null; } - public override bool IsClassOrSuperclassJoin(NHibernate.Mapping.Join join) => throw null; - public override bool IsClassOrSuperclassTable(NHibernate.Mapping.Table closureTable) => throw null; - public override bool IsDiscriminatorInsertable { get => throw null; set => throw null; } - public override bool IsExplicitPolymorphism { get => throw null; set => throw null; } - public override bool IsForceDiscriminator { get => throw null; } - public override bool IsInherited { get => throw null; } - public override bool IsJoinedSubclass { get => throw null; } - public override bool IsLazyPropertiesCacheable { get => throw null; } - public override bool IsMutable { get => throw null; set => throw null; } - public override bool IsPolymorphic { get => throw null; set => throw null; } - public override bool IsVersioned { get => throw null; } - public override System.Collections.Generic.IEnumerable JoinClosureIterator { get => throw null; } - public override int JoinClosureSpan { get => throw null; } - public override NHibernate.Mapping.IKeyValue Key { get => throw null; set => throw null; } - public override System.Collections.Generic.IEnumerable KeyClosureIterator { get => throw null; } - public override NHibernate.Engine.Versioning.OptimisticLock OptimisticLockMode { get => throw null; } - public override System.Collections.Generic.IEnumerable PropertyClosureIterator { get => throw null; } - public override int PropertyClosureSpan { get => throw null; } - public override NHibernate.Mapping.RootClass RootClazz { get => throw null; } - public override NHibernate.Mapping.Table RootTable { get => throw null; } - public Subclass(NHibernate.Mapping.PersistentClass superclass) => throw null; - public override int SubclassId { get => throw null; } - public override NHibernate.Mapping.PersistentClass Superclass { get => throw null; set => throw null; } - public override System.Collections.Generic.ISet SynchronizedTables { get => throw null; } - public override NHibernate.Mapping.Table Table { get => throw null; } - public override System.Collections.Generic.IEnumerable TableClosureIterator { get => throw null; } - public override System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } - public override NHibernate.Mapping.Property Version { get => throw null; set => throw null; } - public override string Where { get => throw null; set => throw null; } + public LockAcquisitionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public LockAcquisitionException(string message, System.Exception innerException, string sql) => throw null; + public LockAcquisitionException(string message, System.Exception innerException) => throw null; } - - // Generated from `NHibernate.Mapping.Table` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Table : NHibernate.Mapping.IRelationalModel + public class NoOpViolatedConstraintNameExtracter : NHibernate.Exceptions.IViolatedConstraintNameExtracter { - public void AddCheckConstraint(string constraint) => throw null; - public void AddColumn(NHibernate.Mapping.Column column) => throw null; - public NHibernate.Mapping.Index AddIndex(NHibernate.Mapping.Index index) => throw null; - public NHibernate.Mapping.UniqueKey AddUniqueKey(NHibernate.Mapping.UniqueKey uniqueKey) => throw null; - public string Catalog { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerable CheckConstraintsIterator { get => throw null; } - public virtual System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } - public int ColumnSpan { get => throw null; } - public string Comment { get => throw null; set => throw null; } - public virtual bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; - public virtual NHibernate.Mapping.ForeignKey CreateForeignKey(string keyName, System.Collections.Generic.IEnumerable keyColumns, string referencedEntityName, System.Collections.Generic.IEnumerable referencedColumns) => throw null; - public virtual NHibernate.Mapping.ForeignKey CreateForeignKey(string keyName, System.Collections.Generic.IEnumerable keyColumns, string referencedEntityName) => throw null; - public virtual void CreateForeignKeys() => throw null; - public virtual NHibernate.Mapping.UniqueKey CreateUniqueKey(System.Collections.Generic.IList keyColumns) => throw null; - public System.Collections.Generic.IEnumerable ForeignKeyIterator { get => throw null; } - public virtual NHibernate.Mapping.Column GetColumn(NHibernate.Mapping.Column column) => throw null; - public NHibernate.Mapping.Column GetColumn(int n) => throw null; - public NHibernate.Mapping.Index GetIndex(string indexName) => throw null; - public NHibernate.Mapping.Index GetOrCreateIndex(string indexName) => throw null; - public NHibernate.Mapping.UniqueKey GetOrCreateUniqueKey(string keyName) => throw null; - public virtual string GetQualifiedName(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public string GetQualifiedName(NHibernate.Dialect.Dialect dialect) => throw null; - public string GetQuotedCatalog(NHibernate.Dialect.Dialect dialect, string defaultQuotedCatalog) => throw null; - public string GetQuotedCatalog(NHibernate.Dialect.Dialect dialect) => throw null; - public string GetQuotedCatalog() => throw null; - public string GetQuotedName(NHibernate.Dialect.Dialect dialect) => throw null; - public string GetQuotedName() => throw null; - public string GetQuotedSchema(NHibernate.Dialect.Dialect dialect, string defaultQuotedSchema) => throw null; - public string GetQuotedSchema(NHibernate.Dialect.Dialect dialect) => throw null; - public string GetQuotedSchema() => throw null; - public string GetQuotedSchemaName(NHibernate.Dialect.Dialect dialect) => throw null; - public NHibernate.Mapping.UniqueKey GetUniqueKey(string keyName) => throw null; - public bool HasDenormalizedTables { get => throw null; } - public bool HasPrimaryKey { get => throw null; } - public NHibernate.Mapping.IKeyValue IdentifierValue { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IEnumerable IndexIterator { get => throw null; } - public bool IsAbstract { get => throw null; set => throw null; } - public bool IsAbstractUnionTable { get => throw null; } - public bool IsCatalogQuoted { get => throw null; } - public bool IsPhysicalTable { get => throw null; } - public bool IsQuoted { get => throw null; set => throw null; } - public bool IsSchemaQuoted { get => throw null; } - public bool IsSubselect { get => throw null; } - public string Name { get => throw null; set => throw null; } - public virtual NHibernate.Mapping.PrimaryKey PrimaryKey { get => throw null; set => throw null; } - public string RowId { get => throw null; set => throw null; } - public string Schema { get => throw null; set => throw null; } - public NHibernate.Mapping.SchemaAction SchemaActions { get => throw null; set => throw null; } - public void SetIdentifierValue(NHibernate.Mapping.SimpleValue identifierValue) => throw null; - public string[] SqlAlterStrings(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, NHibernate.Dialect.Schema.ITableMetadata tableInfo, string defaultCatalog, string defaultSchema) => throw null; - public virtual string[] SqlCommentStrings(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; - public string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public virtual string SqlTemporaryTableCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; - public string Subselect { get => throw null; set => throw null; } - public Table(string name) => throw null; - public Table() => throw null; - public override string ToString() => throw null; - public string UniqueColumnString(System.Collections.IEnumerable uniqueColumns) => throw null; - public string UniqueColumnString(System.Collections.IEnumerable iterator, string referencedEntityName) => throw null; - public int UniqueInteger { get => throw null; set => throw null; } - public virtual System.Collections.Generic.IEnumerable UniqueKeyIterator { get => throw null; } - public System.Collections.Generic.IEnumerable ValidateColumns(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping, NHibernate.Dialect.Schema.ITableMetadata tableInfo) => throw null; + public NoOpViolatedConstraintNameExtracter() => throw null; + public virtual string ExtractConstraintName(System.Data.Common.DbException sqle) => throw null; } - - // Generated from `NHibernate.Mapping.ToOne` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class ToOne : NHibernate.Mapping.SimpleValue, NHibernate.Mapping.IFetchable + public static class SQLExceptionConverterFactory { - public abstract override void CreateForeignKey(); - public override NHibernate.FetchMode FetchMode { get => throw null; set => throw null; } - public bool IsLazy { get => throw null; set => throw null; } - public override bool IsTypeSpecified { get => throw null; } - public override bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; - public string ReferencedEntityName { get => throw null; set => throw null; } - public string ReferencedPropertyName { get => throw null; set => throw null; } - public override void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; - public ToOne(NHibernate.Mapping.Table table) => throw null; - public abstract override NHibernate.Type.IType Type { get; } - public bool UnwrapProxy { get => throw null; set => throw null; } + public static NHibernate.Exceptions.ISQLExceptionConverter BuildMinimalSQLExceptionConverter() => throw null; + public static NHibernate.Exceptions.ISQLExceptionConverter BuildSQLExceptionConverter(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary properties) => throw null; } - - // Generated from `NHibernate.Mapping.TypeDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TypeDef + public class SQLGrammarException : NHibernate.ADOException { - public System.Collections.Generic.IDictionary Parameters { get => throw null; } - public string TypeClass { get => throw null; } - public TypeDef(string typeClass, System.Collections.Generic.IDictionary parameters) => throw null; + public SQLGrammarException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SQLGrammarException(string message, System.Exception innerException, string sql) => throw null; + public SQLGrammarException(string message, System.Exception innerException) => throw null; } - - // Generated from `NHibernate.Mapping.UnionSubclass` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnionSubclass : NHibernate.Mapping.Subclass, NHibernate.Mapping.ITableOwner + public class SqlParseException : System.Exception { - public override NHibernate.Mapping.Table IdentityTable { get => throw null; } - protected internal override System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } - public override NHibernate.Mapping.Table Table { get => throw null; } - NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set => throw null; } - public UnionSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public SqlParseException(string message) => throw null; + protected SqlParseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - - // Generated from `NHibernate.Mapping.UniqueKey` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UniqueKey : NHibernate.Mapping.Constraint + public class SQLStateConverter : NHibernate.Exceptions.ISQLExceptionConverter { - public override bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; - public string SqlConstraintString(NHibernate.Dialect.Dialect dialect) => throw null; - public override string SqlConstraintString(NHibernate.Dialect.Dialect dialect, string constraintName, string defaultCatalog, string defaultSchema) => throw null; - public override string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; - public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; - public UniqueKey() => throw null; + public System.Exception Convert(NHibernate.Exceptions.AdoExceptionContextInfo exceptionInfo) => throw null; + public SQLStateConverter(NHibernate.Exceptions.IViolatedConstraintNameExtracter extracter) => throw null; + public static NHibernate.ADOException HandledNonSpecificException(System.Exception sqlException, string message, string sql) => throw null; } - - namespace ByCode + public abstract class SqlStateExtracter { - // Generated from `NHibernate.Mapping.ByCode.AbstractExplicitlyDeclaredModel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractExplicitlyDeclaredModel : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + protected SqlStateExtracter() => throw null; + public int ExtractErrorCode(System.Data.Common.DbException sqle) => throw null; + public abstract int ExtractSingleErrorCode(System.Data.Common.DbException sqle); + public abstract string ExtractSingleSqlState(System.Data.Common.DbException sqle); + public string ExtractSqlState(System.Data.Common.DbException sqle) => throw null; + } + public abstract class TemplatedViolatedConstraintNameExtracter : NHibernate.Exceptions.IViolatedConstraintNameExtracter + { + protected TemplatedViolatedConstraintNameExtracter() => throw null; + public abstract string ExtractConstraintName(System.Data.Common.DbException sqle); + protected string ExtractUsingTemplate(string templateStart, string templateEnd, string message) => throw null; + } + } + public enum FetchMode + { + Default = 0, + Select = 1, + Join = 2, + Lazy = 1, + Eager = 2, + } + public class FKUnmatchingColumnsException : NHibernate.MappingException + { + public FKUnmatchingColumnsException(string message) : base(default(string)) => throw null; + public FKUnmatchingColumnsException(string message, System.Exception innerException) : base(default(string)) => throw null; + protected FKUnmatchingColumnsException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + } + public enum FlushMode + { + Unspecified = -1, + Manual = 0, + Never = 0, + Commit = 5, + Auto = 10, + Always = 20, + } + public class HibernateException : System.Exception + { + public HibernateException() => throw null; + public HibernateException(string message) => throw null; + public HibernateException(System.Exception innerException) => throw null; + public HibernateException(string message, System.Exception innerException) => throw null; + protected HibernateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Hql + { + namespace Ast + { + namespace ANTLR + { + public class AstPolymorphicProcessor + { + public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] Process(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ast, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class ASTQueryTranslatorFactory : NHibernate.Hql.IQueryTranslatorFactory + { + public NHibernate.Hql.IQueryTranslator[] CreateQueryTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary filters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public ASTQueryTranslatorFactory() => throw null; + } + public static class CrossJoinDictionaryArrays + { + public static System.Collections.Generic.IList> PerformCrossJoin(System.Collections.Generic.IEnumerable> input) => throw null; + } + public class DetailedSemanticException : NHibernate.Hql.Ast.ANTLR.SemanticException + { + public DetailedSemanticException(string message) : base(default(string)) => throw null; + public DetailedSemanticException(string message, System.Exception inner) : base(default(string)) => throw null; + protected DetailedSemanticException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + } + namespace Exec + { + public abstract class AbstractStatementExecutor : NHibernate.Hql.Ast.ANTLR.Exec.IStatementExecutor + { + protected abstract NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get; } + protected virtual void CoordinateSharedCacheCleanup(NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task CoordinateSharedCacheCleanupAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual void CreateTemporaryTableIfNecessary(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task CreateTemporaryTableIfNecessaryAsync(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected AbstractStatementExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement, NHibernate.INHibernateLogger log) => throw null; + protected virtual void DropTemporaryTableIfNecessary(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task DropTemporaryTableIfNecessaryAsync(NHibernate.Persister.Entity.IQueryable persister, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session); + public abstract System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + protected NHibernate.SqlCommand.SqlString GenerateIdInsertSelect(NHibernate.Persister.Entity.IQueryable persister, string tableAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode whereClause) => throw null; + protected string GenerateIdSubselect(NHibernate.Persister.Entity.IQueryable persister) => throw null; + protected virtual bool ShouldIsolateTemporaryTableDDL() => throw null; + public abstract NHibernate.SqlCommand.SqlString[] SqlStatements { get; } + protected NHibernate.Hql.Ast.ANTLR.Tree.IStatement Statement { get => throw null; } + protected NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get => throw null; } + } + public class BasicExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor + { + protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } + public BasicExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement, NHibernate.Persister.Entity.IQueryable persister) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; + public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } + } + public interface IStatementExecutor + { + int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + NHibernate.SqlCommand.SqlString[] SqlStatements { get; } + } + public class MultiTableDeleteExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor + { + protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } + public MultiTableDeleteExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; + public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } + } + public class MultiTableUpdateExecutor : NHibernate.Hql.Ast.ANTLR.Exec.AbstractStatementExecutor + { + protected override NHibernate.Persister.Entity.IQueryable[] AffectedQueryables { get => throw null; } + public MultiTableUpdateExecutor(NHibernate.Hql.Ast.ANTLR.Tree.IStatement statement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IStatement), default(NHibernate.INHibernateLogger)) => throw null; + public override int Execute(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task ExecuteAsync(NHibernate.Engine.QueryParameters parameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.SqlCommand.SqlString[] SqlStatements { get => throw null; } + } + } + public class HqlLexer : Antlr.Runtime.Lexer + { + public static int AGGREGATE; + public static int ALIAS; + public static int ALL; + public static int AND; + public static int ANY; + public static int AS; + public static int ASCENDING; + public static int AVG; + public static int BAND; + public static int BETWEEN; + public static int BNOT; + public static int BOR; + public static int BOTH; + public static int BXOR; + public static int CASE; + public static int CASE2; + public static int CLASS; + public static int CLOSE; + public static int CLOSE_BRACKET; + public static int COLON; + public static int COMMA; + public static int CONCAT; + public static int CONSTANT; + public static int CONSTRUCTOR; + public static int COUNT; + public static int CROSS; + public HqlLexer() => throw null; + public HqlLexer(Antlr.Runtime.ICharStream input) => throw null; + public HqlLexer(Antlr.Runtime.ICharStream input, Antlr.Runtime.RecognizerSharedState state) => throw null; + public static int DELETE; + public static int DESCENDING; + public static int DISTINCT; + public static int DIV; + public static int DOT; + public static int ELEMENTS; + public static int ELSE; + public override Antlr.Runtime.IToken Emit() => throw null; + public static int EMPTY; + public static int END; + public static int EOF; + public static int EQ; + public static int ESCAPE; + public static int ESCqs; + public static int EXISTS; + public static int EXPONENT; + public static int EXPR_LIST; + public static int FALSE; + public static int FETCH; + public static int FILTER_ENTITY; + public static int FLOAT_SUFFIX; + public static int FROM; + public static int FULL; + public static int GE; + public override string GrammarFileName { get => throw null; } + public static int GROUP; + public static int GT; + public static int HAVING; + public static int HEX_DIGIT; + public static int ID_LETTER; + public static int ID_START_LETTER; + public static int IDENT; + public static int IN; + public static int IN_LIST; + public static int INDEX_OP; + public static int INDICES; + protected override void InitDFAs() => throw null; + public static int INNER; + public static int INSERT; + public static int INTO; + public static int IS; + public static int IS_NOT_NULL; + public static int IS_NULL; + public static int JAVA_CONSTANT; + public static int JOIN; + public static int LE; + public static int LEADING; + public static int LEFT; + public static int LIKE; + public static int LITERAL_by; + public static int LT; + public static int MAX; + public static int MEMBER; + public static int METHOD_CALL; + public static int MIN; + public static int MINUS; + public override void mTokens() => throw null; + public static int NE; + public static int NEW; + public static int NOT; + public static int NOT_BETWEEN; + public static int NOT_IN; + public static int NOT_LIKE; + public static int NULL; + public static int NUM_DECIMAL; + public static int NUM_DOUBLE; + public static int NUM_FLOAT; + public static int NUM_INT; + public static int NUM_LONG; + public static int OBJECT; + public static int OF; + public static int ON; + public static int OPEN; + public static int OPEN_BRACKET; + public static int OR; + public static int ORDER; + public static int ORDER_ELEMENT; + public static int OUTER; + public static int PARAM; + public static int PLUS; + public static int PROPERTIES; + public static int QUERY; + public static int QUOTED_String; + public static int RANGE; + public static int RIGHT; + public static int ROW_STAR; + public static int SELECT; + public static int SELECT_FROM; + public static int SET; + public static int SKIP; + public static int SOME; + public static int SQL_NE; + public static int STAR; + public static int SUM; + public static int T__134; + public static int T__135; + public static int TAKE; + public static int THEN; + public static int TRAILING; + public static int TRUE; + public static int UNARY_MINUS; + public static int UNARY_PLUS; + public static int UNION; + public static int UPDATE; + public static int VECTOR_EXPR; + public static int VERSIONED; + public static int WEIRD_IDENT; + public static int WHEN; + public static int WHERE; + public static int WITH; + public static int WS; + } + public class HqlParseEngine + { + public HqlParseEngine(string hql, bool filter, NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parse() => throw null; + } + public class HqlParser : Antlr.Runtime.Parser + { + public static int AGGREGATE; + public static int ALIAS; + public static int ALL; + public static int AND; + public static int ANY; + public static int AS; + public static int ASCENDING; + public static int AVG; + public static int BAND; + public static int BETWEEN; + public static int BNOT; + public static int BOR; + public static int BOTH; + public static int BXOR; + public static int CASE; + public static int CASE2; + public static int CLASS; + public static int CLOSE; + public static int CLOSE_BRACKET; + public static int COLON; + public static int COMMA; + public static int CONCAT; + public static int CONSTANT; + public static int CONSTRUCTOR; + public static int COUNT; + public static int CROSS; + public HqlParser(Antlr.Runtime.ITokenStream input) : base(default(Antlr.Runtime.ITokenStream)) => throw null; + public HqlParser(Antlr.Runtime.ITokenStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.ITokenStream)) => throw null; + public static int DELETE; + public static int DESCENDING; + public static int DISTINCT; + public static int DIV; + public static int DOT; + public static int ELEMENTS; + public static int ELSE; + public static int EMPTY; + public static int END; + public static int EOF; + public static int EQ; + public static int ESCAPE; + public static int ESCqs; + public static int EXISTS; + public static int EXPONENT; + public static int EXPR_LIST; + public static int FALSE; + public static int FETCH; + public bool Filter { get => throw null; set { } } + public static int FILTER_ENTITY; + public static int FLOAT_SUFFIX; + public static int FROM; + public static int FULL; + public static int GE; + public override string GrammarFileName { get => throw null; } + public static int GROUP; + public static int GT; + public void HandleDotIdent() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode HandleIdentifierError(Antlr.Runtime.IToken token, Antlr.Runtime.RecognitionException ex) => throw null; + public static int HAVING; + public static int HEX_DIGIT; + public static int ID_LETTER; + public static int ID_START_LETTER; + public static int IDENT; + public static int IN; + public static int IN_LIST; + public static int INDEX_OP; + public static int INDICES; + public static int INNER; + public static int INSERT; + public static int INTO; + public static int IS; + public static int IS_NOT_NULL; + public static int IS_NULL; + public static int JAVA_CONSTANT; + public static int JOIN; + public static int LE; + public static int LEADING; + public static int LEFT; + public static int LIKE; + public static int LITERAL_by; + public static int LT; + public static int MAX; + public static int MEMBER; + public static int METHOD_CALL; + public static int MIN; + public static int MINUS; + public static int NE; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NegateNode(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node) => throw null; + public static int NEW; + public static int NOT; + public static int NOT_BETWEEN; + public static int NOT_IN; + public static int NOT_LIKE; + public static int NULL; + public static int NUM_DECIMAL; + public static int NUM_DOUBLE; + public static int NUM_FLOAT; + public static int NUM_INT; + public static int NUM_LONG; + public static int OBJECT; + public static int OF; + public static int ON; + public static int OPEN; + public static int OPEN_BRACKET; + public static int OR; + public static int ORDER; + public static int ORDER_ELEMENT; + public static int OUTER; + public static int PARAM; + public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; set { } } + public static int PLUS; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ProcessEqualityExpression(object o) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ProcessMemberOf(Antlr.Runtime.IToken n, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode p, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root) => throw null; + public static int PROPERTIES; + public static int QUERY; + public static int QUOTED_String; + public static int RANGE; + protected override object RecoverFromMismatchedToken(Antlr.Runtime.IIntStream input, int ttype, Antlr.Runtime.BitSet follow) => throw null; + public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; + public static int RIGHT; + public static int ROW_STAR; + public static int SELECT; + public static int SELECT_FROM; + public static int SET; + public static int SKIP; + public static int SOME; + public static int SQL_NE; + public static int STAR; + public Antlr.Runtime.AstParserRuleReturnScope statement() => throw null; + public static int SUM; + public static int T__134; + public static int T__135; + public static int TAKE; + public static int THEN; + public override string[] TokenNames { get => throw null; } + public static int TRAILING; + public Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set { } } + public static int TRUE; + public static int UNARY_MINUS; + public static int UNARY_PLUS; + public static int UNION; + public static int UPDATE; + public static int VECTOR_EXPR; + public static int VERSIONED; + public void WeakKeywords() => throw null; + public void WeakKeywords2() => throw null; + public static int WEIRD_IDENT; + public static int WHEN; + public static int WHERE; + public static int WITH; + public static int WS; + } + public class HqlSqlWalker : Antlr.Runtime.Tree.TreeParser + { + public void AddQuerySpaces(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public void AddQuerySpaces(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; + public void AddQuerySpaces(string[] spaces) => throw null; + public static int AGGREGATE; + public static int ALIAS; + public static int ALIAS_REF; + public NHibernate.Hql.Ast.ANTLR.Util.AliasGenerator AliasGenerator { get => throw null; } + public static int ALL; + public static int AND; + public static int ANY; + public static int AS; + public static int ASCENDING; + public System.Collections.Generic.IList AssignmentSpecifications { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory ASTFactory { get => throw null; } + public static int AVG; + public static int BAND; + public static int BETWEEN; + public static int BNOT; + public static int BOGUS; + public static int BOR; + public static int BOTH; + public static int BXOR; + public static int CASE; + public static int CASE2; + public static int CLASS; + public static int CLOSE; + public static int CLOSE_BRACKET; + public string CollectionFilterRole { get => throw null; } + public static int COLON; + public static int COMMA; + public static int CONCAT; + public static int CONSTANT; + public static int CONSTRUCTOR; + public static int COUNT; + public static int CROSS; + public HqlSqlWalker(NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl qti, NHibernate.Engine.ISessionFactoryImplementor sfi, Antlr.Runtime.Tree.ITreeNodeStream input, System.Collections.Generic.IDictionary tokenReplacements, string collectionRole) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public HqlSqlWalker(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public HqlSqlWalker(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public int CurrentClauseType { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.FromClause CurrentFromClause { get => throw null; } + public int CurrentStatementType { get => throw null; } + public int CurrentTopLevelClauseType { get => throw null; } + public static int DELETE; + public static int DESCENDING; + public static int DISTINCT; + public static int DIV; + public static int DOT; + public static int ELEMENTS; + public static int ELSE; + public static int EMPTY; + public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + public static int END; + public static int ENTITY_JOIN; + public static int EOF; + public static int EQ; + public static int ESCAPE; + public static int ESCqs; + protected void EvaluateAssignment(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode eq) => throw null; + public static int EXISTS; + public static int EXPONENT; + public static int EXPR_LIST; + public static int FALSE; + public static int FETCH; + public static int FILTER_ENTITY; + public static int FILTERS; + public static int FLOAT_SUFFIX; + public static int FROM; + public static int FROM_FRAGMENT; + public static int FULL; + public static int GE; + public NHibernate.Hql.Ast.ANTLR.Tree.FromClause GetFinalFromClause() => throw null; + public override string GrammarFileName { get => throw null; } + public static int GROUP; + public static int GT; + protected void HandleResultVariableRef(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode resultVariableRef) => throw null; + public static int HAVING; + public static int HEX_DIGIT; + public static int ID_LETTER; + public static int ID_START_LETTER; + public static int IDENT; + public static int IMPLIED_FROM; + public NHibernate.SqlCommand.JoinType ImpliedJoinType { get => throw null; } + public static int IN; + public static int IN_LIST; + public static int INDEX_OP; + public static int INDICES; + public static int INNER; + public static int INSERT; + public static int INTO; + public static int IS; + public static int IS_NOT_NULL; + public static int IS_NULL; + public bool IsComparativeExpressionClause { get => throw null; } + public bool IsFilter() => throw null; + public bool IsInCase { get => throw null; } + public bool IsInFrom { get => throw null; } + public bool IsInSelect { get => throw null; } + protected bool IsOrderExpressionResultVariableRef(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode orderExpressionNode) => throw null; + public bool IsScalarSubQuery { get => throw null; } + public bool IsSelectStatement { get => throw null; } + public bool IsShallowQuery { get => throw null; } + public bool IsSubQuery { get => throw null; } + public static int JAVA_CONSTANT; + public static int JOIN; + public static int JOIN_FRAGMENT; + public static int JOIN_SUBQUERY; + public static int LE; + public static int LEADING; + public static int LEFT; + public static int LEFT_OUTER; + public static int LIKE; + public static int LITERAL_by; + public NHibernate.Hql.Ast.ANTLR.Util.LiteralProcessor LiteralProcessor { get => throw null; } + protected NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LookupProperty(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode dot, bool root, bool inSelect) => throw null; + public static int LT; + public static int MAX; + public static int MEMBER; + public static int METHOD_CALL; + public static int METHOD_NAME; + public static int MIN; + public static int MINUS; + public static int NAMED_PARAM; + public System.Collections.Generic.IDictionary NamedParameters { get => throw null; } + public static int NE; + public static int NEW; + public static int NOT; + public static int NOT_BETWEEN; + public static int NOT_IN; + public static int NOT_LIKE; + public static int NULL; + public static int NUM_DECIMAL; + public static int NUM_DOUBLE; + public static int NUM_FLOAT; + public static int NUM_INT; + public static int NUM_LONG; + public int NumberOfParametersInSetClause { get => throw null; } + public static int OBJECT; + public static int OF; + public static int ON; + public static int OPEN; + public static int OPEN_BRACKET; + public static int OR; + public static int ORDER; + public static int ORDER_ELEMENT; + public static int OUTER; + public static int PARAM; + public System.Collections.Generic.IList Parameters { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; set { } } + public static int PLUS; + public static int PROPERTIES; + public static int PROPERTY_REF; + public static int QUERY; + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public static int QUOTED_String; + public static int RANGE; + public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; + public static int RESULT_VARIABLE_REF; + public string[] ReturnAliases { get => throw null; } + public NHibernate.Type.IType[] ReturnTypes { get => throw null; } + public static int RIGHT; + public static int RIGHT_OUTER; + public static int ROW_STAR; + public static int SELECT; + public static int SELECT_CLAUSE; + public static int SELECT_COLUMNS; + public static int SELECT_EXPR; + public static int SELECT_FROM; + public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause SelectClause { get => throw null; } + public static int SET; + public static int SKIP; + public static int SOME; + public static int SQL_NE; + public static int SQL_TOKEN; + public static int STAR; + public Antlr.Runtime.Tree.AstTreeRuleReturnScope statement() => throw null; + public int StatementType { get => throw null; } + public static int SUM; + public static bool SupportsIdGenWithBulkInsertion(NHibernate.Id.IIdentifierGenerator generator) => throw null; + public bool SupportsQueryCache { get => throw null; } + public static int T__134; + public static int T__135; + public static int TAKE; + public static int THEN; + public static int THETA_JOINS; + public override string[] TokenNames { get => throw null; } + public System.Collections.Generic.IDictionary TokenReplacements { get => throw null; } + public static int TRAILING; + public Antlr.Runtime.Tree.ITreeAdaptor TreeAdaptor { get => throw null; set { } } + public static int TRUE; + public static int UNARY_MINUS; + public static int UNARY_PLUS; + public static int UNION; + public static int UPDATE; + public static int VECTOR_EXPR; + public static int VERSIONED; + public static int WEIRD_IDENT; + public static int WHEN; + public static int WHERE; + public static int WITH; + public static int WS; + } + public class HqlToken : Antlr.Runtime.CommonToken + { + public HqlToken(Antlr.Runtime.ICharStream input, int type, int channel, int start, int stop) => throw null; + public HqlToken(Antlr.Runtime.IToken other) => throw null; + public bool PossibleId { get => throw null; } + public override string ToString() => throw null; + } + public interface IErrorReporter + { + void ReportError(Antlr.Runtime.RecognitionException e); + void ReportError(string s); + void ReportWarning(string s); + } + public class InvalidPathException : NHibernate.Hql.Ast.ANTLR.SemanticException + { + public InvalidPathException(string s) : base(default(string)) => throw null; + protected InvalidPathException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + } + public class InvalidWithClauseException : NHibernate.Hql.Ast.ANTLR.QuerySyntaxException + { + protected InvalidWithClauseException() => throw null; + public InvalidWithClauseException(string message) => throw null; + public InvalidWithClauseException(string message, System.Exception inner) => throw null; + protected InvalidWithClauseException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public interface IParseErrorHandler : NHibernate.Hql.Ast.ANTLR.IErrorReporter + { + int GetErrorCount(); + void ThrowQueryException(); + } + public class QuerySyntaxException : NHibernate.QueryException + { + public static NHibernate.Hql.Ast.ANTLR.QuerySyntaxException Convert(Antlr.Runtime.RecognitionException e) => throw null; + public static NHibernate.Hql.Ast.ANTLR.QuerySyntaxException Convert(Antlr.Runtime.RecognitionException e, string hql) => throw null; + protected QuerySyntaxException() => throw null; + public QuerySyntaxException(string message, string hql) => throw null; + public QuerySyntaxException(string message, string hql, System.Exception inner) => throw null; + public QuerySyntaxException(string message) => throw null; + public QuerySyntaxException(string message, System.Exception inner) => throw null; + protected QuerySyntaxException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class QueryTranslatorImpl : NHibernate.Hql.IFilterTranslator, NHibernate.Hql.IQueryTranslator + { + public virtual NHibernate.Type.IType[] ActualReturnTypes { get => throw null; } + public NHibernate.Engine.Query.ParameterMetadata BuildParameterMetadata() => throw null; + public System.Collections.Generic.IList CollectedParameterSpecifications { get => throw null; } + public System.Collections.Generic.IList CollectSqlStrings { get => throw null; } + public void Compile(System.Collections.Generic.IDictionary replacements, bool shallow) => throw null; + public void Compile(string collectionRole, System.Collections.Generic.IDictionary replacements, bool shallow) => throw null; + public bool ContainsCollectionFetches { get => throw null; } + public QueryTranslatorImpl(string queryIdentifier, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parsedQuery, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + public int ExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public string[][] GetColumnNames() => throw null; + public System.Collections.IEnumerable GetEnumerable(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session) => throw null; + public System.Threading.Tasks.Task GetEnumerableAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsManipulationStatement { get => throw null; } + public bool IsShallowQuery { get => throw null; } + public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Loader.Loader Loader { get => throw null; } + public string QueryIdentifier { get => throw null; } + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public string QueryString { get => throw null; } + public string[] ReturnAliases { get => throw null; } + public NHibernate.Type.IType[] ReturnTypes { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IStatement SqlAST { get => throw null; } + public NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + public string SQLString { get => throw null; } + public bool SupportsQueryCache { get => throw null; } + public bool TryGetNamedParameterType(string name, out NHibernate.Type.IType type, out bool isGuessedType) => throw null; + public System.Collections.Generic.ISet UncacheableCollectionPersisters { get => throw null; } + } + public class SemanticException : NHibernate.QueryException + { + public SemanticException(string message) => throw null; + public SemanticException(string message, System.Exception inner) => throw null; + protected SemanticException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class SessionFactoryHelperExtensions + { + public NHibernate.Engine.JoinSequence CreateCollectionJoinSequence(NHibernate.Persister.Collection.IQueryableCollection collPersister, string collectionName) => throw null; + public NHibernate.Engine.JoinSequence CreateJoinSequence() => throw null; + public NHibernate.Engine.JoinSequence CreateJoinSequence(bool implicitJoin, NHibernate.Type.IAssociationType associationType, string tableAlias, NHibernate.SqlCommand.JoinType joinType, string[] columns) => throw null; + public SessionFactoryHelperExtensions(NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public NHibernate.Type.IType FindFunctionReturnType(string functionName, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode first) => throw null; + public NHibernate.Type.IType FindFunctionReturnType(string functionName, System.Collections.Generic.IEnumerable arguments) => throw null; + public NHibernate.Persister.Entity.IQueryable FindQueryableUsingImports(string className) => throw null; + public NHibernate.Dialect.Function.ISQLFunction FindSQLFunction(string functionName) => throw null; + public string[][] GenerateColumnNames(NHibernate.Type.IType[] sqlResultTypes) => throw null; + public string[] GetCollectionElementColumns(string role, string roleAlias) => throw null; + public NHibernate.Persister.Collection.IQueryableCollection GetCollectionPersister(string collectionFilterRole) => throw null; + public NHibernate.Type.IAssociationType GetElementAssociationType(NHibernate.Type.CollectionType collectionType) => throw null; + public string GetIdentifierOrUniqueKeyPropertyName(NHibernate.Type.EntityType entityType) => throw null; + public string GetImportedClassName(string className) => throw null; + public bool HasPhysicalDiscriminatorColumn(NHibernate.Persister.Entity.IQueryable persister) => throw null; + public bool IsStrictJPAQLComplianceEnabled { get => throw null; } + public NHibernate.Persister.Entity.IEntityPersister RequireClassPersister(string name) => throw null; + public NHibernate.Persister.Collection.IQueryableCollection RequireQueryableCollection(string role) => throw null; + } + public class SqlGenerator : Antlr.Runtime.Tree.TreeParser, NHibernate.Hql.Ast.ANTLR.IErrorReporter + { + public static int AGGREGATE; + public static int ALIAS; + public static int ALIAS_REF; + public static int ALL; + public static int AND; + public static int ANY; + public static int AS; + public static int ASCENDING; + public static int AVG; + public static int BAND; + public static int BETWEEN; + public static int BNOT; + public static int BOGUS; + public static int BOR; + public static int BOTH; + public static int BXOR; + public static int CASE; + public static int CASE2; + public static int CLASS; + public static int CLOSE; + public static int CLOSE_BRACKET; + public static int COLON; + public static int COMMA; + public void comparisonExpr(bool parens) => throw null; + public static int CONCAT; + public static int CONSTANT; + public static int CONSTRUCTOR; + public static int COUNT; + public static int CROSS; + public SqlGenerator(NHibernate.Engine.ISessionFactoryImplementor sfi, Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public SqlGenerator(Antlr.Runtime.Tree.ITreeNodeStream input) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public SqlGenerator(Antlr.Runtime.Tree.ITreeNodeStream input, Antlr.Runtime.RecognizerSharedState state) : base(default(Antlr.Runtime.Tree.ITreeNodeStream)) => throw null; + public static int DELETE; + public static int DESCENDING; + public static int DISTINCT; + public static int DIV; + public static int DOT; + public static int ELEMENTS; + public static int ELSE; + public static int EMPTY; + public static int END; + public static int ENTITY_JOIN; + public static int EOF; + public static int EQ; + public static int ESCAPE; + public static int ESCqs; + public static int EXISTS; + public static int EXPONENT; + public static int EXPR_LIST; + public static int FALSE; + public static int FETCH; + public static int FILTER_ENTITY; + public static int FILTERS; + public static int FLOAT_SUFFIX; + public static int FROM; + public static int FROM_FRAGMENT; + protected virtual void FromFragmentSeparator(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode a) => throw null; + public static int FULL; + public static int GE; + public System.Collections.Generic.IList GetCollectedParameters() => throw null; + public NHibernate.SqlCommand.SqlString GetSQL() => throw null; + public override string GrammarFileName { get => throw null; } + public static int GROUP; + public static int GT; + public static int HAVING; + public static int HEX_DIGIT; + public static int ID_LETTER; + public static int ID_START_LETTER; + public static int IDENT; + public static int IMPLIED_FROM; + public static int IN; + public static int IN_LIST; + public static int INDEX_OP; + public static int INDICES; + public static int INNER; + public static int INSERT; + public static int INTO; + public static int IS; + public static int IS_NOT_NULL; + public static int IS_NULL; + public static int JAVA_CONSTANT; + public static int JOIN; + public static int JOIN_FRAGMENT; + public static int JOIN_SUBQUERY; + public static int LE; + public static int LEADING; + public static int LEFT; + public static int LEFT_OUTER; + public static int LIKE; + public static int LITERAL_by; + public static int LT; + public static int MAX; + public static int MEMBER; + public static int METHOD_CALL; + public static int METHOD_NAME; + public static int MIN; + public static int MINUS; + public static int NAMED_PARAM; + public static int NE; + protected virtual void NestedFromFragment(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode d, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public static int NEW; + public static int NOT; + public static int NOT_BETWEEN; + public static int NOT_IN; + public static int NOT_LIKE; + public static int NULL; + public static int NUM_DECIMAL; + public static int NUM_DOUBLE; + public static int NUM_FLOAT; + public static int NUM_INT; + public static int NUM_LONG; + public static int OBJECT; + public static int OF; + public static int ON; + public static int OPEN; + public static int OPEN_BRACKET; + public static int OR; + public static int ORDER; + public static int ORDER_ELEMENT; + public static int OUTER; + public static int PARAM; + public NHibernate.Hql.Ast.ANTLR.IParseErrorHandler ParseErrorHandler { get => throw null; } + public static int PLUS; + public static int PROPERTIES; + public static int PROPERTY_REF; + public static int QUERY; + public static int QUOTED_String; + public static int RANGE; + public override void ReportError(Antlr.Runtime.RecognitionException e) => throw null; + public void ReportError(string s) => throw null; + public void ReportWarning(string s) => throw null; + public static int RESULT_VARIABLE_REF; + public static int RIGHT; + public static int RIGHT_OUTER; + public static int ROW_STAR; + public static int SELECT; + public static int SELECT_CLAUSE; + public static int SELECT_COLUMNS; + public static int SELECT_EXPR; + public static int SELECT_FROM; + public static int SET; + public Antlr.Runtime.Tree.TreeRuleReturnScope simpleExpr() => throw null; + public static int SKIP; + public static int SOME; + public static int SQL_NE; + public static int SQL_TOKEN; + public static int STAR; + public void statement() => throw null; + public static int SUM; + public static int T__134; + public static int T__135; + public static int TAKE; + public static int THEN; + public static int THETA_JOINS; + public override string[] TokenNames { get => throw null; } + public static int TRAILING; + public static int TRUE; + public static int UNARY_MINUS; + public static int UNARY_PLUS; + public static int UNION; + public static int UPDATE; + public static int VECTOR_EXPR; + public static int VERSIONED; + public static int WEIRD_IDENT; + public static int WHEN; + public static int WHERE; + public void whereClause() => throw null; + public void whereExpr() => throw null; + public static int WITH; + public static int WS; + } + namespace Tree + { + public abstract class AbstractNullnessCheckNode : NHibernate.Hql.Ast.ANTLR.Tree.UnaryLogicOperatorNode + { + protected AbstractNullnessCheckNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected abstract string ExpansionConnectorText { get; } + protected abstract int ExpansionConnectorType { get; } + public override void Initialize() => throw null; + } + public abstract class AbstractRestrictableStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractStatement, NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement, NHibernate.Hql.Ast.ANTLR.Tree.IStatement + { + protected AbstractRestrictableStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get => throw null; } + protected abstract NHibernate.INHibernateLogger GetLog(); + protected abstract int GetWhereClauseParentTokenType(); + public bool HasWhereClause { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode WhereClause { get => throw null; } + } + public abstract class AbstractSelectExpression : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression + { + public string Alias { get => throw null; set { } } + protected AbstractSelectExpression(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public virtual NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set { } } + public bool IsConstructor { get => throw null; } + public virtual bool IsReturnableEntity { get => throw null; } + public virtual bool IsScalar { get => throw null; } + public int ScalarColumnIndex { get => throw null; } + public void SetScalarColumn(int i) => throw null; + public string[] SetScalarColumn(int i, System.Func aliasCreator) => throw null; + public abstract void SetScalarColumnText(int i); + public virtual string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public abstract class AbstractStatement : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode, NHibernate.Hql.Ast.ANTLR.Tree.IStatement + { + protected AbstractStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public string GetDisplayText() => throw null; + public abstract bool NeedsExecutor { get; } + public abstract int StatementType { get; } + } + public class AggregateNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression + { + public AggregateNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public string FunctionName { get => throw null; } + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class AssignmentSpecification + { + public bool AffectsTable(string tableName) => throw null; + public AssignmentSpecification(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode eq, NHibernate.Persister.Entity.IQueryable persister) => throw null; + public NHibernate.Param.IParameterSpecification[] Parameters { get => throw null; } + public NHibernate.SqlCommand.SqlString SqlAssignmentFragment { get => throw null; } + } + public class ASTErrorNode : NHibernate.Hql.Ast.ANTLR.Tree.ASTNode + { + public ASTErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; + public Antlr.Runtime.ITokenStream Input { get => throw null; } + public Antlr.Runtime.RecognitionException RecognitionException { get => throw null; } + public Antlr.Runtime.IToken Stop { get => throw null; } + } + public class ASTFactory : NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory + { + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode CreateNode(int type, string text, params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children) => throw null; + public ASTFactory(Antlr.Runtime.Tree.ITreeAdaptor adaptor) => throw null; + } + public class ASTNode : NHibernate.Hql.Ast.ANTLR.Tree.IASTNode, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, Antlr.Runtime.Tree.ITree + { + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; + void Antlr.Runtime.Tree.ITree.AddChild(Antlr.Runtime.Tree.ITree t) => throw null; + public void AddChildren(System.Collections.Generic.IEnumerable children) => throw null; + public void AddChildren(params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddSibling(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newSibling) => throw null; + public int CharPositionInLine { get => throw null; } + public int ChildCount { get => throw null; } + public int ChildIndex { get => throw null; } + int Antlr.Runtime.Tree.ITree.ChildIndex { get => throw null; set { } } + public void ClearChildren() => throw null; + public ASTNode() => throw null; + public ASTNode(Antlr.Runtime.IToken token) => throw null; + public ASTNode(NHibernate.Hql.Ast.ANTLR.Tree.ASTNode other) => throw null; + object Antlr.Runtime.Tree.ITree.DeleteChild(int i) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode DupNode() => throw null; + Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.DupNode() => throw null; + void Antlr.Runtime.Tree.ITree.FreshenParentAndChildIndexes() => throw null; + public Antlr.Runtime.Tree.ITree GetAncestor(int ttype) => throw null; + public System.Collections.Generic.IList GetAncestors() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetChild(int index) => throw null; + Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.GetChild(int i) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstChild() => throw null; + public bool HasAncestor(int ttype) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode InsertChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; + public bool IsNil { get => throw null; } + public int Line { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NextSibling { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parent { get => throw null; set { } } + Antlr.Runtime.Tree.ITree Antlr.Runtime.Tree.ITree.Parent { get => throw null; set { } } + public void RemoveChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; + public void RemoveChild(int index) => throw null; + void Antlr.Runtime.Tree.ITree.ReplaceChildren(int startChildIndex, int stopChildIndex, object t) => throw null; + public void SetChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild) => throw null; + void Antlr.Runtime.Tree.ITree.SetChild(int i, Antlr.Runtime.Tree.ITree t) => throw null; + public void SetFirstChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild) => throw null; + public virtual string Text { get => throw null; set { } } + public Antlr.Runtime.IToken Token { get => throw null; } + int Antlr.Runtime.Tree.ITree.TokenStartIndex { get => throw null; set { } } + int Antlr.Runtime.Tree.ITree.TokenStopIndex { get => throw null; set { } } + public override string ToString() => throw null; + public string ToStringTree() => throw null; + public int Type { get => throw null; set { } } + } + public class ASTTreeAdaptor : Antlr.Runtime.Tree.BaseTreeAdaptor + { + public override object Create(Antlr.Runtime.IToken payload) => throw null; + public override Antlr.Runtime.IToken CreateToken(int tokenType, string text) => throw null; + public override Antlr.Runtime.IToken CreateToken(Antlr.Runtime.IToken fromToken) => throw null; + public ASTTreeAdaptor() => throw null; + public override object DupNode(object t) => throw null; + public override object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; + public override Antlr.Runtime.IToken GetToken(object treeNode) => throw null; + } + public class BetweenOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + public BetweenOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public void Initialize() => throw null; + } + public class BinaryArithmeticOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode + { + public BinaryArithmeticOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public string GetDisplayText() => throw null; + public void Initialize() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get => throw null; } + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class BinaryLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer + { + public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; + public BinaryLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected static NHibernate.Type.IType ExtractDataType(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode operand) => throw null; + public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; + public bool HasEmbeddedParameters { get => throw null; } + public virtual void Initialize() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get => throw null; } + protected void MutateRowValueConstructorSyntaxesIfNecessary(NHibernate.Type.IType lhsType, NHibernate.Type.IType rhsType) => throw null; + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get => throw null; } + } + public class BooleanLiteralNode : NHibernate.Hql.Ast.ANTLR.Tree.LiteralNode, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode + { + public BooleanLiteralNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + } + public class Case2Node : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression + { + public Case2Node(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class CaseNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode + { + public CaseNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } + public System.Collections.Generic.IEnumerable GetResultNodes() => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class CollectionFunction : NHibernate.Hql.Ast.ANTLR.Tree.MethodNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode + { + public CollectionFunction(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected override void PrepareSelectColumns(string[] selectColumns) => throw null; + public override void Resolve(bool inSelect) => throw null; + } + public class ComponentJoin : NHibernate.Hql.Ast.ANTLR.Tree.FromElement + { + public class ComponentFromElementType : NHibernate.Hql.Ast.ANTLR.Tree.FromElementType + { + public ComponentFromElementType(NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin fromElement) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.FromElement)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.ComponentJoin FromElement { get => throw null; } + protected NHibernate.Persister.Entity.IPropertyMapping GetBasePropertyMapping() => throw null; + public override NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; + public override NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; + public override NHibernate.SqlCommand.SelectFragment GetScalarIdentifierSelectFragment(int i, System.Func aliasCreator) => throw null; + public override NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set { } } + public override string RenderScalarIdentifierSelect(int i) => throw null; + } + public string ComponentPath { get => throw null; } + public string ComponentProperty { get => throw null; } + public NHibernate.Type.ComponentType ComponentType { get => throw null; } + public ComponentJoin(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string alias, string componentPath, NHibernate.Type.ComponentType componentType) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public override string GetDisplayText() => throw null; + public override string GetIdentityColumn() => throw null; + } + public class ConstructorNode : NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionList, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression + { + public string Alias { get => throw null; set { } } + public System.Reflection.ConstructorInfo Constructor { get => throw null; } + public System.Collections.Generic.IList ConstructorArgumentTypeList { get => throw null; } + public ConstructorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } + public string[] GetAliases() => throw null; + protected override NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression() => throw null; + public bool IsConstructor { get => throw null; } + public bool IsList { get => throw null; } + public bool IsMap { get => throw null; } + public bool IsReturnableEntity { get => throw null; } + public bool IsScalar { get => throw null; } + public void Prepare() => throw null; + public int ScalarColumnIndex { get => throw null; } + public void SetScalarColumn(int i) => throw null; + public string[] SetScalarColumn(int i, System.Func aliasCreator) => throw null; + public void SetScalarColumnText(int i) => throw null; + } + public class DeleteStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement + { + public DeleteStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected override NHibernate.INHibernateLogger GetLog() => throw null; + protected override int GetWhereClauseParentTokenType() => throw null; + public override bool NeedsExecutor { get => throw null; } + public override int StatementType { get => throw null; } + } + public class DotNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode + { + public DotNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public bool Fetch { set { } } + public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetImpliedJoin() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode GetLhs() => throw null; + public NHibernate.SqlCommand.JoinType JoinType { set { } } + public override string Path { get => throw null; } + public string PropertyPath { get => throw null; set { } } + public static bool REGRESSION_STYLE_JOIN_SUPPRESSION; + public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void ResolveFirstChild() => throw null; + public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void ResolveInFunctionCall(bool generateJoin, bool implicitJoin) => throw null; + public void ResolveSelectExpression() => throw null; + public void SetResolvedConstant(string text) => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + public static bool UseThetaStyleImplicitJoins; + } + public class FromClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode + { + public void AddCollectionJoinFromElementByPath(string path, NHibernate.Hql.Ast.ANTLR.Tree.FromElement destination) => throw null; + public void AddDuplicateAlias(string alias, NHibernate.Hql.Ast.ANTLR.Tree.FromElement element) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement AddFromElement(string path, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode alias) => throw null; + public void AddJoinByPathMap(string path, NHibernate.Hql.Ast.ANTLR.Tree.FromElement destination) => throw null; + public bool ContainsClassAlias(string alias) => throw null; + public bool ContainsTableAlias(string alias) => throw null; + public FromClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FindCollectionJoin(string path) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FindJoinByPath(string path) => throw null; + public System.Collections.Generic.IList GetCollectionFetches() => throw null; + public string GetDisplayText() => throw null; + public System.Collections.Generic.IList GetExplicitFromElements() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElement(string aliasOrClassName) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElement() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetFromElementByClassName(string className) => throw null; + public System.Collections.Generic.IList GetFromElements() => throw null; + public System.Collections.Generic.IList GetProjectionList() => throw null; + public bool IsFromElementAlias(string possibleAlias) => throw null; + public bool IsSubQuery { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.FromClause ParentFromClause { get => throw null; } + public void RegisterFromElement(NHibernate.Hql.Ast.ANTLR.Tree.FromElement element) => throw null; + public virtual void Resolve() => throw null; + public void SetParentFromClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause parentFromClause) => throw null; + public override string ToString() => throw null; + } + public class FromElement : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer + { + public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; + protected void AppendDisplayText(System.Text.StringBuilder buf) => throw null; + public void CheckInitialized() => throw null; + public string ClassAlias { get => throw null; } + public string ClassName { get => throw null; } + public bool CollectionJoin { get => throw null; set { } } + public string CollectionSuffix { get => throw null; set { } } + public string CollectionTableAlias { get => throw null; set { } } + public string[] Columns { get => throw null; set { } } + public FromElement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected FromElement(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string alias) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public NHibernate.Persister.Entity.IEntityPersister EntityPersister { get => throw null; } + public string EntitySuffix { get => throw null; set { } } + public bool Fetch { get => throw null; set { } } + public string[] FetchLazyProperties { get => throw null; set { } } + public bool Filter { set { } } + public NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get => throw null; } + public NHibernate.SqlCommand.SelectFragment GetCollectionSelectFragment(string suffix) => throw null; + public virtual string GetDisplayText() => throw null; + public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; + public NHibernate.SqlCommand.SelectFragment GetIdentifierSelectFragment(string suffix) => throw null; + public virtual string GetIdentityColumn() => throw null; + public NHibernate.SqlCommand.SelectFragment GetPropertiesSelectFragment(string suffix) => throw null; + public NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; + public NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; + public NHibernate.SqlCommand.SelectFragment GetScalarIdentifierSelectFragment(int i, System.Func aliasCreator) => throw null; + public NHibernate.SqlCommand.SelectFragment GetValueCollectionSelectFragment(string suffix) => throw null; + public void HandlePropertyBeingDereferenced(NHibernate.Type.IType propertySource, string propertyName) => throw null; + public bool HasEmbeddedParameters { get => throw null; } + public virtual bool IncludeSubclasses { get => throw null; set { } } + public NHibernate.Param.IParameterSpecification IndexCollectionSelectorParamSpec { get => throw null; set { } } + public void InitializeCollection(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, string classAlias, string tableAlias) => throw null; + protected void InitializeComponentJoin(NHibernate.Hql.Ast.ANTLR.Tree.FromElementType elementType) => throw null; + public void InitializeEntity(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, string className, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Type.EntityType type, string classAlias, string tableAlias) => throw null; + public virtual bool InProjectionList { get => throw null; set { } } + public bool IsAllPropertyFetch { get => throw null; set { } } + public bool IsCollectionJoin { get => throw null; } + public bool IsCollectionOfValuesOrComponents { get => throw null; } + public bool IsDereferencedBySubclassProperty { get => throw null; } + public bool IsDereferencedBySuperclassOrSubclassProperty { get => throw null; } + public bool IsEntity { get => throw null; } + public bool IsFetch { get => throw null; } + public bool IsFilter { get => throw null; } + public bool IsFromOrJoinFragment { get => throw null; } + public virtual bool IsImplied { get => throw null; } + public virtual bool IsImpliedInFromClause { get => throw null; } + public NHibernate.Engine.JoinSequence JoinSequence { get => throw null; set { } } + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement Origin { get => throw null; } + public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } + public NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set { } } + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement RealOrigin { get => throw null; } + public string RenderCollectionSelectFragment(int size, int k) => throw null; + public string RenderIdentifierSelect(int size, int k) => throw null; + public string RenderPropertySelect(int size, int k) => throw null; + public string RenderScalarIdentifierSelect(int i) => throw null; + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public string RenderValueCollectionSelectFragment(int size, int k) => throw null; + public virtual NHibernate.Type.IType SelectType { get => throw null; } + public void SetAllPropertyFetch(bool fetch) => throw null; + public virtual void SetImpliedInFromClause(bool flag) => throw null; + public void SetIncludeSubclasses(bool includeSubclasses) => throw null; + public void SetIndexCollectionSelectorParamSpec(NHibernate.Param.IParameterSpecification indexCollectionSelectorParamSpec) => throw null; + public void SetOrigin(NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, bool manyToMany) => throw null; + public void SetRole(string role) => throw null; + public void SetWithClauseFragment(string withClauseJoinAlias, NHibernate.SqlCommand.SqlString withClauseFragment) => throw null; + public string TableAlias { get => throw null; } + public string[] ToColumns(string tableAlias, string path, bool inSelect) => throw null; + public string[] ToColumns(string tableAlias, string path, bool inSelect, bool forceAlias) => throw null; + public bool UseFromFragment { get => throw null; set { } } + public bool UseWhereFragment { get => throw null; set { } } + public NHibernate.SqlCommand.SqlString WithClauseFragment { get => throw null; set { } } + public string WithClauseJoinAlias { get => throw null; } + } + public class FromElementFactory + { + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement AddFromElement() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateCollection(NHibernate.Persister.Collection.IQueryableCollection queryableCollection, string role, NHibernate.SqlCommand.JoinType joinType, bool fetchFlag, bool indexed) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateCollectionElementsJoin(NHibernate.Persister.Collection.IQueryableCollection queryableCollection, string collectionName) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateComponentJoin(NHibernate.Type.ComponentType type) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateElementJoin(NHibernate.Persister.Collection.IQueryableCollection queryableCollection) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement CreateEntityJoin(string entityClass, string tableAlias, NHibernate.Engine.JoinSequence joinSequence, bool fetchFlag, bool inFrom, NHibernate.Type.EntityType type) => throw null; + public FromElementFactory(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string path) => throw null; + public FromElementFactory(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause, NHibernate.Hql.Ast.ANTLR.Tree.FromElement origin, string path, string classAlias, string[] columns, bool implied) => throw null; + } + public class FromElementType + { + public string CollectionSuffix { get => throw null; set { } } + public FromElementType(NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Type.EntityType entityType) => throw null; + protected FromElementType(NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement) => throw null; + public virtual NHibernate.Type.IType DataType { get => throw null; } + public NHibernate.Persister.Entity.IEntityPersister EntityPersister { get => throw null; } + public string EntitySuffix { get => throw null; set { } } + public NHibernate.SqlCommand.SelectFragment GetCollectionSelectFragment(string suffix) => throw null; + public NHibernate.SqlCommand.SelectFragment GetIdentifierSelectFragment(string suffix) => throw null; + public virtual NHibernate.Persister.Entity.IPropertyMapping GetPropertyMapping(string propertyName) => throw null; + public virtual NHibernate.Type.IType GetPropertyType(string propertyName, string propertyPath) => throw null; + public virtual NHibernate.SqlCommand.SelectFragment GetScalarIdentifierSelectFragment(int i, System.Func aliasCreator) => throw null; + public NHibernate.SqlCommand.SelectFragment GetValueCollectionSelectFragment(string suffix) => throw null; + public NHibernate.Param.IParameterSpecification IndexCollectionSelectorParamSpec { get => throw null; set { } } + public bool IsCollectionOfValuesOrComponents { get => throw null; } + public bool IsEntity { get => throw null; } + public NHibernate.Engine.JoinSequence JoinSequence { get => throw null; set { } } + public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } + public virtual NHibernate.Persister.Collection.IQueryableCollection QueryableCollection { get => throw null; set { } } + public string RenderCollectionSelectFragment(int size, int k) => throw null; + public string RenderIdentifierSelect(int size, int k) => throw null; + public string RenderPropertySelect(int size, int k, bool allProperties) => throw null; + public string RenderPropertySelect(int size, int k, string[] fetchLazyProperties) => throw null; + public virtual string RenderScalarIdentifierSelect(int i) => throw null; + public string RenderValueCollectionSelectFragment(int size, int k) => throw null; + public NHibernate.Type.IType SelectType { get => throw null; } + public string[] ToColumns(string tableAlias, string path, bool inSelect) => throw null; + public string[] ToColumns(string tableAlias, string path, bool inSelect, bool forceAlias) => throw null; + } + public abstract class FromReferenceNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IResolvableNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode, NHibernate.Hql.Ast.ANTLR.Tree.IPathNode + { + protected FromReferenceNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set { } } + public string GetDisplayText() => throw null; + public virtual NHibernate.Hql.Ast.ANTLR.Tree.FromElement GetImpliedJoin() => throw null; + public bool IsResolved { get => throw null; set { } } + public override bool IsReturnableEntity { get => throw null; } + public virtual string Path { get => throw null; } + public virtual void PrepareForDot(string propertyName) => throw null; + public void RecursiveResolve(int level, bool impliedAtRoot, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public abstract void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); + public void Resolve(bool generateJoin, bool implicitJoin, string classAlias) => throw null; + public void Resolve(bool generateJoin, bool implicitJoin) => throw null; + public virtual void ResolveFirstChild() => throw null; + public abstract void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); + public virtual void ResolveInFunctionCall(bool generateJoin, bool implicitJoin) => throw null; + public static int RootLevel; + } + public class HqlSqlWalkerNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IInitializableNode + { + public NHibernate.Hql.Ast.ANTLR.Util.AliasGenerator AliasGenerator { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory ASTFactory { get => throw null; } + public HqlSqlWalkerNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public virtual void Initialize(object param) => throw null; + public NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get => throw null; set { } } + } + public class HqlSqlWalkerTreeAdaptor : NHibernate.Hql.Ast.ANTLR.Tree.ASTTreeAdaptor + { + public override object Create(Antlr.Runtime.IToken payload) => throw null; + public HqlSqlWalkerTreeAdaptor(object walker) => throw null; + public override object DupNode(object t) => throw null; + public override object ErrorNode(Antlr.Runtime.ITokenStream input, Antlr.Runtime.IToken start, Antlr.Runtime.IToken stop, Antlr.Runtime.RecognitionException e) => throw null; + } + public interface IASTFactory + { + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode CreateNode(int type, string text, params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children); + } + public interface IASTNode : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode childNode); + void AddChildren(System.Collections.Generic.IEnumerable children); + void AddChildren(params NHibernate.Hql.Ast.ANTLR.Tree.IASTNode[] children); + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode AddSibling(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newSibling); + int CharPositionInLine { get; } + int ChildCount { get; } + int ChildIndex { get; } + void ClearChildren(); + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode DupNode(); + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetChild(int index); + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstChild(); + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode InsertChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child); + bool IsNil { get; } + int Line { get; } + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode NextSibling { get; } + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Parent { get; set; } + void RemoveChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child); + void SetChild(int index, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild); + void SetFirstChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode newChild); + string Text { get; set; } + Antlr.Runtime.IToken Token { get; } + string ToStringTree(); + int Type { get; set; } + } + public interface IBinaryOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode LeftHandOperand { get; } + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode RightHandOperand { get; } + } + public class IdentNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode + { + public IdentNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public interface IDisplayableNode + { + string GetDisplayText(); + } + public interface IExpectedTypeAwareNode + { + NHibernate.Type.IType ExpectedType { get; set; } + } + public interface IInitializableNode + { + void Initialize(object param); + } + public class ImpliedFromElement : NHibernate.Hql.Ast.ANTLR.Tree.FromElement + { + public ImpliedFromElement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override string GetDisplayText() => throw null; + public override bool IncludeSubclasses { get => throw null; set { } } + public override bool InProjectionList { get => throw null; set { } } + public override bool IsImplied { get => throw null; } + public override bool IsImpliedInFromClause { get => throw null; } + public override void SetImpliedInFromClause(bool flag) => throw null; + } + public class IndexNode : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode + { + public IndexNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override void PrepareForDot(string propertyName) => throw null; + public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class InLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.BinaryLogicOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IBinaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + public InLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override void Initialize() => throw null; + } + public class InsertStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractStatement + { + public InsertStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IntoClause IntoClause { get => throw null; } + public override bool NeedsExecutor { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause SelectClause { get => throw null; } + public override int StatementType { get => throw null; } + public virtual void Validate() => throw null; + } + public class IntoClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode + { + public IntoClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public string GetDisplayText() => throw null; + public void Initialize(NHibernate.Persister.Entity.IQueryable persister) => throw null; + public bool IsDiscriminated { get => throw null; } + public bool IsExplicitIdInsertion { get => throw null; } + public bool IsExplicitVersionInsertion { get => throw null; } + public void PrependIdColumnSpec() => throw null; + public void PrependVersionColumnSpec() => throw null; + public NHibernate.Persister.Entity.IQueryable Queryable { get => throw null; } + public void ValidateTypes(NHibernate.Hql.Ast.ANTLR.Tree.SelectClause selectClause) => throw null; + } + public interface IOperatorNode + { + NHibernate.Type.IType DataType { get; } + void Initialize(); + } + public interface IParameterContainer + { + void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification); + NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters(); + bool HasEmbeddedParameters { get; } + string Text { set; } + } + public interface IPathNode + { + string Path { get; } + } + public interface IResolvableNode + { + void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); + void Resolve(bool generateJoin, bool implicitJoin, string classAlias); + void Resolve(bool generateJoin, bool implicitJoin); + void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent); + void ResolveInFunctionCall(bool generateJoin, bool implicitJoin); + } + public interface IRestrictableStatement : NHibernate.Hql.Ast.ANTLR.Tree.IStatement + { + NHibernate.Hql.Ast.ANTLR.Tree.FromClause FromClause { get; } + bool HasWhereClause { get; } + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode WhereClause { get; } + } + public interface ISelectExpression + { + string Alias { get; set; } + NHibernate.Type.IType DataType { get; } + NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get; } + bool IsConstructor { get; } + bool IsReturnableEntity { get; } + bool IsScalar { get; } + int ScalarColumnIndex { get; } + void SetScalarColumn(int i); + void SetScalarColumnText(int i); + string Text { set; } + } + public interface ISessionFactoryAwareNode + { + NHibernate.Engine.ISessionFactoryImplementor SessionFactory { set; } + } + public class IsNotNullLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractNullnessCheckNode + { + public IsNotNullLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected override string ExpansionConnectorText { get => throw null; } + protected override int ExpansionConnectorType { get => throw null; } + } + public class IsNullLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractNullnessCheckNode + { + public IsNullLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected override string ExpansionConnectorText { get => throw null; } + protected override int ExpansionConnectorType { get => throw null; } + } + public interface IStatement + { + bool NeedsExecutor { get; } + int StatementType { get; } + NHibernate.Hql.Ast.ANTLR.HqlSqlWalker Walker { get; } + } + public interface IUnaryOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get; } + } + public class JavaConstantNode : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode, NHibernate.Hql.Ast.ANTLR.Tree.ISessionFactoryAwareNode + { + public JavaConstantNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { set { } } + } + public class LiteralNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression + { + public LiteralNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class MethodNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression + { + public MethodNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set { } } + public string GetDisplayText() => throw null; + public void InitializeMethodNode(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode name, bool inSelect) => throw null; + public bool IsCollectionPropertyMethod { get => throw null; } + public override bool IsScalar { get => throw null; } + protected virtual void PrepareSelectColumns(string[] columns) => throw null; + public virtual void Resolve(bool inSelect) => throw null; + public void ResolveCollectionProperty(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode expr) => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + public NHibernate.Dialect.Function.ISQLFunction SQLFunction { get => throw null; } + } + public class OrderByClause : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode + { + public void AddOrderFragment(string orderByFragment) => throw null; + public OrderByClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + } + public class ParameterNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IDisplayableNode, NHibernate.Hql.Ast.ANTLR.Tree.IExpectedTypeAwareNode, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression + { + public string Alias { get => throw null; set { } } + public ParameterNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } + public string GetDisplayText() => throw null; + public NHibernate.Param.IParameterSpecification HqlParameterSpecification { get => throw null; set { } } + public bool IsConstructor { get => throw null; } + public bool IsReturnableEntity { get => throw null; } + public bool IsScalar { get => throw null; } + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public int ScalarColumnIndex { get => throw null; } + public void SetScalarColumn(int i) => throw null; + public string[] SetScalarColumn(int i, System.Func aliasCreator) => throw null; + public void SetScalarColumnText(int i) => throw null; + } + public class QueryNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement, NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression + { + public string Alias { get => throw null; set { } } + public QueryNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; } + protected override NHibernate.INHibernateLogger GetLog() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.OrderByClause GetOrderByClause() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.SelectClause GetSelectClause() => throw null; + protected override int GetWhereClauseParentTokenType() => throw null; + public bool IsConstructor { get => throw null; } + public bool IsReturnableEntity { get => throw null; } + public bool IsScalar { get => throw null; } + public override bool NeedsExecutor { get => throw null; } + public int ScalarColumnIndex { get => throw null; } + public void SetScalarColumn(int i) => throw null; + public string[] SetScalarColumn(int i, System.Func aliasCreator) => throw null; + public void SetScalarColumnText(int i) => throw null; + public override int StatementType { get => throw null; } + } + public class ResultVariableRefNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode + { + public ResultVariableRefNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public void SetSelectExpression(NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression selectExpression) => throw null; + } + public class SelectClause : NHibernate.Hql.Ast.ANTLR.Tree.SelectExpressionList + { + public System.Collections.Generic.IList CollectionFromElements { get => throw null; } + public string[][] ColumnNames { get => throw null; } + public System.Reflection.ConstructorInfo Constructor { get => throw null; } + public SelectClause(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public System.Collections.Generic.IList FromElementsForLoad { get => throw null; } + public int GetColumnNamesStartPosition(int i) => throw null; + protected override NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression() => throw null; + public void InitializeDerivedSelectClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause) => throw null; + public void InitializeExplicitSelectClause(NHibernate.Hql.Ast.ANTLR.Tree.FromClause fromClause) => throw null; + public bool IsDistinct { get => throw null; } + public bool IsList { get => throw null; } + public bool IsMap { get => throw null; } + public bool IsScalarSelect { get => throw null; } + public string[] QueryReturnAliases { get => throw null; } + public NHibernate.Type.IType[] QueryReturnTypes { get => throw null; } + public static bool VERSION2_SQL; + } + public static partial class SelectExpressionExtensions + { + public static string[] SetScalarColumn(this NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression selectExpression, int i, System.Func aliasCreator) => throw null; + } + public class SelectExpressionImpl : NHibernate.Hql.Ast.ANTLR.Tree.FromReferenceNode + { + public SelectExpressionImpl(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override void Resolve(bool generateJoin, bool implicitJoin, string classAlias, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void ResolveIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public abstract class SelectExpressionList : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode + { + public NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression[] CollectSelectExpressions() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.ISelectExpression[] CollectSelectExpressions(bool recurse) => throw null; + protected SelectExpressionList(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected abstract NHibernate.Hql.Ast.ANTLR.Tree.IASTNode GetFirstSelectExpression(); + public System.Collections.Generic.List GetSelectExpressions() => throw null; + public System.Collections.Generic.List GetSelectExpressions(bool recurse, System.Predicate predicate) => throw null; + } + public class SqlFragment : NHibernate.Hql.Ast.ANTLR.Tree.SqlNode, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer + { + public void AddEmbeddedParameter(NHibernate.Param.IParameterSpecification specification) => throw null; + public SqlFragment(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.FromElement FromElement { get => throw null; set { } } + public NHibernate.Param.IParameterSpecification[] GetEmbeddedParameters() => throw null; + public bool HasEmbeddedParameters { get => throw null; } + public bool HasFilterCondition { get => throw null; } + public override NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public void SetJoinFragment(NHibernate.SqlCommand.JoinFragment joinFragment) => throw null; + } + public class SqlNode : NHibernate.Hql.Ast.ANTLR.Tree.ASTNode + { + public SqlNode(Antlr.Runtime.IToken token) => throw null; + public virtual NHibernate.Type.IType DataType { get => throw null; set { } } + public string OriginalText { get => throw null; } + public virtual NHibernate.SqlCommand.SqlString RenderText(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public override string Text { get => throw null; set { } } + } + public class UnaryArithmeticNode : NHibernate.Hql.Ast.ANTLR.Tree.AbstractSelectExpression, NHibernate.Hql.Ast.ANTLR.Tree.IUnaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + public UnaryArithmeticNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public void Initialize() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get => throw null; } + public override void SetScalarColumnText(int i) => throw null; + public override string[] SetScalarColumnText(int i, System.Func aliasCreator) => throw null; + } + public class UnaryLogicOperatorNode : NHibernate.Hql.Ast.ANTLR.Tree.HqlSqlWalkerNode, NHibernate.Hql.Ast.ANTLR.Tree.IUnaryOperatorNode, NHibernate.Hql.Ast.ANTLR.Tree.IOperatorNode + { + public UnaryLogicOperatorNode(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + public override NHibernate.Type.IType DataType { get => throw null; set { } } + public virtual void Initialize() => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Operand { get => throw null; } + } + public class UpdateStatement : NHibernate.Hql.Ast.ANTLR.Tree.AbstractRestrictableStatement + { + public UpdateStatement(Antlr.Runtime.IToken token) : base(default(Antlr.Runtime.IToken)) => throw null; + protected override NHibernate.INHibernateLogger GetLog() => throw null; + protected override int GetWhereClauseParentTokenType() => throw null; + public override bool NeedsExecutor { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode SetClause { get => throw null; } + public override int StatementType { get => throw null; } + } + } + namespace Util + { + public class AliasGenerator + { + public string CreateName(string name) => throw null; + public AliasGenerator() => throw null; + } + public class ASTAppender + { + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Append(int type, string text, bool appendIfEmpty) => throw null; + public ASTAppender(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent) => throw null; + } + public class ASTIterator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public ASTIterator(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode tree) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + } + public static class ASTUtil + { + public static System.Collections.Generic.IList CollectChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root, NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) => throw null; + public static System.Collections.Generic.IList CollectChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root, NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) where TNode : NHibernate.Hql.Ast.ANTLR.Tree.IASTNode => throw null; + public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode FindTypeInChildren(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent, int type) => throw null; + public static string GetDebugstring(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode n) => throw null; + public static string GetPathText(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode n) => throw null; + public static bool IsSubtreeChild(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode fixture, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode test) => throw null; + public static void MakeSiblingOfParent(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode parent, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode child) => throw null; + } + public class CollectingNodeVisitor : NHibernate.Hql.Ast.ANTLR.Util.CollectingNodeVisitor + { + public CollectingNodeVisitor(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) : base(default(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate)) => throw null; + } + public class CollectingNodeVisitor : NHibernate.Hql.Ast.ANTLR.Util.IVisitationStrategy + { + public System.Collections.Generic.IList Collect(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode root) => throw null; + public CollectingNodeVisitor(NHibernate.Hql.Ast.ANTLR.Util.FilterPredicate predicate) => throw null; + public void Visit(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node) => throw null; + } + public class ColumnHelper + { + public ColumnHelper() => throw null; + public static void GenerateScalarColumns(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, string[] sqlColumns, int i) => throw null; + public static string[] GenerateScalarColumns(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, string[] sqlColumns, int i, System.Func aliasCreator) => throw null; + public static void GenerateSingleScalarColumn(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, int i) => throw null; + public static string GenerateSingleScalarColumn(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node, int i, System.Func aliasCreator) => throw null; + } + public delegate bool FilterPredicate(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node); + public interface IVisitationStrategy + { + void Visit(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode node); + } + public class JoinProcessor + { + public JoinProcessor(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; + public static void ProcessDynamicFilterParameters(NHibernate.SqlCommand.SqlString sqlFragment, NHibernate.Hql.Ast.ANTLR.Tree.IParameterContainer container, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; + public void ProcessJoins(NHibernate.Hql.Ast.ANTLR.Tree.QueryNode query) => throw null; + public void ProcessJoins(NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement query) => throw null; + public static NHibernate.SqlCommand.JoinType ToHibernateJoinType(int astJoinType) => throw null; + } + public class LiteralProcessor + { + public static int APPROXIMATE; + public LiteralProcessor(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker walker) => throw null; + public static int DECIMAL_LITERAL_FORMAT; + public static string ErrorCannotDetermineType; + public static string ErrorCannotFetchWithIterate; + public static string ErrorCannotFormatLiteral; + public static string ErrorNamedParameterDoesNotAppear; + public static int EXACT; + public void LookupConstant(NHibernate.Hql.Ast.ANTLR.Tree.DotNode node) => throw null; + public void ProcessBoolean(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode constant) => throw null; + public void ProcessConstant(NHibernate.Hql.Ast.ANTLR.Tree.SqlNode constant, bool resolveIdent) => throw null; + public void ProcessNumericLiteral(NHibernate.Hql.Ast.ANTLR.Tree.SqlNode literal) => throw null; + } + public class NodeTraverser + { + public NodeTraverser(NHibernate.Hql.Ast.ANTLR.Util.IVisitationStrategy visitor) => throw null; + public void TraverseDepthFirst(NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ast) => throw null; + } + public static class PathHelper + { + public static string GetAlias(string path) => throw null; + public static NHibernate.Hql.Ast.ANTLR.Tree.IASTNode ParsePath(string path, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) => throw null; + } + public class SyntheticAndFactory + { + public virtual void AddDiscriminatorWhereFragment(NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement statement, NHibernate.Persister.Entity.IQueryable persister, System.Collections.Generic.IDictionary enabledFilters, string alias) => throw null; + public void AddWhereFragment(NHibernate.SqlCommand.JoinFragment joinFragment, NHibernate.SqlCommand.SqlString whereFragment, NHibernate.Hql.Ast.ANTLR.Tree.QueryNode query, NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; + public void AddWhereFragment(NHibernate.SqlCommand.JoinFragment joinFragment, NHibernate.SqlCommand.SqlString whereFragment, NHibernate.Hql.Ast.ANTLR.Tree.IRestrictableStatement query, NHibernate.Hql.Ast.ANTLR.Tree.FromElement fromElement, NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; + public SyntheticAndFactory(NHibernate.Hql.Ast.ANTLR.HqlSqlWalker hqlSqlWalker) => throw null; + } + } + } + public class HqlAdd : NHibernate.Hql.Ast.HqlExpression + { + public HqlAdd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlAlias : NHibernate.Hql.Ast.HqlExpression + { + public HqlAlias(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlAll : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlAll(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlAny : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlAny(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlAs : NHibernate.Hql.Ast.HqlExpression + { + public HqlAs(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlAverage : NHibernate.Hql.Ast.HqlExpression + { + public HqlAverage(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBitwiseAnd : NHibernate.Hql.Ast.HqlExpression + { + public HqlBitwiseAnd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBitwiseNot : NHibernate.Hql.Ast.HqlExpression + { + public HqlBitwiseNot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBitwiseOr : NHibernate.Hql.Ast.HqlExpression + { + public HqlBitwiseOr(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBooleanAnd : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlBooleanAnd(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBooleanDot : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlBooleanDot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlDot dot) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public abstract class HqlBooleanExpression : NHibernate.Hql.Ast.HqlExpression + { + protected HqlBooleanExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + protected HqlBooleanExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBooleanMethodCall : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlBooleanMethodCall(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string methodName, System.Collections.Generic.IEnumerable parameters) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBooleanNot : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlBooleanNot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression operand) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlBooleanOr : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlBooleanOr(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCase : NHibernate.Hql.Ast.HqlExpression { - protected AbstractExplicitlyDeclaredModel() => throw null; - public void AddAsAny(System.Reflection.MemberInfo member) => throw null; - public void AddAsArray(System.Reflection.MemberInfo member) => throw null; - public void AddAsBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsComponent(System.Type type) => throw null; - public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; - public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsList(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsMap(System.Reflection.MemberInfo member) => throw null; - public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; - public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; - public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; - public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; - public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; - public void AddAsRootEntity(System.Type type) => throw null; - public void AddAsSet(System.Reflection.MemberInfo member) => throw null; - public void AddAsTablePerClassEntity(System.Type type) => throw null; - protected virtual void AddAsTablePerClassEntity(System.Type type, bool rootEntityMustExists) => throw null; - public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; - protected virtual void AddAsTablePerClassHierarchyEntity(System.Type type, bool rootEntityMustExists) => throw null; - public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; - protected virtual void AddAsTablePerConcreteClassEntity(System.Type type, bool rootEntityMustExists) => throw null; - public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable Any { get => throw null; } - public System.Collections.Generic.IEnumerable Arrays { get => throw null; } - public System.Collections.Generic.IEnumerable Bags { get => throw null; } - public System.Collections.Generic.IEnumerable Components { get => throw null; } - public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } - public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } - public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } - protected void EnlistTypeRegistration(System.Type type, System.Action registration) => throw null; - protected void ExecuteDelayedRootEntitiesRegistrations() => throw null; - protected void ExecuteDelayedTypeRegistration(System.Type type) => throw null; - public virtual System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; - protected System.Collections.Generic.IEnumerable GetRootEntitiesOf(System.Type entityType) => throw null; - protected System.Type GetSingleRootEntityOrNull(System.Type entityType) => throw null; - public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; - protected bool HasDelayedEntityRegistration(System.Type type) => throw null; - public System.Collections.Generic.IEnumerable IdBags { get => throw null; } - public abstract bool IsComponent(System.Type type); - protected bool IsMappedForTablePerClassEntities(System.Type type) => throw null; - protected bool IsMappedForTablePerClassHierarchyEntities(System.Type type) => throw null; - protected bool IsMappedForTablePerConcreteClassEntities(System.Type type) => throw null; - public abstract bool IsRootEntity(System.Type entityType); - public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable Lists { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } - public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } - public System.Collections.Generic.IEnumerable Poids { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } - public System.Collections.Generic.IEnumerable Sets { get => throw null; } - public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + public HqlCase(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlWhen[] whenClauses, NHibernate.Hql.Ast.HqlExpression ifFalse) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCast : NHibernate.Hql.Ast.HqlExpression + { + public HqlCast(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlClass : NHibernate.Hql.Ast.HqlExpression + { + public HqlClass(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCoalesce : NHibernate.Hql.Ast.HqlExpression + { + public HqlCoalesce(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlConcat : NHibernate.Hql.Ast.HqlExpression + { + public HqlConcat(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] args) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlConstant : NHibernate.Hql.Ast.HqlExpression + { + public HqlConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, int type, string value) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCount : NHibernate.Hql.Ast.HqlExpression + { + public HqlCount(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + public HqlCount(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression child) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCountBig : NHibernate.Hql.Ast.HqlExpression + { + public HqlCountBig(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + public HqlCountBig(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression child) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCross : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlCross(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlCrossJoin : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlCrossJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlDecimalConstant : NHibernate.Hql.Ast.HqlConstant + { + public HqlDecimalConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlDelete : NHibernate.Hql.Ast.HqlStatement + { + internal HqlDelete() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlDictionaryIndex : NHibernate.Hql.Ast.HqlIndex + { + public HqlDictionaryIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression dictionary, NHibernate.Hql.Ast.HqlExpression index) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlExpression), default(NHibernate.Hql.Ast.HqlExpression)) => throw null; + } + public enum HqlDirection + { + Ascending = 0, + Descending = 1, + } + public class HqlDirectionAscending : NHibernate.Hql.Ast.HqlDirectionStatement + { + public HqlDirectionAscending(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory)) => throw null; + } + public class HqlDirectionDescending : NHibernate.Hql.Ast.HqlDirectionStatement + { + public HqlDirectionDescending(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory)) => throw null; + } + public class HqlDirectionStatement : NHibernate.Hql.Ast.HqlStatement + { + public HqlDirectionStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlDistinct : NHibernate.Hql.Ast.HqlStatement + { + public HqlDistinct(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlDivide : NHibernate.Hql.Ast.HqlExpression + { + public HqlDivide(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlDot : NHibernate.Hql.Ast.HqlExpression + { + public HqlDot(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlDoubleConstant : NHibernate.Hql.Ast.HqlConstant + { + public HqlDoubleConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlElements : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlElements(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlElse : NHibernate.Hql.Ast.HqlStatement + { + public HqlElse(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression ifFalse) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlEquality : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlEquality(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlEscape : NHibernate.Hql.Ast.HqlStatement + { + public HqlEscape(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlConstant escapeCharacter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlExists : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlExists(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlQuery query) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public abstract class HqlExpression : NHibernate.Hql.Ast.HqlTreeNode + { + protected HqlExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + protected HqlExpression(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlExpressionList : NHibernate.Hql.Ast.HqlStatement + { + public HqlExpressionList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + public HqlExpressionList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlExpressionSubTreeHolder : NHibernate.Hql.Ast.HqlExpression + { + public HqlExpressionSubTreeHolder(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + public HqlExpressionSubTreeHolder(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlFalse : NHibernate.Hql.Ast.HqlConstant + { + public HqlFalse(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlFetch : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlFetch(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlFetchJoin : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlFetchJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlFloatConstant : NHibernate.Hql.Ast.HqlConstant + { + public HqlFloatConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlFrom : NHibernate.Hql.Ast.HqlStatement + { + internal HqlFrom() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlGreaterThan : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlGreaterThan(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlGreaterThanOrEqual : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlGreaterThanOrEqual(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlGroupBy : NHibernate.Hql.Ast.HqlStatement + { + public HqlGroupBy(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expressions) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlHaving : NHibernate.Hql.Ast.HqlStatement + { + public HqlHaving(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlIdent : NHibernate.Hql.Ast.HqlExpression + { + internal HqlIdent() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) { } + } + public class HqlIn : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlIn(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression itemExpression, NHibernate.Hql.Ast.HqlTreeNode source) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlIndex : NHibernate.Hql.Ast.HqlExpression + { + public HqlIndex(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression collection, NHibernate.Hql.Ast.HqlExpression index) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlIndices : NHibernate.Hql.Ast.HqlExpression + { + public HqlIndices(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression dictionary) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlInequality : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlInequality(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlInList : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlInList(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlTreeNode source) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlInner : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlInner(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlInnerJoin : NHibernate.Hql.Ast.HqlTreeNode + { + public HqlInnerJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlInsert : NHibernate.Hql.Ast.HqlStatement + { + internal HqlInsert() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlIntegerConstant : NHibernate.Hql.Ast.HqlConstant + { + public HqlIntegerConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlInto : NHibernate.Hql.Ast.HqlStatement + { + public HqlInto(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlIsNotNull : NHibernate.Hql.Ast.HqlBooleanExpression + { + public HqlIsNotNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Accessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum Accessor + public class HqlIsNull : NHibernate.Hql.Ast.HqlBooleanExpression { - Field, - NoSetter, - None, - Property, - ReadOnly, + public HqlIsNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.AssignedGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AssignedGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlJoin : NHibernate.Hql.Ast.HqlStatement { - public AssignedGeneratorDef() => throw null; - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.BasePlainPropertyContainerMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class BasePlainPropertyContainerMapperExtensions + public class HqlLeft : NHibernate.Hql.Ast.HqlTreeNode { - public static void Component(this NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper mapper, System.Linq.Expressions.Expression>> property, TComponent dynamicComponentTemplate, System.Action> mapping) where TComponent : class => throw null; + public HqlLeft(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CacheInclude` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CacheInclude + public class HqlLeftFetchJoin : NHibernate.Hql.Ast.HqlTreeNode { - public static NHibernate.Mapping.ByCode.CacheInclude All; - // Generated from `NHibernate.Mapping.ByCode.CacheInclude+AllCacheInclude` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AllCacheInclude : NHibernate.Mapping.ByCode.CacheInclude - { - public AllCacheInclude() => throw null; - } - - - protected CacheInclude() => throw null; - public static NHibernate.Mapping.ByCode.CacheInclude NonLazy; - // Generated from `NHibernate.Mapping.ByCode.CacheInclude+NonLazyCacheInclude` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NonLazyCacheInclude : NHibernate.Mapping.ByCode.CacheInclude - { - public NonLazyCacheInclude() => throw null; - } - - + public HqlLeftFetchJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CacheUsage` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CacheUsage + public class HqlLeftJoin : NHibernate.Hql.Ast.HqlTreeNode { - protected CacheUsage() => throw null; - public static NHibernate.Mapping.ByCode.CacheUsage NonstrictReadWrite; - public static NHibernate.Mapping.ByCode.CacheUsage ReadOnly; - public static NHibernate.Mapping.ByCode.CacheUsage ReadWrite; - public static NHibernate.Mapping.ByCode.CacheUsage Transactional; + public HqlLeftJoin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Cascade` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - [System.Flags] - public enum Cascade + public class HqlLessThan : NHibernate.Hql.Ast.HqlBooleanExpression { - All, - DeleteOrphans, - Detach, - Merge, - None, - Persist, - ReAttach, - Refresh, - Remove, + public HqlLessThan(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CascadeExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CascadeExtensions + public class HqlLessThanOrEqual : NHibernate.Hql.Ast.HqlBooleanExpression { - public static NHibernate.Mapping.ByCode.Cascade Exclude(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; - public static bool Has(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; - public static NHibernate.Mapping.ByCode.Cascade Include(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; + public HqlLessThanOrEqual(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CollectionFetchMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CollectionFetchMode + public class HqlLike : NHibernate.Hql.Ast.HqlBooleanExpression { - protected CollectionFetchMode() => throw null; - public static NHibernate.Mapping.ByCode.CollectionFetchMode Join; - public static NHibernate.Mapping.ByCode.CollectionFetchMode Select; - public static NHibernate.Mapping.ByCode.CollectionFetchMode Subselect; + public HqlLike(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + public HqlLike(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs, NHibernate.Hql.Ast.HqlConstant escapeCharacter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CollectionLazy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum CollectionLazy + public class HqlMax : NHibernate.Hql.Ast.HqlExpression { - Extra, - Lazy, - NoLazy, + public HqlMax(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CollectionPropertiesMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CollectionPropertiesMapperExtensions + public class HqlMethodCall : NHibernate.Hql.Ast.HqlExpression { - public static void Type(this NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapper, string collectionType) => throw null; - public static void Type(this NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapper, string collectionType) => throw null; + public HqlMethodCall(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string methodName, System.Collections.Generic.IEnumerable parameters) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ColumnsAndFormulasMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ColumnsAndFormulasMapperExtensions + public class HqlMin : NHibernate.Hql.Ast.HqlExpression { - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IMapKeyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IManyToManyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IElementMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, params string[] formulas) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IMapKeyMapper mapper, params string[] formulas) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper, params string[] formulas) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, params string[] formulas) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IManyToManyMapper mapper, params string[] formulas) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IElementMapper mapper, params string[] formulas) => throw null; + public HqlMin(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ComponentAttributesMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ComponentAttributesMapperExtensions + public class HqlMultiplty : NHibernate.Hql.Ast.HqlExpression { - public static void LazyGroup(this NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper, string name) => throw null; - public static void LazyGroup(this NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper, string name) => throw null; + public HqlMultiplty(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ConventionModelMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ConventionModelMapper : NHibernate.Mapping.ByCode.ModelMapper + public class HqlNegate : NHibernate.Hql.Ast.HqlExpression { - protected virtual void AppendDefaultEvents() => throw null; - protected virtual void ComponentParentNoSetterToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper componentMapper) => throw null; - protected virtual void ComponentParentToFieldAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper componentMapper) => throw null; - public ConventionModelMapper() => throw null; - public void IsAny(System.Func match) => throw null; - public void IsArray(System.Func match) => throw null; - public void IsBag(System.Func match) => throw null; - public void IsComponent(System.Func match) => throw null; - public void IsDictionary(System.Func match) => throw null; - public void IsEntity(System.Func match) => throw null; - public void IsIdBag(System.Func match) => throw null; - public void IsList(System.Func match) => throw null; - public void IsManyToMany(System.Func match) => throw null; - public void IsManyToOne(System.Func match) => throw null; - public void IsMemberOfNaturalId(System.Func match) => throw null; - public void IsOneToMany(System.Func match) => throw null; - public void IsOneToOne(System.Func match) => throw null; - public void IsPersistentId(System.Func match) => throw null; - public void IsPersistentProperty(System.Func match) => throw null; - public void IsProperty(System.Func match) => throw null; - public void IsRootEntity(System.Func match) => throw null; - public void IsSet(System.Func match) => throw null; - public void IsTablePerClass(System.Func match) => throw null; - public void IsTablePerClassHierarchy(System.Func match) => throw null; - public void IsTablePerClassSplit(System.Func match) => throw null; - public void IsTablePerConcreteClass(System.Func match) => throw null; - public void IsVersion(System.Func match) => throw null; - protected bool MatchNoSetterProperty(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchPropertyToField(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchReadOnlyProperty(System.Reflection.MemberInfo subject) => throw null; - protected virtual void MemberNoSetterToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; - protected virtual void MemberReadOnlyAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; - protected virtual void MemberToFieldAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; - protected virtual void NoPoidGuid(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer) => throw null; - protected virtual void NoSetterPoidToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer) => throw null; - protected NHibernate.Mapping.ByCode.SimpleModelInspector SimpleModelInspector { get => throw null; } - public void SplitsFor(System.Func, System.Collections.Generic.IEnumerable> getPropertiesSplitsId) => throw null; + public HqlNegate(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.CounterGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CounterGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlNull : NHibernate.Hql.Ast.HqlConstant { - public string Class { get => throw null; } - public CounterGeneratorDef() => throw null; - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlNull(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.EnhancedSequenceGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EnhancedSequenceGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlOrderBy : NHibernate.Hql.Ast.HqlStatement { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public EnhancedSequenceGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlOrderBy(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.EnhancedTableGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EnhancedTableGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlParameter : NHibernate.Hql.Ast.HqlExpression { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public EnhancedTableGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlParameter(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string name) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ExplicitlyDeclaredModel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExplicitlyDeclaredModel : NHibernate.Mapping.ByCode.AbstractExplicitlyDeclaredModel, NHibernate.Mapping.ByCode.IModelInspector + public class HqlQuery : NHibernate.Hql.Ast.HqlExpression { - public ExplicitlyDeclaredModel() => throw null; - public virtual System.Collections.Generic.IEnumerable GetPropertiesSplits(System.Type type) => throw null; - public virtual bool IsAny(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsArray(System.Reflection.MemberInfo role) => throw null; - public virtual bool IsBag(System.Reflection.MemberInfo role) => throw null; - public override bool IsComponent(System.Type type) => throw null; - public virtual bool IsDictionary(System.Reflection.MemberInfo role) => throw null; - public virtual bool IsDynamicComponent(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsEntity(System.Type type) => throw null; - public virtual bool IsIdBag(System.Reflection.MemberInfo role) => throw null; - public virtual bool IsList(System.Reflection.MemberInfo role) => throw null; - public bool IsManyToAny(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsManyToManyItem(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsManyToManyKey(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsManyToOne(System.Reflection.MemberInfo member) => throw null; - public bool IsMemberOfComposedId(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsMemberOfNaturalId(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsOneToMany(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsOneToOne(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsPersistentId(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsPersistentProperty(System.Reflection.MemberInfo member) => throw null; - public virtual bool IsProperty(System.Reflection.MemberInfo member) => throw null; - public override bool IsRootEntity(System.Type type) => throw null; - public virtual bool IsSet(System.Reflection.MemberInfo role) => throw null; - public virtual bool IsTablePerClass(System.Type type) => throw null; - public virtual bool IsTablePerClassHierarchy(System.Type type) => throw null; - public virtual bool IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member) => throw null; - public virtual bool IsTablePerConcreteClass(System.Type type) => throw null; - public virtual bool IsVersion(System.Reflection.MemberInfo member) => throw null; + internal HqlQuery() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) { } } - - // Generated from `NHibernate.Mapping.ByCode.FakeModelExplicitDeclarationsHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FakeModelExplicitDeclarationsHolder : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + public class HqlRange : NHibernate.Hql.Ast.HqlStatement { - public void AddAsAny(System.Reflection.MemberInfo member) => throw null; - public void AddAsArray(System.Reflection.MemberInfo member) => throw null; - public void AddAsBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsComponent(System.Type type) => throw null; - public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; - public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsList(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsMap(System.Reflection.MemberInfo member) => throw null; - public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; - public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; - public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; - public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; - public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; - public void AddAsRootEntity(System.Type type) => throw null; - public void AddAsSet(System.Reflection.MemberInfo member) => throw null; - public void AddAsTablePerClassEntity(System.Type type) => throw null; - public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; - public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; - public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable Any { get => throw null; } - public System.Collections.Generic.IEnumerable Arrays { get => throw null; } - public System.Collections.Generic.IEnumerable Bags { get => throw null; } - public System.Collections.Generic.IEnumerable Components { get => throw null; } - public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } - public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } - public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } - public FakeModelExplicitDeclarationsHolder() => throw null; - public System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; - public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; - public System.Collections.Generic.IEnumerable IdBags { get => throw null; } - public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable Lists { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } - public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } - public System.Collections.Generic.IEnumerable Poids { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } - public System.Collections.Generic.IEnumerable Sets { get => throw null; } - public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassHierarchyJoinEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + internal HqlRange() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlRowStar : NHibernate.Hql.Ast.HqlStatement + { + public HqlRowStar(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlSelect : NHibernate.Hql.Ast.HqlStatement + { + public HqlSelect(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlExpression[] expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlSelectFrom : NHibernate.Hql.Ast.HqlStatement + { + internal HqlSelectFrom() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlSet : NHibernate.Hql.Ast.HqlStatement + { + public HqlSet(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + public HqlSet(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlSkip : NHibernate.Hql.Ast.HqlStatement + { + public HqlSkip(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression parameter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlStar : NHibernate.Hql.Ast.HqlExpression + { + public HqlStar(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public abstract class HqlStatement : NHibernate.Hql.Ast.HqlTreeNode + { + protected HqlStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + protected HqlStatement(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.FetchKind` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class FetchKind + public class HqlStringConstant : NHibernate.Hql.Ast.HqlConstant { - protected FetchKind() => throw null; - public static NHibernate.Mapping.ByCode.FetchKind Join; - public static NHibernate.Mapping.ByCode.FetchKind Select; + public HqlStringConstant(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, string s) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ForClass<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ForClass + public class HqlSubtract : NHibernate.Hql.Ast.HqlExpression { - public static System.Reflection.FieldInfo Field(string fieldName) => throw null; + public HqlSubtract(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ForeignGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ForeignGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlSum : NHibernate.Hql.Ast.HqlExpression { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public ForeignGeneratorDef(System.Reflection.MemberInfo foreignProperty) => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlSum(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + public HqlSum(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Generators` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class Generators + public class HqlTake : NHibernate.Hql.Ast.HqlStatement { - public static NHibernate.Mapping.ByCode.IGeneratorDef Assigned { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Counter { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef EnhancedSequence { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef EnhancedTable { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Foreign(System.Linq.Expressions.Expression> property) => throw null; - public static NHibernate.Mapping.ByCode.IGeneratorDef Foreign(System.Reflection.MemberInfo property) => throw null; - public static NHibernate.Mapping.ByCode.IGeneratorDef Guid { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef GuidComb { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef HighLow { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Identity { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Increment { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Native { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef NativeGuid { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Select { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Sequence { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef SequenceHiLo { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef SequenceIdentity { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef Table { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef TriggerIdentity { get => throw null; set => throw null; } - public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex(string format, string separator) => throw null; - public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex(string format) => throw null; - public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex() => throw null; - public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDString { get => throw null; set => throw null; } + public HqlTake(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression parameter) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.GuidCombGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GuidCombGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlTransparentCast : NHibernate.Hql.Ast.HqlExpression { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public GuidCombGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public HqlTransparentCast(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression, System.Type type) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.GuidGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GuidGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlTreeBuilder { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public GuidGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public NHibernate.Hql.Ast.HqlAdd Add(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlAlias Alias(string alias) => throw null; + public NHibernate.Hql.Ast.HqlAll All() => throw null; + public NHibernate.Hql.Ast.HqlAny Any() => throw null; + public NHibernate.Hql.Ast.HqlDirectionAscending Ascending() => throw null; + public NHibernate.Hql.Ast.HqlAverage Average(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlBitwiseAnd BitwiseAnd(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlBitwiseNot BitwiseNot() => throw null; + public NHibernate.Hql.Ast.HqlBitwiseOr BitwiseOr(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlBooleanAnd BooleanAnd(NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlBooleanMethodCall BooleanMethodCall(string methodName, System.Collections.Generic.IEnumerable parameters) => throw null; + public NHibernate.Hql.Ast.HqlBooleanNot BooleanNot(NHibernate.Hql.Ast.HqlBooleanExpression operand) => throw null; + public NHibernate.Hql.Ast.HqlBooleanOr BooleanOr(NHibernate.Hql.Ast.HqlBooleanExpression lhs, NHibernate.Hql.Ast.HqlBooleanExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlCase Case(NHibernate.Hql.Ast.HqlWhen[] whenClauses) => throw null; + public NHibernate.Hql.Ast.HqlCase Case(NHibernate.Hql.Ast.HqlWhen[] whenClauses, NHibernate.Hql.Ast.HqlExpression ifFalse) => throw null; + public NHibernate.Hql.Ast.HqlCast Cast(NHibernate.Hql.Ast.HqlExpression expression, System.Type type) => throw null; + public NHibernate.Hql.Ast.HqlClass Class() => throw null; + public NHibernate.Hql.Ast.HqlTreeNode Coalesce(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlConcat Concat(params NHibernate.Hql.Ast.HqlExpression[] args) => throw null; + public NHibernate.Hql.Ast.HqlConstant Constant(object value) => throw null; + public NHibernate.Hql.Ast.HqlCount Count() => throw null; + public NHibernate.Hql.Ast.HqlCount Count(NHibernate.Hql.Ast.HqlExpression child) => throw null; + public NHibernate.Hql.Ast.HqlCountBig CountBig(NHibernate.Hql.Ast.HqlExpression child) => throw null; + public NHibernate.Hql.Ast.HqlCrossJoin CrossJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public HqlTreeBuilder() => throw null; + public NHibernate.Hql.Ast.HqlDelete Delete(NHibernate.Hql.Ast.HqlFrom from) => throw null; + public NHibernate.Hql.Ast.HqlDirectionDescending Descending() => throw null; + public NHibernate.Hql.Ast.HqlTreeNode DictionaryItem(NHibernate.Hql.Ast.HqlExpression dictionary, NHibernate.Hql.Ast.HqlExpression index) => throw null; + public NHibernate.Hql.Ast.HqlDistinct Distinct() => throw null; + public NHibernate.Hql.Ast.HqlDivide Divide(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlDot Dot(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlElements Elements() => throw null; + public NHibernate.Hql.Ast.HqlElse Else(NHibernate.Hql.Ast.HqlExpression ifFalse) => throw null; + public NHibernate.Hql.Ast.HqlEquality Equality(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlExists Exists(NHibernate.Hql.Ast.HqlQuery query) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode ExpressionList(System.Collections.Generic.IEnumerable expressions) => throw null; + public NHibernate.Hql.Ast.HqlExpressionSubTreeHolder ExpressionSubTreeHolder(params NHibernate.Hql.Ast.HqlTreeNode[] children) => throw null; + public NHibernate.Hql.Ast.HqlExpressionSubTreeHolder ExpressionSubTreeHolder(System.Collections.Generic.IEnumerable children) => throw null; + public NHibernate.Hql.Ast.HqlFalse False() => throw null; + public NHibernate.Hql.Ast.HqlFetch Fetch() => throw null; + public NHibernate.Hql.Ast.HqlFetchJoin FetchJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range, params NHibernate.Hql.Ast.HqlJoin[] joins) => throw null; + public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range, System.Collections.Generic.IEnumerable joins) => throw null; + public NHibernate.Hql.Ast.HqlFrom From(NHibernate.Hql.Ast.HqlRange range) => throw null; + public NHibernate.Hql.Ast.HqlFrom From() => throw null; + public NHibernate.Hql.Ast.HqlGreaterThan GreaterThan(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlGreaterThanOrEqual GreaterThanOrEqual(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlGroupBy GroupBy(params NHibernate.Hql.Ast.HqlExpression[] expressions) => throw null; + public NHibernate.Hql.Ast.HqlHaving Having(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlIdent Ident(string ident) => throw null; + public NHibernate.Hql.Ast.HqlIdent Ident(System.Type type) => throw null; + public NHibernate.Hql.Ast.HqlIn In(NHibernate.Hql.Ast.HqlExpression itemExpression, NHibernate.Hql.Ast.HqlTreeNode source) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode Index(NHibernate.Hql.Ast.HqlExpression collection, NHibernate.Hql.Ast.HqlExpression index) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode Indices(NHibernate.Hql.Ast.HqlExpression dictionary) => throw null; + public NHibernate.Hql.Ast.HqlInequality Inequality(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlInnerJoin InnerJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlInsert Insert(NHibernate.Hql.Ast.HqlInto into, NHibernate.Hql.Ast.HqlQuery query) => throw null; + public NHibernate.Hql.Ast.HqlInto Into() => throw null; + public NHibernate.Hql.Ast.HqlIsNotNull IsNotNull(NHibernate.Hql.Ast.HqlExpression lhs) => throw null; + public NHibernate.Hql.Ast.HqlIsNull IsNull(NHibernate.Hql.Ast.HqlExpression lhs) => throw null; + public NHibernate.Hql.Ast.HqlJoin Join(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlLeftFetchJoin LeftFetchJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlLeftJoin LeftJoin(NHibernate.Hql.Ast.HqlExpression expression, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlLessThan LessThan(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlLessThanOrEqual LessThanOrEqual(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlLike Like(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlLike Like(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs, NHibernate.Hql.Ast.HqlConstant escapeCharacter) => throw null; + public NHibernate.Hql.Ast.HqlMax Max(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlMethodCall MethodCall(string methodName, System.Collections.Generic.IEnumerable parameters) => throw null; + public NHibernate.Hql.Ast.HqlMethodCall MethodCall(string methodName, params NHibernate.Hql.Ast.HqlExpression[] parameters) => throw null; + public NHibernate.Hql.Ast.HqlMin Min(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlMultiplty Multiply(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlNegate Negate(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlOrderBy OrderBy() => throw null; + public NHibernate.Hql.Ast.HqlParameter Parameter(string name) => throw null; + public NHibernate.Hql.Ast.HqlQuery Query() => throw null; + public NHibernate.Hql.Ast.HqlQuery Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom) => throw null; + public NHibernate.Hql.Ast.HqlQuery Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom, NHibernate.Hql.Ast.HqlWhere where) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode Query(NHibernate.Hql.Ast.HqlSelectFrom selectFrom, NHibernate.Hql.Ast.HqlWhere where, NHibernate.Hql.Ast.HqlOrderBy orderBy) => throw null; + public NHibernate.Hql.Ast.HqlRange Range(params NHibernate.Hql.Ast.HqlIdent[] idents) => throw null; + public NHibernate.Hql.Ast.HqlRange Range(NHibernate.Hql.Ast.HqlTreeNode ident, NHibernate.Hql.Ast.HqlAlias alias) => throw null; + public NHibernate.Hql.Ast.HqlRowStar RowStar() => throw null; + public NHibernate.Hql.Ast.HqlSelect Select(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlSelect Select(params NHibernate.Hql.Ast.HqlExpression[] expression) => throw null; + public NHibernate.Hql.Ast.HqlSelect Select(System.Collections.Generic.IEnumerable expressions) => throw null; + public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom() => throw null; + public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlSelect select) => throw null; + public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSelect select) => throw null; + public NHibernate.Hql.Ast.HqlSelectFrom SelectFrom(NHibernate.Hql.Ast.HqlFrom from) => throw null; + public NHibernate.Hql.Ast.HqlSet Set() => throw null; + public NHibernate.Hql.Ast.HqlSet Set(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlSkip Skip(NHibernate.Hql.Ast.HqlExpression parameter) => throw null; + public NHibernate.Hql.Ast.HqlStar Star() => throw null; + public NHibernate.Hql.Ast.HqlSubtract Subtract(NHibernate.Hql.Ast.HqlExpression lhs, NHibernate.Hql.Ast.HqlExpression rhs) => throw null; + public NHibernate.Hql.Ast.HqlSum Sum(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlTake Take(NHibernate.Hql.Ast.HqlExpression parameter) => throw null; + public NHibernate.Hql.Ast.HqlTransparentCast TransparentCast(NHibernate.Hql.Ast.HqlExpression expression, System.Type type) => throw null; + public NHibernate.Hql.Ast.HqlTrue True() => throw null; + public NHibernate.Hql.Ast.HqlUpdate Update(NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSet set) => throw null; + public NHibernate.Hql.Ast.HqlUpdate Update(NHibernate.Hql.Ast.HqlVersioned versioned, NHibernate.Hql.Ast.HqlFrom from, NHibernate.Hql.Ast.HqlSet set) => throw null; + public NHibernate.Hql.Ast.HqlVersioned Versioned() => throw null; + public NHibernate.Hql.Ast.HqlWhen When(NHibernate.Hql.Ast.HqlExpression predicate, NHibernate.Hql.Ast.HqlExpression ifTrue) => throw null; + public NHibernate.Hql.Ast.HqlWhere Where(NHibernate.Hql.Ast.HqlExpression expression) => throw null; + public NHibernate.Hql.Ast.HqlWith With(NHibernate.Hql.Ast.HqlExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.HighLowGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class HighLowGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class HqlTreeNode { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public HighLowGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public System.Collections.Generic.IEnumerable Children { get => throw null; } + public void ClearChildren() => throw null; + protected HqlTreeNode(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, System.Collections.Generic.IEnumerable children) => throw null; + protected HqlTreeNode(int type, string text, NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, params NHibernate.Hql.Ast.HqlTreeNode[] children) => throw null; + public NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory Factory { get => throw null; } + public System.Collections.Generic.IEnumerable NodesPostOrder { get => throw null; } + public System.Collections.Generic.IEnumerable NodesPreOrder { get => throw null; } + protected void SetText(string text) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IAccessorPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAccessorPropertyMapper + public static partial class HqlTreeNodeExtensions { - void Access(System.Type accessorType); - void Access(NHibernate.Mapping.ByCode.Accessor accessor); + public static NHibernate.Hql.Ast.HqlBooleanExpression AsBooleanExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; + public static NHibernate.Hql.Ast.HqlExpression AsExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; + public static NHibernate.Hql.Ast.HqlBooleanExpression ToBooleanExpression(this NHibernate.Hql.Ast.HqlTreeNode node) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IAnyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IAnyMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class HqlTrue : NHibernate.Hql.Ast.HqlConstant { - void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); - void Columns(System.Action idColumnMapping, System.Action classColumnMapping); - void IdType(); - void IdType(System.Type idType); - void IdType(NHibernate.Type.IType idType); - void Index(string indexName); - void Insert(bool consideredInInsertQuery); - void Lazy(bool isLazy); - void MetaType(); - void MetaType(System.Type metaType); - void MetaType(NHibernate.Type.IType metaType); - void MetaValue(object value, System.Type entityType); - void Update(bool consideredInUpdateQuery); + public HqlTrue(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(int), default(string)) => throw null; + } + public class HqlUpdate : NHibernate.Hql.Ast.HqlStatement + { + internal HqlUpdate() : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) { } + } + public class HqlVersioned : NHibernate.Hql.Ast.HqlExpression + { + public HqlVersioned(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(System.Collections.Generic.IEnumerable)) => throw null; + } + public class HqlWhen : NHibernate.Hql.Ast.HqlStatement + { + public HqlWhen(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression predicate, NHibernate.Hql.Ast.HqlExpression ifTrue) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; + } + public class HqlWhere : NHibernate.Hql.Ast.HqlStatement + { + public HqlWhere(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IBagPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBagPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class HqlWith : NHibernate.Hql.Ast.HqlStatement { + public HqlWith(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory factory, NHibernate.Hql.Ast.HqlExpression expression) : base(default(int), default(string), default(NHibernate.Hql.Ast.ANTLR.Tree.IASTFactory), default(NHibernate.Hql.Ast.HqlTreeNode[])) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IBagPropertiesMapper<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBagPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public class CollectionSubqueryFactory + { + public static string CreateCollectionSubquery(NHibernate.Engine.JoinSequence joinSequence, System.Collections.Generic.IDictionary enabledFilters, string[] columns) => throw null; + public CollectionSubqueryFactory() => throw null; + } + public sealed class HolderInstantiator + { + public static NHibernate.Hql.HolderInstantiator CreateClassicHolderInstantiator(System.Reflection.ConstructorInfo constructor, NHibernate.Transform.IResultTransformer transformer) => throw null; + public static NHibernate.Transform.IResultTransformer CreateSelectNewTransformer(System.Reflection.ConstructorInfo constructor, bool returnMaps, bool returnLists) => throw null; + public HolderInstantiator(NHibernate.Transform.IResultTransformer transformer, string[] queryReturnAliases) => throw null; + public static NHibernate.Hql.HolderInstantiator GetHolderInstantiator(NHibernate.Transform.IResultTransformer selectNewTransformer, NHibernate.Transform.IResultTransformer customTransformer, string[] queryReturnAliases) => throw null; + public object Instantiate(object[] row) => throw null; + public bool IsRequired { get => throw null; } + public static NHibernate.Hql.HolderInstantiator NoopInstantiator; + public string[] QueryReturnAliases { get => throw null; } + public static NHibernate.Transform.IResultTransformer ResolveClassicResultTransformer(System.Reflection.ConstructorInfo constructor, NHibernate.Transform.IResultTransformer transformer) => throw null; + public static NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer selectNewTransformer, NHibernate.Transform.IResultTransformer customTransformer) => throw null; + public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; } + } + public interface IFilterTranslator : NHibernate.Hql.IQueryTranslator + { + void Compile(string collectionRole, System.Collections.Generic.IDictionary replacements, bool shallow); + } + public interface IQueryTranslator + { + NHibernate.Type.IType[] ActualReturnTypes { get; } + NHibernate.Engine.Query.ParameterMetadata BuildParameterMetadata(); + System.Collections.Generic.IList CollectSqlStrings { get; } + void Compile(System.Collections.Generic.IDictionary replacements, bool shallow); + bool ContainsCollectionFetches { get; } + System.Collections.Generic.IDictionary EnabledFilters { get; } + int ExecuteUpdate(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + string[][] GetColumnNames(); + System.Collections.IEnumerable GetEnumerable(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session); + System.Threading.Tasks.Task GetEnumerableAsync(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Event.IEventSource session, System.Threading.CancellationToken cancellationToken); + bool IsManipulationStatement { get; } + System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters); + System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + NHibernate.Loader.Loader Loader { get; } + System.Collections.Generic.ISet QuerySpaces { get; } + string QueryString { get; } + string[] ReturnAliases { get; } + NHibernate.Type.IType[] ReturnTypes { get; } + string SQLString { get; } + } + public interface IQueryTranslatorFactory + { + NHibernate.Hql.IQueryTranslator[] CreateQueryTranslators(NHibernate.IQueryExpression queryExpression, string collectionRole, bool shallow, System.Collections.Generic.IDictionary filters, NHibernate.Engine.ISessionFactoryImplementor factory); + } + public class NameGenerator + { + public NameGenerator() => throw null; + public static string[][] GenerateColumnNames(NHibernate.Type.IType[] types, NHibernate.Engine.ISessionFactoryImplementor f) => throw null; + public static string ScalarName(int x, int y) => throw null; + } + public static class ParserHelper + { + public static string EntityClass; + public static string HqlSeparators; + public static string HqlVariablePrefix; + public static bool IsWhitespace(string str) => throw null; + public static string Whitespace; + } + public class QueryExecutionRequestException : NHibernate.QueryException + { + public QueryExecutionRequestException(string message, string queryString) => throw null; + protected QueryExecutionRequestException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class QuerySplitter + { + public static string[] ConcreteQueries(string query, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public QuerySplitter() => throw null; + } + public class StringQueryExpression : NHibernate.IQueryExpression + { + public StringQueryExpression(string queryString) => throw null; + public string Key { get => throw null; } + public System.Collections.Generic.IList ParameterDescriptors { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor factory, bool filter) => throw null; + public System.Type Type { get => throw null; } + } + namespace Util + { + public class SessionFactoryHelper { + public SessionFactoryHelper(NHibernate.Engine.ISessionFactoryImplementor sfi) => throw null; + public NHibernate.Persister.Entity.IEntityPersister FindEntityPersisterUsingImports(string className) => throw null; + public NHibernate.Persister.Entity.IQueryable FindQueryableUsingImports(string className) => throw null; + public NHibernate.Persister.Collection.IQueryableCollection GetCollectionPersister(string role) => throw null; + public NHibernate.Persister.Entity.IPropertyMapping GetCollectionPropertyMapping(string role) => throw null; + public System.Type GetImportedClass(string className) => throw null; + public NHibernate.Persister.Entity.IEntityPersister RequireClassPersister(string name) => throw null; + public NHibernate.Persister.Collection.IQueryableCollection RequireQueryableCollection(string role) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBasePlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + } + } + public interface ICriteria : System.ICloneable + { + NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression); + NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order order); + string Alias { get; } + void ClearOrders(); + NHibernate.ICriteria CreateAlias(string associationPath, string alias); + NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.ICriteria CreateCriteria(string associationPath); + NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType); + NHibernate.ICriteria CreateCriteria(string associationPath, string alias); + NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IFutureEnumerable Future(); + NHibernate.IFutureValue FutureValue(); + NHibernate.ICriteria GetCriteriaByAlias(string alias); + NHibernate.ICriteria GetCriteriaByPath(string path); + System.Type GetRootEntityTypeIfAvailable(); + bool IsReadOnly { get; } + bool IsReadOnlyInitialized { get; } + System.Collections.IList List(); + void List(System.Collections.IList results); + System.Collections.Generic.IList List(); + System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.ICriteria SetCacheable(bool cacheable); + NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode); + NHibernate.ICriteria SetCacheRegion(string cacheRegion); + NHibernate.ICriteria SetComment(string comment); + NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode); + NHibernate.ICriteria SetFetchSize(int fetchSize); + NHibernate.ICriteria SetFirstResult(int firstResult); + NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode); + NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode); + NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode); + NHibernate.ICriteria SetMaxResults(int maxResults); + NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projection); + NHibernate.ICriteria SetReadOnly(bool readOnly); + NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); + NHibernate.ICriteria SetTimeout(int timeout); + object UniqueResult(); + T UniqueResult(); + System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + namespace Id + { + public abstract class AbstractPostInsertGenerator : NHibernate.Id.IPostInsertIdentifierGenerator, NHibernate.Id.IIdentifierGenerator + { + protected AbstractPostInsertGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor s, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor s, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled); + } + public class Assigned : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public Assigned() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class CounterGenerator : NHibernate.Id.IIdentifierGenerator + { + protected short Count { get => throw null; } + public CounterGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor cache, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor cache, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + namespace Enhanced + { + public interface IAccessCallback { - void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping); - void Component(System.Reflection.MemberInfo property, System.Action mapping); - void Component(System.Reflection.MemberInfo property, System.Action mapping); + long GetNextValue(); + System.Threading.Tasks.Task GetNextValueAsync(System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IBasePlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + public interface IDatabaseStructure { - void Any(string notVisiblePropertyOrFieldName, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class; - void Any(System.Linq.Expressions.Expression> property, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class; - void Component(string notVisiblePropertyOrFieldName, TComponent dynamicComponentTemplate, System.Action> mapping); - void Component(string notVisiblePropertyOrFieldName, System.Action> mapping); - void Component(string notVisiblePropertyOrFieldName); - void Component(System.Linq.Expressions.Expression> property, System.Action> mapping); - void Component(System.Linq.Expressions.Expression> property); - void Component(System.Linq.Expressions.Expression> property, TComponent dynamicComponentTemplate, System.Action> mapping); + NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session); + int IncrementSize { get; } + string Name { get; } + void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer); + string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect); + string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect); + int TimesAccessed { get; } } - - // Generated from `NHibernate.Mapping.ByCode.ICacheMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICacheMapper + public interface IOptimizer { - void Include(NHibernate.Mapping.ByCode.CacheInclude cacheInclude); - void Region(string regionName); - void Usage(NHibernate.Mapping.ByCode.CacheUsage cacheUsage); + bool ApplyIncrementSizeToSourceValues { get; } + object Generate(NHibernate.Id.Enhanced.IAccessCallback callback); + System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken); + int IncrementSize { get; } + long LastSourceValue { get; } } - - // Generated from `NHibernate.Mapping.ByCode.IClassAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IClassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper + public class OptimizerFactory { - void Abstract(bool isAbstract); - void Cache(System.Action cacheMapping); - void Catalog(string catalogName); - void Check(string check); - void ComponentAsId(System.Reflection.MemberInfo idProperty, System.Action idMapper); - void ComposedId(System.Action idPropertiesMapping); - void Discriminator(System.Action discriminatorMapping); - void DiscriminatorValue(object value); - void Filter(string filterName, System.Action filterMapping); - void Id(System.Reflection.MemberInfo idProperty, System.Action idMapper); - void Id(System.Action idMapper); - void Mutable(bool isMutable); - void NaturalId(System.Action naturalIdMapping); - void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode); - void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type); - void Schema(string schemaName); - void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); - void Table(string tableName); - void Version(System.Reflection.MemberInfo versionProperty, System.Action versionMapping); - void Where(string whereClause); + public static NHibernate.Id.Enhanced.IOptimizer BuildOptimizer(string type, System.Type returnClass, int incrementSize, long explicitInitialValue) => throw null; + public OptimizerFactory() => throw null; + public static string HiLo; + public class HiLoOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport + { + public override bool ApplyIncrementSizeToSourceValues { get => throw null; } + public HiLoOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; + public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; + public long HiValue { get => throw null; } + public override long LastSourceValue { get => throw null; } + public long LastValue { get => throw null; } + } + public interface IInitialValueAwareOptimizer + { + void InjectInitialValue(long initialValue); + } + public static string None; + public class NoopOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport + { + public override bool ApplyIncrementSizeToSourceValues { get => throw null; } + public NoopOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; + public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; + public override long LastSourceValue { get => throw null; } + } + public abstract class OptimizerSupport : NHibernate.Id.Enhanced.IOptimizer + { + public abstract bool ApplyIncrementSizeToSourceValues { get; } + protected OptimizerSupport(System.Type returnClass, int incrementSize) => throw null; + public abstract object Generate(NHibernate.Id.Enhanced.IAccessCallback param); + public abstract System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback param, System.Threading.CancellationToken cancellationToken); + public int IncrementSize { get => throw null; set { } } + public abstract long LastSourceValue { get; } + protected virtual object Make(long value) => throw null; + public System.Type ReturnClass { get => throw null; set { } } + } + public static string Pool; + public class PooledLoOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport + { + public override bool ApplyIncrementSizeToSourceValues { get => throw null; } + public PooledLoOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; + public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; + public override long LastSourceValue { get => throw null; } + public long LastValue { get => throw null; } + } + public class PooledOptimizer : NHibernate.Id.Enhanced.OptimizerFactory.OptimizerSupport, NHibernate.Id.Enhanced.OptimizerFactory.IInitialValueAwareOptimizer + { + public override bool ApplyIncrementSizeToSourceValues { get => throw null; } + public PooledOptimizer(System.Type returnClass, int incrementSize) : base(default(System.Type), default(int)) => throw null; + public override object Generate(NHibernate.Id.Enhanced.IAccessCallback callback) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Id.Enhanced.IAccessCallback callback, System.Threading.CancellationToken cancellationToken) => throw null; + public void InjectInitialValue(long initialValue) => throw null; + public override long LastSourceValue { get => throw null; } + public long LastValue { get => throw null; } + } + public static string PoolLo; } - - // Generated from `NHibernate.Mapping.ByCode.IClassAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IClassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper where TEntity : class + public class SequenceStructure : NHibernate.Id.Enhanced.IDatabaseStructure { - void Abstract(bool isAbstract); - void Cache(System.Action cacheMapping); - void Catalog(string catalogName); - void ComponentAsId(string notVisiblePropertyOrFieldName, System.Action> idMapper); - void ComponentAsId(string notVisiblePropertyOrFieldName); - void ComponentAsId(System.Linq.Expressions.Expression> idProperty, System.Action> idMapper); - void ComponentAsId(System.Linq.Expressions.Expression> idProperty); - void ComposedId(System.Action> idPropertiesMapping); - void Discriminator(System.Action discriminatorMapping); - void DiscriminatorValue(object value); - void Filter(string filterName, System.Action filterMapping); - void Id(System.Linq.Expressions.Expression> idProperty, System.Action idMapper); - void Id(System.Linq.Expressions.Expression> idProperty); - void Id(string notVisiblePropertyOrFieldName, System.Action idMapper); - void Mutable(bool isMutable); - void NaturalId(System.Action> naturalIdPropertiesMapping, System.Action naturalIdMapping); - void NaturalId(System.Action> naturalIdPropertiesMapping); - void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode); - void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type); - void Schema(string schemaName); - void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); - void Table(string tableName); - void Version(System.Linq.Expressions.Expression> versionProperty, System.Action versionMapping); - void Version(string notVisiblePropertyOrFieldName, System.Action versionMapping); - void Where(string whereClause); + public NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session) => throw null; + public SequenceStructure(NHibernate.Dialect.Dialect dialect, string sequenceName, int initialValue, int incrementSize) => throw null; + public int IncrementSize { get => throw null; } + public string Name { get => throw null; } + public void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; + public string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public int TimesAccessed { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IClassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IClassMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class SequenceStyleGenerator : NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable { - void Join(string splitGroupId, System.Action splitMapping); + protected NHibernate.Id.Enhanced.IDatabaseStructure BuildDatabaseStructure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect, bool forceTableUse, string sequenceName, int initialValue, int incrementSize) => throw null; + public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public SequenceStyleGenerator() => throw null; + public NHibernate.Id.Enhanced.IDatabaseStructure DatabaseStructure { get => throw null; } + public static int DefaultIncrementSize; + public static int DefaultInitialValue; + public static string DefaultSequenceName; + public static string DefaultValueColumnName; + protected int DetermineAdjustedIncrementSize(string optimizationStrategy, int incrementSize) => throw null; + protected int DetermineIncrementSize(System.Collections.Generic.IDictionary parms) => throw null; + protected int DetermineInitialValue(System.Collections.Generic.IDictionary parms) => throw null; + protected string DetermineOptimizationStrategy(System.Collections.Generic.IDictionary parms, int incrementSize) => throw null; + protected string DetermineSequenceName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + protected string DetermineValueColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public static string ForceTableParam; + public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual string GeneratorKey() => throw null; + public NHibernate.Type.IType IdentifierType { get => throw null; } + public static string IncrementParam; + public static string InitialParam; + public NHibernate.Id.Enhanced.IOptimizer Optimizer { get => throw null; } + public static string OptimizerParam; + protected bool RequiresPooledSequence(int initialValue, int incrementSize, NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; + public static string SequenceParam; + public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; + public static string ValueColumnParam; } - - // Generated from `NHibernate.Mapping.ByCode.IClassMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IClassMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class TableGenerator : NHibernate.Engine.TransactionHelper, NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable { - void Join(string splitGroupId, System.Action> splitMapping); + protected void BuildInsertQuery() => throw null; + protected void BuildSelectQuery(NHibernate.Dialect.Dialect dialect) => throw null; + protected void BuildUpdateQuery() => throw null; + public static string ConfigPreferSegmentPerEntity; + public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public TableGenerator() => throw null; + public static int DefaltInitialValue; + public static int DefaultIncrementSize; + public static string DefaultSegmentColumn; + public static int DefaultSegmentLength; + public static string DefaultSegmentValue; + public static string DefaultTable; + public static string DefaultValueColumn; + protected string DetermineDefaultSegmentValue(System.Collections.Generic.IDictionary parms) => throw null; + protected string DetermineGeneratorTableName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + protected int DetermineIncrementSize(System.Collections.Generic.IDictionary parms) => throw null; + protected int DetermineInitialValue(System.Collections.Generic.IDictionary parms) => throw null; + protected string DetermineSegmentColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + protected int DetermineSegmentColumnSize(System.Collections.Generic.IDictionary parms) => throw null; + protected string DetermineSegmentValue(System.Collections.Generic.IDictionary parms) => throw null; + protected string DetermineValueColumnName(System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; + public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual string GeneratorKey() => throw null; + public NHibernate.Type.IType IdentifierType { get => throw null; } + public static string IncrementParam; + public int IncrementSize { get => throw null; } + public static string InitialParam; + public int InitialValue { get => throw null; } + public NHibernate.Id.Enhanced.IOptimizer Optimizer { get => throw null; } + public static string OptimizerParam; + public string SegmentColumnName { get => throw null; } + public static string SegmentColumnParam; + public static string SegmentLengthParam; + public string SegmentValue { get => throw null; } + public int SegmentValueLength { get => throw null; } + public static string SegmentValueParam; + public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; + public long TableAccessCount { get => throw null; } + public string TableName { get => throw null; } + public static string TableParam; + public string ValueColumnName { get => throw null; } + public static string ValueColumnParam; } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionElementRelation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionElementRelation + public class TableStructure : NHibernate.Engine.TransactionHelper, NHibernate.Id.Enhanced.IDatabaseStructure { - void Component(System.Action mapping); - void Element(System.Action mapping); - void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping); - void ManyToMany(System.Action mapping); - void OneToMany(System.Action mapping); + public virtual NHibernate.Id.Enhanced.IAccessCallback BuildCallback(NHibernate.Engine.ISessionImplementor session) => throw null; + public TableStructure(NHibernate.Dialect.Dialect dialect, string tableName, string valueColumnName, int initialValue, int incrementSize) => throw null; + public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; + public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; + public int IncrementSize { get => throw null; } + public string Name { get => throw null; } + public virtual void Prepare(NHibernate.Id.Enhanced.IOptimizer optimizer) => throw null; + public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual string[] SqlDropStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public int TimesAccessed { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionElementRelation<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionElementRelation + } + public class ForeignGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public ForeignGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor sessionImplementor, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class GuidCombGenerator : NHibernate.Id.IIdentifierGenerator + { + public GuidCombGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class GuidGenerator : NHibernate.Id.IIdentifierGenerator + { + public GuidGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + public interface ICompositeKeyPostInsertIdentityPersister + { + void BindSelectByUniqueKey(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames); + System.Threading.Tasks.Task BindSelectByUniqueKeyAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames, System.Threading.CancellationToken cancellationToken); + NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes); + } + public interface IConfigurable + { + void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect); + } + public class IdentifierGenerationException : NHibernate.HibernateException + { + public IdentifierGenerationException() => throw null; + public IdentifierGenerationException(string message) => throw null; + public IdentifierGenerationException(string message, System.Exception e) => throw null; + protected IdentifierGenerationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public static class IdentifierGeneratorFactory + { + public static NHibernate.Id.IIdentifierGenerator Create(string strategy, NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public static object CreateNumber(long value, System.Type type) => throw null; + public static object Get(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task GetAsync(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static object GetGeneratedIdentity(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session) => throw null; + public static System.Threading.Tasks.Task GetGeneratedIdentityAsync(System.Data.Common.DbDataReader rs, NHibernate.Type.IType type, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Type GetIdentifierGeneratorClass(string strategy, NHibernate.Dialect.Dialect dialect) => throw null; + public static object PostInsertIndicator; + public static object ShortCircuitIndicator; + } + public class IdentityGenerator : NHibernate.Id.AbstractPostInsertGenerator + { + public class BasicDelegate : NHibernate.Id.Insert.AbstractSelectingDelegate, NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate { - void Component(System.Action> mapping); - void Element(System.Action mapping); - void Element(); - void ManyToAny(System.Action mapping); - void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping); - void ManyToMany(System.Action mapping); - void ManyToMany(); - void OneToMany(System.Action mapping); - void OneToMany(); + public BasicDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; + protected override object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object obj) => throw null; + protected override System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; + protected override NHibernate.SqlCommand.SqlString SelectSQL { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionIdMapper + public IdentityGenerator() => throw null; + public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; + public class InsertSelectDelegate : NHibernate.Id.Insert.AbstractReturningDelegate, NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate { - void Column(string name); - void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping); - void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator); - void Length(int length); - void Type(NHibernate.Type.IIdentifierType persistentType); + public InsertSelectDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; + public object DetermineGeneratedIdentifier(NHibernate.Engine.ISessionImplementor session, object entity) => throw null; + public override object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionPropertiesContainerMapper + } + public struct IdGeneratorParmsNames + { + public static string EntityName; + } + public interface IIdentifierGenerator + { + object Generate(NHibernate.Engine.ISessionImplementor session, object obj); + System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken); + } + public class IncrementGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public IncrementGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + namespace Insert + { + public abstract class AbstractReturningDelegate : NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate { - void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); - void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); - void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); - void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping); - void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); + protected AbstractReturningDelegate(NHibernate.Id.IPostInsertIdentityPersister persister) => throw null; + public abstract object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session); + public abstract System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + public object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder) => throw null; + public System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHibernate.Id.IPostInsertIdentityPersister Persister { get => throw null; } + protected abstract System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session); + protected abstract System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + public abstract NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); + protected virtual void ReleaseStatement(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionPropertiesContainerMapper + public abstract class AbstractSelectingDelegate : NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate { - void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); - void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); - void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); - void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); - void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); - void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); - void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); - void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); - void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); - void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); - void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); - void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); - void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping); - void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); - void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); - void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping); - void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); - void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); - void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); - void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); - void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); - void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + protected virtual void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity) => throw null; + protected virtual void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder) => throw null; + protected virtual System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; + protected AbstractSelectingDelegate(NHibernate.Id.IPostInsertIdentityPersister persister) => throw null; + protected abstract object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity); + protected abstract System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity, System.Threading.CancellationToken cancellationToken); + protected virtual NHibernate.SqlTypes.SqlType[] ParametersTypes { get => throw null; } + public object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSql, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder) => throw null; + public System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSql, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); + protected abstract NHibernate.SqlCommand.SqlString SelectSQL { get; } } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public interface IBinder { - void BatchSize(int value); - void Cache(System.Action cacheMapping); - void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); - void Catalog(string catalogName); - void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode); - void Filter(string filterName, System.Action filterMapping); - void Inverse(bool value); - void Key(System.Action keyMapping); - void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy); - void Mutable(bool value); - void OrderBy(string sqlOrderByClause); - void OrderBy(System.Reflection.MemberInfo property); - void Persister(System.Type persister); - void Schema(string schemaName); - void Sort(); - void Sort(); - void Table(string tableName); - void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType; - void Type(System.Type collectionType); - void Where(string sqlWhereClause); + void BindValues(System.Data.Common.DbCommand cm); + System.Threading.Tasks.Task BindValuesAsync(System.Data.Common.DbCommand cm, System.Threading.CancellationToken cancellationToken); + object Entity { get; } } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionPropertiesMapper<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class IdentifierGeneratingInsert : NHibernate.SqlCommand.SqlInsertBuilder { - void BatchSize(int value); - void Cache(System.Action cacheMapping); - void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); - void Catalog(string catalogName); - void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode); - void Filter(string filterName, System.Action filterMapping); - void Inverse(bool value); - void Key(System.Action> keyMapping); - void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy); - void Mutable(bool value); - void OrderBy(System.Linq.Expressions.Expression> property); - void OrderBy(string sqlOrderByClause); - void Persister() where TPersister : NHibernate.Persister.Collection.ICollectionPersister; - void Schema(string schemaName); - void Sort(); - void Sort(); - void Table(string tableName); - void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType; - void Type(System.Type collectionType); - void Where(string sqlWhereClause); + public IdentifierGeneratingInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ICollectionSqlsMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICollectionSqlsMapper + public interface IInsertGeneratedIdentifierDelegate { - void Loader(string namedQueryReference); - void SqlDelete(string sql); - void SqlDeleteAll(string sql); - void SqlInsert(string sql); - void SqlUpdate(string sql); - void Subselect(string sql); + object PerformInsert(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder); + System.Threading.Tasks.Task PerformInsertAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken); + NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert(); } - - // Generated from `NHibernate.Mapping.ByCode.IColumnMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnMapper + public class InsertSelectIdentityInsert : NHibernate.Id.Insert.IdentifierGeneratingInsert { - void Check(string checkConstraint); - void Default(object defaultValue); - void Index(string indexName); - void Length(int length); - void Name(string name); - void NotNullable(bool notnull); - void Precision(System.Int16 precision); - void Scale(System.Int16 scale); - void SqlType(string sqltype); - void Unique(bool unique); - void UniqueKey(string uniquekeyName); + public InsertSelectIdentityInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + public InsertSelectIdentityInsert(NHibernate.Engine.ISessionFactoryImplementor factory, string identifierColumnName) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IColumnOrFormulaMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnOrFormulaMapper : NHibernate.Mapping.ByCode.IColumnMapper + public class NoCommentsInsert : NHibernate.Id.Insert.IdentifierGeneratingInsert { - void Formula(string formula); + public NoCommentsInsert(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + public override NHibernate.SqlCommand.SqlInsertBuilder SetComment(string comment) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnsAndFormulasMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class OutputParamReturningDelegate : NHibernate.Id.Insert.AbstractReturningDelegate { - void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper); - void Formula(string formula); - void Formulas(params string[] formulas); + public OutputParamReturningDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Id.IPostInsertIdentityPersister)) => throw null; + public override object ExecuteAndExtract(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task ExecuteAndExtractAsync(System.Data.Common.DbCommand insert, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Data.Common.DbCommand Prepare(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task PrepareAsync(NHibernate.SqlCommand.SqlCommandInfo insertSQL, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IColumnsMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IColumnsMapper + public class ReturningIdentifierInsert : NHibernate.Id.Insert.NoCommentsInsert { - void Column(string name); - void Column(System.Action columnMapper); - void Columns(params System.Action[] columnMapper); + public ReturningIdentifierInsert(NHibernate.Engine.ISessionFactoryImplementor factory, string identifierColumnName, string returnParameterName) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + public override NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAsIdAttributesMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public interface IPersistentIdentifierGenerator : NHibernate.Id.IIdentifierGenerator + { + string GeneratorKey(); + string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect); + string[] SqlDropString(NHibernate.Dialect.Dialect dialect); + } + public interface IPostInsertIdentifierGenerator : NHibernate.Id.IIdentifierGenerator + { + NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled); + } + public interface IPostInsertIdentityPersister + { + string GetInfoString(); + NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string propertyName); + NHibernate.Type.IType IdentifierType { get; } + string IdentitySelectString { get; } + string[] RootTableKeyColumnNames { get; } + } + public class NativeGuidGenerator : NHibernate.Id.IIdentifierGenerator + { + public NativeGuidGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + public struct PersistentIdGeneratorParmsNames + { + public static string Catalog; + public static string PK; + public static string Schema; + public static NHibernate.AdoNet.Util.SqlStatementLogger SqlStatementLogger; + public static string Table; + public static string Tables; + } + public class SelectGenerator : NHibernate.Id.AbstractPostInsertGenerator, NHibernate.Id.IConfigurable + { + public void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public SelectGenerator() => throw null; + public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; + public class SelectGeneratorDelegate : NHibernate.Id.Insert.AbstractSelectingDelegate { - void Class(System.Type componentType); - void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType); + protected override void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity) => throw null; + protected override void BindParameters(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder) => throw null; + protected override System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, object entity, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task BindParametersAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand ps, NHibernate.Id.Insert.IBinder binder, System.Threading.CancellationToken cancellationToken) => throw null; + protected override object GetResult(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity) => throw null; + protected override System.Threading.Tasks.Task GetResultAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbDataReader rs, object entity, System.Threading.CancellationToken cancellationToken) => throw null; + protected override NHibernate.SqlTypes.SqlType[] ParametersTypes { get => throw null; } + public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; + protected override NHibernate.SqlCommand.SqlString SelectSQL { get => throw null; } + internal SelectGeneratorDelegate() : base(default(NHibernate.Id.IPostInsertIdentityPersister)) { } } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAsIdAttributesMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public class SequenceGenerator : NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public SequenceGenerator() => throw null; + public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public string GeneratorKey() => throw null; + public static string Parameters; + public static string Sequence; + public string SequenceName { get => throw null; } + public string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; + } + public class SequenceHiLoGenerator : NHibernate.Id.SequenceGenerator + { + public override void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public SequenceHiLoGenerator() => throw null; + public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public static string MaxLo; + } + public class SequenceIdentityGenerator : NHibernate.Id.SequenceGenerator, NHibernate.Id.IPostInsertIdentifierGenerator, NHibernate.Id.IIdentifierGenerator + { + public SequenceIdentityGenerator() => throw null; + public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; + public class SequenceIdentityDelegate : NHibernate.Id.Insert.OutputParamReturningDelegate { - void Class() where TConcrete : TComponent; - void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType); + public SequenceIdentityDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, string sequenceName) : base(default(NHibernate.Id.IPostInsertIdentityPersister), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + public override NHibernate.Id.Insert.IdentifierGeneratingInsert PrepareIdentifierGeneratingInsert() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAsIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAsIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public class TableGenerator : NHibernate.Engine.TransactionHelper, NHibernate.Id.IPersistentIdentifierGenerator, NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public static string ColumnParamName; + protected NHibernate.SqlTypes.SqlType columnSqlType; + protected NHibernate.Type.PrimitiveType columnType; + public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public TableGenerator() => throw null; + public static string DefaultColumnName; + public static string DefaultTableName; + public override object DoWorkInCurrentTransaction(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction) => throw null; + public override System.Threading.Tasks.Task DoWorkInCurrentTransactionAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbConnection conn, System.Data.Common.DbTransaction transaction, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public string GeneratorKey() => throw null; + public virtual string[] SqlCreateStrings(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual string[] SqlDropString(NHibernate.Dialect.Dialect dialect) => throw null; + public static string TableParamName; + public static string Where; + } + public class TableHiLoGenerator : NHibernate.Id.TableGenerator + { + public override void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public TableHiLoGenerator() => throw null; + public override object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public override System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public static string MaxLo; + } + public class TriggerIdentityGenerator : NHibernate.Id.AbstractPostInsertGenerator + { + public TriggerIdentityGenerator() => throw null; + public override NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate GetInsertGeneratedIdentifierDelegate(NHibernate.Id.IPostInsertIdentityPersister persister, NHibernate.Engine.ISessionFactoryImplementor factory, bool isGetGeneratedKeysEnabled) => throw null; + } + public class UUIDHexGenerator : NHibernate.Id.IIdentifierGenerator, NHibernate.Id.IConfigurable + { + public virtual void Configure(NHibernate.Type.IType type, System.Collections.Generic.IDictionary parms, NHibernate.Dialect.Dialect dialect) => throw null; + public UUIDHexGenerator() => throw null; + protected string format; + protected static string FormatWithDigitsOnly; + public virtual object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public virtual System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual string GenerateNewGuid() => throw null; + protected string sep; + } + public class UUIDStringGenerator : NHibernate.Id.IIdentifierGenerator + { + public UUIDStringGenerator() => throw null; + public object Generate(NHibernate.Engine.ISessionImplementor session, object obj) => throw null; + public System.Threading.Tasks.Task GenerateAsync(NHibernate.Engine.ISessionImplementor session, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + } + } + public interface IDatabinder + { + NHibernate.IDatabinder Bind(object obj); + NHibernate.IDatabinder BindAll(System.Collections.ICollection objs); + bool InitializeLazy { get; set; } + string ToGenericXml(); + System.Xml.XmlDocument ToGenericXmlDocument(); + string ToXML(); + System.Xml.XmlDocument ToXmlDocument(); + } + public class IdentityEqualityComparer : System.Collections.IEqualityComparer, System.Collections.Generic.IEqualityComparer + { + public IdentityEqualityComparer() => throw null; + public bool Equals(object x, object y) => throw null; + public int GetHashCode(object obj) => throw null; + } + public interface IDetachedQuery + { + NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session); + NHibernate.IDetachedQuery SetAnsiString(int position, string val); + NHibernate.IDetachedQuery SetAnsiString(string name, string val); + NHibernate.IDetachedQuery SetBinary(int position, byte[] val); + NHibernate.IDetachedQuery SetBinary(string name, byte[] val); + NHibernate.IDetachedQuery SetBoolean(int position, bool val); + NHibernate.IDetachedQuery SetBoolean(string name, bool val); + NHibernate.IDetachedQuery SetByte(int position, byte val); + NHibernate.IDetachedQuery SetByte(string name, byte val); + NHibernate.IDetachedQuery SetCacheable(bool cacheable); + NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode); + NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion); + NHibernate.IDetachedQuery SetCharacter(int position, char val); + NHibernate.IDetachedQuery SetCharacter(string name, char val); + NHibernate.IDetachedQuery SetComment(string comment); + NHibernate.IDetachedQuery SetDateTime(int position, System.DateTime val); + NHibernate.IDetachedQuery SetDateTime(string name, System.DateTime val); + NHibernate.IDetachedQuery SetDateTimeNoMs(int position, System.DateTime val); + NHibernate.IDetachedQuery SetDateTimeNoMs(string name, System.DateTime val); + NHibernate.IDetachedQuery SetDecimal(int position, decimal val); + NHibernate.IDetachedQuery SetDecimal(string name, decimal val); + NHibernate.IDetachedQuery SetDouble(int position, double val); + NHibernate.IDetachedQuery SetDouble(string name, double val); + NHibernate.IDetachedQuery SetEntity(int position, object val); + NHibernate.IDetachedQuery SetEntity(string name, object val); + NHibernate.IDetachedQuery SetEnum(int position, System.Enum val); + NHibernate.IDetachedQuery SetEnum(string name, System.Enum val); + NHibernate.IDetachedQuery SetFetchSize(int fetchSize); + NHibernate.IDetachedQuery SetFirstResult(int firstResult); + NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode); + NHibernate.IDetachedQuery SetGuid(int position, System.Guid val); + NHibernate.IDetachedQuery SetGuid(string name, System.Guid val); + NHibernate.IDetachedQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters); + NHibernate.IDetachedQuery SetInt16(int position, short val); + NHibernate.IDetachedQuery SetInt16(string name, short val); + NHibernate.IDetachedQuery SetInt32(int position, int val); + NHibernate.IDetachedQuery SetInt32(string name, int val); + NHibernate.IDetachedQuery SetInt64(int position, long val); + NHibernate.IDetachedQuery SetInt64(string name, long val); + void SetLockMode(string alias, NHibernate.LockMode lockMode); + NHibernate.IDetachedQuery SetMaxResults(int maxResults); + NHibernate.IDetachedQuery SetParameter(int position, object val, NHibernate.Type.IType type); + NHibernate.IDetachedQuery SetParameter(string name, object val, NHibernate.Type.IType type); + NHibernate.IDetachedQuery SetParameter(int position, object val); + NHibernate.IDetachedQuery SetParameter(string name, object val); + NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); + NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals); + NHibernate.IDetachedQuery SetProperties(object obj); + NHibernate.IDetachedQuery SetReadOnly(bool readOnly); + NHibernate.IDetachedQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); + NHibernate.IDetachedQuery SetSingle(int position, float val); + NHibernate.IDetachedQuery SetSingle(string name, float val); + NHibernate.IDetachedQuery SetString(int position, string val); + NHibernate.IDetachedQuery SetString(string name, string val); + NHibernate.IDetachedQuery SetTime(int position, System.DateTime val); + NHibernate.IDetachedQuery SetTime(string name, System.DateTime val); + NHibernate.IDetachedQuery SetTimeout(int timeout); + NHibernate.IDetachedQuery SetTimestamp(int position, System.DateTime val); + NHibernate.IDetachedQuery SetTimestamp(string name, System.DateTime val); + } + public interface IFilter + { + NHibernate.Engine.FilterDefinition FilterDefinition { get; } + string Name { get; } + NHibernate.IFilter SetParameter(string name, object value); + NHibernate.IFilter SetParameterList(string name, System.Collections.Generic.ICollection values); + void Validate(); + } + public interface IFutureEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + System.Collections.Generic.IEnumerable GetEnumerable(); + System.Threading.Tasks.Task> GetEnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Collections.Generic.IEnumerator GetEnumerator(); + } + public interface IFutureValue + { + System.Threading.Tasks.Task GetValueAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + T Value { get; } + } + public interface IInterceptor + { + void AfterTransactionBegin(NHibernate.ITransaction tx); + void AfterTransactionCompletion(NHibernate.ITransaction tx); + void BeforeTransactionCompletion(NHibernate.ITransaction tx); + int[] FindDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types); + object GetEntity(string entityName, object id); + string GetEntityName(object entity); + object Instantiate(string entityName, object id); + bool? IsTransient(object entity); + void OnCollectionRecreate(object collection, object key); + void OnCollectionRemove(object collection, object key); + void OnCollectionUpdate(object collection, object key); + void OnDelete(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); + bool OnFlushDirty(object entity, object id, object[] currentState, object[] previousState, string[] propertyNames, NHibernate.Type.IType[] types); + bool OnLoad(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); + NHibernate.SqlCommand.SqlString OnPrepareStatement(NHibernate.SqlCommand.SqlString sql); + bool OnSave(object entity, object id, object[] state, string[] propertyNames, NHibernate.Type.IType[] types); + void PostFlush(System.Collections.ICollection entities); + void PreFlush(System.Collections.ICollection entities); + void SetSession(NHibernate.ISession session); + } + public interface IInternalLogger + { + void Debug(object message); + void Debug(object message, System.Exception exception); + void DebugFormat(string format, params object[] args); + void Error(object message); + void Error(object message, System.Exception exception); + void ErrorFormat(string format, params object[] args); + void Fatal(object message); + void Fatal(object message, System.Exception exception); + void Info(object message); + void Info(object message, System.Exception exception); + void InfoFormat(string format, params object[] args); + bool IsDebugEnabled { get; } + bool IsErrorEnabled { get; } + bool IsFatalEnabled { get; } + bool IsInfoEnabled { get; } + bool IsWarnEnabled { get; } + void Warn(object message); + void Warn(object message, System.Exception exception); + void WarnFormat(string format, params object[] args); + } + public interface ILoggerFactory + { + NHibernate.IInternalLogger LoggerFor(string keyName); + NHibernate.IInternalLogger LoggerFor(System.Type type); + } + namespace Impl + { + public abstract class AbstractDetachedQuery : NHibernate.IDetachedQuery, NHibernate.Impl.IDetachedQueryImplementor + { + protected bool cacheable; + protected NHibernate.CacheMode? cacheMode; + protected string cacheRegion; + protected string comment; + public NHibernate.IDetachedQuery CopyParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; + public void CopyTo(NHibernate.IDetachedQuery destination) => throw null; + protected AbstractDetachedQuery() => throw null; + protected NHibernate.FlushMode flushMode; + public abstract NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session); + protected System.Collections.Generic.Dictionary lockModes; + protected System.Collections.Generic.Dictionary namedListParams; + protected System.Collections.Generic.Dictionary namedParams; + protected System.Collections.Generic.Dictionary namedUntypeListParams; + protected System.Collections.Generic.Dictionary namedUntypeParams; + protected System.Collections.IList optionalUntypeParams; + void NHibernate.Impl.IDetachedQueryImplementor.OverrideInfoFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; + void NHibernate.Impl.IDetachedQueryImplementor.OverrideParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin) => throw null; + protected System.Collections.Generic.Dictionary posParams; + protected System.Collections.Generic.Dictionary posUntypeParams; + protected bool readOnly; + protected NHibernate.Transform.IResultTransformer resultTransformer; + protected NHibernate.Engine.RowSelection selection; + public NHibernate.IDetachedQuery SetAnsiString(int position, string val) => throw null; + public NHibernate.IDetachedQuery SetAnsiString(string name, string val) => throw null; + public NHibernate.IDetachedQuery SetBinary(int position, byte[] val) => throw null; + public NHibernate.IDetachedQuery SetBinary(string name, byte[] val) => throw null; + public NHibernate.IDetachedQuery SetBoolean(int position, bool val) => throw null; + public NHibernate.IDetachedQuery SetBoolean(string name, bool val) => throw null; + public NHibernate.IDetachedQuery SetByte(int position, byte val) => throw null; + public NHibernate.IDetachedQuery SetByte(string name, byte val) => throw null; + public virtual NHibernate.IDetachedQuery SetCacheable(bool cacheable) => throw null; + public virtual NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public virtual NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.IDetachedQuery SetCharacter(int position, char val) => throw null; + public NHibernate.IDetachedQuery SetCharacter(string name, char val) => throw null; + public virtual NHibernate.IDetachedQuery SetComment(string comment) => throw null; + public NHibernate.IDetachedQuery SetDateTime(int position, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetDateTime(string name, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetDateTimeNoMs(int position, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetDecimal(int position, decimal val) => throw null; + public NHibernate.IDetachedQuery SetDecimal(string name, decimal val) => throw null; + public NHibernate.IDetachedQuery SetDouble(int position, double val) => throw null; + public NHibernate.IDetachedQuery SetDouble(string name, double val) => throw null; + public NHibernate.IDetachedQuery SetEntity(int position, object val) => throw null; + public NHibernate.IDetachedQuery SetEntity(string name, object val) => throw null; + public NHibernate.IDetachedQuery SetEnum(int position, System.Enum val) => throw null; + public NHibernate.IDetachedQuery SetEnum(string name, System.Enum val) => throw null; + public virtual NHibernate.IDetachedQuery SetFetchSize(int fetchSize) => throw null; + public NHibernate.IDetachedQuery SetFirstResult(int firstResult) => throw null; + public virtual NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.IDetachedQuery SetGuid(int position, System.Guid val) => throw null; + public NHibernate.IDetachedQuery SetGuid(string name, System.Guid val) => throw null; + public NHibernate.IDetachedQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters) => throw null; + public NHibernate.IDetachedQuery SetInt16(int position, short val) => throw null; + public NHibernate.IDetachedQuery SetInt16(string name, short val) => throw null; + public NHibernate.IDetachedQuery SetInt32(int position, int val) => throw null; + public NHibernate.IDetachedQuery SetInt32(string name, int val) => throw null; + public NHibernate.IDetachedQuery SetInt64(int position, long val) => throw null; + public NHibernate.IDetachedQuery SetInt64(string name, long val) => throw null; + public void SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.IDetachedQuery SetMaxResults(int maxResults) => throw null; + public NHibernate.IDetachedQuery SetParameter(int position, object val, NHibernate.Type.IType type) => throw null; + public NHibernate.IDetachedQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; + public NHibernate.IDetachedQuery SetParameter(int position, object val) => throw null; + public NHibernate.IDetachedQuery SetParameter(string name, object val) => throw null; + public NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; + public NHibernate.IDetachedQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; + public void SetParametersTo(NHibernate.IDetachedQuery destination) => throw null; + public NHibernate.IDetachedQuery SetProperties(object obj) => throw null; + protected void SetQueryProperties(NHibernate.IQuery q) => throw null; + public virtual NHibernate.IDetachedQuery SetReadOnly(bool readOnly) => throw null; + public NHibernate.IDetachedQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + public NHibernate.IDetachedQuery SetSingle(int position, float val) => throw null; + public NHibernate.IDetachedQuery SetSingle(string name, float val) => throw null; + public NHibernate.IDetachedQuery SetString(int position, string val) => throw null; + public NHibernate.IDetachedQuery SetString(string name, string val) => throw null; + public NHibernate.IDetachedQuery SetTime(int position, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetTime(string name, System.DateTime val) => throw null; + public virtual NHibernate.IDetachedQuery SetTimeout(int timeout) => throw null; + public NHibernate.IDetachedQuery SetTimestamp(int position, System.DateTime val) => throw null; + public NHibernate.IDetachedQuery SetTimestamp(string name, System.DateTime val) => throw null; + protected bool shouldIgnoredUnknownNamedParameters; + } + public abstract class AbstractQueryImpl : NHibernate.IQuery + { + protected void After() => throw null; + protected void Before() => throw null; + public bool Cacheable { get => throw null; } + public string CacheRegion { get => throw null; } + protected AbstractQueryImpl(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) => throw null; + protected virtual NHibernate.Type.IType DetermineType(int paramPosition, object paramValue, NHibernate.Type.IType defaultType) => throw null; + protected virtual NHibernate.Type.IType DetermineType(int paramPosition, object paramValue) => throw null; + protected virtual NHibernate.Type.IType DetermineType(string paramName, object paramValue, NHibernate.Type.IType defaultType) => throw null; + protected virtual NHibernate.Type.IType DetermineType(string paramName, object paramValue) => throw null; + protected virtual NHibernate.Type.IType DetermineType(string paramName, System.Type clazz) => throw null; + public abstract System.Collections.IEnumerable Enumerable(); + public abstract System.Collections.Generic.IEnumerable Enumerable(); + public abstract System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract int ExecuteUpdate(); + public abstract System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + protected virtual string ExpandParameterLists(System.Collections.Generic.IDictionary namedParamsCopy) => throw null; + public NHibernate.IFutureEnumerable Future() => throw null; + public NHibernate.IFutureValue FutureValue() => throw null; + public virtual NHibernate.Engine.QueryParameters GetQueryParameters() => throw null; + public virtual NHibernate.Engine.QueryParameters GetQueryParameters(System.Collections.Generic.IDictionary namedParams) => throw null; + protected abstract System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters); + protected abstract System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + public bool HasNamedParameters { get => throw null; } + public bool IsReadOnly { get => throw null; } + public abstract System.Collections.IList List(); + public abstract void List(System.Collections.IList results); + public abstract System.Collections.Generic.IList List(); + public abstract System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + public abstract System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + protected abstract System.Collections.Generic.IDictionary LockModes { get; } + protected System.Collections.Generic.Dictionary namedParameterLists; + protected System.Collections.IDictionary NamedParameterLists { get => throw null; } + public string[] NamedParameters { get => throw null; } + protected System.Collections.Generic.IDictionary NamedParams { get => throw null; } + protected NHibernate.Engine.Query.ParameterMetadata parameterMetadata; + public string QueryString { get => throw null; } + public virtual string[] ReturnAliases { get => throw null; } + public virtual NHibernate.Type.IType[] ReturnTypes { get => throw null; } + protected NHibernate.Engine.RowSelection RowSelection { get => throw null; } + public NHibernate.Engine.RowSelection Selection { get => throw null; } + protected NHibernate.Engine.ISessionImplementor session; + protected NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public NHibernate.IQuery SetAnsiString(int position, string val) => throw null; + public NHibernate.IQuery SetAnsiString(string name, string val) => throw null; + public NHibernate.IQuery SetBinary(int position, byte[] val) => throw null; + public NHibernate.IQuery SetBinary(string name, byte[] val) => throw null; + public NHibernate.IQuery SetBoolean(int position, bool val) => throw null; + public NHibernate.IQuery SetBoolean(string name, bool val) => throw null; + public NHibernate.IQuery SetByte(int position, byte val) => throw null; + public NHibernate.IQuery SetByte(string name, byte val) => throw null; + public NHibernate.IQuery SetCacheable(bool cacheable) => throw null; + public NHibernate.IQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.IQuery SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.IQuery SetCharacter(int position, char val) => throw null; + public NHibernate.IQuery SetCharacter(string name, char val) => throw null; + public NHibernate.IQuery SetCollectionKey(object collectionKey) => throw null; + public NHibernate.IQuery SetComment(string comment) => throw null; + public NHibernate.IQuery SetDateTime(int position, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTime(string name, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTime2(int position, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTime2(string name, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTimeNoMs(int position, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; + public NHibernate.IQuery SetDateTimeOffset(string name, System.DateTimeOffset val) => throw null; + public NHibernate.IQuery SetDateTimeOffset(int position, System.DateTimeOffset val) => throw null; + public NHibernate.IQuery SetDecimal(int position, decimal val) => throw null; + public NHibernate.IQuery SetDecimal(string name, decimal val) => throw null; + public NHibernate.IQuery SetDouble(int position, double val) => throw null; + public NHibernate.IQuery SetDouble(string name, double val) => throw null; + public NHibernate.IQuery SetEntity(int position, object val) => throw null; + public NHibernate.IQuery SetEntity(string name, object val) => throw null; + public NHibernate.IQuery SetEnum(int position, System.Enum val) => throw null; + public NHibernate.IQuery SetEnum(string name, System.Enum val) => throw null; + public NHibernate.IQuery SetFetchSize(int fetchSize) => throw null; + public NHibernate.IQuery SetFirstResult(int firstResult) => throw null; + public NHibernate.IQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.IQuery SetGuid(string name, System.Guid val) => throw null; + public NHibernate.IQuery SetGuid(int position, System.Guid val) => throw null; + public NHibernate.IQuery SetIgnoreUknownNamedParameters(bool ignoredUnknownNamedParameters) => throw null; + public NHibernate.IQuery SetInt16(int position, short val) => throw null; + public NHibernate.IQuery SetInt16(string name, short val) => throw null; + public NHibernate.IQuery SetInt32(int position, int val) => throw null; + public NHibernate.IQuery SetInt32(string name, int val) => throw null; + public NHibernate.IQuery SetInt64(int position, long val) => throw null; + public NHibernate.IQuery SetInt64(string name, long val) => throw null; + public abstract NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode); + public NHibernate.IQuery SetMaxResults(int maxResults) => throw null; + public void SetOptionalEntityName(string optionalEntityName) => throw null; + public void SetOptionalId(object optionalId) => throw null; + public void SetOptionalObject(object optionalObject) => throw null; + public NHibernate.IQuery SetParameter(int position, object val, NHibernate.Type.IType type) => throw null; + public NHibernate.IQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; + public NHibernate.IQuery SetParameter(string name, object val, NHibernate.Type.IType type, bool preferMetadataType) => throw null; + public NHibernate.IQuery SetParameter(int position, T val) => throw null; + public NHibernate.IQuery SetParameter(string name, T val) => throw null; + public NHibernate.IQuery SetParameter(string name, object val) => throw null; + public NHibernate.IQuery SetParameter(int position, object val) => throw null; + public NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; + public NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; + public NHibernate.IQuery SetProperties(System.Collections.IDictionary map) => throw null; + public NHibernate.IQuery SetProperties(object bean) => throw null; + public NHibernate.IQuery SetReadOnly(bool readOnly) => throw null; + public NHibernate.IQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer) => throw null; + public NHibernate.IQuery SetSingle(int position, float val) => throw null; + public NHibernate.IQuery SetSingle(string name, float val) => throw null; + public NHibernate.IQuery SetString(int position, string val) => throw null; + public NHibernate.IQuery SetString(string name, string val) => throw null; + public NHibernate.IQuery SetTime(int position, System.DateTime val) => throw null; + public NHibernate.IQuery SetTime(string name, System.DateTime val) => throw null; + public NHibernate.IQuery SetTimeAsTimeSpan(int position, System.TimeSpan val) => throw null; + public NHibernate.IQuery SetTimeAsTimeSpan(string name, System.TimeSpan val) => throw null; + public NHibernate.IQuery SetTimeout(int timeout) => throw null; + public NHibernate.IQuery SetTimeSpan(int position, System.TimeSpan val) => throw null; + public NHibernate.IQuery SetTimeSpan(string name, System.TimeSpan val) => throw null; + public NHibernate.IQuery SetTimestamp(int position, System.DateTime val) => throw null; + public NHibernate.IQuery SetTimestamp(string name, System.DateTime val) => throw null; + public override string ToString() => throw null; + public virtual NHibernate.Type.IType[] TypeArray() => throw null; + protected virtual System.Collections.Generic.IList Types { get => throw null; } + public T UniqueResult() => throw null; + public object UniqueResult() => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public virtual object[] ValueArray() => throw null; + protected virtual System.Collections.IList Values { get => throw null; } + protected virtual void VerifyParameters() => throw null; + protected virtual void VerifyParameters(bool reserveFirstParameter) => throw null; + } + public abstract class AbstractQueryImpl2 : NHibernate.Impl.AbstractQueryImpl + { + protected AbstractQueryImpl2(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; + public override System.Collections.IEnumerable Enumerable() => throw null; + public override System.Collections.Generic.IEnumerable Enumerable() => throw null; + public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ExecuteUpdate() => throw null; + public override System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected abstract NHibernate.IQueryExpression ExpandParameters(System.Collections.Generic.IDictionary namedParamsCopy); + protected override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList List() => throw null; + public override void List(System.Collections.IList results) => throw null; + public override System.Collections.Generic.IList List() => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override System.Collections.Generic.IDictionary LockModes { get => throw null; } + public override NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + } + public abstract class AbstractSessionImpl : NHibernate.Engine.ISessionImplementor + { + protected void AfterOperation(bool success) => throw null; + protected System.Threading.Tasks.Task AfterOperationAsync(bool success, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract void AfterTransactionBegin(NHibernate.ITransaction tx); + public abstract void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx); + public abstract System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); + public virtual bool AutoFlushIfRequired(System.Collections.Generic.ISet querySpaces) => throw null; + public virtual System.Threading.Tasks.Task AutoFlushIfRequiredAsync(System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual NHibernate.Engine.IBatcher Batcher { get => throw null; } + public abstract void BeforeTransactionCompletion(NHibernate.ITransaction tx); + public abstract System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken); + public System.IDisposable BeginContext() => throw null; + public System.IDisposable BeginProcess() => throw null; + public NHibernate.ITransaction BeginTransaction() => throw null; + public NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel) => throw null; + public abstract string BestGuessEntityName(object entity); + public abstract NHibernate.CacheMode CacheMode { get; set; } + protected virtual void CheckAndUpdateSessionStatus() => throw null; + protected System.Data.Common.DbConnection CloseConnectionManager() => throw null; + public abstract void CloseSessionFromSystemTransaction(); + public virtual System.Data.Common.DbConnection Connection { get => throw null; } + public virtual NHibernate.AdoNet.ConnectionManager ConnectionManager { get => throw null; set { } } + protected System.Exception Convert(System.Exception sqlException, string message) => throw null; + public abstract NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression); + public abstract System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken); + public virtual NHibernate.IQuery CreateQuery(NHibernate.IQueryExpression queryExpression) => throw null; + public virtual NHibernate.IQuery CreateQuery(string queryString) => throw null; + public virtual NHibernate.Multi.IQueryBatch CreateQueryBatch() => throw null; + public virtual NHibernate.ISQLQuery CreateSQLQuery(string sql) => throw null; + protected AbstractSessionImpl(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.ISessionCreationOptions options) => throw null; + public abstract System.Collections.Generic.IDictionary EnabledFilters { get; } + protected void EnlistInAmbientTransactionIfNeeded() => throw null; + public abstract System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); + public abstract System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); + public abstract System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + public abstract System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + public abstract System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + public abstract System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + public abstract System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + public abstract System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + protected virtual void ErrorIfClosed() => throw null; + public abstract int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters); + public abstract System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification specification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + public abstract int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters); + public abstract System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken); + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; set { } } + public abstract string FetchProfile { get; set; } + public abstract void Flush(); + public abstract System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken); + public abstract void FlushBeforeTransactionCompletion(); + public abstract System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken); + public virtual NHibernate.FlushMode FlushMode { get => throw null; set { } } + public virtual NHibernate.Multi.IQueryBatch FutureBatch { get => throw null; } + public abstract NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get; set; } + public abstract NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get; set; } + public NHibernate.Cache.CacheKey GenerateCacheKey(object id, NHibernate.Type.IType type, string entityOrRoleName) => throw null; + public NHibernate.Engine.EntityKey GenerateEntityKey(object id, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public abstract object GetContextEntityIdentifier(object obj); + public abstract NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj); + public abstract object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key); + public abstract System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken); + public abstract NHibernate.Type.IType GetFilterParameterType(string filterParameterName); + public abstract object GetFilterParameterValue(string filterParameterName); + protected virtual NHibernate.Engine.Query.IQueryExpressionPlan GetHQLQueryPlan(NHibernate.IQueryExpression queryExpression, bool shallow) => throw null; + public virtual NHibernate.IQuery GetNamedQuery(string queryName) => throw null; + public virtual NHibernate.IQuery GetNamedSQLQuery(string name) => throw null; + protected virtual NHibernate.Engine.Query.NativeSQLQueryPlan GetNativeSQLQueryPlan(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec) => throw null; + public abstract NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar); + public abstract System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken); + public abstract string GuessEntityName(object entity); + public abstract object ImmediateLoad(string entityName, object id); + public abstract System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken); + public void Initialize() => throw null; + public abstract void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing); + public abstract System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken); + public abstract object Instantiate(string clazz, object id); + public virtual object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; + public virtual NHibernate.IInterceptor Interceptor { get => throw null; set { } } + public abstract object InternalLoad(string entityName, object id, bool eager, bool isNullable); + public abstract System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken); + protected bool IsAlreadyDisposed { get => throw null; set { } } + public bool IsClosed { get => throw null; } + public virtual bool IsConnected { get => throw null; } + public abstract bool IsEventSource { get; } + public abstract bool IsOpen { get; } + protected bool IsTransactionCoordinatorShared { get => throw null; } + public void JoinTransaction() => throw null; + public virtual System.Collections.IList List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters) => throw null; + public abstract void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); + public virtual System.Collections.Generic.IList List(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters) => throw null; + public virtual System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; + public abstract void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results); + public virtual System.Collections.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; + public virtual System.Collections.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public virtual void List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public virtual System.Collections.Generic.IList List(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public virtual System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.IQueryExpression query, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task> ListAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification spec, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results); + public virtual System.Collections.Generic.IList ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public abstract System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + public virtual System.Threading.Tasks.Task> ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public abstract NHibernate.Event.EventListeners Listeners { get; } + public abstract System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + public System.Collections.IList ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters) => throw null; + protected abstract void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results); + public abstract System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters); + public abstract System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + public System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken); + public abstract System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken); + public abstract NHibernate.Engine.IPersistenceContext PersistenceContext { get; } + public System.Linq.IQueryable Query() => throw null; + public System.Linq.IQueryable Query(string entityName) => throw null; + public System.Guid SessionId { get => throw null; } + protected void SetClosed() => throw null; + public NHibernate.MultiTenancy.TenantConfiguration TenantConfiguration { get => throw null; set { } } + public string TenantIdentifier { get => throw null; } + public virtual long Timestamp { get => throw null; set { } } + public NHibernate.ITransaction Transaction { get => throw null; } + public NHibernate.Transaction.ITransactionContext TransactionContext { get => throw null; set { } } + public virtual bool TransactionInProgress { get => throw null; } + } + public class CollectionFilterImpl : NHibernate.Impl.QueryImpl + { + public CollectionFilterImpl(string queryString, object collection, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; + public override System.Collections.IEnumerable Enumerable() => throw null; + public override System.Collections.Generic.IEnumerable Enumerable() => throw null; + public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList List() => throw null; + public override System.Collections.Generic.IList List() => throw null; + public override void List(System.Collections.IList results) => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override NHibernate.Type.IType[] TypeArray() => throw null; + public override object[] ValueArray() => throw null; + } + public class CriteriaImpl : NHibernate.ICriteria, System.ICloneable, NHibernate.Impl.ISupportEntityJoinCriteria, NHibernate.ISupportSelectModeCriteria + { + public NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.ICriteria Add(NHibernate.ICriteria criteriaInst, NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order ordering) => throw null; + protected void After() => throw null; + public string Alias { get => throw null; } + protected void Before() => throw null; + public bool Cacheable { get => throw null; } + public NHibernate.CacheMode? CacheMode { get => throw null; } + public string CacheRegion { get => throw null; } + public void ClearOrders() => throw null; + public object Clone() => throw null; + public string Comment { get => throw null; } + public NHibernate.ICriteria CreateAlias(string associationPath, string alias) => throw null; + public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.ICriteria CreateEntityCriteria(string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName) => throw null; + public sealed class CriterionEntry { + public NHibernate.ICriteria Criteria { get => throw null; } + public NHibernate.Criterion.ICriterion Criterion { get => throw null; } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAsIdMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAsIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public CriteriaImpl(System.Type persistentClass, NHibernate.Engine.ISessionImplementor session) => throw null; + public CriteriaImpl(System.Type persistentClass, string alias, NHibernate.Engine.ISessionImplementor session) => throw null; + public CriteriaImpl(string entityOrClassName, NHibernate.Engine.ISessionImplementor session) => throw null; + public CriteriaImpl(string entityOrClassName, string alias, NHibernate.Engine.ISessionImplementor session) => throw null; + public string EntityOrClassName { get => throw null; } + public NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias) => throw null; + public int FetchSize { get => throw null; } + public int FirstResult { get => throw null; } + public NHibernate.IFutureEnumerable Future() => throw null; + public NHibernate.IFutureValue FutureValue() => throw null; + public NHibernate.ICriteria GetCriteriaByAlias(string alias) => throw null; + public NHibernate.ICriteria GetCriteriaByPath(string path) => throw null; + public System.Collections.Generic.HashSet GetEntityFetchLazyProperties(string path) => throw null; + public NHibernate.FetchMode GetFetchMode(string path) => throw null; + public System.Type GetRootEntityTypeIfAvailable() => throw null; + public NHibernate.SelectMode GetSelectMode(string path) => throw null; + public bool IsReadOnly { get => throw null; } + public bool IsReadOnlyInitialized { get => throw null; } + public System.Collections.Generic.IEnumerable IterateExpressionEntries() => throw null; + public System.Collections.Generic.IEnumerable IterateOrderings() => throw null; + public System.Collections.Generic.IEnumerable IterateSubcriteria() => throw null; + public System.Collections.IList List() => throw null; + public void List(System.Collections.IList results) => throw null; + public System.Collections.Generic.IList List() => throw null; + public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Collections.Generic.IDictionary LockModes { get => throw null; } + public bool LookupByNaturalKey { get => throw null; } + public int MaxResults { get => throw null; } + public sealed class OrderEntry { + public NHibernate.ICriteria Criteria { get => throw null; } + public NHibernate.Criterion.Order Order { get => throw null; } + public override string ToString() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public NHibernate.Criterion.IProjection Projection { get => throw null; } + public NHibernate.ICriteria ProjectionCriteria { get => throw null; } + public NHibernate.Transform.IResultTransformer ResultTransformer { get => throw null; } + public NHibernate.Engine.ISessionImplementor Session { get => throw null; set { } } + public NHibernate.ICriteria SetCacheable(bool cacheable) => throw null; + public NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.ICriteria SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.ICriteria SetComment(string comment) => throw null; + public NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; + public NHibernate.ICriteria SetFetchSize(int fetchSize) => throw null; + public NHibernate.ICriteria SetFirstResult(int firstResult) => throw null; + public NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; + public NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ICriteria SetMaxResults(int maxResults) => throw null; + public NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projections) => throw null; + public NHibernate.ICriteria SetReadOnly(bool readOnly) => throw null; + public NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer tupleMapper) => throw null; + public NHibernate.ICriteria SetTimeout(int timeout) => throw null; + public sealed class Subcriteria : NHibernate.ICriteria, System.ICloneable, NHibernate.ISupportSelectModeCriteria { - void Class(System.Type componentType); - void Insert(bool consideredInInsertQuery); - void Lazy(bool isLazy); - void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping); - void Parent(System.Reflection.MemberInfo parent); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + public NHibernate.ICriteria Add(NHibernate.Criterion.ICriterion expression) => throw null; + public NHibernate.ICriteria AddOrder(NHibernate.Criterion.Order order) => throw null; + public string Alias { get => throw null; set { } } + public void ClearOrders() => throw null; + public object Clone() => throw null; + public NHibernate.ICriteria CreateAlias(string associationPath, string alias) => throw null; + public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateAlias(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType) => throw null; + public NHibernate.ICriteria CreateCriteria(string associationPath, string alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause) => throw null; + public NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias) => throw null; + public NHibernate.IFutureEnumerable Future() => throw null; + public NHibernate.IFutureValue FutureValue() => throw null; + public NHibernate.ICriteria GetCriteriaByAlias(string alias) => throw null; + public NHibernate.ICriteria GetCriteriaByPath(string path) => throw null; + public System.Type GetRootEntityTypeIfAvailable() => throw null; + public bool HasRestrictions { get => throw null; } + public bool IsEntityJoin { get => throw null; } + public bool IsReadOnly { get => throw null; } + public bool IsReadOnlyInitialized { get => throw null; } + public string JoinEntityName { get => throw null; } + public NHibernate.SqlCommand.JoinType JoinType { get => throw null; } + public System.Collections.IList List() => throw null; + public void List(System.Collections.IList results) => throw null; + public System.Collections.Generic.IList List() => throw null; + public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.LockMode LockMode { get => throw null; } + public NHibernate.ICriteria Parent { get => throw null; } + public string Path { get => throw null; } + public NHibernate.ICriteria SetCacheable(bool cacheable) => throw null; + public NHibernate.ICriteria SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.ICriteria SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.ICriteria SetComment(string comment) => throw null; + public NHibernate.ICriteria SetFetchMode(string associationPath, NHibernate.FetchMode mode) => throw null; + public NHibernate.ICriteria SetFetchSize(int fetchSize) => throw null; + public NHibernate.ICriteria SetFirstResult(int firstResult) => throw null; + public NHibernate.ICriteria SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.ICriteria SetLockMode(NHibernate.LockMode lockMode) => throw null; + public NHibernate.ICriteria SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ICriteria SetMaxResults(int maxResults) => throw null; + public NHibernate.ICriteria SetProjection(params NHibernate.Criterion.IProjection[] projections) => throw null; + public NHibernate.ICriteria SetReadOnly(bool readOnly) => throw null; + public NHibernate.ICriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultProcessor) => throw null; + public NHibernate.ICriteria SetTimeout(int timeout) => throw null; + public T UniqueResult() => throw null; + public object UniqueResult() => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.Criterion.ICriterion WithClause { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IComponentAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public int Timeout { get => throw null; } + public override string ToString() => throw null; + public T UniqueResult() => throw null; + public object UniqueResult() => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public class DetachedNamedQuery : NHibernate.Impl.AbstractDetachedQuery + { + public NHibernate.Impl.DetachedNamedQuery Clone() => throw null; + public DetachedNamedQuery(string queryName) => throw null; + public override NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session) => throw null; + public string QueryName { get => throw null; } + public override NHibernate.IDetachedQuery SetCacheable(bool cacheable) => throw null; + public override NHibernate.IDetachedQuery SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public override NHibernate.IDetachedQuery SetCacheRegion(string cacheRegion) => throw null; + public override NHibernate.IDetachedQuery SetComment(string comment) => throw null; + public override NHibernate.IDetachedQuery SetFetchSize(int fetchSize) => throw null; + public override NHibernate.IDetachedQuery SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public override NHibernate.IDetachedQuery SetReadOnly(bool readOnly) => throw null; + public override NHibernate.IDetachedQuery SetTimeout(int timeout) => throw null; + } + public class DetachedQuery : NHibernate.Impl.AbstractDetachedQuery + { + public NHibernate.Impl.DetachedQuery Clone() => throw null; + public DetachedQuery(string hql) => throw null; + public override NHibernate.IQuery GetExecutableQuery(NHibernate.ISession session) => throw null; + public string Hql { get => throw null; } + } + public class EnumerableImpl : System.Collections.IEnumerable, System.Collections.IEnumerator, System.IDisposable + { + public EnumerableImpl(System.Data.Common.DbDataReader reader, System.Data.Common.DbCommand cmd, NHibernate.Event.IEventSource session, bool readOnly, NHibernate.Type.IType[] types, string[][] columnNames, NHibernate.Engine.RowSelection selection, NHibernate.Hql.HolderInstantiator holderInstantiator) => throw null; + public EnumerableImpl(System.Data.Common.DbDataReader reader, System.Data.Common.DbCommand cmd, NHibernate.Event.IEventSource session, bool readOnly, NHibernate.Type.IType[] types, string[][] columnNames, NHibernate.Engine.RowSelection selection, NHibernate.Transform.IResultTransformer resultTransformer, string[] returnAliases) => throw null; + public object Current { get => throw null; } + public void Dispose() => throw null; + protected virtual void Dispose(bool isDisposing) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + public bool MoveNext() => throw null; + public void Reset() => throw null; + } + public static class ExpressionProcessor + { + public static NHibernate.Criterion.DetachedCriteria FindDetachedCriteria(System.Linq.Expressions.Expression expression) => throw null; + public static string FindMemberExpression(System.Linq.Expressions.Expression expression) => throw null; + public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo FindMemberProjection(System.Linq.Expressions.Expression expression) => throw null; + public static string FindPropertyExpression(System.Linq.Expressions.Expression expression) => throw null; + public static object FindValue(System.Linq.Expressions.Expression expression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessExpression(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.ICriterion ProcessExpression(System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.Expression> expression, System.Func orderDelegate) => throw null; + public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.Expression> expression, System.Func orderDelegate) => throw null; + public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.LambdaExpression expression, System.Func orderDelegate) => throw null; + public static NHibernate.Criterion.Order ProcessOrder(System.Linq.Expressions.LambdaExpression expression, System.Func orderStringDelegate, System.Func orderProjectionDelegate) => throw null; + public static NHibernate.Criterion.AbstractCriterion ProcessSubquery(NHibernate.Impl.LambdaSubqueryType subqueryType, System.Linq.Expressions.Expression> expression) => throw null; + public static NHibernate.Criterion.AbstractCriterion ProcessSubquery(NHibernate.Impl.LambdaSubqueryType subqueryType, System.Linq.Expressions.Expression> expression) => throw null; + public class ProjectionInfo { - void Class() where TConcrete : TComponent; - void Insert(bool consideredInInsertQuery); - void Lazy(bool isLazy); - void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class; - void Parent(System.Linq.Expressions.Expression> parent) where TProperty : class; - void Parent(string notVisiblePropertyOrFieldName, System.Action mapping); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + public NHibernate.Criterion.IProjection AsProjection() => throw null; + public string AsProperty() => throw null; + public T Create(System.Func stringFunc, System.Func projectionFunc) => throw null; + public NHibernate.Criterion.ICriterion CreateCriterion(System.Func stringFunc, System.Func projectionFunc) => throw null; + public NHibernate.Criterion.ICriterion CreateCriterion(System.Func stringFunc, System.Func projectionFunc, object value) => throw null; + public NHibernate.Criterion.ICriterion CreateCriterion(NHibernate.Impl.ExpressionProcessor.ProjectionInfo rhs, System.Func ssFunc, System.Func spFunc, System.Func psFunc, System.Func ppFunc) => throw null; + public NHibernate.Criterion.Order CreateOrder(System.Func orderStringDelegate, System.Func orderProjectionDelegate) => throw null; + protected ProjectionInfo() => throw null; + public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo ForProjection(NHibernate.Criterion.IProjection projection) => throw null; + public static NHibernate.Impl.ExpressionProcessor.ProjectionInfo ForProperty(string property) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentElementMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentElementMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public static void RegisterCustomMethodCall(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; + public static void RegisterCustomProjection(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; + public static void RegisterCustomProjection(System.Linq.Expressions.Expression> function, System.Func functionProcessor) => throw null; + public static string Signature(System.Reflection.MethodInfo methodInfo) => throw null; + public static string Signature(System.Reflection.MemberInfo memberInfo) => throw null; + } + public class FilterImpl : NHibernate.IFilter + { + public void AfterDeserialize(NHibernate.Engine.FilterDefinition factoryDefinition) => throw null; + public FilterImpl(NHibernate.Engine.FilterDefinition configuration) => throw null; + public NHibernate.Engine.FilterDefinition FilterDefinition { get => throw null; } + public object GetParameter(string name) => throw null; + public int? GetParameterSpan(string name) => throw null; + public static string MARKER; + public string Name { get => throw null; } + public System.Collections.Generic.IDictionary Parameters { get => throw null; } + public NHibernate.IFilter SetParameter(string name, object value) => throw null; + public NHibernate.IFilter SetParameterList(string name, System.Collections.Generic.ICollection values) => throw null; + public void Validate() => throw null; + } + public abstract class FutureBatch + { + public void Add(TQueryApproach query) => throw null; + public void Add(TQueryApproach query) => throw null; + protected virtual void AddResultTransformer(TMultiApproach multiApproach, NHibernate.Transform.IResultTransformer futureResulsTransformer) => throw null; + protected abstract void AddTo(TMultiApproach multiApproach, TQueryApproach query, System.Type resultType); + protected abstract string CacheRegion(TQueryApproach query); + protected abstract void ClearCurrentFutureBatch(); + protected abstract TMultiApproach CreateMultiApproach(bool isCacheable, string cacheRegion); + protected FutureBatch(NHibernate.Impl.SessionImpl session) => throw null; + public NHibernate.IFutureEnumerable GetEnumerator() => throw null; + public NHibernate.IFutureValue GetFutureValue() => throw null; + protected abstract System.Collections.IList GetResultsFrom(TMultiApproach multiApproach); + protected abstract System.Threading.Tasks.Task GetResultsFromAsync(TMultiApproach multiApproach, System.Threading.CancellationToken cancellationToken); + protected abstract bool IsQueryCacheable(TQueryApproach query); + protected virtual System.Collections.IList List(TQueryApproach query) => throw null; + protected virtual System.Threading.Tasks.Task ListAsync(TQueryApproach query, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHibernate.Impl.SessionImpl session; + } + public class FutureCriteriaBatch : NHibernate.Impl.FutureBatch + { + protected override void AddTo(NHibernate.IMultiCriteria multiApproach, NHibernate.ICriteria query, System.Type resultType) => throw null; + protected override string CacheRegion(NHibernate.ICriteria query) => throw null; + protected override void ClearCurrentFutureBatch() => throw null; + protected override NHibernate.IMultiCriteria CreateMultiApproach(bool isCacheable, string cacheRegion) => throw null; + public FutureCriteriaBatch(NHibernate.Impl.SessionImpl session) : base(default(NHibernate.Impl.SessionImpl)) => throw null; + protected override System.Collections.IList GetResultsFrom(NHibernate.IMultiCriteria multiApproach) => throw null; + protected override System.Threading.Tasks.Task GetResultsFromAsync(NHibernate.IMultiCriteria multiApproach, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool IsQueryCacheable(NHibernate.ICriteria query) => throw null; + protected override System.Collections.IList List(NHibernate.ICriteria query) => throw null; + protected override System.Threading.Tasks.Task ListAsync(NHibernate.ICriteria query, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class FutureQueryBatch : NHibernate.Impl.FutureBatch + { + protected override void AddResultTransformer(NHibernate.IMultiQuery multiApproach, NHibernate.Transform.IResultTransformer futureResulsTransformer) => throw null; + protected override void AddTo(NHibernate.IMultiQuery multiApproach, NHibernate.IQuery query, System.Type resultType) => throw null; + protected override string CacheRegion(NHibernate.IQuery query) => throw null; + protected override void ClearCurrentFutureBatch() => throw null; + protected override NHibernate.IMultiQuery CreateMultiApproach(bool isCacheable, string cacheRegion) => throw null; + public FutureQueryBatch(NHibernate.Impl.SessionImpl session) : base(default(NHibernate.Impl.SessionImpl)) => throw null; + protected override System.Collections.IList GetResultsFrom(NHibernate.IMultiQuery multiApproach) => throw null; + protected override System.Threading.Tasks.Task GetResultsFromAsync(NHibernate.IMultiQuery multiApproach, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool IsQueryCacheable(NHibernate.IQuery query) => throw null; + protected override System.Collections.IList List(NHibernate.IQuery query) => throw null; + protected override System.Threading.Tasks.Task ListAsync(NHibernate.IQuery query, System.Threading.CancellationToken cancellationToken) => throw null; + } + public interface IDetachedQueryImplementor + { + void CopyTo(NHibernate.IDetachedQuery destination); + void OverrideInfoFrom(NHibernate.Impl.IDetachedQueryImplementor origin); + void OverrideParametersFrom(NHibernate.Impl.IDetachedQueryImplementor origin); + void SetParametersTo(NHibernate.IDetachedQuery destination); + } + public interface ISessionCreationOptions + { + NHibernate.FlushMode InitialSessionFlushMode { get; } + NHibernate.ConnectionReleaseMode SessionConnectionReleaseMode { get; } + NHibernate.IInterceptor SessionInterceptor { get; } + bool ShouldAutoClose { get; } + bool ShouldAutoJoinTransaction { get; } + System.Data.Common.DbConnection UserSuppliedConnection { get; } + } + public interface ISessionCreationOptionsWithMultiTenancy + { + NHibernate.MultiTenancy.TenantConfiguration TenantConfiguration { get; set; } + } + public interface ISharedSessionCreationOptions : NHibernate.Impl.ISessionCreationOptions + { + NHibernate.AdoNet.ConnectionManager ConnectionManager { get; } + bool IsTransactionCoordinatorShared { get; } + } + public interface ISupportEntityJoinCriteria + { + NHibernate.ICriteria CreateEntityCriteria(string alias, NHibernate.Criterion.ICriterion withClause, NHibernate.SqlCommand.JoinType joinType, string entityName); + } + public interface ITranslator + { + NHibernate.Loader.Loader Loader { get; } + System.Collections.Generic.ICollection QuerySpaces { get; } + string[] ReturnAliases { get; } + NHibernate.Type.IType[] ReturnTypes { get; } + } + public enum LambdaSubqueryType + { + Exact = 1, + All = 2, + Some = 3, + } + public static class MessageHelper + { + public static string InfoString(System.Type clazz, object id) => throw null; + public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id, NHibernate.Type.IType identifierType, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object[] ids, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; + public static string InfoString(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + public static string InfoString(NHibernate.Persister.Collection.ICollectionPersister persister, object id) => throw null; + public static string InfoString(string entityName, string propertyName, object key) => throw null; + public static string InfoString(NHibernate.Persister.Collection.ICollectionPersister persister, object id, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static string InfoString(string entityName, object id) => throw null; + } + public class MultiCriteriaImpl : NHibernate.IMultiCriteria + { + public NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.ICriteria criteria) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria) => throw null; + public NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.IQueryOver queryOver) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver) => throw null; + public NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver) => throw null; + public NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver) => throw null; + public NHibernate.IMultiCriteria ForceCacheRefresh(bool forceRefresh) => throw null; + public object GetResult(string key) => throw null; + public System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual System.Collections.IList GetResultList(System.Collections.IList results) => throw null; + public System.Collections.IList List() => throw null; + public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.IMultiCriteria SetCacheable(bool cachable) => throw null; + public NHibernate.IMultiCriteria SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.IMultiCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + public NHibernate.IMultiCriteria SetTimeout(int timeout) => throw null; + public NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + } + public class MultiQueryImpl : NHibernate.IMultiQuery + { + public NHibernate.IMultiQuery Add(System.Type resultGenericListType, NHibernate.IQuery query) => throw null; + public NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query) => throw null; + public NHibernate.IMultiQuery Add(NHibernate.IQuery query) => throw null; + public NHibernate.IMultiQuery Add(string key, string hql) => throw null; + public NHibernate.IMultiQuery Add(string hql) => throw null; + public NHibernate.IMultiQuery Add(NHibernate.IQuery query) => throw null; + public NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query) => throw null; + public NHibernate.IMultiQuery Add(string hql) => throw null; + public NHibernate.IMultiQuery Add(string key, string hql) => throw null; + public NHibernate.IMultiQuery AddNamedQuery(string key, string namedQuery) => throw null; + public NHibernate.IMultiQuery AddNamedQuery(string queryName) => throw null; + public NHibernate.IMultiQuery AddNamedQuery(string key, string namedQuery) => throw null; + public NHibernate.IMultiQuery AddNamedQuery(string queryName) => throw null; + protected void After() => throw null; + protected void Before() => throw null; + public MultiQueryImpl(NHibernate.Engine.ISessionImplementor session) => throw null; + protected System.Collections.Generic.List DoList() => throw null; + protected System.Threading.Tasks.Task> DoListAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public object GetResult(string key) => throw null; + public System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected virtual System.Collections.IList GetResultList(System.Collections.IList results) => throw null; + public System.Collections.IList List() => throw null; + public System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.IMultiQuery SetAnsiString(string name, string val) => throw null; + public NHibernate.IMultiQuery SetBinary(string name, byte[] val) => throw null; + public NHibernate.IMultiQuery SetBoolean(string name, bool val) => throw null; + public NHibernate.IMultiQuery SetByte(string name, byte val) => throw null; + public NHibernate.IMultiQuery SetCacheable(bool cacheable) => throw null; + public NHibernate.IMultiQuery SetCacheRegion(string region) => throw null; + public NHibernate.IMultiQuery SetCharacter(string name, char val) => throw null; + public NHibernate.IMultiQuery SetDateTime(string name, System.DateTime val) => throw null; + public NHibernate.IMultiQuery SetDateTime2(string name, System.DateTime val) => throw null; + public NHibernate.IMultiQuery SetDateTimeNoMs(string name, System.DateTime val) => throw null; + public NHibernate.IMultiQuery SetDateTimeOffset(string name, System.DateTimeOffset val) => throw null; + public NHibernate.IMultiQuery SetDecimal(string name, decimal val) => throw null; + public NHibernate.IMultiQuery SetDouble(string name, double val) => throw null; + public NHibernate.IMultiQuery SetEntity(string name, object val) => throw null; + public NHibernate.IMultiQuery SetEnum(string name, System.Enum val) => throw null; + public NHibernate.IMultiQuery SetFlushMode(NHibernate.FlushMode mode) => throw null; + public NHibernate.IMultiQuery SetForceCacheRefresh(bool cacheRefresh) => throw null; + public NHibernate.IMultiQuery SetGuid(string name, System.Guid val) => throw null; + public NHibernate.IMultiQuery SetInt16(string name, short val) => throw null; + public NHibernate.IMultiQuery SetInt32(string name, int val) => throw null; + public NHibernate.IMultiQuery SetInt64(string name, long val) => throw null; + public NHibernate.IMultiQuery SetParameter(string name, object val, NHibernate.Type.IType type) => throw null; + public NHibernate.IMultiQuery SetParameter(string name, object val) => throw null; + public NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type) => throw null; + public NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals) => throw null; + public NHibernate.IMultiQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer) => throw null; + public NHibernate.IMultiQuery SetSingle(string name, float val) => throw null; + public NHibernate.IMultiQuery SetString(string name, string val) => throw null; + public NHibernate.IMultiQuery SetTime(string name, System.DateTime val) => throw null; + public NHibernate.IMultiQuery SetTimeAsTimeSpan(string name, System.TimeSpan val) => throw null; + public NHibernate.IMultiQuery SetTimeout(int timeout) => throw null; + public NHibernate.IMultiQuery SetTimeSpan(string name, System.TimeSpan val) => throw null; + public NHibernate.IMultiQuery SetTimestamp(string name, System.DateTime val) => throw null; + protected NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + public override string ToString() => throw null; + } + public sealed class Printer + { + public Printer(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public string ToString(object entity) => throw null; + public string ToString(NHibernate.Type.IType[] types, object[] values) => throw null; + public string ToString(System.Collections.Generic.IDictionary namedTypedValues) => throw null; + public void ToString(object[] entities) => throw null; + } + public class QueryImpl : NHibernate.Impl.AbstractQueryImpl2 + { + public QueryImpl(string queryString, NHibernate.FlushMode flushMode, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; + public QueryImpl(string queryString, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Query.ParameterMetadata parameterMetadata) : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) => throw null; + protected override NHibernate.IQueryExpression ExpandParameters(System.Collections.Generic.IDictionary namedParams) => throw null; + } + public sealed class SessionFactoryImpl : NHibernate.Engine.ISessionFactoryImplementor, NHibernate.Engine.IMapping, NHibernate.ISessionFactory, System.IDisposable, System.Runtime.Serialization.IObjectReference + { + public void Close() => throw null; + public System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.Connection.IConnectionProvider ConnectionProvider { get => throw null; } + public SessionFactoryImpl(NHibernate.Cfg.Configuration cfg, NHibernate.Engine.IMapping mapping, NHibernate.Cfg.Settings settings, NHibernate.Event.EventListeners listeners) => throw null; + public NHibernate.Context.ICurrentSessionContext CurrentSessionContext { get => throw null; } + public System.Collections.Generic.ICollection DefinedFilterNames { get => throw null; } + public NHibernate.Dialect.Dialect Dialect { get => throw null; } + public void Dispose() => throw null; + public NHibernate.Proxy.IEntityNotFoundDelegate EntityNotFoundDelegate { get => throw null; } + public NHibernate.Event.EventListeners EventListeners { get => throw null; } + public void Evict(System.Type persistentClass, object id) => throw null; + public void Evict(System.Type persistentClass) => throw null; + public void Evict(System.Collections.Generic.IEnumerable persistentClasses) => throw null; + public System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictAsync(System.Collections.Generic.IEnumerable persistentClasses, System.Threading.CancellationToken cancellationToken) => throw null; + public void EvictCollection(string roleName, object id) => throw null; + public void EvictCollection(string roleName, object id, string tenantIdentifier) => throw null; + public void EvictCollection(string roleName) => throw null; + public void EvictCollection(System.Collections.Generic.IEnumerable roleNames) => throw null; + public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task EvictCollectionAsync(string roleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictCollectionAsync(System.Collections.Generic.IEnumerable roleNames, System.Threading.CancellationToken cancellationToken) => throw null; + public void EvictEntity(string entityName) => throw null; + public void EvictEntity(System.Collections.Generic.IEnumerable entityNames) => throw null; + public void EvictEntity(string entityName, object id) => throw null; + public void EvictEntity(string entityName, object id, string tenantIdentifier) => throw null; + public System.Threading.Tasks.Task EvictEntityAsync(string entityName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictEntityAsync(System.Collections.Generic.IEnumerable entityNames, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken) => throw null; + public void EvictQueries() => throw null; + public void EvictQueries(string cacheRegion) => throw null; + public System.Threading.Tasks.Task EvictQueriesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task EvictQueriesAsync(string cacheRegion, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Collections.Generic.IDictionary GetAllClassMetadata() => throw null; + public System.Collections.Generic.IDictionary GetAllCollectionMetadata() => throw null; + public System.Collections.Generic.IDictionary GetAllSecondLevelCacheRegions() => throw null; + public NHibernate.Metadata.IClassMetadata GetClassMetadata(System.Type persistentClass) => throw null; + public NHibernate.Metadata.IClassMetadata GetClassMetadata(string entityName) => throw null; + public NHibernate.Metadata.ICollectionMetadata GetCollectionMetadata(string roleName) => throw null; + public NHibernate.Persister.Collection.ICollectionPersister GetCollectionPersister(string role) => throw null; + public System.Collections.Generic.ISet GetCollectionPersisters(System.Collections.Generic.ISet spaces) => throw null; + public System.Collections.Generic.ISet GetCollectionRolesByEntityParticipant(string entityName) => throw null; + public NHibernate.ISession GetCurrentSession() => throw null; + public NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName) => throw null; + public System.Collections.Generic.ISet GetEntityPersisters(System.Collections.Generic.ISet spaces) => throw null; + public NHibernate.Engine.FilterDefinition GetFilterDefinition(string filterName) => throw null; + public NHibernate.Id.IIdentifierGenerator GetIdentifierGenerator(string rootEntityName) => throw null; + public string GetIdentifierPropertyName(string className) => throw null; + public NHibernate.Type.IType GetIdentifierType(string className) => throw null; + public string[] GetImplementors(string entityOrClassName) => throw null; + public string GetImportedClassName(string className) => throw null; + public NHibernate.Engine.NamedQueryDefinition GetNamedQuery(string queryName) => throw null; + public NHibernate.Engine.NamedSQLQueryDefinition GetNamedSQLQuery(string queryName) => throw null; + public NHibernate.Cache.IQueryCache GetQueryCache(string cacheRegion) => throw null; + public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; + public NHibernate.Type.IType GetReferencedPropertyType(string className, string propertyName) => throw null; + public NHibernate.Engine.ResultSetMappingDefinition GetResultSetMapping(string resultSetName) => throw null; + public string[] GetReturnAliases(string queryString) => throw null; + public NHibernate.Type.IType[] GetReturnTypes(string queryString) => throw null; + public NHibernate.Cache.ICache GetSecondLevelCacheRegion(string regionName) => throw null; + public bool HasNonIdentifierPropertyNamedId(string className) => throw null; + public NHibernate.IInterceptor Interceptor { get => throw null; } + public bool IsClosed { get => throw null; } + public string Name { get => throw null; } + public NHibernate.ISession OpenSession() => throw null; + public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection) => throw null; + public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, NHibernate.IInterceptor sessionLocalInterceptor) => throw null; + public NHibernate.ISession OpenSession(NHibernate.IInterceptor sessionLocalInterceptor) => throw null; + public NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection, bool flushBeforeCompletionEnabled, bool autoCloseSessionEnabled, NHibernate.ConnectionReleaseMode connectionReleaseMode) => throw null; + public NHibernate.IStatelessSession OpenStatelessSession() => throw null; + public NHibernate.IStatelessSession OpenStatelessSession(System.Data.Common.DbConnection connection) => throw null; + public NHibernate.Cache.IQueryCache QueryCache { get => throw null; } + public NHibernate.Engine.Query.QueryPlanCache QueryPlanCache { get => throw null; } + public NHibernate.Cfg.Settings Settings { get => throw null; } + public NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get => throw null; } + public NHibernate.Dialect.Function.SQLFunctionRegistry SQLFunctionRegistry { get => throw null; } + public NHibernate.Stat.IStatistics Statistics { get => throw null; } + public NHibernate.Stat.IStatisticsImplementor StatisticsImplementor { get => throw null; } + public NHibernate.Transaction.ITransactionFactory TransactionFactory { get => throw null; } + public NHibernate.Persister.Entity.IEntityPersister TryGetEntityPersister(string entityName) => throw null; + public string TryGetGuessEntityName(System.Type implementor) => throw null; + public NHibernate.Cache.UpdateTimestampsCache UpdateTimestampsCache { get => throw null; } + public string Uuid { get => throw null; } + public NHibernate.ISessionBuilder WithOptions() => throw null; + public NHibernate.IStatelessSessionBuilder WithStatelessOptions() => throw null; + } + public static class SessionFactoryObjectFactory + { + public static void AddInstance(string uid, string name, NHibernate.ISessionFactory instance, System.Collections.Generic.IDictionary properties) => throw null; + public static NHibernate.ISessionFactory GetInstance(string uid) => throw null; + public static NHibernate.ISessionFactory GetNamedInstance(string name) => throw null; + public static void RemoveInstance(string uid, string name, System.Collections.Generic.IDictionary properties) => throw null; + } + public class SessionIdLoggingContext : System.IDisposable + { + public static System.IDisposable CreateOrNull(System.Guid id) => throw null; + public SessionIdLoggingContext(System.Guid id) => throw null; + public void Dispose() => throw null; + public static System.Guid? SessionId { get => throw null; set { } } + } + public sealed class SessionImpl : NHibernate.Impl.AbstractSessionImpl, NHibernate.Event.IEventSource, NHibernate.Engine.ISessionImplementor, NHibernate.ISession, System.IDisposable, System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback + { + public NHibernate.Engine.ActionQueue ActionQueue { get => throw null; } + public override void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; + public override void AfterTransactionCompletion(bool success, NHibernate.ITransaction tx) => throw null; + public override System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool success, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool AutoFlushIfRequired(System.Collections.Generic.ISet querySpaces) => throw null; + public override System.Threading.Tasks.Task AutoFlushIfRequiredAsync(System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; + public bool AutoFlushSuspended { get => throw null; } + public override void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; + public override System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; + public override string BestGuessEntityName(object entity) => throw null; + public override NHibernate.CacheMode CacheMode { get => throw null; set { } } + public void CancelQuery() => throw null; + public void Clear() => throw null; + public System.Data.Common.DbConnection Close() => throw null; + public override void CloseSessionFromSystemTransaction() => throw null; + public NHibernate.ConnectionReleaseMode ConnectionReleaseMode { get => throw null; } + public bool Contains(object obj) => throw null; + public NHibernate.ICriteria CreateCriteria() where T : class => throw null; + public NHibernate.ICriteria CreateCriteria(System.Type persistentClass) => throw null; + public NHibernate.ICriteria CreateCriteria(string alias) where T : class => throw null; + public NHibernate.ICriteria CreateCriteria(System.Type persistentClass, string alias) => throw null; + public NHibernate.ICriteria CreateCriteria(string entityName, string alias) => throw null; + public NHibernate.ICriteria CreateCriteria(string entityName) => throw null; + public NHibernate.IQuery CreateFilter(object collection, string queryString) => throw null; + public override NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression) => throw null; + public System.Threading.Tasks.Task CreateFilterAsync(object collection, string queryString, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.IMultiCriteria CreateMultiCriteria() => throw null; + public NHibernate.IMultiQuery CreateMultiQuery() => throw null; + public bool DefaultReadOnly { get => throw null; set { } } + public void Delete(object obj) => throw null; + public void Delete(string entityName, object obj) => throw null; + public int Delete(string query) => throw null; + public int Delete(string query, object value, NHibernate.Type.IType type) => throw null; + public int Delete(string query, object[] values, NHibernate.Type.IType[] types) => throw null; + public void Delete(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities) => throw null; + public System.Threading.Tasks.Task DeleteAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string query, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string query, object value, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string query, object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string entityName, object child, bool isCascadeDeleteEnabled, System.Collections.Generic.ISet transientEntities, System.Threading.CancellationToken cancellationToken) => throw null; + public void DisableFilter(string filterName) => throw null; + public System.Data.Common.DbConnection Disconnect() => throw null; + public void Dispose() => throw null; + public override System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + public NHibernate.IFilter EnableFilter(string filterName) => throw null; + public override System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public void Evict(object obj) => throw null; + public System.Threading.Tasks.Task EvictAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeQuerySpecification, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeQuerySpecification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override string FetchProfile { get => throw null; set { } } + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public bool FlushBeforeCompletionEnabled { get => throw null; } + public override void FlushBeforeTransactionCompletion() => throw null; + public override System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void ForceFlush(NHibernate.Engine.EntityEntry entityEntry) => throw null; + public System.Threading.Tasks.Task ForceFlushAsync(NHibernate.Engine.EntityEntry entityEntry, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get => throw null; set { } } + public override NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get => throw null; set { } } + public T Get(object id) => throw null; + public T Get(object id, NHibernate.LockMode lockMode) => throw null; + public object Get(System.Type entityClass, object id) => throw null; + public object Get(System.Type clazz, object id, NHibernate.LockMode lockMode) => throw null; + public object Get(string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public object Get(string entityName, object id) => throw null; + public System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Type entityClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override object GetContextEntityIdentifier(object obj) => throw null; + public NHibernate.LockMode GetCurrentLockMode(object obj) => throw null; + public NHibernate.IFilter GetEnabledFilter(string filterName) => throw null; + public string GetEntityName(object obj) => throw null; + public System.Threading.Tasks.Task GetEntityNameAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj) => throw null; + public override object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key) => throw null; + public override System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Type.IType GetFilterParameterType(string filterParameterName) => throw null; + public override object GetFilterParameterValue(string filterParameterName) => throw null; + public object GetIdentifier(object obj) => throw null; + void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar) => throw null; + public override System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.ISession GetSession(NHibernate.EntityMode entityMode) => throw null; + public NHibernate.Engine.ISessionImplementor GetSessionImplementation() => throw null; + public override string GuessEntityName(object entity) => throw null; + public override object ImmediateLoad(string entityName, object id) => throw null; + public override System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken) => throw null; + public override void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing) => throw null; + public override System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken) => throw null; + public override object Instantiate(string clazz, object id) => throw null; + public override object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; + public override object InternalLoad(string entityName, object id, bool eager, bool isNullable) => throw null; + public override System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken) => throw null; + public bool IsAutoCloseSessionEnabled { get => throw null; } + public bool IsDirty() => throw null; + public System.Threading.Tasks.Task IsDirtyAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override bool IsEventSource { get => throw null; } + public override bool IsOpen { get => throw null; } + public bool IsReadOnly(object entityOrProxy) => throw null; + public override void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public override System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; + public override void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results) => throw null; + public override System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public override System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Event.EventListeners Listeners { get => throw null; } + protected override void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public override System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public void Load(object obj, object id) => throw null; + public T Load(object id) => throw null; + public T Load(object id, NHibernate.LockMode lockMode) => throw null; + public object Load(System.Type entityClass, object id, NHibernate.LockMode lockMode) => throw null; + public object Load(string entityName, object id) => throw null; + public object Load(string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public object Load(System.Type entityClass, object id) => throw null; + public System.Threading.Tasks.Task LoadAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(System.Type entityClass, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LoadAsync(System.Type entityClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Lock(object obj, NHibernate.LockMode lockMode) => throw null; + public void Lock(string entityName, object obj, NHibernate.LockMode lockMode) => throw null; + public System.Threading.Tasks.Task LockAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task LockAsync(string entityName, object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Merge(string entityName, object obj, System.Collections.IDictionary copiedAlready) => throw null; + public object Merge(string entityName, object obj) => throw null; + public T Merge(T entity) where T : class => throw null; + public T Merge(string entityName, T entity) where T : class => throw null; + public object Merge(object obj) => throw null; + public System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task MergeAsync(T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class => throw null; + public System.Threading.Tasks.Task MergeAsync(string entityName, T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class => throw null; + public System.Threading.Tasks.Task MergeAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; + public void Persist(string entityName, object obj, System.Collections.IDictionary createdAlready) => throw null; + public void Persist(string entityName, object obj) => throw null; + public void Persist(object obj) => throw null; + public System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Collections.IDictionary createdAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task PersistAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } + public void PersistOnFlush(string entityName, object obj, System.Collections.IDictionary copiedAlready) => throw null; + public void PersistOnFlush(string entityName, object obj) => throw null; + public void PersistOnFlush(object obj) => throw null; + public System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PersistOnFlushAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task PersistOnFlushAsync(object obj, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.IQueryOver QueryOver() where T : class => throw null; + public NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class => throw null; + public NHibernate.IQueryOver QueryOver(string entityName) where T : class => throw null; + public NHibernate.IQueryOver QueryOver(string entityName, System.Linq.Expressions.Expression> alias) where T : class => throw null; + public void Reconnect() => throw null; + public void Reconnect(System.Data.Common.DbConnection conn) => throw null; + public void Refresh(object obj, System.Collections.IDictionary refreshedAlready) => throw null; + public void Refresh(object obj) => throw null; + public void Refresh(object obj, NHibernate.LockMode lockMode) => throw null; + public System.Threading.Tasks.Task RefreshAsync(object obj, System.Collections.IDictionary refreshedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task RefreshAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task RefreshAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Replicate(object obj, NHibernate.ReplicationMode replicationMode) => throw null; + public void Replicate(string entityName, object obj, NHibernate.ReplicationMode replicationMode) => throw null; + public System.Threading.Tasks.Task ReplicateAsync(object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task ReplicateAsync(string entityName, object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public object Save(object obj) => throw null; + public object Save(string entityName, object obj) => throw null; + public void Save(string entityName, object obj, object id) => throw null; + public void Save(object obj, object id) => throw null; + public System.Threading.Tasks.Task SaveAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task SaveAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task SaveAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task SaveAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void SaveOrUpdate(object obj) => throw null; + public void SaveOrUpdate(string entityName, object obj) => throw null; + public void SaveOrUpdate(string entityName, object obj, object id) => throw null; + public System.Threading.Tasks.Task SaveOrUpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.ISessionFactory SessionFactory { get => throw null; } + public NHibernate.ISharedSessionBuilder SessionWithOptions() => throw null; + public NHibernate.ISession SetBatchSize(int batchSize) => throw null; + public void SetReadOnly(object entityOrProxy, bool readOnly) => throw null; + public bool ShouldAutoClose { get => throw null; } + public NHibernate.ISharedStatelessSessionBuilder StatelessSessionWithOptions() => throw null; + public NHibernate.Stat.ISessionStatistics Statistics { get => throw null; } + public System.IDisposable SuspendAutoFlush() => throw null; + public void Update(object obj) => throw null; + public void Update(string entityName, object obj) => throw null; + public void Update(string entityName, object obj, object id) => throw null; + public void Update(object obj, object id) => throw null; + public System.Threading.Tasks.Task UpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UpdateAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + internal SessionImpl() : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(NHibernate.Impl.ISessionCreationOptions)) { } + } + public class SqlQueryImpl : NHibernate.Impl.AbstractQueryImpl, NHibernate.ISQLQuery, NHibernate.IQuery, NHibernate.ISynchronizableSQLQuery, NHibernate.ISynchronizableQuery + { + public NHibernate.ISQLQuery AddEntity(System.Type entityClass) => throw null; + public NHibernate.ISQLQuery AddEntity(string entityName) => throw null; + public NHibernate.ISQLQuery AddEntity(string alias, string entityName) => throw null; + public NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass) => throw null; + public NHibernate.ISQLQuery AddEntity(string alias, string entityName, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ISQLQuery AddJoin(string alias, string path) => throw null; + public NHibernate.ISQLQuery AddJoin(string alias, string path, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ISQLQuery AddScalar(string columnAlias, NHibernate.Type.IType type) => throw null; + public NHibernate.ISynchronizableSQLQuery AddSynchronizedEntityClass(System.Type entityType) => throw null; + public NHibernate.ISynchronizableSQLQuery AddSynchronizedEntityName(string entityName) => throw null; + public NHibernate.ISynchronizableSQLQuery AddSynchronizedQuerySpace(string querySpace) => throw null; + public override System.Collections.IEnumerable Enumerable() => throw null; + public override System.Collections.Generic.IEnumerable Enumerable() => throw null; + public override System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override int ExecuteUpdate() => throw null; + public override System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification GenerateQuerySpecification(System.Collections.Generic.IDictionary parameters) => throw null; + public override NHibernate.Engine.QueryParameters GetQueryParameters(System.Collections.Generic.IDictionary namedParams) => throw null; + public System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces() => throw null; + protected override System.Collections.Generic.IEnumerable GetTranslators(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override System.Threading.Tasks.Task> GetTranslatorsAsync(NHibernate.Engine.ISessionImplementor sessionImplementor, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList List() => throw null; + public override void List(System.Collections.IList results) => throw null; + public override System.Collections.Generic.IList List() => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + protected override System.Collections.Generic.IDictionary LockModes { get => throw null; } + public override string[] ReturnAliases { get => throw null; } + public override NHibernate.Type.IType[] ReturnTypes { get => throw null; } + public override NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.ISQLQuery SetResultSetMapping(string name) => throw null; + public override NHibernate.Type.IType[] TypeArray() => throw null; + protected override System.Collections.Generic.IList Types { get => throw null; } + public override object[] ValueArray() => throw null; + protected override System.Collections.IList Values { get => throw null; } + protected override void VerifyParameters() => throw null; + protected override void VerifyParameters(bool reserveFirstParameter) => throw null; + internal SqlQueryImpl() : base(default(string), default(NHibernate.FlushMode), default(NHibernate.Engine.ISessionImplementor), default(NHibernate.Engine.Query.ParameterMetadata)) { } + } + public class StatelessSessionImpl : NHibernate.Impl.AbstractSessionImpl, NHibernate.IStatelessSession, System.IDisposable + { + public override void AfterTransactionBegin(NHibernate.ITransaction tx) => throw null; + public override void AfterTransactionCompletion(bool successful, NHibernate.ITransaction tx) => throw null; + public override System.Threading.Tasks.Task AfterTransactionCompletionAsync(bool successful, NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; + public override void BeforeTransactionCompletion(NHibernate.ITransaction tx) => throw null; + public override System.Threading.Tasks.Task BeforeTransactionCompletionAsync(NHibernate.ITransaction tx, System.Threading.CancellationToken cancellationToken) => throw null; + public override string BestGuessEntityName(object entity) => throw null; + public override NHibernate.CacheMode CacheMode { get => throw null; set { } } + public void Close() => throw null; + public override void CloseSessionFromSystemTransaction() => throw null; + public NHibernate.ICriteria CreateCriteria() where T : class => throw null; + public NHibernate.ICriteria CreateCriteria(string alias) where T : class => throw null; + public NHibernate.ICriteria CreateCriteria(System.Type entityType) => throw null; + public NHibernate.ICriteria CreateCriteria(System.Type entityType, string alias) => throw null; + public NHibernate.ICriteria CreateCriteria(string entityName) => throw null; + public NHibernate.ICriteria CreateCriteria(string entityName, string alias) => throw null; + public override NHibernate.IQuery CreateFilter(object collection, NHibernate.IQueryExpression queryExpression) => throw null; + public override System.Threading.Tasks.Task CreateFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, System.Threading.CancellationToken cancellationToken) => throw null; + public void Delete(object entity) => throw null; + public void Delete(string entityName, object entity) => throw null; + public System.Threading.Tasks.Task DeleteAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task DeleteAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Dispose() => throw null; + protected void Dispose(bool isDisposing) => throw null; + public override System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + public override System.Collections.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Collections.Generic.IEnumerable Enumerable(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> EnumerableAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; + public override System.Collections.Generic.IEnumerable EnumerableFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; + public override System.Threading.Tasks.Task EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> EnumerableFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override int ExecuteNativeUpdate(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeSQLQuerySpecification, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task ExecuteNativeUpdateAsync(NHibernate.Engine.Query.Sql.NativeSQLQuerySpecification nativeSQLQuerySpecification, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override int ExecuteUpdate(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public override System.Threading.Tasks.Task ExecuteUpdateAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public override string FetchProfile { get => throw null; set { } } + public override void Flush() => throw null; + public override System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override void FlushBeforeTransactionCompletion() => throw null; + public override System.Threading.Tasks.Task FlushBeforeTransactionCompletionAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.FlushMode FlushMode { get => throw null; set { } } + public override NHibernate.Impl.FutureCriteriaBatch FutureCriteriaBatch { get => throw null; set { } } + public override NHibernate.Impl.FutureQueryBatch FutureQueryBatch { get => throw null; set { } } + public object Get(string entityName, object id) => throw null; + public T Get(object id) => throw null; + public object Get(string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public T Get(object id, NHibernate.LockMode lockMode) => throw null; + public System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override object GetContextEntityIdentifier(object obj) => throw null; + public override NHibernate.Persister.Entity.IEntityPersister GetEntityPersister(string entityName, object obj) => throw null; + public override object GetEntityUsingInterceptor(NHibernate.Engine.EntityKey key) => throw null; + public override System.Threading.Tasks.Task GetEntityUsingInterceptorAsync(NHibernate.Engine.EntityKey key, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Type.IType GetFilterParameterType(string filterParameterName) => throw null; + public override object GetFilterParameterValue(string filterParameterName) => throw null; + public override NHibernate.Hql.IQueryTranslator[] GetQueries(NHibernate.IQueryExpression query, bool scalar) => throw null; + public override System.Threading.Tasks.Task GetQueriesAsync(NHibernate.IQueryExpression query, bool scalar, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Engine.ISessionImplementor GetSessionImplementation() => throw null; + public override string GuessEntityName(object entity) => throw null; + public override object ImmediateLoad(string entityName, object id) => throw null; + public override System.Threading.Tasks.Task ImmediateLoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken) => throw null; + public override void InitializeCollection(NHibernate.Collection.IPersistentCollection collection, bool writing) => throw null; + public override System.Threading.Tasks.Task InitializeCollectionAsync(NHibernate.Collection.IPersistentCollection collection, bool writing, System.Threading.CancellationToken cancellationToken) => throw null; + public object Insert(object entity) => throw null; + public object Insert(string entityName, object entity) => throw null; + public System.Threading.Tasks.Task InsertAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task InsertAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public override object Instantiate(string clazz, object id) => throw null; + public override object Instantiate(NHibernate.Persister.Entity.IEntityPersister persister, object id) => throw null; + public override NHibernate.IInterceptor Interceptor { get => throw null; } + public override object InternalLoad(string entityName, object id, bool eager, bool isNullable) => throw null; + public override System.Threading.Tasks.Task InternalLoadAsync(string entityName, object id, bool eager, bool isNullable, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsEventSource { get => throw null; } + public override bool IsOpen { get => throw null; } + public override void List(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public override System.Collections.Generic.IList List(NHibernate.Impl.CriteriaImpl criteria) => throw null; + public override void List(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results) => throw null; + public override System.Threading.Tasks.Task ListAsync(NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ListAsync(NHibernate.Impl.CriteriaImpl criteria, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override void ListCustomQuery(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results) => throw null; + public override System.Threading.Tasks.Task ListCustomQueryAsync(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.QueryParameters queryParameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Event.EventListeners Listeners { get => throw null; } + public override System.Collections.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; + protected override void ListFilter(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results) => throw null; + public override System.Collections.Generic.IList ListFilter(object collection, string filter, NHibernate.Engine.QueryParameters parameters) => throw null; + public override System.Threading.Tasks.Task ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + protected override System.Threading.Tasks.Task ListFilterAsync(object collection, NHibernate.IQueryExpression queryExpression, NHibernate.Engine.QueryParameters parameters, System.Collections.IList results, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task> ListFilterAsync(object collection, string filter, NHibernate.Engine.QueryParameters parameters, System.Threading.CancellationToken cancellationToken) => throw null; + public void ManagedClose() => throw null; + public System.Threading.Tasks.Task ManagedCloseAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public void ManagedFlush() => throw null; + public System.Threading.Tasks.Task ManagedFlushAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public override NHibernate.Engine.IPersistenceContext PersistenceContext { get => throw null; } + public NHibernate.IQueryOver QueryOver() where T : class => throw null; + public NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class => throw null; + public void Refresh(object entity) => throw null; + public void Refresh(string entityName, object entity) => throw null; + public void Refresh(object entity, NHibernate.LockMode lockMode) => throw null; + public void Refresh(string entityName, object entity, NHibernate.LockMode lockMode) => throw null; + public System.Threading.Tasks.Task RefreshAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task RefreshAsync(object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.IStatelessSession SetBatchSize(int batchSize) => throw null; + public override long Timestamp { get => throw null; } + public void Update(object entity) => throw null; + public void Update(string entityName, object entity) => throw null; + public System.Threading.Tasks.Task UpdateAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task UpdateAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + internal StatelessSessionImpl() : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(NHibernate.Impl.ISessionCreationOptions)) { } + } + } + public interface IMultiCriteria + { + NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.ICriteria criteria); + NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria); + NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria); + NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria); + NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria); + NHibernate.IMultiCriteria Add(NHibernate.ICriteria criteria); + NHibernate.IMultiCriteria Add(string key, NHibernate.ICriteria criteria); + NHibernate.IMultiCriteria Add(NHibernate.Criterion.DetachedCriteria detachedCriteria); + NHibernate.IMultiCriteria Add(string key, NHibernate.Criterion.DetachedCriteria detachedCriteria); + NHibernate.IMultiCriteria Add(System.Type resultGenericListType, NHibernate.IQueryOver queryOver); + NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver); + NHibernate.IMultiCriteria Add(NHibernate.IQueryOver queryOver); + NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver); + NHibernate.IMultiCriteria Add(string key, NHibernate.IQueryOver queryOver); + NHibernate.IMultiCriteria ForceCacheRefresh(bool forceRefresh); + object GetResult(string key); + System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Collections.IList List(); + System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IMultiCriteria SetCacheable(bool cachable); + NHibernate.IMultiCriteria SetCacheRegion(string region); + NHibernate.IMultiCriteria SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); + } + public interface IMultiQuery + { + NHibernate.IMultiQuery Add(System.Type resultGenericListType, NHibernate.IQuery query); + NHibernate.IMultiQuery Add(NHibernate.IQuery query); + NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query); + NHibernate.IMultiQuery Add(string key, string hql); + NHibernate.IMultiQuery Add(string hql); + NHibernate.IMultiQuery Add(string key, NHibernate.IQuery query); + NHibernate.IMultiQuery Add(NHibernate.IQuery query); + NHibernate.IMultiQuery Add(string key, string hql); + NHibernate.IMultiQuery Add(string hql); + NHibernate.IMultiQuery AddNamedQuery(string queryName); + NHibernate.IMultiQuery AddNamedQuery(string key, string queryName); + NHibernate.IMultiQuery AddNamedQuery(string queryName); + NHibernate.IMultiQuery AddNamedQuery(string key, string queryName); + object GetResult(string key); + System.Threading.Tasks.Task GetResultAsync(string key, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Collections.IList List(); + System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IMultiQuery SetAnsiString(string name, string val); + NHibernate.IMultiQuery SetBinary(string name, byte[] val); + NHibernate.IMultiQuery SetBoolean(string name, bool val); + NHibernate.IMultiQuery SetByte(string name, byte val); + NHibernate.IMultiQuery SetCacheable(bool cacheable); + NHibernate.IMultiQuery SetCacheRegion(string region); + NHibernate.IMultiQuery SetCharacter(string name, char val); + NHibernate.IMultiQuery SetDateTime(string name, System.DateTime val); + NHibernate.IMultiQuery SetDateTime2(string name, System.DateTime val); + NHibernate.IMultiQuery SetDateTimeNoMs(string name, System.DateTime val); + NHibernate.IMultiQuery SetDateTimeOffset(string name, System.DateTimeOffset val); + NHibernate.IMultiQuery SetDecimal(string name, decimal val); + NHibernate.IMultiQuery SetDouble(string name, double val); + NHibernate.IMultiQuery SetEntity(string name, object val); + NHibernate.IMultiQuery SetEnum(string name, System.Enum val); + NHibernate.IMultiQuery SetFlushMode(NHibernate.FlushMode mode); + NHibernate.IMultiQuery SetForceCacheRefresh(bool forceCacheRefresh); + NHibernate.IMultiQuery SetGuid(string name, System.Guid val); + NHibernate.IMultiQuery SetInt16(string name, short val); + NHibernate.IMultiQuery SetInt32(string name, int val); + NHibernate.IMultiQuery SetInt64(string name, long val); + NHibernate.IMultiQuery SetParameter(string name, object val, NHibernate.Type.IType type); + NHibernate.IMultiQuery SetParameter(string name, object val); + NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); + NHibernate.IMultiQuery SetParameterList(string name, System.Collections.IEnumerable vals); + NHibernate.IMultiQuery SetResultTransformer(NHibernate.Transform.IResultTransformer transformer); + NHibernate.IMultiQuery SetSingle(string name, float val); + NHibernate.IMultiQuery SetString(string name, string val); + NHibernate.IMultiQuery SetTime(string name, System.DateTime val); + NHibernate.IMultiQuery SetTimeAsTimeSpan(string name, System.TimeSpan val); + NHibernate.IMultiQuery SetTimeout(int timeout); + NHibernate.IMultiQuery SetTimeSpan(string name, System.TimeSpan val); + NHibernate.IMultiQuery SetTimestamp(string name, System.DateTime val); + } + public interface INHibernateLogger + { + bool IsEnabled(NHibernate.NHibernateLogLevel logLevel); + void Log(NHibernate.NHibernateLogLevel logLevel, NHibernate.NHibernateLogValues state, System.Exception exception); + } + public interface INHibernateLoggerFactory + { + NHibernate.INHibernateLogger LoggerFor(string keyName); + NHibernate.INHibernateLogger LoggerFor(System.Type type); + } + public class InstantiationException : NHibernate.HibernateException + { + public InstantiationException(string message, System.Type type) => throw null; + public InstantiationException(string message, System.Exception innerException, System.Type type) => throw null; + protected InstantiationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public System.Type PersistentType { get => throw null; } + } + namespace Intercept + { + public abstract class AbstractFieldInterceptor : NHibernate.Intercept.IFieldInterceptor + { + public void ClearDirty() => throw null; + protected AbstractFieldInterceptor(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet uninitializedFields, System.Collections.Generic.ISet unwrapProxyFieldNames, string entityName, System.Type mappedClass) => throw null; + public string EntityName { get => throw null; } + public System.Collections.Generic.ISet GetUninitializedFields() => throw null; + public bool Initializing { get => throw null; } + public object Intercept(object target, string fieldName, object value) => throw null; + public object Intercept(object target, string fieldName, object value, bool setter) => throw null; + public static object InvokeImplementation; + public bool IsDirty { get => throw null; } + public bool IsInitialized { get => throw null; } + public bool IsInitializedField(string field) => throw null; + public System.Type MappedClass { get => throw null; } + public void MarkDirty() => throw null; + public NHibernate.Engine.ISessionImplementor Session { get => throw null; set { } } + public System.Collections.Generic.ISet UninitializedFields { get => throw null; } + } + public class DefaultDynamicLazyFieldInterceptor : NHibernate.Intercept.IFieldInterceptorAccessor, NHibernate.Proxy.DynamicProxy.IInterceptor + { + public DefaultDynamicLazyFieldInterceptor() => throw null; + public NHibernate.Intercept.IFieldInterceptor FieldInterceptor { get => throw null; set { } } + public object Intercept(NHibernate.Proxy.DynamicProxy.InvocationInfo info) => throw null; + } + public class DefaultFieldInterceptor : NHibernate.Intercept.AbstractFieldInterceptor + { + public DefaultFieldInterceptor(NHibernate.Engine.ISessionImplementor session, System.Collections.Generic.ISet uninitializedFields, System.Collections.Generic.ISet unwrapProxyFieldNames, string entityName, System.Type mappedClass) : base(default(NHibernate.Engine.ISessionImplementor), default(System.Collections.Generic.ISet), default(System.Collections.Generic.ISet), default(string), default(System.Type)) => throw null; + } + public static class FieldInterceptionHelper + { + public static void ClearDirty(object entity) => throw null; + public static NHibernate.Intercept.IFieldInterceptor ExtractFieldInterceptor(object entity) => throw null; + public static NHibernate.Intercept.IFieldInterceptor InjectFieldInterceptor(object entity, string entityName, System.Type mappedClass, System.Collections.Generic.ISet uninitializedFieldNames, System.Collections.Generic.ISet unwrapProxyFieldNames, NHibernate.Engine.ISessionImplementor session) => throw null; + public static bool IsInstrumented(System.Type entityClass) => throw null; + public static bool IsInstrumented(object entity) => throw null; + public static void MarkDirty(object entity) => throw null; + } + public static partial class FieldInterceptorExtensions + { + public static object Intercept(this NHibernate.Intercept.IFieldInterceptor interceptor, object target, string fieldName, object value, bool setter) => throw null; + } + public interface IFieldInterceptor + { + void ClearDirty(); + string EntityName { get; } + object Intercept(object target, string fieldName, object value); + bool IsDirty { get; } + bool IsInitialized { get; } + bool IsInitializedField(string field); + System.Type MappedClass { get; } + void MarkDirty(); + NHibernate.Engine.ISessionImplementor Session { get; set; } + } + public interface IFieldInterceptorAccessor + { + NHibernate.Intercept.IFieldInterceptor FieldInterceptor { get; set; } + } + public interface ILazyPropertyInitializer + { + object InitializeLazyProperty(string fieldName, object entity, NHibernate.Engine.ISessionImplementor session); + } + public struct LazyPropertyInitializer + { + public static object UnfetchedProperty; + } + public struct UnfetchedLazyProperty + { + } + } + public class InvalidProxyTypeException : NHibernate.MappingException + { + public InvalidProxyTypeException(System.Collections.Generic.ICollection errors) : base(default(string)) => throw null; + public InvalidProxyTypeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + public System.Collections.Generic.ICollection Errors { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public interface IQuery + { + System.Collections.IEnumerable Enumerable(); + System.Collections.Generic.IEnumerable Enumerable(); + System.Threading.Tasks.Task EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task> EnumerableAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + int ExecuteUpdate(); + System.Threading.Tasks.Task ExecuteUpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IFutureEnumerable Future(); + NHibernate.IFutureValue FutureValue(); + bool IsReadOnly { get; } + System.Collections.IList List(); + void List(System.Collections.IList results); + System.Collections.Generic.IList List(); + System.Threading.Tasks.Task ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task ListAsync(System.Collections.IList results, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + string[] NamedParameters { get; } + string QueryString { get; } + string[] ReturnAliases { get; } + NHibernate.Type.IType[] ReturnTypes { get; } + NHibernate.IQuery SetAnsiString(int position, string val); + NHibernate.IQuery SetAnsiString(string name, string val); + NHibernate.IQuery SetBinary(int position, byte[] val); + NHibernate.IQuery SetBinary(string name, byte[] val); + NHibernate.IQuery SetBoolean(int position, bool val); + NHibernate.IQuery SetBoolean(string name, bool val); + NHibernate.IQuery SetByte(int position, byte val); + NHibernate.IQuery SetByte(string name, byte val); + NHibernate.IQuery SetCacheable(bool cacheable); + NHibernate.IQuery SetCacheMode(NHibernate.CacheMode cacheMode); + NHibernate.IQuery SetCacheRegion(string cacheRegion); + NHibernate.IQuery SetCharacter(int position, char val); + NHibernate.IQuery SetCharacter(string name, char val); + NHibernate.IQuery SetComment(string comment); + NHibernate.IQuery SetDateTime(int position, System.DateTime val); + NHibernate.IQuery SetDateTime(string name, System.DateTime val); + NHibernate.IQuery SetDateTime2(int position, System.DateTime val); + NHibernate.IQuery SetDateTime2(string name, System.DateTime val); + NHibernate.IQuery SetDateTimeNoMs(int position, System.DateTime val); + NHibernate.IQuery SetDateTimeNoMs(string name, System.DateTime val); + NHibernate.IQuery SetDateTimeOffset(int position, System.DateTimeOffset val); + NHibernate.IQuery SetDateTimeOffset(string name, System.DateTimeOffset val); + NHibernate.IQuery SetDecimal(int position, decimal val); + NHibernate.IQuery SetDecimal(string name, decimal val); + NHibernate.IQuery SetDouble(int position, double val); + NHibernate.IQuery SetDouble(string name, double val); + NHibernate.IQuery SetEntity(int position, object val); + NHibernate.IQuery SetEntity(string name, object val); + NHibernate.IQuery SetEnum(int position, System.Enum val); + NHibernate.IQuery SetEnum(string name, System.Enum val); + NHibernate.IQuery SetFetchSize(int fetchSize); + NHibernate.IQuery SetFirstResult(int firstResult); + NHibernate.IQuery SetFlushMode(NHibernate.FlushMode flushMode); + NHibernate.IQuery SetGuid(int position, System.Guid val); + NHibernate.IQuery SetGuid(string name, System.Guid val); + NHibernate.IQuery SetInt16(int position, short val); + NHibernate.IQuery SetInt16(string name, short val); + NHibernate.IQuery SetInt32(int position, int val); + NHibernate.IQuery SetInt32(string name, int val); + NHibernate.IQuery SetInt64(int position, long val); + NHibernate.IQuery SetInt64(string name, long val); + NHibernate.IQuery SetLockMode(string alias, NHibernate.LockMode lockMode); + NHibernate.IQuery SetMaxResults(int maxResults); + NHibernate.IQuery SetParameter(int position, object val, NHibernate.Type.IType type); + NHibernate.IQuery SetParameter(string name, object val, NHibernate.Type.IType type); + NHibernate.IQuery SetParameter(int position, T val); + NHibernate.IQuery SetParameter(string name, T val); + NHibernate.IQuery SetParameter(int position, object val); + NHibernate.IQuery SetParameter(string name, object val); + NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals, NHibernate.Type.IType type); + NHibernate.IQuery SetParameterList(string name, System.Collections.IEnumerable vals); + NHibernate.IQuery SetProperties(object obj); + NHibernate.IQuery SetReadOnly(bool readOnly); + NHibernate.IQuery SetResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer); + NHibernate.IQuery SetSingle(int position, float val); + NHibernate.IQuery SetSingle(string name, float val); + NHibernate.IQuery SetString(int position, string val); + NHibernate.IQuery SetString(string name, string val); + NHibernate.IQuery SetTime(int position, System.DateTime val); + NHibernate.IQuery SetTime(string name, System.DateTime val); + NHibernate.IQuery SetTimeAsTimeSpan(int position, System.TimeSpan val); + NHibernate.IQuery SetTimeAsTimeSpan(string name, System.TimeSpan val); + NHibernate.IQuery SetTimeout(int timeout); + NHibernate.IQuery SetTimeSpan(int position, System.TimeSpan val); + NHibernate.IQuery SetTimeSpan(string name, System.TimeSpan val); + NHibernate.IQuery SetTimestamp(int position, System.DateTime val); + NHibernate.IQuery SetTimestamp(string name, System.DateTime val); + object UniqueResult(); + T UniqueResult(); + System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UniqueResultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IQueryExpression + { + string Key { get; } + System.Collections.Generic.IList ParameterDescriptors { get; } + NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, bool filter); + System.Type Type { get; } + } + public interface IQueryOver : NHibernate.IQueryOver + { + NHibernate.IQueryOver Cacheable(); + NHibernate.IQueryOver CacheMode(NHibernate.CacheMode cacheMode); + NHibernate.IQueryOver CacheRegion(string cacheRegion); + NHibernate.IQueryOver ClearOrders(); + NHibernate.IQueryOver Clone(); + NHibernate.IFutureEnumerable Future(); + NHibernate.IFutureEnumerable Future(); + NHibernate.IFutureValue FutureValue(); + NHibernate.IFutureValue FutureValue(); + System.Collections.Generic.IList List(); + System.Collections.Generic.IList List(); + System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task> ListAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IQueryOver ReadOnly(); + int RowCount(); + System.Threading.Tasks.Task RowCountAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + long RowCountInt64(); + System.Threading.Tasks.Task RowCountInt64Async(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + TRoot SingleOrDefault(); + U SingleOrDefault(); + System.Threading.Tasks.Task SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SingleOrDefaultAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IQueryOver Skip(int firstResult); + NHibernate.IQueryOver Take(int maxResults); + NHibernate.IQueryOver ToRowCountInt64Query(); + NHibernate.IQueryOver ToRowCountQuery(); + } + public interface IQueryOver + { + NHibernate.ICriteria RootCriteria { get; } + NHibernate.ICriteria UnderlyingCriteria { get; } + } + public interface IQueryOver : NHibernate.IQueryOver, NHibernate.IQueryOver + { + NHibernate.IQueryOver And(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver And(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver And(NHibernate.Criterion.ICriterion expression); + NHibernate.IQueryOver AndNot(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver AndNot(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver AndNot(NHibernate.Criterion.ICriterion expression); + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression); + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder AndRestrictionOn(System.Linq.Expressions.Expression> expression); + NHibernate.Criterion.Lambda.IQueryOverFetchBuilder Fetch(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Full { get; } + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Inner { get; } + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinAlias(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType); + NHibernate.IQueryOver JoinQueryOver(System.Linq.Expressions.Expression>> path, System.Linq.Expressions.Expression> alias, NHibernate.SqlCommand.JoinType joinType, NHibernate.Criterion.ICriterion withClause); + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Left { get; } + NHibernate.Criterion.Lambda.IQueryOverLockBuilder Lock(); + NHibernate.Criterion.Lambda.IQueryOverLockBuilder Lock(System.Linq.Expressions.Expression> alias); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderBy(NHibernate.Criterion.IProjection projection); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder OrderByAlias(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverJoinBuilder Right { get; } + NHibernate.IQueryOver Select(params System.Linq.Expressions.Expression>[] projections); + NHibernate.IQueryOver Select(params NHibernate.Criterion.IProjection[] projections); + NHibernate.IQueryOver SelectList(System.Func, NHibernate.Criterion.Lambda.QueryOverProjectionBuilder> list); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(System.Linq.Expressions.Expression> path); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenBy(NHibernate.Criterion.IProjection projection); + NHibernate.Criterion.Lambda.IQueryOverOrderBuilder ThenByAlias(System.Linq.Expressions.Expression> path); + NHibernate.IQueryOver TransformUsing(NHibernate.Transform.IResultTransformer resultTransformer); + NHibernate.IQueryOver Where(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver Where(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver Where(NHibernate.Criterion.ICriterion expression); + NHibernate.IQueryOver WhereNot(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver WhereNot(System.Linq.Expressions.Expression> expression); + NHibernate.IQueryOver WhereNot(NHibernate.Criterion.ICriterion expression); + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression); + NHibernate.Criterion.Lambda.IQueryOverRestrictionBuilder WhereRestrictionOn(System.Linq.Expressions.Expression> expression); + NHibernate.Criterion.Lambda.IQueryOverSubqueryBuilder WithSubquery { get; } + } + public interface ISession : System.IDisposable + { + NHibernate.ITransaction BeginTransaction(); + NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel); + NHibernate.CacheMode CacheMode { get; set; } + void CancelQuery(); + void Clear(); + System.Data.Common.DbConnection Close(); + System.Data.Common.DbConnection Connection { get; } + bool Contains(object obj); + NHibernate.ICriteria CreateCriteria() where T : class; + NHibernate.ICriteria CreateCriteria(string alias) where T : class; + NHibernate.ICriteria CreateCriteria(System.Type persistentClass); + NHibernate.ICriteria CreateCriteria(System.Type persistentClass, string alias); + NHibernate.ICriteria CreateCriteria(string entityName); + NHibernate.ICriteria CreateCriteria(string entityName, string alias); + NHibernate.IQuery CreateFilter(object collection, string queryString); + System.Threading.Tasks.Task CreateFilterAsync(object collection, string queryString, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IMultiCriteria CreateMultiCriteria(); + NHibernate.IMultiQuery CreateMultiQuery(); + NHibernate.IQuery CreateQuery(string queryString); + NHibernate.ISQLQuery CreateSQLQuery(string queryString); + bool DefaultReadOnly { get; set; } + void Delete(object obj); + void Delete(string entityName, object obj); + int Delete(string query); + int Delete(string query, object value, NHibernate.Type.IType type); + int Delete(string query, object[] values, NHibernate.Type.IType[] types); + System.Threading.Tasks.Task DeleteAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task DeleteAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task DeleteAsync(string query, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task DeleteAsync(string query, object value, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task DeleteAsync(string query, object[] values, NHibernate.Type.IType[] types, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void DisableFilter(string filterName); + System.Data.Common.DbConnection Disconnect(); + NHibernate.IFilter EnableFilter(string filterName); + void Evict(object obj); + System.Threading.Tasks.Task EvictAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void Flush(); + System.Threading.Tasks.Task FlushAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.FlushMode FlushMode { get; set; } + object Get(System.Type clazz, object id); + object Get(System.Type clazz, object id, NHibernate.LockMode lockMode); + object Get(string entityName, object id); + T Get(object id); + T Get(object id, NHibernate.LockMode lockMode); + System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(System.Type clazz, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.LockMode GetCurrentLockMode(object obj); + NHibernate.IFilter GetEnabledFilter(string filterName); + string GetEntityName(object obj); + System.Threading.Tasks.Task GetEntityNameAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + object GetIdentifier(object obj); + NHibernate.IQuery GetNamedQuery(string queryName); + NHibernate.ISession GetSession(NHibernate.EntityMode entityMode); + NHibernate.Engine.ISessionImplementor GetSessionImplementation(); + bool IsConnected { get; } + bool IsDirty(); + System.Threading.Tasks.Task IsDirtyAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + bool IsOpen { get; } + bool IsReadOnly(object entityOrProxy); + void JoinTransaction(); + object Load(System.Type theType, object id, NHibernate.LockMode lockMode); + object Load(string entityName, object id, NHibernate.LockMode lockMode); + object Load(System.Type theType, object id); + T Load(object id, NHibernate.LockMode lockMode); + T Load(object id); + object Load(string entityName, object id); + void Load(object obj, object id); + System.Threading.Tasks.Task LoadAsync(System.Type theType, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(System.Type theType, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LoadAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void Lock(object obj, NHibernate.LockMode lockMode); + void Lock(string entityName, object obj, NHibernate.LockMode lockMode); + System.Threading.Tasks.Task LockAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task LockAsync(string entityName, object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + object Merge(object obj); + object Merge(string entityName, object obj); + T Merge(T entity) where T : class; + T Merge(string entityName, T entity) where T : class; + System.Threading.Tasks.Task MergeAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task MergeAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task MergeAsync(T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class; + System.Threading.Tasks.Task MergeAsync(string entityName, T entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) where T : class; + void Persist(object obj); + void Persist(string entityName, object obj); + System.Threading.Tasks.Task PersistAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task PersistAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Linq.IQueryable Query(); + System.Linq.IQueryable Query(string entityName); + NHibernate.IQueryOver QueryOver() where T : class; + NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class; + NHibernate.IQueryOver QueryOver(string entityName) where T : class; + NHibernate.IQueryOver QueryOver(string entityName, System.Linq.Expressions.Expression> alias) where T : class; + void Reconnect(); + void Reconnect(System.Data.Common.DbConnection connection); + void Refresh(object obj); + void Refresh(object obj, NHibernate.LockMode lockMode); + System.Threading.Tasks.Task RefreshAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task RefreshAsync(object obj, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void Replicate(object obj, NHibernate.ReplicationMode replicationMode); + void Replicate(string entityName, object obj, NHibernate.ReplicationMode replicationMode); + System.Threading.Tasks.Task ReplicateAsync(object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task ReplicateAsync(string entityName, object obj, NHibernate.ReplicationMode replicationMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + object Save(object obj); + void Save(object obj, object id); + object Save(string entityName, object obj); + void Save(string entityName, object obj, object id); + System.Threading.Tasks.Task SaveAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SaveAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SaveAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SaveAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void SaveOrUpdate(object obj); + void SaveOrUpdate(string entityName, object obj); + void SaveOrUpdate(string entityName, object obj, object id); + System.Threading.Tasks.Task SaveOrUpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task SaveOrUpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.ISessionFactory SessionFactory { get; } + NHibernate.ISharedSessionBuilder SessionWithOptions(); + NHibernate.ISession SetBatchSize(int batchSize); + void SetReadOnly(object entityOrProxy, bool readOnly); + NHibernate.Stat.ISessionStatistics Statistics { get; } + NHibernate.ITransaction Transaction { get; } + void Update(object obj); + void Update(object obj, object id); + void Update(string entityName, object obj); + void Update(string entityName, object obj, object id); + System.Threading.Tasks.Task UpdateAsync(object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UpdateAsync(object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UpdateAsync(string entityName, object obj, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface ISessionBuilder : NHibernate.ISessionBuilder + { + } + public interface ISessionBuilder where T : NHibernate.ISessionBuilder + { + T AutoClose(bool autoClose); + T AutoJoinTransaction(bool autoJoinTransaction); + T Connection(System.Data.Common.DbConnection connection); + T ConnectionReleaseMode(NHibernate.ConnectionReleaseMode connectionReleaseMode); + T FlushMode(NHibernate.FlushMode flushMode); + T Interceptor(NHibernate.IInterceptor interceptor); + T NoInterceptor(); + NHibernate.ISession OpenSession(); + } + public interface ISessionFactory : System.IDisposable + { + void Close(); + System.Threading.Tasks.Task CloseAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Collections.Generic.ICollection DefinedFilterNames { get; } + void Evict(System.Type persistentClass); + void Evict(System.Type persistentClass, object id); + System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task EvictAsync(System.Type persistentClass, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void EvictCollection(string roleName); + void EvictCollection(string roleName, object id); + System.Threading.Tasks.Task EvictCollectionAsync(string roleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task EvictCollectionAsync(string roleName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void EvictEntity(string entityName); + void EvictEntity(string entityName, object id); + System.Threading.Tasks.Task EvictEntityAsync(string entityName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task EvictEntityAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void EvictQueries(); + void EvictQueries(string cacheRegion); + System.Threading.Tasks.Task EvictQueriesAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task EvictQueriesAsync(string cacheRegion, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Collections.Generic.IDictionary GetAllClassMetadata(); + System.Collections.Generic.IDictionary GetAllCollectionMetadata(); + NHibernate.Metadata.IClassMetadata GetClassMetadata(System.Type persistentClass); + NHibernate.Metadata.IClassMetadata GetClassMetadata(string entityName); + NHibernate.Metadata.ICollectionMetadata GetCollectionMetadata(string roleName); + NHibernate.ISession GetCurrentSession(); + NHibernate.Engine.FilterDefinition GetFilterDefinition(string filterName); + bool IsClosed { get; } + NHibernate.ISession OpenSession(System.Data.Common.DbConnection connection); + NHibernate.ISession OpenSession(NHibernate.IInterceptor sessionLocalInterceptor); + NHibernate.ISession OpenSession(System.Data.Common.DbConnection conn, NHibernate.IInterceptor sessionLocalInterceptor); + NHibernate.ISession OpenSession(); + NHibernate.IStatelessSession OpenStatelessSession(); + NHibernate.IStatelessSession OpenStatelessSession(System.Data.Common.DbConnection connection); + NHibernate.Stat.IStatistics Statistics { get; } + NHibernate.ISessionBuilder WithOptions(); + NHibernate.IStatelessSessionBuilder WithStatelessOptions(); + } + public interface ISharedSessionBuilder : NHibernate.ISessionBuilder + { + NHibernate.ISharedSessionBuilder AutoClose(); + NHibernate.ISharedSessionBuilder AutoJoinTransaction(); + NHibernate.ISharedSessionBuilder Connection(); + NHibernate.ISharedSessionBuilder ConnectionReleaseMode(); + NHibernate.ISharedSessionBuilder FlushMode(); + NHibernate.ISharedSessionBuilder Interceptor(); + } + public interface ISharedStatelessSessionBuilder : NHibernate.IStatelessSessionBuilder + { + NHibernate.ISharedStatelessSessionBuilder AutoJoinTransaction(bool autoJoinTransaction); + NHibernate.ISharedStatelessSessionBuilder AutoJoinTransaction(); + NHibernate.ISharedStatelessSessionBuilder Connection(System.Data.Common.DbConnection connection); + NHibernate.ISharedStatelessSessionBuilder Connection(); + } + public interface ISQLQuery : NHibernate.IQuery + { + NHibernate.ISQLQuery AddEntity(string entityName); + NHibernate.ISQLQuery AddEntity(string alias, string entityName); + NHibernate.ISQLQuery AddEntity(string alias, string entityName, NHibernate.LockMode lockMode); + NHibernate.ISQLQuery AddEntity(System.Type entityClass); + NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass); + NHibernate.ISQLQuery AddEntity(string alias, System.Type entityClass, NHibernate.LockMode lockMode); + NHibernate.ISQLQuery AddJoin(string alias, string path); + NHibernate.ISQLQuery AddJoin(string alias, string path, NHibernate.LockMode lockMode); + NHibernate.ISQLQuery AddScalar(string columnAlias, NHibernate.Type.IType type); + NHibernate.ISQLQuery SetResultSetMapping(string name); + } + public interface IStatelessSession : System.IDisposable + { + NHibernate.ITransaction BeginTransaction(); + NHibernate.ITransaction BeginTransaction(System.Data.IsolationLevel isolationLevel); + void Close(); + System.Data.Common.DbConnection Connection { get; } + NHibernate.ICriteria CreateCriteria() where T : class; + NHibernate.ICriteria CreateCriteria(string alias) where T : class; + NHibernate.ICriteria CreateCriteria(System.Type entityType); + NHibernate.ICriteria CreateCriteria(System.Type entityType, string alias); + NHibernate.ICriteria CreateCriteria(string entityName); + NHibernate.ICriteria CreateCriteria(string entityName, string alias); + NHibernate.IQuery CreateQuery(string queryString); + NHibernate.ISQLQuery CreateSQLQuery(string queryString); + void Delete(object entity); + void Delete(string entityName, object entity); + System.Threading.Tasks.Task DeleteAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task DeleteAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + object Get(string entityName, object id); + T Get(object id); + object Get(string entityName, object id, NHibernate.LockMode lockMode); + T Get(object id, NHibernate.LockMode lockMode); + System.Threading.Tasks.Task GetAsync(string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task GetAsync(object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IQuery GetNamedQuery(string queryName); + NHibernate.Engine.ISessionImplementor GetSessionImplementation(); + object Insert(object entity); + object Insert(string entityName, object entity); + System.Threading.Tasks.Task InsertAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task InsertAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + bool IsConnected { get; } + bool IsOpen { get; } + void JoinTransaction(); + System.Linq.IQueryable Query(); + System.Linq.IQueryable Query(string entityName); + NHibernate.IQueryOver QueryOver() where T : class; + NHibernate.IQueryOver QueryOver(System.Linq.Expressions.Expression> alias) where T : class; + void Refresh(object entity); + void Refresh(string entityName, object entity); + void Refresh(object entity, NHibernate.LockMode lockMode); + void Refresh(string entityName, object entity, NHibernate.LockMode lockMode); + System.Threading.Tasks.Task RefreshAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task RefreshAsync(object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task RefreshAsync(string entityName, object entity, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + NHibernate.IStatelessSession SetBatchSize(int batchSize); + NHibernate.ITransaction Transaction { get; } + void Update(object entity); + void Update(string entityName, object entity); + System.Threading.Tasks.Task UpdateAsync(object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task UpdateAsync(string entityName, object entity, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + } + public interface IStatelessSessionBuilder + { + NHibernate.IStatelessSessionBuilder AutoJoinTransaction(bool autoJoinTransaction); + NHibernate.IStatelessSessionBuilder Connection(System.Data.Common.DbConnection connection); + NHibernate.IStatelessSession OpenStatelessSession(); + } + public interface ISupportSelectModeCriteria + { + NHibernate.ICriteria Fetch(NHibernate.SelectMode selectMode, string associationPath, string alias); + } + public interface ISynchronizableQuery where T : NHibernate.ISynchronizableQuery + { + T AddSynchronizedEntityClass(System.Type entityType); + T AddSynchronizedEntityName(string entityName); + T AddSynchronizedQuerySpace(string querySpace); + System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces(); + } + public interface ISynchronizableSQLQuery : NHibernate.ISQLQuery, NHibernate.IQuery, NHibernate.ISynchronizableQuery + { + } + public interface ITransaction : System.IDisposable + { + void Begin(); + void Begin(System.Data.IsolationLevel isolationLevel); + void Commit(); + System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + void Enlist(System.Data.Common.DbCommand command); + bool IsActive { get; } + void RegisterSynchronization(NHibernate.Transaction.ISynchronization synchronization); + void Rollback(); + System.Threading.Tasks.Task RollbackAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + bool WasCommitted { get; } + bool WasRolledBack { get; } + } + public class LazyInitializationException : NHibernate.HibernateException + { + public LazyInitializationException(string entityName, object entityId, string message) => throw null; + public LazyInitializationException(string message) => throw null; + public LazyInitializationException(System.Exception innerException) => throw null; + public LazyInitializationException(string message, System.Exception innerException) => throw null; + protected LazyInitializationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object EntityId { get => throw null; } + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Linq + { + namespace Clauses + { + public abstract class NhClauseBase { - void Component(System.Reflection.MemberInfo property, System.Action mapping); + public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + protected abstract void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index); + protected NhClauseBase() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentElementMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentElementMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhHavingClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { - void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) where TNestedComponent : class; - void Component(System.Linq.Expressions.Expression> property, System.Action> mapping) where TNestedComponent : class; + protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NHibernate.Linq.Clauses.NhHavingClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NhHavingClause(System.Linq.Expressions.Expression predicate) => throw null; + public System.Linq.Expressions.Expression Predicate { get => throw null; set { } } + public override string ToString() => throw null; + public void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentMapKeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentMapKeyMapper + public class NhJoinClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IFromClause, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IBodyClause { - void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping); - void Property(System.Reflection.MemberInfo property, System.Action mapping); + protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NHibernate.Linq.Clauses.NhJoinClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public void CopyFromSource(Remotion.Linq.Clauses.IFromClause source) => throw null; + public NhJoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) => throw null; + public NhJoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression, System.Collections.Generic.IEnumerable restrictions) => throw null; + public System.Linq.Expressions.Expression FromExpression { get => throw null; set { } } + public bool IsInner { get => throw null; } + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; set { } } + public void MakeInner() => throw null; + public System.Collections.ObjectModel.ObservableCollection Restrictions { get => throw null; } + public override string ToString() => throw null; + public void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentMapKeyMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentMapKeyMapper + public class NhOuterJoinClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IQuerySource { - void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class; - void Property(System.Linq.Expressions.Expression> property, System.Action mapping); - void Property(System.Linq.Expressions.Expression> property); + protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public Remotion.Linq.Clauses.IBodyClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NhOuterJoinClause(Remotion.Linq.Clauses.JoinClause joinClause) => throw null; + public string ItemName { get => throw null; } + public System.Type ItemType { get => throw null; } + public Remotion.Linq.Clauses.JoinClause JoinClause { get => throw null; } + public void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhWithClause : NHibernate.Linq.Clauses.NhClauseBase, Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { + protected override void Accept(NHibernate.Linq.INhQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NHibernate.Linq.Clauses.NhWithClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public NhWithClause(System.Linq.Expressions.Expression predicate) => throw null; + public System.Linq.Expressions.Expression Predicate { get => throw null; set { } } + public override string ToString() => throw null; + public void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public class DefaultQueryProvider : NHibernate.Linq.INhQueryProvider, System.Linq.IQueryProvider, NHibernate.Linq.IQueryProviderWithOptions, NHibernate.Linq.ISupportFutureBatchNhQueryProvider + { + public object Collection { get => throw null; } + public virtual System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; + public virtual System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; + protected virtual System.Linq.IQueryProvider CreateWithOptions(NHibernate.Linq.NhQueryableOptions options) => throw null; + public DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session) => throw null; + public DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; + protected DefaultQueryProvider(NHibernate.Engine.ISessionImplementor session, object collection, NHibernate.Linq.NhQueryableOptions options) => throw null; + public virtual object Execute(System.Linq.Expressions.Expression expression) => throw null; + public TResult Execute(System.Linq.Expressions.Expression expression) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; + public int ExecuteDml(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression) => throw null; + public System.Threading.Tasks.Task ExecuteDmlAsync(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual NHibernate.IFutureEnumerable ExecuteFuture(System.Linq.Expressions.Expression expression) => throw null; + public virtual NHibernate.IFutureValue ExecuteFutureValue(System.Linq.Expressions.Expression expression) => throw null; + public virtual System.Collections.Generic.IList ExecuteList(System.Linq.Expressions.Expression expression) => throw null; + public virtual System.Threading.Tasks.Task> ExecuteListAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual object ExecuteQuery(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhQuery) => throw null; + protected virtual object ExecuteQuery(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query) => throw null; + protected virtual System.Threading.Tasks.Task ExecuteQueryAsync(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhQuery, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.Tasks.Task ExecuteQueryAsync(NHibernate.Linq.NhLinqExpression nhLinqExpression, NHibernate.IQuery query, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.IQuery GetPreparedQuery(System.Linq.Expressions.Expression expression, out NHibernate.Linq.NhLinqExpression nhExpression) => throw null; + protected virtual NHibernate.Linq.NhLinqExpression PrepareQuery(System.Linq.Expressions.Expression expression, out NHibernate.IQuery query) => throw null; + public virtual NHibernate.Engine.ISessionImplementor Session { get => throw null; } + public virtual void SetResultTransformerAndAdditionalCriteria(NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhExpression, System.Collections.Generic.IDictionary> parameters) => throw null; + public System.Linq.IQueryProvider WithOptions(System.Action setOptions) => throw null; + } + public class DmlExpressionRewriter + { + public static System.Linq.Expressions.Expression PrepareExpression(System.Linq.Expressions.Expression sourceExpression, System.Linq.Expressions.Expression> expression) => throw null; + public static System.Linq.Expressions.Expression PrepareExpression(System.Linq.Expressions.Expression sourceExpression, System.Collections.Generic.IReadOnlyDictionary assignments) => throw null; + public static System.Linq.Expressions.Expression PrepareExpressionFromAnonymous(System.Linq.Expressions.Expression sourceExpression, System.Linq.Expressions.Expression> expression) => throw null; + } + public static class DmlExtensionMethods + { + public static int Delete(this System.Linq.IQueryable source) => throw null; + public static System.Threading.Tasks.Task DeleteAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.Linq.InsertBuilder InsertBuilder(this System.Linq.IQueryable source) => throw null; + public static int InsertInto(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static int InsertInto(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static System.Threading.Tasks.Task InsertIntoAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task InsertIntoAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static int Update(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static int Update(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static System.Threading.Tasks.Task UpdateAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task UpdateAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.Linq.UpdateBuilder UpdateBuilder(this System.Linq.IQueryable source) => throw null; + public static int UpdateVersioned(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static int UpdateVersioned(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression) => throw null; + public static System.Threading.Tasks.Task UpdateVersionedAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task UpdateVersionedAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> expression, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + public static class EagerFetchingExtensionMethods + { + public static NHibernate.Linq.INhFetchRequest Fetch(this System.Linq.IQueryable query, System.Linq.Expressions.Expression> relatedObjectSelector) => throw null; + public static NHibernate.Linq.INhFetchRequest FetchLazyProperties(this System.Linq.IQueryable query) => throw null; + public static NHibernate.Linq.INhFetchRequest FetchMany(this System.Linq.IQueryable query, System.Linq.Expressions.Expression>> relatedObjectSelector) => throw null; + public static NHibernate.Linq.INhFetchRequest ThenFetch(this NHibernate.Linq.INhFetchRequest query, System.Linq.Expressions.Expression> relatedObjectSelector) => throw null; + public static NHibernate.Linq.INhFetchRequest ThenFetchMany(this NHibernate.Linq.INhFetchRequest query, System.Linq.Expressions.Expression>> relatedObjectSelector) => throw null; + } + public static class EnumerableHelper + { + public static System.Reflection.MethodInfo GetMethod(string name, System.Type[] parameterTypes) => throw null; + public static System.Reflection.MethodInfo GetMethod(string name, System.Type[] parameterTypes, System.Type[] genericTypeParameters) => throw null; + } + public static partial class ExpressionExtensions + { + public static bool IsGroupingElementOf(this Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression, Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; + public static bool IsGroupingKey(this System.Linq.Expressions.MemberExpression expression) => throw null; + public static bool IsGroupingKeyOf(this System.Linq.Expressions.MemberExpression expression, Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; + } + namespace Expressions + { + public abstract class NhAggregatedExpression : NHibernate.Linq.Expressions.NhExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public virtual bool AllowsNullableReturnType { get => throw null; } + public abstract System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression); + protected NhAggregatedExpression(System.Linq.Expressions.Expression expression) => throw null; + protected NhAggregatedExpression(System.Linq.Expressions.Expression expression, System.Type type) => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; } + public override sealed System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComponentParentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComponentParentMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhAverageExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhAverageExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComposedIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComposedIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + public abstract class NhCountExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override bool AllowsNullableReturnType { get => throw null; } + protected NhCountExpression(System.Linq.Expressions.Expression expression, System.Type type) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IComposedIdMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IComposedIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + public class NhDistinctExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhDistinctExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IConformistHoldersProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IConformistHoldersProvider + public abstract class NhExpression : System.Linq.Expressions.Expression { - NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get; } - NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder ExplicitDeclarationsHolder { get; } + protected override sealed System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected abstract System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor); + protected NhExpression() => throw null; + public override sealed System.Linq.Expressions.ExpressionType NodeType { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IDiscriminatorMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDiscriminatorMapper + public class NhLongCountExpression : NHibernate.Linq.Expressions.NhCountExpression { - void Column(string column); - void Column(System.Action columnMapper); - void Force(bool force); - void Formula(string formula); - void Insert(bool applyOnApplyOnInsert); - void Length(int length); - void NotNullable(bool isNotNullable); - void Type() where TPersistentType : NHibernate.Type.IDiscriminatorType; - void Type(System.Type persistentType); - void Type(NHibernate.Type.IType persistentType); - void Type(NHibernate.Type.IDiscriminatorType persistentType); + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhLongCountExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression), default(System.Type)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDynamicComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhMaxExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { - void Insert(bool consideredInInsertQuery); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhMaxExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDynamicComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhMinExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { - void Insert(bool consideredInInsertQuery); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhMinExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IDynamicComponentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDynamicComponentMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhNewExpression : NHibernate.Linq.Expressions.NhExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public System.Collections.ObjectModel.ReadOnlyCollection Arguments { get => throw null; } + public NhNewExpression(System.Collections.Generic.IList members, System.Collections.Generic.IList arguments) => throw null; + public System.Collections.ObjectModel.ReadOnlyCollection Members { get => throw null; } + public override System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IDynamicComponentMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDynamicComponentMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhNominatedExpression : NHibernate.Linq.Expressions.NhExpression { + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public NhNominatedExpression(System.Linq.Expressions.Expression expression) => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; } + public override System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IElementMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IElementMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class NhShortCountExpression : NHibernate.Linq.Expressions.NhCountExpression { - void Formula(string formula); - void Length(int length); - void NotNullable(bool notnull); - void Precision(System.Int16 precision); - void Scale(System.Int16 scale); - void Type(object parameters); - void Type(); - void Type(System.Type persistentType, object parameters); - void Type(NHibernate.Type.IType persistentType); - void Unique(bool unique); + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhShortCountExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression), default(System.Type)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IEntityAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityAttributesMapper + public class NhStarExpression : NHibernate.Linq.Expressions.NhExpression { - void BatchSize(int value); - void DynamicInsert(bool value); - void DynamicUpdate(bool value); - void EntityName(string value); - void Lazy(bool value); - void Persister() where T : NHibernate.Persister.Entity.IEntityPersister; - void Proxy(System.Type proxy); - void SelectBeforeUpdate(bool value); - void Synchronize(params string[] table); + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public NhStarExpression(System.Linq.Expressions.Expression expression) => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; } + public override System.Type Type { get => throw null; } + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IEntityPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NhSumExpression : NHibernate.Linq.Expressions.NhAggregatedExpression { - void OptimisticLock(bool takeInConsiderationForOptimisticLock); + protected override System.Linq.Expressions.Expression Accept(NHibernate.Linq.Visitors.NhExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.Expression CreateNew(System.Linq.Expressions.Expression expression) => throw null; + public NhSumExpression(System.Linq.Expressions.Expression expression) : base(default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IEntitySqlsMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntitySqlsMapper + } + public class ExpressionToHqlTranslationResults + { + public System.Collections.Generic.List>>> AdditionalCriteria { get => throw null; } + public ExpressionToHqlTranslationResults(NHibernate.Hql.Ast.HqlTreeNode statement, System.Collections.Generic.IList itemTransformers, System.Collections.Generic.IList listTransformers, System.Collections.Generic.IList postExecuteTransformers, System.Collections.Generic.List>>> additionalCriteria, System.Type executeResultTypeOverride) => throw null; + public System.Type ExecuteResultTypeOverride { get => throw null; } + public System.Delegate PostExecuteTransformer { get => throw null; } + public NHibernate.Linq.ResultTransformer ResultTransformer { get => throw null; } + public NHibernate.Hql.Ast.HqlTreeNode Statement { get => throw null; } + } + namespace ExpressionTransformers + { + public class RemoveCharToIntConversion : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { - void Loader(string namedQueryReference); - void SqlDelete(string sql); - void SqlInsert(string sql); - void SqlUpdate(string sql); - void Subselect(string sql); + public RemoveCharToIntConversion() => throw null; + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.BinaryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IFilterMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IFilterMapper + public class RemoveRedundantCast : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { - void Condition(string sqlCondition); + public RemoveRedundantCast() => throw null; + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.UnaryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IGenerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IGenerator + } + namespace Functions + { + public class AllHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public AllHqlGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IGeneratorDef + public class AnyHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - string Class { get; } - System.Type DefaultReturnType { get; } - object Params { get; } - bool SupportedAsCollectionElementId { get; } + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public AnyHqlGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IGeneratorMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IGeneratorMapper + public abstract class BaseHqlGeneratorForMethod : NHibernate.Linq.Functions.IHqlGeneratorForMethod { - void Params(object generatorParameters); - void Params(System.Collections.Generic.IDictionary generatorParameters); + public virtual bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public abstract NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); + protected BaseHqlGeneratorForMethod() => throw null; + protected static NHibernate.INHibernateLogger Log; + public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; set { } } + public virtual bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IIdBagPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIdBagPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public abstract class BaseHqlGeneratorForProperty : NHibernate.Linq.Functions.IHqlGeneratorForProperty { - void Id(System.Action idMapping); + public abstract NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); + protected BaseHqlGeneratorForProperty() => throw null; + public System.Collections.Generic.IEnumerable SupportedProperties { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.ByCode.IIdBagPropertiesMapper<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIdBagPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class CollectionContainsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Id(System.Action idMapping); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public CollectionContainsGenerator() => throw null; + public override bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IIdMapper : NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class CollectionContainsRuntimeHqlGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator { - void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping); - void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator); - void Length(int length); - void Type(NHibernate.Type.IIdentifierType persistentType); - void UnsavedValue(object value); + public CollectionContainsRuntimeHqlGenerator() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper + public class ContainsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Catalog(string catalogName); - void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); - void Inverse(bool value); - void Key(System.Action keyMapping); - void Optional(bool isOptional); - void Schema(string schemaName); - void Table(string tableName); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public ContainsGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + public class ConvertToBooleanGenerator : NHibernate.Linq.Functions.ConvertToGenerator { - void Catalog(string catalogName); - void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); - void Inverse(bool value); - void Key(System.Action> keyMapping); - void Optional(bool isOptional); - void Schema(string schemaName); - void Table(string tableName); + public ConvertToBooleanGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class ConvertToDateTimeGenerator : NHibernate.Linq.Functions.ConvertToGenerator { + public ConvertToDateTimeGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class ConvertToDecimalGenerator : NHibernate.Linq.Functions.ConvertToGenerator { + public ConvertToDecimalGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinedSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper + public class ConvertToDoubleGenerator : NHibernate.Linq.Functions.ConvertToGenerator { - void Abstract(bool isAbstract); - void Catalog(string catalogName); - void Extends(System.Type baseType); - void Filter(string filterName, System.Action filterMapping); - void Key(System.Action keyMapping); - void Schema(string schemaName); - void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); - void Table(string tableName); + public ConvertToDoubleGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinedSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper where TEntity : class + public abstract class ConvertToGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Abstract(bool isAbstract); - void Catalog(string catalogName); - void Extends(System.Type baseType); - void Filter(string filterName, System.Action filterMapping); - void Key(System.Action> keyMapping); - void Schema(string schemaName); - void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); - void Table(string tableName); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + protected ConvertToGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinedSubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinedSubclassMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class ConvertToInt32Generator : NHibernate.Linq.Functions.ConvertToGenerator { + public ConvertToInt32Generator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IJoinedSubclassMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IJoinedSubclassMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class DateTimeNowHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator { + public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public DateTimeNowHqlGenerator() => throw null; + public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IKeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class DateTimePropertiesHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty { - void ForeignKey(string foreignKeyName); - void NotNullable(bool notnull); - void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction); - void PropertyRef(System.Reflection.MemberInfo property); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public DateTimePropertiesHqlGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IKeyMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class DefaultLinqToHqlGeneratorsRegistry : NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry { - void ForeignKey(string foreignKeyName); - void NotNullable(bool notnull); - void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction); - void PropertyRef(System.Linq.Expressions.Expression> propertyGetter); - void Unique(bool unique); - void Update(bool consideredInUpdateQuery); + public DefaultLinqToHqlGeneratorsRegistry() => throw null; + protected bool GetRuntimeMethodGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod methodGenerator) => throw null; + public virtual void RegisterGenerator(System.Reflection.MethodInfo method, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; + public virtual void RegisterGenerator(System.Reflection.MemberInfo property, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; + public void RegisterGenerator(NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator generator) => throw null; + public virtual bool TryGetGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; + public virtual bool TryGetGenerator(System.Reflection.MemberInfo property, out NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IListIndexMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IListIndexMapper + public class DictionaryContainsKeyGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Base(int baseIndex); - void Column(string columnName); - void Column(System.Action columnMapper); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public DictionaryContainsKeyGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IListPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IListPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class DictionaryContainsKeyRuntimeHqlGenerator : NHibernate.Linq.Functions.DictionaryRuntimeMethodHqlGeneratorBase { - void Index(System.Action listIndexMapping); + public DictionaryContainsKeyRuntimeHqlGenerator() => throw null; + protected override string MethodName { get => throw null; } + } + public class DictionaryItemGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod + { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public DictionaryItemGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IListPropertiesMapper<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IListPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class DictionaryItemRuntimeHqlGenerator : NHibernate.Linq.Functions.DictionaryRuntimeMethodHqlGeneratorBase { - void Index(System.Action listIndexMapping); + public DictionaryItemRuntimeHqlGenerator() => throw null; + protected override string MethodName { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IManyToAnyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IManyToAnyMapper + public abstract class DictionaryRuntimeMethodHqlGeneratorBase : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator where TGenerator : NHibernate.Linq.Functions.IHqlGeneratorForMethod, new() { - void Columns(System.Action idColumnMapping, System.Action classColumnMapping); - void IdType(); - void IdType(System.Type idType); - void IdType(NHibernate.Type.IType idType); - void MetaType(); - void MetaType(System.Type metaType); - void MetaType(NHibernate.Type.IType metaType); - void MetaValue(object value, System.Type entityType); + protected DictionaryRuntimeMethodHqlGeneratorBase() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + protected abstract string MethodName { get; } + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IManyToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IManyToManyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class EndsWithGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Class(System.Type entityType); - void EntityName(string entityName); - void ForeignKey(string foreignKeyName); - void Formula(string formula); - void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); - void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); - void Where(string sqlWhereClause); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public EndsWithGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IManyToOneMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IManyToOneMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class EqualsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); - void Class(System.Type entityType); - void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); - void ForeignKey(string foreignKeyName); - void Formula(string formula); - void Index(string indexName); - void Insert(bool consideredInInsertQuery); - void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); - void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); - void NotNullable(bool notnull); - void PropertyRef(string propertyReferencedName); - void Unique(bool unique); - void UniqueKey(string uniquekeyName); - void Update(bool consideredInUpdateQuery); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public EqualsGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapKeyManyToManyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class GenericDictionaryContainsKeyRuntimeHqlGenerator : NHibernate.Linq.Functions.GenericDictionaryRuntimeMethodHqlGeneratorBase { - void ForeignKey(string foreignKeyName); - void Formula(string formula); + public GenericDictionaryContainsKeyRuntimeHqlGenerator() => throw null; + protected override string MethodName { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IMapKeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + public class GenericDictionaryItemRuntimeHqlGenerator : NHibernate.Linq.Functions.GenericDictionaryRuntimeMethodHqlGeneratorBase { - void Formula(string formula); - void Length(int length); - void Type(); - void Type(System.Type persistentType); - void Type(NHibernate.Type.IType persistentType); + public GenericDictionaryItemRuntimeHqlGenerator() => throw null; + protected override string MethodName { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IMapKeyRelation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapKeyRelation + public abstract class GenericDictionaryRuntimeMethodHqlGeneratorBase : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator where TGenerator : NHibernate.Linq.Functions.IHqlGeneratorForMethod, new() { - void Component(System.Action mapping); - void Element(System.Action mapping); - void ManyToMany(System.Action mapping); + protected GenericDictionaryRuntimeMethodHqlGeneratorBase() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + protected abstract string MethodName { get; } + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IMapKeyRelation<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapKeyRelation + public class GetCharsGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Component(System.Action> mapping); - void Element(System.Action mapping); - void Element(); - void ManyToMany(System.Action mapping); - void ManyToMany(); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public GetCharsGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IMapPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class HqlGeneratorForExtensionMethod : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public HqlGeneratorForExtensionMethod(NHibernate.Linq.LinqExtensionMethodAttribute attribute, System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IMapPropertiesMapper<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMapPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public static partial class HqlGeneratorForPropertyExtensions { + public static bool AllowPreEvaluation(this NHibernate.Linq.Functions.IHqlGeneratorForProperty generator, System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMinimalPlainPropertyContainerMapper + public interface IAllowPreEvaluationHqlGenerator { - void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping); - void Property(System.Reflection.MemberInfo property, System.Action mapping); + bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory); + bool IgnoreInstance(System.Reflection.MemberInfo member); } - - // Generated from `NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMinimalPlainPropertyContainerMapper + public interface IHqlGeneratorForMethod { - void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class; - void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class; - void ManyToOne(System.Linq.Expressions.Expression> property) where TProperty : class; - void Property(System.Linq.Expressions.Expression> property, System.Action mapping); - void Property(System.Linq.Expressions.Expression> property); - void Property(string notVisiblePropertyOrFieldName, System.Action mapping); + NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); + System.Collections.Generic.IEnumerable SupportedMethods { get; } } - - // Generated from `NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IModelExplicitDeclarationsHolder + public interface IHqlGeneratorForProperty { - void AddAsAny(System.Reflection.MemberInfo member); - void AddAsArray(System.Reflection.MemberInfo member); - void AddAsBag(System.Reflection.MemberInfo member); - void AddAsComponent(System.Type type); - void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate); - void AddAsIdBag(System.Reflection.MemberInfo member); - void AddAsList(System.Reflection.MemberInfo member); - void AddAsManyToAnyRelation(System.Reflection.MemberInfo member); - void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member); - void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member); - void AddAsManyToOneRelation(System.Reflection.MemberInfo member); - void AddAsMap(System.Reflection.MemberInfo member); - void AddAsNaturalId(System.Reflection.MemberInfo member); - void AddAsOneToManyRelation(System.Reflection.MemberInfo member); - void AddAsOneToOneRelation(System.Reflection.MemberInfo member); - void AddAsPartOfComposedId(System.Reflection.MemberInfo member); - void AddAsPersistentMember(System.Reflection.MemberInfo member); - void AddAsPoid(System.Reflection.MemberInfo member); - void AddAsProperty(System.Reflection.MemberInfo member); - void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition); - void AddAsRootEntity(System.Type type); - void AddAsSet(System.Reflection.MemberInfo member); - void AddAsTablePerClassEntity(System.Type type); - void AddAsTablePerClassHierarchyEntity(System.Type type); - void AddAsTablePerConcreteClassEntity(System.Type type); - void AddAsVersionProperty(System.Reflection.MemberInfo member); - System.Collections.Generic.IEnumerable Any { get; } - System.Collections.Generic.IEnumerable Arrays { get; } - System.Collections.Generic.IEnumerable Bags { get; } - System.Collections.Generic.IEnumerable Components { get; } - System.Collections.Generic.IEnumerable ComposedIds { get; } - System.Collections.Generic.IEnumerable Dictionaries { get; } - System.Collections.Generic.IEnumerable DynamicComponents { get; } - System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member); - string GetSplitGroupFor(System.Reflection.MemberInfo member); - System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type); - System.Collections.Generic.IEnumerable IdBags { get; } - System.Collections.Generic.IEnumerable ItemManyToManyRelations { get; } - System.Collections.Generic.IEnumerable KeyManyToManyRelations { get; } - System.Collections.Generic.IEnumerable Lists { get; } - System.Collections.Generic.IEnumerable ManyToAnyRelations { get; } - System.Collections.Generic.IEnumerable ManyToOneRelations { get; } - System.Collections.Generic.IEnumerable NaturalIds { get; } - System.Collections.Generic.IEnumerable OneToManyRelations { get; } - System.Collections.Generic.IEnumerable OneToOneRelations { get; } - System.Collections.Generic.IEnumerable PersistentMembers { get; } - System.Collections.Generic.IEnumerable Poids { get; } - System.Collections.Generic.IEnumerable Properties { get; } - System.Collections.Generic.IEnumerable RootEntities { get; } - System.Collections.Generic.IEnumerable Sets { get; } - System.Collections.Generic.IEnumerable SplitDefinitions { get; } - System.Collections.Generic.IEnumerable TablePerClassEntities { get; } - System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get; } - System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get; } - System.Collections.Generic.IEnumerable VersionProperties { get; } + NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor); + System.Collections.Generic.IEnumerable SupportedProperties { get; } } - - // Generated from `NHibernate.Mapping.ByCode.IModelInspector` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IModelInspector + public interface ILinqToHqlGeneratorsRegistry { - System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member); - System.Collections.Generic.IEnumerable GetPropertiesSplits(System.Type type); - bool IsAny(System.Reflection.MemberInfo member); - bool IsArray(System.Reflection.MemberInfo role); - bool IsBag(System.Reflection.MemberInfo role); - bool IsComponent(System.Type type); - bool IsDictionary(System.Reflection.MemberInfo role); - bool IsDynamicComponent(System.Reflection.MemberInfo member); - bool IsEntity(System.Type type); - bool IsIdBag(System.Reflection.MemberInfo role); - bool IsList(System.Reflection.MemberInfo role); - bool IsManyToAny(System.Reflection.MemberInfo member); - bool IsManyToManyItem(System.Reflection.MemberInfo member); - bool IsManyToManyKey(System.Reflection.MemberInfo member); - bool IsManyToOne(System.Reflection.MemberInfo member); - bool IsMemberOfComposedId(System.Reflection.MemberInfo member); - bool IsMemberOfNaturalId(System.Reflection.MemberInfo member); - bool IsOneToMany(System.Reflection.MemberInfo member); - bool IsOneToOne(System.Reflection.MemberInfo member); - bool IsPersistentId(System.Reflection.MemberInfo member); - bool IsPersistentProperty(System.Reflection.MemberInfo member); - bool IsProperty(System.Reflection.MemberInfo member); - bool IsRootEntity(System.Type type); - bool IsSet(System.Reflection.MemberInfo role); - bool IsTablePerClass(System.Type type); - bool IsTablePerClassHierarchy(System.Type type); - bool IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member); - bool IsTablePerConcreteClass(System.Type type); - bool IsVersion(System.Reflection.MemberInfo member); + void RegisterGenerator(System.Reflection.MethodInfo method, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator); + void RegisterGenerator(System.Reflection.MemberInfo property, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator); + void RegisterGenerator(NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator generator); + bool TryGetGenerator(System.Reflection.MethodInfo method, out NHibernate.Linq.Functions.IHqlGeneratorForMethod generator); + bool TryGetGenerator(System.Reflection.MemberInfo property, out NHibernate.Linq.Functions.IHqlGeneratorForProperty generator); } - - // Generated from `NHibernate.Mapping.ByCode.INaturalIdAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INaturalIdAttributesMapper + public class IndexOfGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Mutable(bool isMutable); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public IndexOfGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.INaturalIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INaturalIdMapper : NHibernate.Mapping.ByCode.INaturalIdAttributesMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public interface IRuntimeMethodHqlGenerator { + NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method); + bool SupportsMethod(System.Reflection.MethodInfo method); } - - // Generated from `NHibernate.Mapping.ByCode.IOneToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOneToManyMapper + public class LengthGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForProperty { - void Class(System.Type entityType); - void EntityName(string entityName); - void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MemberInfo member, System.Linq.Expressions.Expression expression, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public LengthGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IOneToOneMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOneToOneMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class LikeGenerator : NHibernate.Linq.Functions.IHqlGeneratorForMethod, NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator { - void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); - void Class(System.Type clazz); - void Constrained(bool value); - void ForeignKey(string foreignKeyName); - void Formula(string formula); - void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); - void PropertyReference(System.Reflection.MemberInfo propertyInTheOtherSide); + public bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public LikeGenerator() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; } + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; + public bool TryGetCollectionParameter(System.Linq.Expressions.MethodCallExpression expression, out System.Linq.Expressions.ConstantExpression collectionParameter) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IOneToOneMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOneToOneMapper : NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public static partial class LinqToHqlGeneratorsRegistryExtensions { - void PropertyReference(System.Linq.Expressions.Expression> reference); + public static void Merge(this NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry registry, NHibernate.Linq.Functions.IHqlGeneratorForMethod generator) => throw null; + public static void Merge(this NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry registry, NHibernate.Linq.Functions.IHqlGeneratorForProperty generator) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public sealed class LinqToHqlGeneratorsRegistryFactory { - void OneToOne(System.Reflection.MemberInfo property, System.Action mapping); + public static NHibernate.Linq.Functions.ILinqToHqlGeneratorsRegistry CreateGeneratorsRegistry(System.Collections.Generic.IDictionary properties) => throw null; + public LinqToHqlGeneratorsRegistryFactory() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class MathGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void OneToOne(string notVisiblePropertyOrFieldName, System.Action> mapping) where TProperty : class; - void OneToOne(System.Linq.Expressions.Expression> property, System.Action> mapping) where TProperty : class; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression expression, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public MathGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IPropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertyContainerMapper : NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class MaxHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public MaxHqlGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IPropertyContainerMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertyContainerMapper : NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class MinHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public MinHqlGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPropertyMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class NewGuidHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator { - void Formula(string formula); - void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation); - void Index(string indexName); - void Insert(bool consideredInInsertQuery); - void Lazy(bool isLazy); - void Length(int length); - void NotNullable(bool notnull); - void Precision(System.Int16 precision); - void Scale(System.Int16 scale); - void Type(object parameters); - void Type(); - void Type(System.Type persistentType, object parameters); - void Type(NHibernate.Type.IType persistentType); - void Unique(bool unique); - void UniqueKey(string uniquekeyName); - void Update(bool consideredInUpdateQuery); + public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public NewGuidHqlGenerator() => throw null; + public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; + } + public class RandomHqlGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod, NHibernate.Linq.Functions.IAllowPreEvaluationHqlGenerator + { + public bool AllowPreEvaluation(System.Reflection.MemberInfo member, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public RandomHqlGenerator() => throw null; + public bool IgnoreInstance(System.Reflection.MemberInfo member) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISetPropertiesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISetPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ReplaceGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public ReplaceGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISetPropertiesMapper<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISetPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class StandardLinqExtensionMethodGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator { + public StandardLinqExtensionMethodGenerator() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISubclassAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper + public class StartsWithGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Abstract(bool isAbstract); - void DiscriminatorValue(object value); - void Extends(System.Type baseType); - void Filter(string filterName, System.Action filterMapping); + public override bool AllowsNullableReturnType(System.Reflection.MethodInfo method) => throw null; + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public StartsWithGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISubclassAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper where TEntity : class + public class SubStringGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Abstract(bool isAbstract); - void DiscriminatorValue(object value); - void Extends(System.Type baseType); - void Filter(string filterName, System.Action filterMapping); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public SubStringGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISubclassMapper : NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class ToLowerGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Join(string splitGroupId, System.Action splitMapping); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public ToLowerGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ISubclassMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISubclassMapper : NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class ToStringHqlGeneratorForMethod : NHibernate.Linq.Functions.IHqlGeneratorForMethod { - void Join(string splitGroupId, System.Action> splitMapping); + public NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public ToStringHqlGeneratorForMethod() => throw null; + public System.Collections.Generic.IEnumerable SupportedMethods { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUnionSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper + public class ToStringRuntimeMethodHqlGenerator : NHibernate.Linq.Functions.IRuntimeMethodHqlGenerator { - void Abstract(bool isAbstract); - void Catalog(string catalogName); - void Extends(System.Type baseType); - void Schema(string schemaName); - void Table(string tableName); + public ToStringRuntimeMethodHqlGenerator() => throw null; + public NHibernate.Linq.Functions.IHqlGeneratorForMethod GetMethodGenerator(System.Reflection.MethodInfo method) => throw null; + public bool SupportsMethod(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUnionSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper where TEntity : class + public class ToUpperGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { - void Abstract(bool isAbstract); - void Catalog(string catalogName); - void Extends(System.Type baseType); - void Schema(string schemaName); - void Table(string tableName); + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public ToUpperGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IUnionSubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUnionSubclassMapper : NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class TrimGenerator : NHibernate.Linq.Functions.BaseHqlGeneratorForMethod { + public override NHibernate.Hql.Ast.HqlTreeNode BuildHql(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.ObjectModel.ReadOnlyCollection arguments, NHibernate.Hql.Ast.HqlTreeBuilder treeBuilder, NHibernate.Linq.Visitors.IHqlExpressionVisitor visitor) => throw null; + public TrimGenerator() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IUnionSubclassMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUnionSubclassMapper : NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + } + namespace GroupBy + { + public static class AggregatingGroupByRewriter { + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IVersionMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IVersionMapper : NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ClientSideSelect : NHibernate.Linq.ResultOperators.ClientSideTransformOperator { - void Generated(NHibernate.Mapping.ByCode.VersionGeneration generatedByDb); - void Insert(bool useInInsert); - void Type() where TPersistentType : NHibernate.UserTypes.IUserVersionType; - void Type(System.Type persistentType); - void Type(NHibernate.Type.IVersionType persistentType); - void UnsavedValue(object value); + public ClientSideSelect(System.Linq.Expressions.LambdaExpression selectClause) => throw null; + public System.Linq.Expressions.LambdaExpression SelectClause { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IdMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class IdMapperExtensions + public class ClientSideSelect2 : NHibernate.Linq.ResultOperators.ClientSideTransformOperator { - public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper, object parameters) => throw null; - public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper) => throw null; - public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper, System.Type persistentType, object parameters) => throw null; + public ClientSideSelect2(System.Linq.Expressions.LambdaExpression selectClause) => throw null; + public System.Linq.Expressions.LambdaExpression SelectClause { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.IdentityGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public static class NonAggregatingGroupByRewriter { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public IdentityGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Import` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Import + } + namespace GroupJoin + { + public static class AggregatingGroupJoinRewriter { - public void AddToMapping(NHibernate.Cfg.MappingSchema.HbmMapping hbmMapping) => throw null; - public Import(System.Type importType, string rename) => throw null; + public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.IncrementGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IncrementGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class GroupJoinSelectClauseRewriter : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public IncrementGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public static System.Linq.Expressions.Expression ReWrite(System.Linq.Expressions.Expression expression, NHibernate.Linq.GroupJoin.IsAggregatingResults results) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.JoinedSubclassAttributesMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class JoinedSubclassAttributesMapperExtensions + public class IsAggregatingResults { - public static void Extends(this NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; - public static void Extends(this NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper, string entityOrClassName) => throw null; + public System.Collections.Generic.List AggregatingClauses { get => throw null; set { } } + public IsAggregatingResults() => throw null; + public System.Collections.Generic.List NonAggregatingClauses { get => throw null; set { } } + public System.Collections.Generic.List NonAggregatingExpressions { get => throw null; set { } } } - - // Generated from `NHibernate.Mapping.ByCode.LazyRelation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class LazyRelation + public class LocateGroupJoinQuerySource : Remotion.Linq.Parsing.RelinqExpressionVisitor { - protected LazyRelation() => throw null; - public static NHibernate.Mapping.ByCode.LazyRelation NoLazy; - public static NHibernate.Mapping.ByCode.LazyRelation NoProxy; - public static NHibernate.Mapping.ByCode.LazyRelation Proxy; - public abstract NHibernate.Cfg.MappingSchema.HbmLaziness ToHbm(); + public LocateGroupJoinQuerySource(NHibernate.Linq.GroupJoin.IsAggregatingResults results) => throw null; + public Remotion.Linq.Clauses.GroupJoinClause Detect(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ManyToOneMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ManyToOneMapperExtensions + } + public interface INhFetchRequest : System.Linq.IOrderedQueryable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryable + { + } + public interface INhQueryModelVisitor : Remotion.Linq.IQueryModelVisitor + { + void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index); + void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause nhJoinClause, Remotion.Linq.QueryModel queryModel, int index); + void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index); + } + public interface INhQueryProvider : System.Linq.IQueryProvider + { + System.Threading.Tasks.Task ExecuteAsync(System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken); + int ExecuteDml(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression); + System.Threading.Tasks.Task ExecuteDmlAsync(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, System.Threading.CancellationToken cancellationToken); + NHibernate.IFutureEnumerable ExecuteFuture(System.Linq.Expressions.Expression expression); + NHibernate.IFutureValue ExecuteFutureValue(System.Linq.Expressions.Expression expression); + void SetResultTransformerAndAdditionalCriteria(NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression nhExpression, System.Collections.Generic.IDictionary> parameters); + } + public class InsertBuilder + { + public int Insert() => throw null; + public System.Threading.Tasks.Task InsertAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public NHibernate.Linq.InsertBuilder Value(System.Linq.Expressions.Expression> property, System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Linq.InsertBuilder Value(System.Linq.Expressions.Expression> property, TProp value) => throw null; + } + public class InsertBuilder + { + public NHibernate.Linq.InsertBuilder Into() => throw null; + } + public class IntermediateHqlTree + { + public void AddAdditionalCriteria(System.Action>> criteria) => throw null; + public void AddDistinctRootOperator() => throw null; + public void AddFromClause(NHibernate.Hql.Ast.HqlTreeNode from) => throw null; + public void AddFromLastChildClause(params NHibernate.Hql.Ast.HqlTreeNode[] nodes) => throw null; + public void AddGroupByClause(NHibernate.Hql.Ast.HqlGroupBy groupBy) => throw null; + public void AddHavingClause(NHibernate.Hql.Ast.HqlBooleanExpression where) => throw null; + public void AddInsertClause(NHibernate.Hql.Ast.HqlIdent target, NHibernate.Hql.Ast.HqlRange columnSpec) => throw null; + public void AddItemTransformer(System.Linq.Expressions.LambdaExpression transformer) => throw null; + public void AddListTransformer(System.Linq.Expressions.LambdaExpression lambda) => throw null; + public void AddOrderByClause(NHibernate.Hql.Ast.HqlExpression orderBy, NHibernate.Hql.Ast.HqlDirectionStatement direction) => throw null; + public void AddPostExecuteTransformer(System.Linq.Expressions.LambdaExpression lambda) => throw null; + public void AddSelectClause(NHibernate.Hql.Ast.HqlTreeNode select) => throw null; + public void AddSet(NHibernate.Hql.Ast.HqlEquality equality) => throw null; + public void AddSkipClause(NHibernate.Hql.Ast.HqlExpression toSkip) => throw null; + public void AddTakeClause(NHibernate.Hql.Ast.HqlExpression toTake) => throw null; + public void AddWhereClause(NHibernate.Hql.Ast.HqlBooleanExpression where) => throw null; + public IntermediateHqlTree(bool root, NHibernate.Linq.QueryMode mode) => throw null; + public System.Type ExecuteResultTypeOverride { get => throw null; set { } } + public NHibernate.Linq.ExpressionToHqlTranslationResults GetTranslation() => throw null; + public bool IsRoot { get => throw null; } + public NHibernate.Hql.Ast.HqlTreeNode Root { get => throw null; } + public void SetRoot(NHibernate.Hql.Ast.HqlTreeNode newRoot) => throw null; + public NHibernate.Hql.Ast.HqlTreeBuilder TreeBuilder { get => throw null; } + } + public interface IQueryableOptions + { + NHibernate.Linq.IQueryableOptions SetCacheable(bool cacheable); + NHibernate.Linq.IQueryableOptions SetCacheMode(NHibernate.CacheMode cacheMode); + NHibernate.Linq.IQueryableOptions SetCacheRegion(string cacheRegion); + NHibernate.Linq.IQueryableOptions SetTimeout(int timeout); + } + public interface IQueryProviderWithOptions : System.Linq.IQueryProvider + { + System.Linq.IQueryProvider WithOptions(System.Action setOptions); + } + public interface ISupportFutureBatchNhQueryProvider + { + NHibernate.IQuery GetPreparedQuery(System.Linq.Expressions.Expression expression, out NHibernate.Linq.NhLinqExpression nhExpression); + NHibernate.Engine.ISessionImplementor Session { get; } + } + public class LinqExtensionMethodAttribute : NHibernate.Linq.LinqExtensionMethodAttributeBase + { + public LinqExtensionMethodAttribute() : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + public LinqExtensionMethodAttribute(string name) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + public LinqExtensionMethodAttribute(NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + public LinqExtensionMethodAttribute(string name, NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + public string Name { get => throw null; } + } + public abstract class LinqExtensionMethodAttributeBase : System.Attribute + { + protected LinqExtensionMethodAttributeBase(NHibernate.Linq.LinqExtensionPreEvaluation preEvaluation) => throw null; + public NHibernate.Linq.LinqExtensionPreEvaluation PreEvaluation { get => throw null; } + } + public static class LinqExtensionMethods + { + public static System.Threading.Tasks.Task AllAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AnyAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AnyAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task AverageAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Linq.IQueryable Cacheable(this System.Linq.IQueryable query) => throw null; + public static System.Linq.IQueryable CacheMode(this System.Linq.IQueryable query, NHibernate.CacheMode cacheMode) => throw null; + public static System.Linq.IQueryable CacheRegion(this System.Linq.IQueryable query, string region) => throw null; + public static System.Threading.Tasks.Task CountAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task CountAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task FirstAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task FirstAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task FirstOrDefaultAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task FirstOrDefaultAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Linq.IQueryable LeftJoin(this System.Linq.IQueryable outer, System.Linq.IQueryable inner, System.Linq.Expressions.Expression> outerKeySelector, System.Linq.Expressions.Expression> innerKeySelector, System.Linq.Expressions.Expression> resultSelector) => throw null; + public static System.Threading.Tasks.Task LongCountAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task LongCountAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static T MappedAs(this T parameter, NHibernate.Type.IType type) => throw null; + public static System.Threading.Tasks.Task MaxAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task MaxAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task MinAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task MinAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Linq.IQueryable SetOptions(this System.Linq.IQueryable query, System.Action setOptions) => throw null; + public static System.Threading.Tasks.Task SingleAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SingleAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SingleOrDefaultAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SingleOrDefaultAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> predicate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task SumAsync(this System.Linq.IQueryable source, System.Linq.Expressions.Expression> selector, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Linq.IQueryable Timeout(this System.Linq.IQueryable query, int timeout) => throw null; + public static NHibernate.IFutureEnumerable ToFuture(this System.Linq.IQueryable source) => throw null; + public static NHibernate.IFutureValue ToFutureValue(this System.Linq.IQueryable source) => throw null; + public static NHibernate.IFutureValue ToFutureValue(this System.Linq.IQueryable source, System.Linq.Expressions.Expression, TResult>> selector) => throw null; + public static System.Threading.Tasks.Task> ToListAsync(this System.Linq.IQueryable source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Linq.IQueryable WithLock(this System.Linq.IQueryable query, NHibernate.LockMode lockMode) => throw null; + public static System.Collections.Generic.IEnumerable WithLock(this System.Collections.Generic.IEnumerable query, NHibernate.LockMode lockMode) => throw null; + public static System.Linq.IQueryable WithOptions(this System.Linq.IQueryable query, System.Action setOptions) => throw null; + } + public enum LinqExtensionPreEvaluation + { + NoEvaluation = 0, + AllowPreEvaluation = 1, + } + public class NhFetchRequest : Remotion.Linq.QueryableBase, NHibernate.Linq.INhFetchRequest, System.Linq.IOrderedQueryable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryable + { + public NhFetchRequest(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) : base(default(System.Linq.IQueryProvider)) => throw null; + } + public class NHibernateNodeTypeProvider : Remotion.Linq.Parsing.Structure.INodeTypeProvider + { + public NHibernateNodeTypeProvider() => throw null; + public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; + public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; + } + public class NhLinqDmlExpression : NHibernate.Linq.NhLinqExpression + { + public NhLinqDmlExpression(NHibernate.Linq.QueryMode queryMode, System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) : base(default(System.Linq.Expressions.Expression), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override System.Type TargetType { get => throw null; } + } + public class NhLinqExpression : NHibernate.IQueryExpression + { + public bool CanCachePlan { get => throw null; } + public NhLinqExpression(System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public NHibernate.Linq.ExpressionToHqlTranslationResults ExpressionToHqlTranslationResults { get => throw null; } + public string Key { get => throw null; set { } } + public System.Collections.Generic.IList ParameterDescriptors { get => throw null; } + public System.Collections.Generic.IDictionary> ParameterValuesByName { get => throw null; } + protected virtual NHibernate.Linq.QueryMode QueryMode { get => throw null; } + public NHibernate.Linq.NhLinqExpressionReturnType ReturnType { get => throw null; } + protected virtual System.Type TargetType { get => throw null; } + public NHibernate.Hql.Ast.ANTLR.Tree.IASTNode Translate(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, bool filter) => throw null; + public System.Type Type { get => throw null; } + } + public enum NhLinqExpressionReturnType + { + Sequence = 0, + Scalar = 1, + } + public class NhQueryable : Remotion.Linq.QueryableBase, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public NhQueryable(NHibernate.Engine.ISessionImplementor session) : base(default(System.Linq.IQueryProvider)) => throw null; + public NhQueryable(NHibernate.Engine.ISessionImplementor session, string entityName) : base(default(System.Linq.IQueryProvider)) => throw null; + public NhQueryable(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) : base(default(System.Linq.IQueryProvider)) => throw null; + public NhQueryable(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression, string entityName) : base(default(System.Linq.IQueryProvider)) => throw null; + public NhQueryable(NHibernate.Engine.ISessionImplementor session, object collection) : base(default(System.Linq.IQueryProvider)) => throw null; + public string EntityName { get => throw null; } + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + public override string ToString() => throw null; + } + public class NhQueryableOptions : NHibernate.Linq.IQueryableOptions + { + protected void Apply(NHibernate.IQuery query) => throw null; + protected bool? Cacheable { get => throw null; } + protected NHibernate.CacheMode? CacheMode { get => throw null; } + protected string CacheRegion { get => throw null; } + protected NHibernate.Linq.NhQueryableOptions Clone() => throw null; + protected string Comment { get => throw null; } + public NhQueryableOptions() => throw null; + protected NHibernate.FlushMode? FlushMode { get => throw null; } + protected bool? ReadOnly { get => throw null; } + NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheable(bool cacheable) => throw null; + public NHibernate.Linq.NhQueryableOptions SetCacheable(bool cacheable) => throw null; + NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + public NHibernate.Linq.NhQueryableOptions SetCacheMode(NHibernate.CacheMode cacheMode) => throw null; + NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.Linq.NhQueryableOptions SetCacheRegion(string cacheRegion) => throw null; + public NHibernate.Linq.NhQueryableOptions SetComment(string comment) => throw null; + public NHibernate.Linq.NhQueryableOptions SetFlushMode(NHibernate.FlushMode flushMode) => throw null; + public NHibernate.Linq.NhQueryableOptions SetReadOnly(bool readOnly) => throw null; + NHibernate.Linq.IQueryableOptions NHibernate.Linq.IQueryableOptions.SetTimeout(int timeout) => throw null; + public NHibernate.Linq.NhQueryableOptions SetTimeout(int timeout) => throw null; + protected int? Timeout { get => throw null; } + } + public static class NhRelinqQueryParser + { + public static Remotion.Linq.QueryModel Parse(System.Linq.Expressions.Expression expression) => throw null; + public static System.Linq.Expressions.Expression PreTransform(System.Linq.Expressions.Expression expression) => throw null; + public static NHibernate.Linq.Visitors.PreTransformationResult PreTransform(System.Linq.Expressions.Expression expression, NHibernate.Linq.Visitors.PreTransformationParameters parameters) => throw null; + } + public class NoPreEvaluationAttribute : NHibernate.Linq.LinqExtensionMethodAttributeBase + { + public NoPreEvaluationAttribute() : base(default(NHibernate.Linq.LinqExtensionPreEvaluation)) => throw null; + } + public enum QueryMode + { + Select = 0, + Delete = 1, + Update = 2, + UpdateVersioned = 3, + Insert = 4, + } + public class QuerySourceNamer + { + public void Add(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; + public QuerySourceNamer() => throw null; + public string GetName(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; + } + public static class ReflectionHelper + { + public static System.Reflection.MethodInfo GetMethod(System.Linq.Expressions.Expression> method) => throw null; + public static System.Reflection.MethodInfo GetMethod(System.Linq.Expressions.Expression method) => throw null; + public static System.Reflection.MethodInfo GetMethodDefinition(System.Linq.Expressions.Expression> method) => throw null; + public static System.Reflection.MethodInfo GetMethodDefinition(System.Linq.Expressions.Expression method) => throw null; + public static System.Reflection.MemberInfo GetProperty(System.Linq.Expressions.Expression> property) => throw null; + } + namespace ResultOperators + { + public class ClientSideTransformOperator : Remotion.Linq.Clauses.ResultOperatorBase { - public static void EntityName(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, string entityName) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public ClientSideTransformOperator() => throw null; + public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; + public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; + public override void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.MappingsExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class MappingsExtensions + public class NonAggregatingGroupBy : NHibernate.Linq.ResultOperators.ClientSideTransformOperator { - public static string AsString(this NHibernate.Cfg.MappingSchema.HbmMapping mappings) => throw null; - public static void WriteAllXmlMapping(this System.Collections.Generic.IEnumerable mappings) => throw null; + public NonAggregatingGroupBy(Remotion.Linq.Clauses.ResultOperators.GroupResultOperator groupBy) => throw null; + public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; + public Remotion.Linq.Clauses.ResultOperators.GroupResultOperator GroupBy { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.ModelExplicitDeclarationsHolderExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ModelExplicitDeclarationsHolderExtensions + } + public class ResultTransformer : NHibernate.Transform.IResultTransformer, System.IEquatable + { + public ResultTransformer(System.Func itemTransformation, System.Func, object> listTransformation) => throw null; + public bool Equals(NHibernate.Linq.ResultTransformer other) => throw null; + public override bool Equals(object obj) => throw null; + public override int GetHashCode() => throw null; + public System.Collections.IList TransformList(System.Collections.IList collection) => throw null; + public object TransformTuple(object[] tuple, string[] aliases) => throw null; + } + namespace ReWriters + { + public class AddJoinsReWriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, NHibernate.Linq.INhQueryModelVisitor, Remotion.Linq.IQueryModelVisitor { - public static void Merge(this NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder destination, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder source) => throw null; + public bool IsEntity(System.Type type) => throw null; + public bool IsIdentifier(System.Type type, string propertyName) => throw null; + public static void ReWrite(Remotion.Linq.QueryModel queryModel, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; + public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause nhOuterJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.ModelMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ModelMapper + public class ArrayIndexExpressionFlattener : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public void AddMapping() where T : NHibernate.Mapping.ByCode.IConformistHoldersProvider, new() => throw null; - public void AddMapping(System.Type type) => throw null; - public void AddMapping(NHibernate.Mapping.ByCode.IConformistHoldersProvider mapping) => throw null; - public void AddMappings(System.Collections.Generic.IEnumerable types) => throw null; - public event NHibernate.Mapping.ByCode.Impl.AnyMappingHandler AfterMapAny; - public event NHibernate.Mapping.ByCode.Impl.BagMappingHandler AfterMapBag; - public event NHibernate.Mapping.ByCode.Impl.RootClassMappingHandler AfterMapClass; - public event NHibernate.Mapping.ByCode.Impl.ComponentMappingHandler AfterMapComponent; - public event NHibernate.Mapping.ByCode.Impl.ElementMappingHandler AfterMapElement; - public event NHibernate.Mapping.ByCode.Impl.IdBagMappingHandler AfterMapIdBag; - public event NHibernate.Mapping.ByCode.Impl.JoinedSubclassMappingHandler AfterMapJoinedSubclass; - public event NHibernate.Mapping.ByCode.Impl.ListMappingHandler AfterMapList; - public event NHibernate.Mapping.ByCode.Impl.ManyToManyMappingHandler AfterMapManyToMany; - public event NHibernate.Mapping.ByCode.Impl.ManyToOneMappingHandler AfterMapManyToOne; - public event NHibernate.Mapping.ByCode.Impl.MapMappingHandler AfterMapMap; - public event NHibernate.Mapping.ByCode.Impl.MapKeyMappingHandler AfterMapMapKey; - public event NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMappingHandler AfterMapMapKeyManyToMany; - public event NHibernate.Mapping.ByCode.Impl.OneToManyMappingHandler AfterMapOneToMany; - public event NHibernate.Mapping.ByCode.Impl.OneToOneMappingHandler AfterMapOneToOne; - public event NHibernate.Mapping.ByCode.Impl.PropertyMappingHandler AfterMapProperty; - public event NHibernate.Mapping.ByCode.Impl.SetMappingHandler AfterMapSet; - public event NHibernate.Mapping.ByCode.Impl.SubclassMappingHandler AfterMapSubclass; - public event NHibernate.Mapping.ByCode.Impl.UnionSubclassMappingHandler AfterMapUnionSubclass; - public event NHibernate.Mapping.ByCode.Impl.AnyMappingHandler BeforeMapAny; - public event NHibernate.Mapping.ByCode.Impl.BagMappingHandler BeforeMapBag; - public event NHibernate.Mapping.ByCode.Impl.RootClassMappingHandler BeforeMapClass; - public event NHibernate.Mapping.ByCode.Impl.ComponentMappingHandler BeforeMapComponent; - public event NHibernate.Mapping.ByCode.Impl.ElementMappingHandler BeforeMapElement; - public event NHibernate.Mapping.ByCode.Impl.IdBagMappingHandler BeforeMapIdBag; - public event NHibernate.Mapping.ByCode.Impl.JoinedSubclassMappingHandler BeforeMapJoinedSubclass; - public event NHibernate.Mapping.ByCode.Impl.ListMappingHandler BeforeMapList; - public event NHibernate.Mapping.ByCode.Impl.ManyToManyMappingHandler BeforeMapManyToMany; - public event NHibernate.Mapping.ByCode.Impl.ManyToOneMappingHandler BeforeMapManyToOne; - public event NHibernate.Mapping.ByCode.Impl.MapMappingHandler BeforeMapMap; - public event NHibernate.Mapping.ByCode.Impl.MapKeyMappingHandler BeforeMapMapKey; - public event NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMappingHandler BeforeMapMapKeyManyToMany; - public event NHibernate.Mapping.ByCode.Impl.OneToManyMappingHandler BeforeMapOneToMany; - public event NHibernate.Mapping.ByCode.Impl.OneToOneMappingHandler BeforeMapOneToOne; - public event NHibernate.Mapping.ByCode.Impl.PropertyMappingHandler BeforeMapProperty; - public event NHibernate.Mapping.ByCode.Impl.SetMappingHandler BeforeMapSet; - public event NHibernate.Mapping.ByCode.Impl.SubclassMappingHandler BeforeMapSubclass; - public event NHibernate.Mapping.ByCode.Impl.UnionSubclassMappingHandler BeforeMapUnionSubclass; - public void Class(System.Action> customizeAction) where TRootEntity : class => throw null; - public NHibernate.Cfg.MappingSchema.HbmMapping CompileMappingFor(System.Collections.Generic.IEnumerable types) => throw null; - public NHibernate.Cfg.MappingSchema.HbmMapping CompileMappingForAllExplicitlyAddedEntities() => throw null; - public System.Collections.Generic.IEnumerable CompileMappingForEach(System.Collections.Generic.IEnumerable types) => throw null; - public System.Collections.Generic.IEnumerable CompileMappingForEachExplicitlyAddedEntity() => throw null; - public void Component(System.Action> customizeAction) => throw null; - protected virtual NHibernate.Mapping.ByCode.ModelMapper.ICollectionElementRelationMapper DetermineCollectionElementRelationType(System.Reflection.MemberInfo property, NHibernate.Mapping.ByCode.PropertyPath propertyPath, System.Type collectionElementType) => throw null; - protected void ForEachMemberPath(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.PropertyPath progressivePath, System.Action invoke) => throw null; - protected System.Reflection.MemberInfo GetComponentParentReferenceProperty(System.Collections.Generic.IEnumerable persistentProperties, System.Type propertiesContainerType) => throw null; - // Generated from `NHibernate.Mapping.ByCode.ModelMapper+ICollectionElementRelationMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected interface ICollectionElementRelationMapper - { - void Map(NHibernate.Mapping.ByCode.ICollectionElementRelation relation); - void MapCollectionProperties(NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapped); - } - - - // Generated from `NHibernate.Mapping.ByCode.ModelMapper+IMapKeyRelationMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected interface IMapKeyRelationMapper - { - void Map(NHibernate.Mapping.ByCode.IMapKeyRelation relation); - } - - - public void Import(string rename) => throw null; - public void Import() => throw null; - public void JoinedSubclass(System.Action> customizeAction) where TEntity : class => throw null; - protected NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider MembersProvider { get => throw null; } - public NHibernate.Mapping.ByCode.IModelInspector ModelInspector { get => throw null; } - public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider membersProvider) => throw null; - public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizerHolder, NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider membersProvider) => throw null; - public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder) => throw null; - public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector) => throw null; - public ModelMapper() => throw null; - public void Subclass(System.Action> customizeAction) where TEntity : class => throw null; - public void UnionSubclass(System.Action> customizeAction) where TEntity : class => throw null; + public ArrayIndexExpressionFlattener() => throw null; + public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; + protected override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.NativeGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class MergeAggregatingResultsRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public NativeGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; + public override void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.NativeGuidGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NativeGuidGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class MoveOrderByToEndRewriter { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public NativeGuidGeneratorDef() => throw null; - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } + public MoveOrderByToEndRewriter() => throw null; + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.NotFoundMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class NotFoundMode + public class QueryReferenceExpressionFlattener : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public static NHibernate.Mapping.ByCode.NotFoundMode Exception; - public static NHibernate.Mapping.ByCode.NotFoundMode Ignore; - protected NotFoundMode() => throw null; - public abstract NHibernate.Cfg.MappingSchema.HbmNotFoundMode ToHbm(); + public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression subQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.OnDeleteAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum OnDeleteAction + public class RemoveUnnecessaryBodyOperators : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - Cascade, - NoAction, + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.OneToOneMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class OneToOneMapperExtensions + public class ResultOperatorRemover : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - public static void Fetch(this NHibernate.Mapping.ByCode.IOneToOneMapper mapper, NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; - public static void Formulas(this NHibernate.Mapping.ByCode.IOneToOneMapper mapper, params string[] formulas) => throw null; + public static void Remove(Remotion.Linq.QueryModel queryModel, System.Func predicate) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.OptimisticLockMode` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum OptimisticLockMode + public class ResultOperatorRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - All, - Dirty, - None, - Version, + public static NHibernate.Linq.ReWriters.ResultOperatorRewriterResult Rewrite(Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.PolymorphismType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum PolymorphismType + public class ResultOperatorRewriterResult { - Explicit, - Implicit, + public ResultOperatorRewriterResult(System.Collections.Generic.IEnumerable rewrittenOperators, Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo evaluationType) => throw null; + public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo EvaluationType { get => throw null; } + public System.Collections.Generic.IEnumerable RewrittenOperators { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.PropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class PropertyGeneration + } + public static class SqlMethods + { + public static bool Like(this string matchExpression, string sqlLikePattern) => throw null; + public static bool Like(this string matchExpression, string sqlLikePattern, char escapeCharacter) => throw null; + } + public class UpdateBuilder + { + public NHibernate.Linq.UpdateBuilder Set(System.Linq.Expressions.Expression> property, System.Linq.Expressions.Expression> expression) => throw null; + public NHibernate.Linq.UpdateBuilder Set(System.Linq.Expressions.Expression> property, TProp value) => throw null; + public int Update() => throw null; + public System.Threading.Tasks.Task UpdateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public int UpdateVersioned() => throw null; + public System.Threading.Tasks.Task UpdateVersionedAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + namespace Visitors + { + public static class BooleanToCaseConvertor { - public static NHibernate.Mapping.ByCode.PropertyGeneration Always; - // Generated from `NHibernate.Mapping.ByCode.PropertyGeneration+AlwaysPropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AlwaysPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration - { - public AlwaysPropertyGeneration() => throw null; - } - - - public static NHibernate.Mapping.ByCode.PropertyGeneration Insert; - // Generated from `NHibernate.Mapping.ByCode.PropertyGeneration+InsertPropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InsertPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration - { - public InsertPropertyGeneration() => throw null; - } - - - public static NHibernate.Mapping.ByCode.PropertyGeneration Never; - // Generated from `NHibernate.Mapping.ByCode.PropertyGeneration+NeverPropertyGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NeverPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration - { - public NeverPropertyGeneration() => throw null; - } - - - protected PropertyGeneration() => throw null; + public static System.Collections.Generic.IEnumerable Convert(System.Collections.Generic.IEnumerable hqlTreeNodes) => throw null; + public static NHibernate.Hql.Ast.HqlExpression ConvertBooleanToCase(NHibernate.Hql.Ast.HqlExpression node) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.PropertyMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PropertyMapperExtensions + public class EqualityHqlGenerator { - public static void FetchGroup(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, string name) => throw null; + public EqualityHqlGenerator(NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; + public NHibernate.Hql.Ast.HqlBooleanExpression Visit(System.Linq.Expressions.Expression innerKeySelector, System.Linq.Expressions.Expression outerKeySelector) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.PropertyPath` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyPath + public class ExpressionKeyVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Mapping.ByCode.PropertyPath other) => throw null; - public override int GetHashCode() => throw null; - public System.Reflection.MemberInfo GetRootMember() => throw null; - public System.Reflection.MemberInfo LocalMember { get => throw null; } - public NHibernate.Mapping.ByCode.PropertyPath PreviousPath { get => throw null; } - public PropertyPath(NHibernate.Mapping.ByCode.PropertyPath previousPath, System.Reflection.MemberInfo localMember) => throw null; - public string ToColumnName() => throw null; public override string ToString() => throw null; + public static string Visit(System.Linq.Expressions.Expression expression, System.Collections.Generic.IDictionary parameters) => throw null; + public static string Visit(System.Linq.Expressions.Expression rootExpression, System.Collections.Generic.IDictionary parameters, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + protected override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitDynamic(System.Linq.Expressions.DynamicExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.PropertyPathExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PropertyPathExtensions - { - public static NHibernate.Mapping.ByCode.PropertyPath DepureFirstLevelIfCollection(this NHibernate.Mapping.ByCode.PropertyPath source) => throw null; - public static System.Type GetContainerEntity(this NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.IModelInspector domainInspector) => throw null; - public static System.Collections.Generic.IEnumerable InverseProgressivePath(this NHibernate.Mapping.ByCode.PropertyPath source) => throw null; - public static string ToColumnName(this NHibernate.Mapping.ByCode.PropertyPath propertyPath, string pathSeparator) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.PropertyToField` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyToField + public class ExpressionParameterVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public static System.Collections.Generic.IDictionary DefaultStrategies { get => throw null; } - public static System.Reflection.FieldInfo GetBackFieldInfo(System.Reflection.PropertyInfo subject) => throw null; - public PropertyToField() => throw null; + public ExpressionParameterVisitor(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public ExpressionParameterVisitor(NHibernate.Linq.Visitors.PreTransformationResult preTransformationResult) => throw null; + public static System.Collections.Generic.IDictionary Visit(System.Linq.Expressions.Expression expression, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public static System.Collections.Generic.IDictionary Visit(NHibernate.Linq.Visitors.PreTransformationResult preTransformationResult) => throw null; + protected override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression node) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.SchemaAction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - [System.Flags] - public enum SchemaAction + public class HqlGeneratorExpressionVisitor : NHibernate.Linq.Visitors.IHqlExpressionVisitor { - All, - Drop, - Export, - None, - Update, - Validate, + public HqlGeneratorExpressionVisitor(NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; + public NHibernate.ISessionFactory SessionFactory { get => throw null; } + public static NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; + public NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitBinaryExpression(System.Linq.Expressions.BinaryExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitConditionalExpression(System.Linq.Expressions.ConditionalExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitConstantExpression(System.Linq.Expressions.ConstantExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitExpression(System.Linq.Expressions.Expression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitLambdaExpression(System.Linq.Expressions.LambdaExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitMemberExpression(System.Linq.Expressions.MemberExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitMethodCallExpression(System.Linq.Expressions.MethodCallExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNewArrayExpression(System.Linq.Expressions.NewArrayExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhAverage(NHibernate.Linq.Expressions.NhAverageExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhCount(NHibernate.Linq.Expressions.NhCountExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhDistinct(NHibernate.Linq.Expressions.NhDistinctExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhMax(NHibernate.Linq.Expressions.NhMaxExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhMin(NHibernate.Linq.Expressions.NhMinExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhStar(NHibernate.Linq.Expressions.NhStarExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitNhSum(NHibernate.Linq.Expressions.NhSumExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitParameterExpression(System.Linq.Expressions.ParameterExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitQuerySourceReferenceExpression(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitSubQueryExpression(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected NHibernate.Hql.Ast.HqlTreeNode VisitUnaryExpression(System.Linq.Expressions.UnaryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.SchemaActionConverter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SchemaActionConverter + public interface IExpressionTransformerRegistrar { - public static bool Has(this NHibernate.Mapping.ByCode.SchemaAction source, NHibernate.Mapping.ByCode.SchemaAction value) => throw null; - public static string ToSchemaActionString(this NHibernate.Mapping.ByCode.SchemaAction source) => throw null; + void Register(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformerRegistry expressionTransformerRegistry); } - - // Generated from `NHibernate.Mapping.ByCode.SelectGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SelectGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public interface IHqlExpressionVisitor { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public SelectGeneratorDef() => throw null; - public bool SupportedAsCollectionElementId { get => throw null; } + NHibernate.ISessionFactory SessionFactory { get; } + NHibernate.Hql.Ast.HqlTreeNode Visit(System.Linq.Expressions.Expression expression); } - - // Generated from `NHibernate.Mapping.ByCode.SequenceGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public interface IJoiner { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public SequenceGeneratorDef() => throw null; - public bool SupportedAsCollectionElementId { get => throw null; } + System.Linq.Expressions.Expression AddJoin(System.Linq.Expressions.Expression expression, string key); + bool CanAddJoin(System.Linq.Expressions.Expression expression); + void MakeInnerIfJoined(string key); } - - // Generated from `NHibernate.Mapping.ByCode.SequenceHiLoGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceHiLoGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public interface IQueryModelRewriterFactory { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public SequenceHiLoGeneratorDef() => throw null; - public bool SupportedAsCollectionElementId { get => throw null; } + Remotion.Linq.QueryModelVisitorBase CreateVisitor(NHibernate.Linq.Visitors.VisitorParameters parameters); } - - // Generated from `NHibernate.Mapping.ByCode.SequenceIdentityGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequenceIdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class Joiner : NHibernate.Linq.Visitors.IJoiner { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public SequenceIdentityGeneratorDef() => throw null; - public bool SupportedAsCollectionElementId { get => throw null; } + public System.Linq.Expressions.Expression AddJoin(System.Linq.Expressions.Expression expression, string key) => throw null; + public bool CanAddJoin(System.Linq.Expressions.Expression expression) => throw null; + public System.Collections.Generic.IEnumerable Joins { get => throw null; } + public void MakeInnerIfJoined(string key) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.SimpleModelInspector` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SimpleModelInspector : NHibernate.Mapping.ByCode.IModelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + public class LeftJoinRewriter : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsAny(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsArray(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsBag(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsComponent(System.Type type) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsIdBag(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsList(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsMap(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPoid(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsProperty(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsRootEntity(System.Type type) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsSet(System.Reflection.MemberInfo member) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerClassEntity(System.Type type) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerConcreteClassEntity(System.Type type) => throw null; - void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Any { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Arrays { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Bags { get => throw null; } - protected bool CanReadCantWriteInBaseType(System.Reflection.PropertyInfo property) => throw null; - protected bool CanReadCantWriteInsideType(System.Reflection.PropertyInfo property) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Components { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ComposedIds { get => throw null; } - protected virtual bool DeclaredPolymorphicMatch(System.Reflection.MemberInfo member, System.Func declaredMatch) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Dictionaries { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.DynamicComponents { get => throw null; } - System.Type NHibernate.Mapping.ByCode.IModelInspector.GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; - System.Type NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelInspector.GetPropertiesSplits(System.Type type) => throw null; - string NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetSplitGroupsFor(System.Type type) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.IdBags { get => throw null; } - public void IsAny(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsAny(System.Reflection.MemberInfo member) => throw null; - public void IsArray(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsArray(System.Reflection.MemberInfo role) => throw null; - protected bool IsAutoproperty(System.Reflection.PropertyInfo property) => throw null; - public void IsBag(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsBag(System.Reflection.MemberInfo role) => throw null; - public void IsComponent(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsComponent(System.Type type) => throw null; - public void IsDictionary(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsDictionary(System.Reflection.MemberInfo role) => throw null; - public void IsDynamicComponent(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsDynamicComponent(System.Reflection.MemberInfo member) => throw null; - public void IsEntity(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsEntity(System.Type type) => throw null; - public void IsIdBag(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsIdBag(System.Reflection.MemberInfo role) => throw null; - public void IsList(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsList(System.Reflection.MemberInfo role) => throw null; - public void IsManyToAny(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToAny(System.Reflection.MemberInfo member) => throw null; - public void IsManyToMany(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToManyItem(System.Reflection.MemberInfo member) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToManyKey(System.Reflection.MemberInfo member) => throw null; - public void IsManyToOne(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToOne(System.Reflection.MemberInfo member) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsMemberOfComposedId(System.Reflection.MemberInfo member) => throw null; - public void IsMemberOfNaturalId(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsMemberOfNaturalId(System.Reflection.MemberInfo member) => throw null; - public void IsOneToMany(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsOneToMany(System.Reflection.MemberInfo member) => throw null; - public void IsOneToOne(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsOneToOne(System.Reflection.MemberInfo member) => throw null; - public void IsPersistentId(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsPersistentId(System.Reflection.MemberInfo member) => throw null; - public void IsPersistentProperty(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsPersistentProperty(System.Reflection.MemberInfo member) => throw null; - public void IsProperty(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsProperty(System.Reflection.MemberInfo member) => throw null; - protected bool IsReadOnlyProperty(System.Reflection.MemberInfo subject) => throw null; - public void IsRootEntity(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsRootEntity(System.Type type) => throw null; - public void IsSet(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsSet(System.Reflection.MemberInfo role) => throw null; - public void IsTablePerClass(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClass(System.Type type) => throw null; - public void IsTablePerClassHierarchy(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClassHierarchy(System.Type type) => throw null; - public void IsTablePerClassSplit(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member) => throw null; - public void IsTablePerConcreteClass(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerConcreteClass(System.Type type) => throw null; - public void IsVersion(System.Func match) => throw null; - bool NHibernate.Mapping.ByCode.IModelInspector.IsVersion(System.Reflection.MemberInfo member) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ItemManyToManyRelations { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.KeyManyToManyRelations { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Lists { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ManyToAnyRelations { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ManyToOneRelations { get => throw null; } - protected bool MatchArrayMember(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchBagMember(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchCollection(System.Reflection.MemberInfo subject, System.Predicate specificCollectionPredicate) => throw null; - protected bool MatchComponentPattern(System.Type subject) => throw null; - protected bool MatchDictionaryMember(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchEntity(System.Type subject) => throw null; - protected bool MatchNoReadOnlyPropertyPattern(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchPoIdPattern(System.Reflection.MemberInfo subject) => throw null; - protected bool MatchSetMember(System.Reflection.MemberInfo subject) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.NaturalIds { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.OneToManyRelations { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.OneToOneRelations { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.PersistentMembers { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Poids { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Properties { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.RootEntities { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Sets { get => throw null; } - public SimpleModelInspector() => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.SplitDefinitions { get => throw null; } - public void SplitsFor(System.Func, System.Collections.Generic.IEnumerable> getPropertiesSplitsId) => throw null; - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerClassEntities { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerClassHierarchyEntities { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerConcreteClassEntities { get => throw null; } - System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.VersionProperties { get => throw null; } + public LeftJoinRewriter() => throw null; + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.SplitDefinition` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SplitDefinition + public class NameGenerator { - public string GroupId { get => throw null; set => throw null; } - public System.Reflection.MemberInfo Member { get => throw null; set => throw null; } - public System.Type On { get => throw null; set => throw null; } - public SplitDefinition(System.Type on, string groupId, System.Reflection.MemberInfo member) => throw null; + public NameGenerator(Remotion.Linq.QueryModel model) => throw null; + public string GetNewName() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.SubclassAttributesMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class SubclassAttributesMapperExtensions + public class NhExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public static void Extends(this NHibernate.Mapping.ByCode.ISubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; - public static void Extends(this NHibernate.Mapping.ByCode.ISubclassAttributesMapper mapper, string entityOrClassName) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.TableGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public NhExpressionVisitor() => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhAggregated(NHibernate.Linq.Expressions.NhAggregatedExpression node) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhAverage(NHibernate.Linq.Expressions.NhAverageExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhCount(NHibernate.Linq.Expressions.NhCountExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhDistinct(NHibernate.Linq.Expressions.NhDistinctExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhMax(NHibernate.Linq.Expressions.NhMaxExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhMin(NHibernate.Linq.Expressions.NhMinExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhNew(NHibernate.Linq.Expressions.NhNewExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhNominated(NHibernate.Linq.Expressions.NhNominatedExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhStar(NHibernate.Linq.Expressions.NhStarExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitNhSum(NHibernate.Linq.Expressions.NhSumExpression expression) => throw null; + } + public class NhQueryModelVisitorBase : Remotion.Linq.QueryModelVisitorBase, NHibernate.Linq.INhQueryModelVisitor, Remotion.Linq.IQueryModelVisitor, Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator.ISupportedByIQueryModelVistor { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } - public TableGeneratorDef() => throw null; + public NhQueryModelVisitorBase() => throw null; + public virtual void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public virtual void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public virtual void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause nhWhereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.TableHiLoGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableHiLoGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class NonAggregatingGroupJoinRewriter { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } - public TableHiLoGeneratorDef() => throw null; + public static void ReWrite(Remotion.Linq.QueryModel model) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.TriggerIdentityGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TriggerIdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public static class ParameterTypeLocator { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } - public TriggerIdentityGeneratorDef() => throw null; + public static void SetParameterTypes(System.Collections.Generic.IDictionary parameters, Remotion.Linq.QueryModel queryModel, System.Type targetType, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.TypeExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class TypeExtensions + public class PossibleValueSet { - public static System.Reflection.MemberInfo DecodeMemberAccessExpression(System.Linq.Expressions.Expression> expression) => throw null; - public static System.Reflection.MemberInfo DecodeMemberAccessExpression(System.Linq.Expressions.Expression> expression) => throw null; - public static System.Reflection.MemberInfo DecodeMemberAccessExpressionOf(System.Linq.Expressions.Expression> expression) => throw null; - public static System.Reflection.MemberInfo DecodeMemberAccessExpressionOf(System.Linq.Expressions.Expression> expression) => throw null; - public static System.Type DetermineCollectionElementOrDictionaryValueType(this System.Type genericCollection) => throw null; - public static System.Type DetermineCollectionElementType(this System.Type genericCollection) => throw null; - public static System.Type DetermineDictionaryKeyType(this System.Type genericDictionary) => throw null; - public static System.Type DetermineDictionaryValueType(this System.Type genericDictionary) => throw null; - public static System.Type DetermineRequiredCollectionElementType(this System.Reflection.MemberInfo collectionProperty) => throw null; - public static System.Collections.Generic.IEnumerable GetBaseTypes(this System.Type type) => throw null; - public static System.Type GetFirstImplementorOf(this System.Type source, System.Type abstractType) => throw null; - public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Reflection.BindingFlags bindingFlags, System.Func acceptPropertyClauses) => throw null; - public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Reflection.BindingFlags bindingFlags) => throw null; - public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Func acceptPropertyClauses) => throw null; - public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType) => throw null; - public static System.Collections.Generic.IEnumerable GetGenericInterfaceTypeDefinitions(this System.Type type) => throw null; - public static System.Collections.Generic.IEnumerable GetHierarchyFromBase(this System.Type type) => throw null; - public static System.Collections.Generic.IEnumerable GetInterfaceProperties(this System.Type type) => throw null; - public static System.Collections.Generic.IEnumerable GetMemberFromDeclaringClasses(this System.Reflection.MemberInfo source) => throw null; - public static System.Reflection.MemberInfo GetMemberFromDeclaringType(this System.Reflection.MemberInfo source) => throw null; - public static System.Reflection.MemberInfo GetMemberFromReflectedType(this System.Reflection.MemberInfo member, System.Type reflectedType) => throw null; - public static System.Collections.Generic.IEnumerable GetPropertyFromInterfaces(this System.Reflection.MemberInfo source) => throw null; - public static System.Reflection.MemberInfo GetPropertyOrFieldMatchingName(this System.Type source, string memberName) => throw null; - public static System.Type GetPropertyOrFieldType(this System.Reflection.MemberInfo propertyOrField) => throw null; - public static bool HasPublicPropertyOf(this System.Type source, System.Type typeOfProperty, System.Func acceptPropertyClauses) => throw null; - public static bool HasPublicPropertyOf(this System.Type source, System.Type typeOfProperty) => throw null; - public static bool IsEnumOrNullableEnum(this System.Type type) => throw null; - public static bool IsFlagEnumOrNullableFlagEnum(this System.Type type) => throw null; - public static bool IsGenericCollection(this System.Type source) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Add(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet And(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet AndAlso(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet ArrayLength(System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet BitwiseNot(System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Coalesce(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public bool Contains(object obj) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Convert(System.Type resultType) => throw null; + public static NHibernate.Linq.Visitors.PossibleValueSet Create(System.Type expressionType, params object[] values) => throw null; + public static NHibernate.Linq.Visitors.PossibleValueSet CreateAllNonNullValues(System.Type expressionType) => throw null; + public static NHibernate.Linq.Visitors.PossibleValueSet CreateAllValues(System.Type expressionType) => throw null; + public static NHibernate.Linq.Visitors.PossibleValueSet CreateNull(System.Type expressionType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Divide(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Equal(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet ExclusiveOr(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet GreaterThan(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet GreaterThanOrEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet IsNotNull() => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet IsNull() => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet LeftShift(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet LessThan(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet LessThanOrEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet MemberAccess(System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Modulo(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Multiply(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Negate(System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Not() => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet NotEqual(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Or(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet OrElse(NHibernate.Linq.Visitors.PossibleValueSet pvs) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Power(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet RightShift(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet Subtract(NHibernate.Linq.Visitors.PossibleValueSet pvs, System.Type resultType) => throw null; + public NHibernate.Linq.Visitors.PossibleValueSet UnaryPlus(System.Type resultType) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.UUIDHexGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UUIDHexGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class PreTransformationParameters { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } - public UUIDHexGeneratorDef(string format, string separator) => throw null; - public UUIDHexGeneratorDef(string format) => throw null; - public UUIDHexGeneratorDef() => throw null; + public PreTransformationParameters(NHibernate.Linq.QueryMode queryMode, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + public bool MinimizeParameters { get => throw null; set { } } + public NHibernate.Linq.QueryMode QueryMode { get => throw null; } + public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.UUIDStringGeneratorDef` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UUIDStringGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + public class PreTransformationResult { - public string Class { get => throw null; } - public System.Type DefaultReturnType { get => throw null; } - public object Params { get => throw null; } - public bool SupportedAsCollectionElementId { get => throw null; } - public UUIDStringGeneratorDef() => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; } + public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.UnionSubclassAttributesMapperExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class UnionSubclassAttributesMapperExtensions + public class QueryExpressionSourceIdentifer : Remotion.Linq.Parsing.RelinqExpressionVisitor { - public static void Extends(this NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; - public static void Extends(this NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper, string entityOrClassName) => throw null; + public QueryExpressionSourceIdentifer(NHibernate.Linq.Visitors.QuerySourceIdentifier identifier) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.UnsavedValueType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum UnsavedValueType + public class QueryModelVisitor : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, NHibernate.Linq.INhQueryModelVisitor, Remotion.Linq.IQueryModelVisitor { - Any, - None, - Undefined, + public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo CurrentEvaluationType { get => throw null; } + public static NHibernate.Linq.ExpressionToHqlTranslationResults GenerateHqlQuery(Remotion.Linq.QueryModel queryModel, NHibernate.Linq.Visitors.VisitorParameters parameters, bool root, NHibernate.Linq.NhLinqExpressionReturnType? rootReturnType) => throw null; + public Remotion.Linq.QueryModel Model { get => throw null; } + public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo PreviousEvaluationType { get => throw null; } + public NHibernate.Linq.ReWriters.ResultOperatorRewriterResult RewrittenOperatorResult { get => throw null; } + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitNhHavingClause(NHibernate.Linq.Clauses.NhHavingClause havingClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause outerJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitNhWithClause(NHibernate.Linq.Clauses.NhWithClause withClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitOrderByClause(Remotion.Linq.Clauses.OrderByClause orderByClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public NHibernate.Linq.Visitors.VisitorParameters VisitorParameters { get => throw null; } + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.VersionGeneration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class VersionGeneration + public class QuerySourceIdentifier : NHibernate.Linq.Visitors.NhQueryModelVisitorBase, NHibernate.Linq.INhQueryModelVisitor, Remotion.Linq.IQueryModelVisitor { - public static NHibernate.Mapping.ByCode.VersionGeneration Always; - public static NHibernate.Mapping.ByCode.VersionGeneration Never; - public abstract NHibernate.Cfg.MappingSchema.HbmVersionGeneration ToHbm(); - protected VersionGeneration() => throw null; + public NHibernate.Linq.QuerySourceNamer Namer { get => throw null; } + public static void Visit(NHibernate.Linq.QuerySourceNamer namer, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.GroupJoinClause groupJoinClause) => throw null; + public override void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public void VisitNhOuterJoinClause(NHibernate.Linq.Clauses.NhOuterJoinClause outerJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; } - - namespace Conformist + public class QuerySourceLocator : NHibernate.Linq.Visitors.NhQueryModelVisitorBase { - // Generated from `NHibernate.Mapping.ByCode.Conformist.ClassMapping<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ClassCustomizer where T : class - { - public ClassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Conformist.ComponentMapping<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComponentCustomizer - { - public ComponentMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Conformist.JoinedSubclassMapping<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedSubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinedSubclassCustomizer where T : class - { - public JoinedSubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Conformist.SubclassMapping<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.SubclassCustomizer where T : class - { - public SubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Conformist.UnionSubclassMapping<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnionSubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.UnionSubclassCustomizer where T : class - { - public UnionSubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; - } - + public static Remotion.Linq.Clauses.IQuerySource FindQuerySource(Remotion.Linq.QueryModel queryModel, System.Type type) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitNhJoinClause(NHibernate.Linq.Clauses.NhJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; } - namespace Impl + namespace ResultOperatorProcessors { - // Generated from `NHibernate.Mapping.ByCode.Impl.AbstractBasePropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractBasePropertyContainerMapper - { - protected AbstractBasePropertyContainerMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - protected abstract void AddProperty(object property); - public virtual void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping) => throw null; - public virtual void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public virtual void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - protected System.Type Container { get => throw null; } - protected virtual bool IsMemberSupportedByMappedContainer(System.Reflection.MemberInfo property) => throw null; - public virtual void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - protected NHibernate.Cfg.MappingSchema.HbmMapping MapDoc { get => throw null; } - public virtual void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - protected System.Type container; - protected NHibernate.Cfg.MappingSchema.HbmMapping mapDoc; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractPropertyContainerMapper : NHibernate.Mapping.ByCode.Impl.AbstractBasePropertyContainerMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper - { - protected AbstractPropertyContainerMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public virtual void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public virtual void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public virtual void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public virtual void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping) => throw null; - public virtual void OneToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public virtual void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.AccessorPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AccessorPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper - { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public AccessorPropertyMapper(System.Type declaringType, string propertyName, System.Action accesorValueSetter) => throw null; - public string PropertyName { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.AnyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnyMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAnyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper - { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public AnyMapper(System.Reflection.MemberInfo member, System.Type foreignIdType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmAny any, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public AnyMapper(System.Reflection.MemberInfo member, System.Type foreignIdType, NHibernate.Cfg.MappingSchema.HbmAny any, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Columns(System.Action idColumnMapping, System.Action classColumnMapping) => throw null; - public void IdType() => throw null; - public void IdType(System.Type idType) => throw null; - public void IdType(NHibernate.Type.IType idType) => throw null; - public void Index(string indexName) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(bool isLazy) => throw null; - public void MetaType() => throw null; - public void MetaType(System.Type metaType) => throw null; - public void MetaType(NHibernate.Type.IType metaType) => throw null; - public void MetaValue(object value, System.Type entityType) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.AnyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void AnyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.BagMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BagMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IBagPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper - { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public BagMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmBag mapping) => throw null; - public BagMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmBag mapping) => throw null; - public void BatchSize(int value) => throw null; - public void Cache(System.Action cacheMapping) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Catalog(string catalogName) => throw null; - public System.Type ElementType { get => throw null; set => throw null; } - public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Inverse(bool value) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Mutable(bool value) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void OrderBy(string sqlOrderByClause) => throw null; - public void OrderBy(System.Reflection.MemberInfo property) => throw null; - public System.Type OwnerType { get => throw null; set => throw null; } - public void Persister(System.Type persister) => throw null; - public void Schema(string schemaName) => throw null; - public void Sort() => throw null; - public void Sort() => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlDeleteAll(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Table(string tableName) => throw null; - public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; - public void Type(System.Type collectionType) => throw null; - public void Where(string sqlWhereClause) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.BagMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void BagMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.CacheMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CacheMapper : NHibernate.Mapping.ByCode.ICacheMapper + public interface IResultOperatorProcessor { - public CacheMapper(NHibernate.Cfg.MappingSchema.HbmCache cacheMapping) => throw null; - public void Include(NHibernate.Mapping.ByCode.CacheInclude cacheInclude) => throw null; - public void Region(string regionName) => throw null; - public void Usage(NHibernate.Mapping.ByCode.CacheUsage cacheUsage) => throw null; + void Process(T resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree); } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CascadeConverter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CascadeConverter + public class ProcessAggregate : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public static string ToCascadeString(this NHibernate.Mapping.ByCode.Cascade source) => throw null; + public ProcessAggregate() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.AggregateResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ClassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IClassMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper - { - public void Abstract(bool isAbstract) => throw null; - protected override void AddProperty(object property) => throw null; - public void BatchSize(int value) => throw null; - public void Cache(System.Action cacheMapping) => throw null; - public void Catalog(string catalogName) => throw null; - public void Check(string check) => throw null; - public ClassMapper(System.Type rootClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, System.Reflection.MemberInfo idProperty) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public void ComponentAsId(System.Reflection.MemberInfo idProperty, System.Action mapper) => throw null; - public void ComposedId(System.Action idPropertiesMapping) => throw null; - public void Discriminator(System.Action discriminatorMapping) => throw null; - public void DiscriminatorValue(object value) => throw null; - public void DynamicInsert(bool value) => throw null; - public void DynamicUpdate(bool value) => throw null; - public void EntityName(string value) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Id(System.Reflection.MemberInfo idProperty, System.Action mapper) => throw null; - public void Id(System.Action mapper) => throw null; - public void Join(string splitGroupId, System.Action splitMapping) => throw null; - public System.Collections.Generic.Dictionary JoinMappers { get => throw null; } - public void Lazy(bool value) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Mutable(bool isMutable) => throw null; - public void NaturalId(System.Action naturalIdMapping) => throw null; - public void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode) => throw null; - public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; - public void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type) => throw null; - public void Proxy(System.Type proxy) => throw null; - public void Schema(string schemaName) => throw null; - public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; - public void SelectBeforeUpdate(bool value) => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Synchronize(params string[] table) => throw null; - public void Table(string tableName) => throw null; - public void Version(System.Reflection.MemberInfo versionProperty, System.Action versionMapping) => throw null; - public void Where(string whereClause) => throw null; + public class ProcessAggregateFromSeed : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + { + public ProcessAggregateFromSeed() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.AggregateFromSeedResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CollectionElementRelation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionElementRelation : NHibernate.Mapping.ByCode.ICollectionElementRelation + public class ProcessAll : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public CollectionElementRelation(System.Type collectionElementType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, System.Action elementRelationshipAssing) => throw null; - public void Component(System.Action mapping) => throw null; - public void Element(System.Action mapping) => throw null; - public void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping) => throw null; - public void ManyToMany(System.Action mapping) => throw null; - public void OneToMany(System.Action mapping) => throw null; + public ProcessAll() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.AllResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CollectionIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionIdMapper : NHibernate.Mapping.ByCode.ICollectionIdMapper + public class ProcessAny : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public CollectionIdMapper(NHibernate.Cfg.MappingSchema.HbmCollectionId hbmId) => throw null; - public void Column(string name) => throw null; - public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping) => throw null; - public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator) => throw null; - public void Length(int length) => throw null; - public void Type(NHibernate.Type.IIdentifierType persistentType) => throw null; + public ProcessAny() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.AnyResultOperator anyOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ColumnMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnMapper : NHibernate.Mapping.ByCode.IColumnMapper + public class ProcessAsQueryable : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Check(string checkConstraint) => throw null; - public ColumnMapper(NHibernate.Cfg.MappingSchema.HbmColumn mapping, string memberName) => throw null; - public void Default(object defaultValue) => throw null; - public void Index(string indexName) => throw null; - public void Length(int length) => throw null; - public void Name(string name) => throw null; - public void NotNullable(bool notnull) => throw null; - public void Precision(System.Int16 precision) => throw null; - public void Scale(System.Int16 scale) => throw null; - public void SqlType(string sqltype) => throw null; - public void Unique(bool unique) => throw null; - public void UniqueKey(string uniquekeyName) => throw null; + public ProcessAsQueryable() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ColumnOrFormulaMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ColumnOrFormulaMapper : NHibernate.Mapping.ByCode.Impl.ColumnMapper, NHibernate.Mapping.ByCode.IColumnOrFormulaMapper, NHibernate.Mapping.ByCode.IColumnMapper + public class ProcessCast : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public ColumnOrFormulaMapper(NHibernate.Cfg.MappingSchema.HbmColumn columnMapping, string memberName, NHibernate.Cfg.MappingSchema.HbmFormula formulaMapping) : base(default(NHibernate.Cfg.MappingSchema.HbmColumn), default(string)) => throw null; - public void Formula(string formula) => throw null; - public static object[] GetItemsFor(System.Action[] columnOrFormulaMapper, string baseDefaultColumnName) => throw null; + public ProcessCast() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.CastResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentAsIdLikeComponentAttributesMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentAsIdLikeComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessClientSideSelect : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Class(System.Type componentType) => throw null; - public ComponentAsIdLikeComponentAttributesMapper(NHibernate.Mapping.ByCode.IComponentAsIdMapper realMapper) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(bool isLazy) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; - public void Parent(System.Reflection.MemberInfo parent) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ProcessClientSideSelect() => throw null; + public void Process(NHibernate.Linq.GroupBy.ClientSideSelect resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentAsIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentAsIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComponentAsIdMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessClientSideSelect2 : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - protected void AddProperty(object property) => throw null; - public void Class(System.Type componentType) => throw null; - public ComponentAsIdMapper(System.Type componentType, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmCompositeId id, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public NHibernate.Cfg.MappingSchema.HbmCompositeId CompositeId { get => throw null; } - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType) => throw null; + public ProcessClientSideSelect2() => throw null; + public void Process(NHibernate.Linq.GroupBy.ClientSideSelect2 resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentElementMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentElementMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessContains : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - protected void AddProperty(object property) => throw null; - public void Class(System.Type componentConcreteType) => throw null; - public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public ComponentElementMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, NHibernate.Cfg.MappingSchema.HbmCompositeElement component) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(bool isLazy) => throw null; - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; - public void Parent(System.Reflection.MemberInfo parent) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ProcessContains() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.ContainsResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentMapKeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentMapKeyMapper : NHibernate.Mapping.ByCode.IComponentMapKeyMapper + public class ProcessFetch { - protected void AddProperty(object property) => throw null; - public ComponentMapKeyMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmCompositeMapKey component, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public NHibernate.Cfg.MappingSchema.HbmCompositeMapKey CompositeMapKeyMapping { get => throw null; } - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public ProcessFetch() => throw null; + public void Process(Remotion.Linq.EagerFetching.FetchRequestBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + public void Process(Remotion.Linq.EagerFetching.FetchRequestBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree, string sourceAlias) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessFetchMany : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetch, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - protected override void AddProperty(object property) => throw null; - public void Class(System.Type componentType) => throw null; - public ComponentMapper(NHibernate.Cfg.MappingSchema.HbmComponent component, System.Type componentType, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public ComponentMapper(NHibernate.Cfg.MappingSchema.HbmComponent component, System.Type componentType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(bool isLazy) => throw null; - public void LazyGroup(string name) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; - public void Parent(System.Reflection.MemberInfo parent) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ProcessFetchMany() => throw null; + public void Process(Remotion.Linq.EagerFetching.FetchManyRequest resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void ComponentMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentNestedElementMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentNestedElementMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessFetchOne : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFetch, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - protected void AddProperty(object property) => throw null; - public void Class(System.Type componentConcreteType) => throw null; - public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public ComponentNestedElementMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, NHibernate.Cfg.MappingSchema.HbmNestedCompositeElement component, System.Reflection.MemberInfo declaringComponentMember) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(bool isLazy) => throw null; - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; - public void Parent(System.Reflection.MemberInfo parent) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ProcessFetchOne() => throw null; + public void Process(Remotion.Linq.EagerFetching.FetchOneRequest resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComponentParentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentParentMapper : NHibernate.Mapping.ByCode.IComponentParentMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ProcessFirst : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirstOrSingleBase, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public ComponentParentMapper(NHibernate.Cfg.MappingSchema.HbmParent parent, System.Reflection.MemberInfo member) => throw null; + public ProcessFirst() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.FirstResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ComposedIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComposedIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComposedIdMapper + public class ProcessFirstOrSingleBase { - protected void AddProperty(object property) => throw null; - public NHibernate.Cfg.MappingSchema.HbmCompositeId ComposedId { get => throw null; } - public ComposedIdMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmCompositeId id, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + protected static void AddClientSideEval(System.Reflection.MethodInfo target, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + public ProcessFirstOrSingleBase() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CustomizersHolder : NHibernate.Mapping.ByCode.Impl.ICustomizersHolder + public class ProcessGroupBy : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; - public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; - public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; - public void AddCustomizer(System.Type type, System.Action joinCustomizer) => throw null; - public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; - public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationOneToManyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyElementCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyManyToManyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToManyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToAnyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationElementCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; - public CustomizersHolder() => throw null; - public System.Collections.Generic.IEnumerable GetAllCustomizedEntities() => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper) => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.ISubclassMapper mapper) => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper) => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinAttributesMapper mapper) => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper) => throw null; - public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IClassMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToAnyMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper mapper) => throw null; - public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper mapper) => throw null; - public void Merge(NHibernate.Mapping.ByCode.Impl.CustomizersHolder source) => throw null; + public ProcessGroupBy() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.GroupResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.DefaultCandidatePersistentMembersProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultCandidatePersistentMembersProvider : NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider + public class ProcessNonAggregatingGroupBy : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public DefaultCandidatePersistentMembersProvider() => throw null; - public System.Collections.Generic.IEnumerable GetComponentMembers(System.Type componentClass) => throw null; - public System.Collections.Generic.IEnumerable GetEntityMembersForPoid(System.Type entityClass) => throw null; - public System.Collections.Generic.IEnumerable GetRootEntityMembers(System.Type entityClass) => throw null; - public System.Collections.Generic.IEnumerable GetSubEntityMembers(System.Type entityClass, System.Type entitySuperclass) => throw null; - protected System.Collections.Generic.IEnumerable GetUserDeclaredFields(System.Type type) => throw null; + public ProcessNonAggregatingGroupBy() => throw null; + public void Process(NHibernate.Linq.ResultOperators.NonAggregatingGroupBy resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.DiscriminatorMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DiscriminatorMapper : NHibernate.Mapping.ByCode.IDiscriminatorMapper + public class ProcessOfType : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor { - public void Column(string column) => throw null; - public void Column(System.Action columnMapper) => throw null; - public DiscriminatorMapper(NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminatorMapping) => throw null; - public void Force(bool force) => throw null; - public void Formula(string formula) => throw null; - public void Insert(bool applyOnInsert) => throw null; - public void Length(int length) => throw null; - public void NotNullable(bool isNotNullable) => throw null; - public void Type() where TPersistentType : NHibernate.Type.IDiscriminatorType => throw null; - public void Type(System.Type persistentType) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; - public void Type(NHibernate.Type.IDiscriminatorType persistentType) => throw null; + public ProcessOfType() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.OfTypeResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + } + public class ProcessResultOperatorReturn + { + public System.Action>> AdditionalCriteria { get => throw null; set { } } + public NHibernate.Hql.Ast.HqlTreeNode AdditionalFrom { get => throw null; set { } } + public ProcessResultOperatorReturn() => throw null; + public NHibernate.Hql.Ast.HqlGroupBy GroupBy { get => throw null; set { } } + public System.Linq.Expressions.LambdaExpression ListTransformer { get => throw null; set { } } + public System.Linq.Expressions.LambdaExpression PostExecuteTransformer { get => throw null; set { } } + public NHibernate.Hql.Ast.HqlTreeNode TreeNode { get => throw null; set { } } + public NHibernate.Hql.Ast.HqlBooleanExpression WhereClause { get => throw null; set { } } + } + public class ProcessSingle : NHibernate.Linq.Visitors.ResultOperatorProcessors.ProcessFirstOrSingleBase, NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + { + public ProcessSingle() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.SingleResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + } + public class ProcessSkip : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + { + public ProcessSkip() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.SkipResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + } + public class ProcessTake : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor + { + public ProcessTake() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperators.TakeResultOperator resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModelVisitor, NHibernate.Linq.IntermediateHqlTree tree) => throw null; + } + public class ResultOperatorMap + { + public void Add() where TOperator : Remotion.Linq.Clauses.ResultOperatorBase where TProcessor : NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor, new() => throw null; + public ResultOperatorMap() => throw null; + public void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.DynamicComponentMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynamicComponentMapper : NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IDynamicComponentMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ResultOperatorProcessor : NHibernate.Linq.Visitors.ResultOperatorProcessors.ResultOperatorProcessorBase where T : Remotion.Linq.Clauses.ResultOperatorBase { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - protected void AddProperty(object property) => throw null; - public void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping) => throw null; - public void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public DynamicComponentMapper(NHibernate.Cfg.MappingSchema.HbmDynamicComponent component, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping) => throw null; - public void OneToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; - public void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ResultOperatorProcessor(NHibernate.Linq.Visitors.ResultOperatorProcessors.IResultOperatorProcessor processor) => throw null; + public override void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ElementMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ElementMapper : NHibernate.Mapping.ByCode.IElementMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + public abstract class ResultOperatorProcessorBase + { + protected ResultOperatorProcessorBase() => throw null; + public abstract void Process(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, NHibernate.Linq.Visitors.QueryModelVisitor queryModel, NHibernate.Linq.IntermediateHqlTree tree); + } + } + public class SelectClauseVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + { + public SelectClauseVisitor(System.Type inputType, NHibernate.Linq.Visitors.VisitorParameters parameters) => throw null; + public System.Collections.Generic.IEnumerable GetHqlNodes() => throw null; + public System.Linq.Expressions.LambdaExpression ProjectionExpression { get => throw null; } + public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; + public void VisitSelector(System.Linq.Expressions.Expression expression) => throw null; + public void VisitSelector(System.Linq.Expressions.Expression expression, bool isSubQuery) => throw null; + } + public class SubQueryFromClauseFlattener : NHibernate.Linq.Visitors.NhQueryModelVisitorBase + { + public SubQueryFromClauseFlattener() => throw null; + public static void ReWrite(Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + } + public class SwapQuerySourceVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + { + public SwapQuerySourceVisitor(Remotion.Linq.Clauses.IQuerySource oldClause, Remotion.Linq.Clauses.IQuerySource newClause) => throw null; + public System.Linq.Expressions.Expression Swap(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + } + public class VisitorParameters + { + public System.Collections.Generic.IDictionary ConstantToParameterMap { get => throw null; } + public VisitorParameters(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, System.Collections.Generic.IDictionary constantToParameterMap, System.Collections.Generic.List requiredHqlParameters, NHibernate.Linq.QuerySourceNamer querySourceNamer, System.Type targetEntityType, NHibernate.Linq.QueryMode rootQueryMode) => throw null; + public NHibernate.Linq.QuerySourceNamer QuerySourceNamer { get => throw null; set { } } + public System.Collections.Generic.List RequiredHqlParameters { get => throw null; } + public NHibernate.Linq.QueryMode RootQueryMode { get => throw null; } + public NHibernate.Engine.ISessionFactoryImplementor SessionFactory { get => throw null; } + public System.Type TargetEntityType { get => throw null; } + } + public static class VisitorUtil + { + public static string GetMemberPath(this System.Linq.Expressions.MemberExpression memberExpression) => throw null; + public static bool IsBooleanConstant(System.Linq.Expressions.Expression expression, out bool value) => throw null; + public static bool IsDynamicComponentDictionaryGetter(System.Reflection.MethodInfo method, System.Linq.Expressions.Expression targetObject, System.Collections.Generic.IEnumerable arguments, NHibernate.ISessionFactory sessionFactory, out string memberName) => throw null; + public static bool IsDynamicComponentDictionaryGetter(System.Linq.Expressions.MethodCallExpression expression, NHibernate.ISessionFactory sessionFactory, out string memberName) => throw null; + public static bool IsDynamicComponentDictionaryGetter(System.Linq.Expressions.MethodCallExpression expression, NHibernate.ISessionFactory sessionFactory) => throw null; + public static bool IsNullConstant(System.Linq.Expressions.Expression expression) => throw null; + public static System.Linq.Expressions.Expression Replace(this System.Linq.Expressions.Expression expression, System.Linq.Expressions.Expression oldExpression, System.Linq.Expressions.Expression newExpression) => throw null; + } + } + } + namespace Loader + { + public abstract class AbstractEntityJoinWalker : NHibernate.Loader.JoinWalker + { + protected virtual void AddAssociations() => throw null; + protected string Alias { get => throw null; } + public abstract string Comment { get; } + protected virtual NHibernate.Loader.OuterJoinableAssociation CreateRootAssociation() => throw null; + public AbstractEntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public AbstractEntityJoinWalker(string rootSqlAlias, NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected virtual void InitAll(NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.LockMode lockMode) => throw null; + protected void InitProjection(NHibernate.SqlCommand.SqlString projectionString, NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.SqlCommand.SqlString groupByString, NHibernate.SqlCommand.SqlString havingString, System.Collections.Generic.IDictionary enabledFilters, NHibernate.LockMode lockMode) => throw null; + protected void InitProjection(NHibernate.SqlCommand.SqlString projectionString, NHibernate.SqlCommand.SqlString whereString, NHibernate.SqlCommand.SqlString orderByString, NHibernate.SqlCommand.SqlString groupByString, NHibernate.SqlCommand.SqlString havingString, System.Collections.Generic.IDictionary enabledFilters, NHibernate.LockMode lockMode, System.Collections.Generic.IList entityProjections) => throw null; + protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected NHibernate.Persister.Entity.IOuterJoinLoadable Persister { get => throw null; } + public override string ToString() => throw null; + protected virtual NHibernate.SqlCommand.SqlString WhereFragment { get => throw null; } + } + public abstract class BasicLoader : NHibernate.Loader.Loader + { + protected override sealed NHibernate.Loader.ICollectionAliases[] CollectionAliases { get => throw null; } + protected abstract string[] CollectionSuffixes { get; } + public BasicLoader(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override sealed NHibernate.Loader.IEntityAliases[] EntityAliases { get => throw null; } + public static string GenerateSuffix(int index) => throw null; + public static string[] GenerateSuffixes(int length) => throw null; + public static string[] GenerateSuffixes(int seed, int length) => throw null; + protected virtual System.Collections.Generic.IDictionary GetCollectionUserProvidedAlias(int index) => throw null; + protected static string[] NoSuffix; + protected override void PostInstantiate() => throw null; + protected abstract string[] Suffixes { get; } + } + public enum BatchFetchStyle + { + Legacy = 0, + Dynamic = 1, + } + namespace Collection + { + public abstract class AbstractBatchingCollectionInitializer : NHibernate.Loader.Collection.ICollectionInitializer + { + protected NHibernate.Persister.Collection.IQueryableCollection CollectionPersister { get => throw null; } + protected AbstractBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection collectionPersister) => throw null; + public abstract void Initialize(object id, NHibernate.Engine.ISessionImplementor session); + public abstract System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } + public class BasicCollectionJoinWalker : NHibernate.Loader.Collection.CollectionJoinWalker + { + public BasicCollectionJoinWalker(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public override string ToString() => throw null; + } + public class BasicCollectionLoader : NHibernate.Loader.Collection.CollectionLoader + { + public BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.Engine.ISessionFactoryImplementor session, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected BasicCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected virtual void InitializeFromWalker(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.SqlCommand.SqlString subquery, int batchSize, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class BatchingCollectionInitializer : NHibernate.Loader.Collection.AbstractBatchingCollectionInitializer + { + public static NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public static NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingOneToManyInitializer(NHibernate.Persister.Collection.OneToManyPersister persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public static NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingOneToManyInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public BatchingCollectionInitializer(NHibernate.Persister.Collection.ICollectionPersister collectionPersister, int[] batchSizes, NHibernate.Loader.Loader[] loaders) : base(default(NHibernate.Persister.Collection.IQueryableCollection)) => throw null; + public BatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, int[] batchSizes, NHibernate.Loader.Loader[] loaders) : base(default(NHibernate.Persister.Collection.IQueryableCollection)) => throw null; + public override void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + public abstract class BatchingCollectionInitializerBuilder + { + public virtual NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public virtual NHibernate.Loader.Collection.ICollectionInitializer CreateBatchingOneToManyInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + protected abstract NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters); + protected abstract NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingOneToManyInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters); + protected BatchingCollectionInitializerBuilder() => throw null; + } + public abstract class CollectionJoinWalker : NHibernate.Loader.JoinWalker + { + public CollectionJoinWalker(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected NHibernate.SqlCommand.SqlStringBuilder WhereString(string alias, string[] columnNames, NHibernate.SqlCommand.SqlString subselect, int batchSize) => throw null; + } + public class CollectionLoader : NHibernate.Loader.OuterJoinLoader, NHibernate.Loader.Collection.ICollectionInitializer + { + protected NHibernate.Persister.Collection.IQueryableCollection CollectionPersister { get => throw null; } + protected virtual System.Collections.Generic.IEnumerable CreateParameterSpecificationsAndAssignBackTrack(System.Collections.Generic.IEnumerable sqlPatameters) => throw null; + public CollectionLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected NHibernate.SqlCommand.SqlString GetSubSelectWithLimits(NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.RowSelection processedRowSelection, System.Collections.Generic.IDictionary parameters) => throw null; + public virtual void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public virtual System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsSubselectLoadingEnabled { get => throw null; } + protected NHibernate.Type.IType KeyType { get => throw null; } + public override string ToString() => throw null; + } + public class DynamicBatchingCollectionInitializerBuilder : NHibernate.Loader.Collection.BatchingCollectionInitializerBuilder + { + protected override NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + protected override NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingOneToManyInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public DynamicBatchingCollectionInitializerBuilder() => throw null; + } + public interface ICollectionInitializer + { + void Initialize(object id, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } + public class LegacyBatchingCollectionInitializerBuilder : NHibernate.Loader.Collection.BatchingCollectionInitializerBuilder + { + protected override NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingCollectionInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + protected override NHibernate.Loader.Collection.ICollectionInitializer CreateRealBatchingOneToManyInitializer(NHibernate.Persister.Collection.IQueryableCollection persister, int maxBatchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public LegacyBatchingCollectionInitializerBuilder() => throw null; + } + public class OneToManyJoinWalker : NHibernate.Loader.Collection.CollectionJoinWalker + { + public OneToManyJoinWalker(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override string GenerateAliasForColumn(string rootAlias, string column) => throw null; + protected override bool IsDuplicateAssociation(string foreignKeyTable, string[] foreignKeyColumns) => throw null; + public override string ToString() => throw null; + } + public class OneToManyLoader : NHibernate.Loader.Collection.CollectionLoader + { + public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, NHibernate.Engine.ISessionFactoryImplementor session, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public OneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, int batchSize, NHibernate.SqlCommand.SqlString subquery, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected virtual void InitializeFromWalker(NHibernate.Persister.Collection.IQueryableCollection oneToManyPersister, NHibernate.SqlCommand.SqlString subquery, int batchSize, System.Collections.Generic.IDictionary enabledFilters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + } + public class SubselectCollectionLoader : NHibernate.Loader.Collection.BasicCollectionLoader + { + public SubselectCollectionLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection entityKeys, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + public override void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class SubselectOneToManyLoader : NHibernate.Loader.Collection.OneToManyLoader + { + public SubselectOneToManyLoader(NHibernate.Persister.Collection.IQueryableCollection persister, NHibernate.SqlCommand.SqlString subquery, System.Collections.Generic.ICollection entityKeys, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Collection.IQueryableCollection), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + public override void Initialize(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task InitializeAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + } + namespace Criteria + { + public class ComponentCollectionCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + { + public ComponentCollectionCriteriaInfoProvider(NHibernate.Persister.Collection.IQueryableCollection persister) => throw null; + public NHibernate.Type.IType GetType(string relativePath) => throw null; + public string Name { get => throw null; } + public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } + public string[] Spaces { get => throw null; } + } + public class CriteriaJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + { + protected override void AddAssociations() => throw null; + public override string Comment { get => throw null; } + protected override NHibernate.Loader.OuterJoinableAssociation CreateRootAssociation() => throw null; + public CriteriaJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Loader.Criteria.CriteriaQueryTranslator translator, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.ICriteria criteria, string rootEntityName, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override string GenerateRootAlias(string tableName) => throw null; + protected override string GenerateTableAlias(int n, string path, string pathAlias, NHibernate.Persister.Entity.IJoinable joinable) => throw null; + protected override System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; + protected override System.Collections.Generic.ISet GetEntityFetchLazyProperties(string path) => throw null; + protected override NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string pathAlias, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected override NHibernate.SelectMode GetSelectMode(string path) => throw null; + protected override NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; + public bool[] IncludeInResultRow { get => throw null; } + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public NHibernate.Type.IType[] ResultTypes { get => throw null; } + public string[] UserAliases { get => throw null; } + protected override void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path) => throw null; + protected override NHibernate.SqlCommand.SqlString WhereFragment { get => throw null; } + } + public class CriteriaLoader : NHibernate.Loader.OuterJoinLoader + { + protected override NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sqlSelectString, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; + protected override bool AreResultSetRowsTransformedImmediately() => throw null; + public CriteriaLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl rootCriteria, string rootEntityName, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } + public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer customResultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer customResultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool[] IncludeInResultRow { get => throw null; } + protected override bool IsChildFetchEntity(int i) => throw null; + protected override bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; + public override bool IsSubselectLoadingEnabled { get => throw null; } + public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override string[] ResultRowAliases { get => throw null; } + public NHibernate.Loader.Criteria.CriteriaQueryTranslator Translator { get => throw null; } + } + public class CriteriaQueryTranslator : NHibernate.Criterion.ICriteriaQuery, NHibernate.Loader.Criteria.ISupportEntityProjectionCriteriaQuery + { + public System.Collections.Generic.ICollection CollectedParameters { get => throw null; } + public System.Collections.Generic.ICollection CollectedParameterSpecifications { get => throw null; } + public NHibernate.SqlCommand.Parameter CreateSkipParameter(int value) => throw null; + public NHibernate.SqlCommand.Parameter CreateTakeParameter(int value) => throw null; + public CriteriaQueryTranslator(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl criteria, string rootEntityName, string rootSQLAlias, NHibernate.Criterion.ICriteriaQuery outerQuery) => throw null; + public CriteriaQueryTranslator(NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Impl.CriteriaImpl criteria, string rootEntityName, string rootSQLAlias) => throw null; + public class EntityJoinInfo + { + public NHibernate.ICriteria Criteria; + public EntityJoinInfo() => throw null; + public NHibernate.Persister.Entity.IQueryable Persister; + } + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public string GenerateSQLAlias() => throw null; + public System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; + public string GetColumn(NHibernate.ICriteria criteria, string propertyName) => throw null; + public string[] GetColumnAliasesUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public string[] GetColumns(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public string[] GetColumnsUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public NHibernate.ICriteria GetCriteria(string path) => throw null; + public NHibernate.ICriteria GetCriteria(string path, string critAlias) => throw null; + public string GetEntityName(NHibernate.ICriteria criteria) => throw null; + public string GetEntityName(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public System.Collections.Generic.IList GetEntityProjections() => throw null; + public NHibernate.SqlCommand.SqlString GetGroupBy() => throw null; + public NHibernate.SqlCommand.SqlString GetHavingCondition() => throw null; + public string[] GetIdentifierColumns(NHibernate.ICriteria subcriteria) => throw null; + public NHibernate.Type.IType GetIdentifierType(NHibernate.ICriteria subcriteria) => throw null; + public int GetIndexForAlias() => throw null; + public NHibernate.SqlCommand.JoinType GetJoinType(string path) => throw null; + public NHibernate.SqlCommand.JoinType GetJoinType(string path, string critAlias) => throw null; + public NHibernate.SqlCommand.SqlString GetOrderBy() => throw null; + public string GetPropertyName(string propertyName) => throw null; + public NHibernate.Engine.QueryParameters GetQueryParameters() => throw null; + public System.Collections.Generic.ISet GetQuerySpaces() => throw null; + public NHibernate.SqlCommand.SqlString GetSelect() => throw null; + public string GetSQLAlias(NHibernate.ICriteria criteria) => throw null; + public string GetSQLAlias(NHibernate.ICriteria criteria, string propertyName) => throw null; + public NHibernate.Type.IType GetType(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public NHibernate.Engine.TypedValue GetTypedIdentifierValue(NHibernate.ICriteria subcriteria, object value) => throw null; + public NHibernate.Engine.TypedValue GetTypedValue(NHibernate.ICriteria subcriteria, string propertyName, object value) => throw null; + public NHibernate.Type.IType GetTypeUsingProjection(NHibernate.ICriteria subcriteria, string propertyName) => throw null; + public NHibernate.SqlCommand.SqlString GetWhereCondition() => throw null; + public NHibernate.SqlCommand.SqlString GetWithClause(string path) => throw null; + public NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; + protected static bool HasGroupedOrAggregateProjection(NHibernate.Criterion.IProjection[] projections) => throw null; + public bool HasProjection { get => throw null; } + public bool IsJoin(string path) => throw null; + public bool IsJoin(string path, string critAlias) => throw null; + public System.Collections.Generic.IEnumerable NewQueryParameter(NHibernate.Engine.TypedValue parameter) => throw null; + public string[] ProjectedAliases { get => throw null; } + public string[] ProjectedColumnAliases { get => throw null; } + public NHibernate.Type.IType[] ProjectedTypes { get => throw null; } + public void RegisterEntityProjection(NHibernate.Criterion.EntityProjection projection) => throw null; + public NHibernate.SqlCommand.SqlString RenderSQLAliases(NHibernate.SqlCommand.SqlString sqlTemplate) => throw null; + public NHibernate.Impl.CriteriaImpl RootCriteria { get => throw null; } + NHibernate.ICriteria NHibernate.Loader.Criteria.ISupportEntityProjectionCriteriaQuery.RootCriteria { get => throw null; } + public static string RootSqlAlias; + public string RootSQLAlias { get => throw null; } + public int SQLAliasCount { get => throw null; } + public bool TryGetType(NHibernate.ICriteria subcriteria, string propertyName, out NHibernate.Type.IType type) => throw null; + public System.Collections.Generic.ISet UncacheableCollectionPersisters { get => throw null; } + } + public class EntityCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + { + public EntityCriteriaInfoProvider(NHibernate.Persister.Entity.IQueryable persister) => throw null; + public NHibernate.Type.IType GetType(string relativePath) => throw null; + public string Name { get => throw null; } + public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } + public string[] Spaces { get => throw null; } + } + public interface ICriteriaInfoProvider + { + NHibernate.Type.IType GetType(string relativePath); + string Name { get; } + NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get; } + string[] Spaces { get; } + } + public interface ISupportEntityProjectionCriteriaQuery + { + void RegisterEntityProjection(NHibernate.Criterion.EntityProjection projection); + NHibernate.ICriteria RootCriteria { get; } + } + public class ScalarCollectionCriteriaInfoProvider : NHibernate.Loader.Criteria.ICriteriaInfoProvider + { + public ScalarCollectionCriteriaInfoProvider(NHibernate.Hql.Util.SessionFactoryHelper helper, string role) => throw null; + public NHibernate.Type.IType GetType(string relativePath) => throw null; + public string Name { get => throw null; } + public NHibernate.Persister.Entity.IPropertyMapping PropertyMapping { get => throw null; } + public string[] Spaces { get => throw null; } + } + } + namespace Custom + { + public class CollectionFetchReturn : NHibernate.Loader.Custom.FetchReturn + { + public NHibernate.Loader.ICollectionAliases CollectionAliases { get => throw null; } + public CollectionFetchReturn(string alias, NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, NHibernate.Loader.ICollectionAliases collectionAliases, NHibernate.Loader.IEntityAliases elementEntityAliases, NHibernate.LockMode lockMode) : base(default(NHibernate.Loader.Custom.NonScalarReturn), default(string), default(string), default(NHibernate.LockMode)) => throw null; + public NHibernate.Loader.IEntityAliases ElementEntityAliases { get => throw null; } + } + public class CollectionReturn : NHibernate.Loader.Custom.NonScalarReturn + { + public NHibernate.Loader.ICollectionAliases CollectionAliases { get => throw null; } + public CollectionReturn(string alias, string ownerEntityName, string ownerProperty, NHibernate.Loader.ICollectionAliases collectionAliases, NHibernate.Loader.IEntityAliases elementEntityAliases, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; + public NHibernate.Loader.IEntityAliases ElementEntityAliases { get => throw null; } + public string OwnerEntityName { get => throw null; } + public string OwnerProperty { get => throw null; } + } + public class ColumnCollectionAliases : NHibernate.Loader.ICollectionAliases + { + public ColumnCollectionAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Collection.ISqlLoadableCollection persister) => throw null; + public string Suffix { get => throw null; } + public string[] SuffixedElementAliases { get => throw null; } + public string SuffixedIdentifierAlias { get => throw null; } + public string[] SuffixedIndexAliases { get => throw null; } + public string[] SuffixedKeyAliases { get => throw null; } + public override string ToString() => throw null; + } + public class ColumnEntityAliases : NHibernate.Loader.DefaultEntityAliases + { + public ColumnEntityAliases(System.Collections.Generic.IDictionary returnProperties, NHibernate.Persister.Entity.ILoadable persister, string suffix) : base(default(NHibernate.Persister.Entity.ILoadable), default(string)) => throw null; + protected override string GetDiscriminatorAlias(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + protected override string[] GetIdentifierAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + protected override string[] GetPropertyAliases(NHibernate.Persister.Entity.ILoadable persister, int j) => throw null; + } + public class CustomLoader : NHibernate.Loader.Loader + { + protected override void AutoDiscoverTypes(System.Data.Common.DbDataReader rs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; + protected override NHibernate.Loader.ICollectionAliases[] CollectionAliases { get => throw null; } + protected override int[] CollectionOwners { get => throw null; } + protected override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } + public CustomLoader(NHibernate.Loader.Custom.ICustomQuery customQuery, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override NHibernate.Loader.IEntityAliases[] EntityAliases { get => throw null; } + public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } + public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModesMap) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool[] IncludeInResultRow { get => throw null; } + public interface IResultColumnProcessor { - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public ElementMapper(System.Type elementType, NHibernate.Cfg.MappingSchema.HbmElement elementMapping) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public void Length(int length) => throw null; - public void NotNullable(bool notnull) => throw null; - public void Precision(System.Int16 precision) => throw null; - public void Scale(System.Int16 scale) => throw null; - public void Type(object parameters) => throw null; - public void Type() => throw null; - public void Type(System.Type persistentType, object parameters) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; - public void Unique(bool unique) => throw null; + object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases); } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ElementMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void ElementMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper collectionRelationElementCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.ExplicitDeclarationsHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ExplicitDeclarationsHolder : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + public class MetaData { - public void AddAsAny(System.Reflection.MemberInfo member) => throw null; - public void AddAsArray(System.Reflection.MemberInfo member) => throw null; - public void AddAsBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsComponent(System.Type type) => throw null; - public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; - public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; - public void AddAsList(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsMap(System.Reflection.MemberInfo member) => throw null; - public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; - public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; - public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; - public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; - public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; - public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; - public void AddAsRootEntity(System.Type type) => throw null; - public void AddAsSet(System.Reflection.MemberInfo member) => throw null; - public void AddAsTablePerClassEntity(System.Type type) => throw null; - public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; - public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; - public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable Any { get => throw null; } - public System.Collections.Generic.IEnumerable Arrays { get => throw null; } - public System.Collections.Generic.IEnumerable Bags { get => throw null; } - public System.Collections.Generic.IEnumerable Components { get => throw null; } - public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } - public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } - public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } - public ExplicitDeclarationsHolder() => throw null; - public System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; - public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; - public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; - public System.Collections.Generic.IEnumerable IdBags { get => throw null; } - public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable Lists { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } - public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } - public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } - public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } - public System.Collections.Generic.IEnumerable Poids { get => throw null; } - public System.Collections.Generic.IEnumerable Properties { get => throw null; } - public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } - public System.Collections.Generic.IEnumerable Sets { get => throw null; } - public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } - public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } - public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + public MetaData(System.Data.Common.DbDataReader resultSet) => throw null; + public int GetColumnCount() => throw null; + public string GetColumnName(int position) => throw null; + public int GetColumnPosition(string columnName) => throw null; + public NHibernate.Type.IType GetHibernateType(int columnPos) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.FilterMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterMapper : NHibernate.Mapping.ByCode.IFilterMapper + public System.Collections.Generic.IEnumerable NamedParameters { get => throw null; } + public class NonScalarResultColumnProcessor : NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor { - public void Condition(string sqlCondition) => throw null; - public FilterMapper(string filterName, NHibernate.Cfg.MappingSchema.HbmFilter filter) => throw null; + public NonScalarResultColumnProcessor(int position) => throw null; + public object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.GeneratorMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GeneratorMapper : NHibernate.Mapping.ByCode.IGeneratorMapper + protected override int[] Owners { get => throw null; } + public override string QueryIdentifier { get => throw null; } + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + protected override void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override string[] ResultRowAliases { get => throw null; } + public class ResultRowProcessor { - public GeneratorMapper(NHibernate.Cfg.MappingSchema.HbmGenerator generator) => throw null; - public void Params(object generatorParameters) => throw null; - public void Params(System.Collections.Generic.IDictionary generatorParameters) => throw null; + public object BuildResultRow(object[] data, System.Data.Common.DbDataReader resultSet, bool hasTransformer, NHibernate.Engine.ISessionImplementor session) => throw null; + public object[] BuildResultRow(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task BuildResultRowAsync(object[] data, System.Data.Common.DbDataReader resultSet, bool hasTransformer, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task BuildResultRowAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor[] ColumnProcessors { get => throw null; } + public ResultRowProcessor(bool hasScalars, NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor[] columnProcessors) => throw null; + public void PrepareForAutoDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICandidatePersistentMembersProvider + public string[] ReturnAliases { get => throw null; } + public class ScalarResultColumnProcessor : NHibernate.Loader.Custom.CustomLoader.IResultColumnProcessor { - System.Collections.Generic.IEnumerable GetComponentMembers(System.Type componentClass); - System.Collections.Generic.IEnumerable GetEntityMembersForPoid(System.Type entityClass); - System.Collections.Generic.IEnumerable GetRootEntityMembers(System.Type entityClass); - System.Collections.Generic.IEnumerable GetSubEntityMembers(System.Type entityClass, System.Type entitySuperclass); + public ScalarResultColumnProcessor(int position) => throw null; + public ScalarResultColumnProcessor(string alias, NHibernate.Type.IType type) => throw null; + public object Extract(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Threading.Tasks.Task ExtractAsync(object[] data, System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public void PerformDiscovery(NHibernate.Loader.Custom.CustomLoader.MetaData metadata, System.Collections.Generic.IList types, System.Collections.Generic.IList aliases) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ICustomizersHolder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ICustomizersHolder + public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + } + public class EntityFetchReturn : NHibernate.Loader.Custom.FetchReturn + { + public EntityFetchReturn(string alias, NHibernate.Loader.IEntityAliases entityAliases, NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, NHibernate.LockMode lockMode) : base(default(NHibernate.Loader.Custom.NonScalarReturn), default(string), default(string), default(NHibernate.LockMode)) => throw null; + public NHibernate.Loader.IEntityAliases EntityAliases { get => throw null; } + } + public abstract class FetchReturn : NHibernate.Loader.Custom.NonScalarReturn + { + public FetchReturn(NHibernate.Loader.Custom.NonScalarReturn owner, string ownerProperty, string alias, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; + public NHibernate.Loader.Custom.NonScalarReturn Owner { get => throw null; } + public string OwnerProperty { get => throw null; } + } + public interface ICustomQuery + { + System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get; } + System.Collections.Generic.IList CustomQueryReturns { get; } + System.Collections.Generic.ISet QuerySpaces { get; } + NHibernate.SqlCommand.SqlString SQL { get; } + } + public interface IReturn + { + } + public abstract class NonScalarReturn : NHibernate.Loader.Custom.IReturn + { + public string Alias { get => throw null; } + public NonScalarReturn(string alias, NHibernate.LockMode lockMode) => throw null; + public NHibernate.LockMode LockMode { get => throw null; } + } + public class RootReturn : NHibernate.Loader.Custom.NonScalarReturn + { + public RootReturn(string alias, string entityName, NHibernate.Loader.IEntityAliases entityAliases, NHibernate.LockMode lockMode) : base(default(string), default(NHibernate.LockMode)) => throw null; + public NHibernate.Loader.IEntityAliases EntityAliases { get => throw null; } + public string EntityName { get => throw null; } + } + public class ScalarReturn : NHibernate.Loader.Custom.IReturn + { + public string ColumnAlias { get => throw null; } + public ScalarReturn(NHibernate.Type.IType type, string columnAlias) => throw null; + public NHibernate.Type.IType Type { get => throw null; } + } + namespace Sql + { + public class SQLCustomQuery : NHibernate.Loader.Custom.ICustomQuery { - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(System.Type type, System.Action classCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationOneToManyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyElementCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyManyToManyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToManyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToAnyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationElementCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); - System.Collections.Generic.IEnumerable GetAllCustomizedEntities(); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.ISubclassMapper mapper); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinAttributesMapper mapper); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper); - void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IClassMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToAnyMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper mapper); - void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper mapper); + public System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get => throw null; } + public SQLCustomQuery(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, string sqlQuery, System.Collections.Generic.ICollection additionalQuerySpaces, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public System.Collections.Generic.IList CustomQueryReturns { get => throw null; } + public System.Collections.Generic.ISet QuerySpaces { get => throw null; } + public NHibernate.SqlCommand.SqlString SQL { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.Impl.IdBagMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdBagMapper : NHibernate.Mapping.ByCode.IIdBagPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class SQLQueryParser { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void BatchSize(int value) => throw null; - public void Cache(System.Action cacheMapping) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Catalog(string catalogName) => throw null; - public System.Type ElementType { get => throw null; set => throw null; } - public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Id(System.Action idMapping) => throw null; - public IdBagMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmIdbag mapping) => throw null; - public IdBagMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmIdbag mapping) => throw null; - public void Inverse(bool value) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Mutable(bool value) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void OrderBy(string sqlOrderByClause) => throw null; - public void OrderBy(System.Reflection.MemberInfo property) => throw null; - public System.Type OwnerType { get => throw null; set => throw null; } - public void Persister(System.Type persister) => throw null; - public void Schema(string schemaName) => throw null; - public void Sort() => throw null; - public void Sort() => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlDeleteAll(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Table(string tableName) => throw null; - public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; - public void Type(System.Type collectionType) => throw null; - public void Where(string sqlWhereClause) => throw null; + public System.Collections.Generic.IEnumerable CollectedParametersSpecifications { get => throw null; } + public SQLQueryParser(NHibernate.Engine.ISessionFactoryImplementor factory, string sqlQuery, NHibernate.Loader.Custom.Sql.SQLQueryParser.IParserContext context) => throw null; + public interface IParserContext + { + NHibernate.Persister.Collection.ISqlLoadableCollection GetCollectionPersisterByAlias(string alias); + string GetCollectionSuffixByAlias(string alias); + NHibernate.Persister.Entity.ISqlLoadable GetEntityPersisterByAlias(string alias); + string GetEntitySuffixByAlias(string alias); + System.Collections.Generic.IDictionary GetPropertyResultsMapByAlias(string alias); + bool IsCollectionAlias(string aliasName); + bool IsEntityAlias(string aliasName); + } + public class ParameterSubstitutionRecognizer : NHibernate.Engine.Query.ParameterParser.IRecognizer + { + public ParameterSubstitutionRecognizer(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public void JpaPositionalParameter(string name, int position) => throw null; + public void NamedParameter(string name, int position) => throw null; + public void OrdinalParameter(int position) => throw null; + public void Other(char character) => throw null; + public void Other(string sqlPart) => throw null; + public void OutParameter(int position) => throw null; + public System.Collections.Generic.IEnumerable ParametersSpecifications { get => throw null; } + } + public NHibernate.SqlCommand.SqlString Process() => throw null; + public bool QueryHasAliases { get => throw null; } } - - // Generated from `NHibernate.Mapping.ByCode.Impl.IdBagMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void IdBagMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.IdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdMapper : NHibernate.Mapping.ByCode.IIdMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class SQLQueryReturnProcessor { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping) => throw null; - public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator) => throw null; - public IdMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmId hbmId) => throw null; - public IdMapper(NHibernate.Cfg.MappingSchema.HbmId hbmId) => throw null; - public void Length(int length) => throw null; - public void Type(System.Type persistentType, object parameters) => throw null; - public void Type(NHibernate.Type.IIdentifierType persistentType) => throw null; - public void UnsavedValue(object value) => throw null; + public SQLQueryReturnProcessor(NHibernate.Engine.Query.Sql.INativeSQLQueryReturn[] queryReturns, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public System.Collections.IList GenerateCustomReturns(bool queryHadAliases) => throw null; + public NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor.ResultAliasContext Process() => throw null; + public class ResultAliasContext + { + public ResultAliasContext(NHibernate.Loader.Custom.Sql.SQLQueryReturnProcessor parent) => throw null; + public NHibernate.Persister.Collection.ISqlLoadableCollection GetCollectionPersister(string alias) => throw null; + public string GetCollectionSuffix(string alias) => throw null; + public NHibernate.Persister.Entity.ISqlLoadable GetEntityPersister(string alias) => throw null; + public string GetEntitySuffix(string alias) => throw null; + public string GetOwnerAlias(string alias) => throw null; + public System.Collections.Generic.IDictionary GetPropertyResultsMap(string alias) => throw null; + } } - - // Generated from `NHibernate.Mapping.ByCode.Impl.JoinMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + } + } + public class DefaultEntityAliases : NHibernate.Loader.IEntityAliases + { + public DefaultEntityAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + public DefaultEntityAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + protected virtual string GetDiscriminatorAlias(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + protected virtual string[] GetIdentifierAliases(NHibernate.Persister.Entity.ILoadable persister, string suffix) => throw null; + protected virtual string[] GetPropertyAliases(NHibernate.Persister.Entity.ILoadable persister, int j) => throw null; + public string[][] GetSuffixedPropertyAliases(NHibernate.Persister.Entity.ILoadable persister) => throw null; + public string RowIdAlias { get => throw null; } + public string SuffixedDiscriminatorAlias { get => throw null; } + public string[] SuffixedKeyAliases { get => throw null; } + public string[][] SuffixedPropertyAliases { get => throw null; } + public string[] SuffixedVersionAliases { get => throw null; } + } + namespace Entity + { + public abstract class AbstractBatchingEntityLoader : NHibernate.Loader.Entity.IUniqueEntityLoader + { + protected virtual NHibernate.Engine.QueryParameters BuildQueryParameters(object id, object[] ids, object optionalObject) => throw null; + protected AbstractBatchingEntityLoader(NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected object GetObjectFromList(System.Collections.IList results, object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public abstract object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session); + public abstract System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + protected NHibernate.Persister.Entity.IEntityPersister Persister { get => throw null; } + } + public abstract class AbstractEntityLoader : NHibernate.Loader.OuterJoinLoader, NHibernate.Loader.Entity.IUniqueEntityLoader + { + protected AbstractEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Type.IType uniqueKeyType, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected string entityName; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool IsSingleRowLoader { get => throw null; } + public object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual object Load(NHibernate.Engine.ISessionImplementor session, object id, object optionalObject, object optionalId) => throw null; + public System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual System.Threading.Tasks.Task LoadAsync(NHibernate.Engine.ISessionImplementor session, object id, object optionalObject, object optionalId, System.Threading.CancellationToken cancellationToken) => throw null; + protected static NHibernate.INHibernateLogger log; + protected NHibernate.Persister.Entity.IOuterJoinLoadable persister; + protected NHibernate.Type.IType UniqueKeyType { get => throw null; } + } + public class BatchingEntityLoader : NHibernate.Loader.Entity.AbstractBatchingEntityLoader + { + public static NHibernate.Loader.Entity.IUniqueEntityLoader CreateBatchingEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int maxBatchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public BatchingEntityLoader(NHibernate.Persister.Entity.IEntityPersister persister, int[] batchSizes, NHibernate.Loader.Loader[] loaders) : base(default(NHibernate.Persister.Entity.IEntityPersister)) => throw null; + public override object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session) => throw null; + public override System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + } + public abstract class BatchingEntityLoaderBuilder + { + protected abstract NHibernate.Loader.Entity.IUniqueEntityLoader BuildBatchingLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters); + public virtual NHibernate.Loader.Entity.IUniqueEntityLoader BuildLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + protected BatchingEntityLoaderBuilder() => throw null; + } + public class CascadeEntityJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + { + public override string Comment { get => throw null; } + public CascadeEntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.CascadingAction action, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected override bool IsTooManyCollections { get => throw null; } + } + public class CascadeEntityLoader : NHibernate.Loader.Entity.AbstractEntityLoader + { + public CascadeEntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.Engine.CascadingAction action, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + } + public class CollectionElementLoader : NHibernate.Loader.OuterJoinLoader + { + public CollectionElementLoader(NHibernate.Persister.Collection.IQueryableCollection collectionPersister, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer transformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer transformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool IsSingleRowLoader { get => throw null; } + public virtual object LoadElement(NHibernate.Engine.ISessionImplementor session, object key, object index) => throw null; + public virtual System.Threading.Tasks.Task LoadElementAsync(NHibernate.Engine.ISessionImplementor session, object key, object index, System.Threading.CancellationToken cancellationToken) => throw null; + } + public class DynamicBatchingEntityLoaderBuilder : NHibernate.Loader.Entity.BatchingEntityLoaderBuilder + { + protected override NHibernate.Loader.Entity.IUniqueEntityLoader BuildBatchingLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public DynamicBatchingEntityLoaderBuilder() => throw null; + } + public class EntityJoinWalker : NHibernate.Loader.AbstractEntityJoinWalker + { + public override string Comment { get => throw null; } + public EntityJoinWalker(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string[] uniqueKey, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override string GenerateAliasForColumn(string rootAlias, string column) => throw null; + protected override bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + } + public class EntityLoader : NHibernate.Loader.Entity.AbstractEntityLoader + { + public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + public EntityLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string[] uniqueKey, NHibernate.Type.IType uniqueKeyType, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Persister.Entity.IOuterJoinLoadable), default(NHibernate.Type.IType), default(NHibernate.Engine.ISessionFactoryImplementor), default(System.Collections.Generic.IDictionary)) => throw null; + protected override bool IsSingleRowLoader { get => throw null; } + public object LoadByUniqueKey(NHibernate.Engine.ISessionImplementor session, object key) => throw null; + public System.Threading.Tasks.Task LoadByUniqueKeyAsync(NHibernate.Engine.ISessionImplementor session, object key, System.Threading.CancellationToken cancellationToken) => throw null; + } + public interface IUniqueEntityLoader + { + object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } + public class LegacyBatchingEntityLoaderBuilder : NHibernate.Loader.Entity.BatchingEntityLoaderBuilder + { + protected override NHibernate.Loader.Entity.IUniqueEntityLoader BuildBatchingLoader(NHibernate.Persister.Entity.IOuterJoinLoadable persister, int batchSize, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public LegacyBatchingEntityLoaderBuilder() => throw null; + } + } + public class GeneratedCollectionAliases : NHibernate.Loader.ICollectionAliases + { + public GeneratedCollectionAliases(System.Collections.Generic.IDictionary userProvidedAliases, NHibernate.Persister.Collection.ICollectionPersister persister, string suffix) => throw null; + public GeneratedCollectionAliases(NHibernate.Persister.Collection.ICollectionPersister persister, string str) => throw null; + public string Suffix { get => throw null; } + public string[] SuffixedElementAliases { get => throw null; } + public string SuffixedIdentifierAlias { get => throw null; } + public string[] SuffixedIndexAliases { get => throw null; } + public string[] SuffixedKeyAliases { get => throw null; } + public override string ToString() => throw null; + } + namespace Hql + { + public class QueryLoader : NHibernate.Loader.BasicLoader + { + protected override string[] Aliases { get => throw null; } + protected override NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; + protected override int[] CollectionOwners { get => throw null; } + protected override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } + protected override string[] CollectionSuffixes { get => throw null; } + public QueryLoader(NHibernate.Hql.Ast.ANTLR.QueryTranslatorImpl queryTranslator, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Hql.Ast.ANTLR.Tree.SelectClause selectClause) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override bool[] EntityEagerPropertyFetches { get => throw null; } + protected override System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } + public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } + public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; + protected override System.Collections.Generic.IEnumerable GetParameterSpecifications() => throw null; + protected override object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected override System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected override bool[] IncludeInResultRow { get => throw null; } + protected override bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; + public override bool IsSubselectLoadingEnabled { get => throw null; } + public System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; + public System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + protected override NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } + protected override int[] Owners { get => throw null; } + public override string QueryIdentifier { get => throw null; } + protected override void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected override NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected override string[] ResultRowAliases { get => throw null; } + public NHibernate.Type.IType[] ReturnTypes { get => throw null; } + public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + protected override string[] Suffixes { get => throw null; } + protected override bool UpgradeLocks() => throw null; + } + } + public interface ICollectionAliases + { + string Suffix { get; } + string[] SuffixedElementAliases { get; } + string SuffixedIdentifierAlias { get; } + string[] SuffixedIndexAliases { get; } + string[] SuffixedKeyAliases { get; } + } + public interface IEntityAliases + { + string[][] GetSuffixedPropertyAliases(NHibernate.Persister.Entity.ILoadable persister); + string RowIdAlias { get; } + string SuffixedDiscriminatorAlias { get; } + string[] SuffixedKeyAliases { get; } + string[][] SuffixedPropertyAliases { get; } + string[] SuffixedVersionAliases { get; } + } + public class JoinWalker + { + public string[] Aliases { get => throw null; set { } } + protected sealed class AssociationKey + { + public AssociationKey(string[] columns, string table) => throw null; + public override bool Equals(object other) => throw null; + public override int GetHashCode() => throw null; + } + protected System.Collections.Generic.IList associations; + public bool[] ChildFetchEntities { get => throw null; set { } } + protected class CollectionJoinQueueEntry : NHibernate.Loader.JoinWalker.IJoinQueueEntry + { + public CollectionJoinQueueEntry(NHibernate.Persister.Collection.IQueryableCollection persister, string alias, string path, string pathAlias) => throw null; + public void Walk(NHibernate.Loader.JoinWalker walker) => throw null; + } + public int[] CollectionOwners { get => throw null; set { } } + public NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; set { } } + public string[] CollectionSuffixes { get => throw null; set { } } + protected static int CountCollectionPersisters(System.Collections.Generic.IList associations) => throw null; + protected static int CountEntityPersisters(System.Collections.Generic.IList associations) => throw null; + protected JoinWalker(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public class DependentAlias + { + public string Alias { get => throw null; set { } } + public DependentAlias() => throw null; + public string[] DependsOn { get => throw null; set { } } + } + protected NHibernate.Dialect.Dialect Dialect { get => throw null; } + public bool[] EagerPropertyFetches { get => throw null; set { } } + protected System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + public System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; set { } } + protected class EntityJoinQueueEntry : NHibernate.Loader.JoinWalker.IJoinQueueEntry + { + public EntityJoinQueueEntry(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path) => throw null; + public void Walk(NHibernate.Loader.JoinWalker walker) => throw null; + } + protected NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + protected virtual string GenerateAliasForColumn(string rootAlias, string column) => throw null; + protected virtual string GenerateRootAlias(string description) => throw null; + protected virtual string GenerateTableAlias(int n, string path, NHibernate.Persister.Entity.IJoinable joinable) => throw null; + protected virtual string GenerateTableAlias(int n, string path, string pathAlias, NHibernate.Persister.Entity.IJoinable joinable) => throw null; + protected virtual System.Collections.Generic.IReadOnlyCollection GetChildAliases(string parentSqlAlias, string childPath) => throw null; + protected virtual System.Collections.Generic.ISet GetEntityFetchLazyProperties(string path) => throw null; + protected virtual NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected virtual NHibernate.SqlCommand.JoinType GetJoinType(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, string path, string pathAlias, string lhsTable, string[] lhsColumns, bool nullable, int currentDepth, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected NHibernate.SqlCommand.JoinType GetJoinType(bool nullable, int currentDepth) => throw null; + protected static string GetSelectFragment(NHibernate.Loader.OuterJoinableAssociation join, string entitySuffix, string collectionSuffix, NHibernate.Loader.OuterJoinableAssociation next = default(NHibernate.Loader.OuterJoinableAssociation)) => throw null; + protected virtual NHibernate.SelectMode GetSelectMode(string path) => throw null; + protected virtual NHibernate.SqlCommand.SqlString GetWithClause(string path) => throw null; + protected virtual NHibernate.SqlCommand.SqlString GetWithClause(string path, string pathAlias) => throw null; + protected interface IJoinQueueEntry + { + void Walk(NHibernate.Loader.JoinWalker walker); + } + protected void InitPersisters(System.Collections.Generic.IList associations, NHibernate.LockMode lockMode) => throw null; + protected virtual bool IsDuplicateAssociation(string foreignKeyTable, string[] foreignKeyColumns) => throw null; + protected virtual bool IsDuplicateAssociation(string lhsTable, string[] lhsColumnNames, NHibernate.Type.IAssociationType type) => throw null; + protected bool IsJoinable(NHibernate.SqlCommand.JoinType joinType, System.Collections.Generic.ISet visitedAssociationKeys, string lhsTable, string[] lhsColumnNames, NHibernate.Type.IAssociationType type, int depth) => throw null; + protected virtual bool IsJoinedFetchEnabled(NHibernate.Type.IAssociationType type, NHibernate.FetchMode config, NHibernate.Engine.CascadeStyle cascadeStyle) => throw null; + protected bool IsJoinedFetchEnabledInMapping(NHibernate.FetchMode config, NHibernate.Type.IAssociationType type) => throw null; + protected virtual bool IsTooDeep(int currentDepth) => throw null; + protected virtual bool IsTooManyCollections { get => throw null; } + public NHibernate.LockMode[] LockModeArray { get => throw null; set { } } + protected NHibernate.SqlCommand.SqlString MergeOrderings(NHibernate.SqlCommand.SqlString ass, NHibernate.SqlCommand.SqlString orderBy) => throw null; + protected NHibernate.SqlCommand.SqlString MergeOrderings(string ass, NHibernate.SqlCommand.SqlString orderBy) => throw null; + protected NHibernate.SqlCommand.SqlString MergeOrderings(string ass, string orderBy) => throw null; + protected NHibernate.SqlCommand.JoinFragment MergeOuterJoins(System.Collections.Generic.IList associations) => throw null; + protected class NextLevelJoinQueueEntry : NHibernate.Loader.JoinWalker.IJoinQueueEntry + { + public static NHibernate.Loader.JoinWalker.NextLevelJoinQueueEntry Instance; + public void Walk(NHibernate.Loader.JoinWalker walker) => throw null; + } + protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations, NHibernate.SqlCommand.SqlString orderBy) => throw null; + protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations, string orderBy) => throw null; + protected NHibernate.SqlCommand.SqlString OrderBy(System.Collections.Generic.IList associations) => throw null; + public NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; set { } } + public int[] Owners { get => throw null; set { } } + public NHibernate.Persister.Entity.ILoadable[] Persisters { get => throw null; set { } } + protected void ProcessJoins() => throw null; + public string SelectString(System.Collections.Generic.IList associations) => throw null; + public NHibernate.SqlCommand.SqlString SqlString { get => throw null; set { } } + protected static string SubPath(string path, string property) => throw null; + public string[] Suffixes { get => throw null; set { } } + protected void WalkCollectionTree(NHibernate.Persister.Collection.IQueryableCollection persister, string alias) => throw null; + protected void WalkComponentTree(NHibernate.Type.IAbstractComponentType componentType, int begin, string alias, string path, NHibernate.Engine.ILhsAssociationTypeSqlInfo associationTypeSQLInfo) => throw null; + protected void WalkComponentTree(NHibernate.Type.IAbstractComponentType componentType, int begin, string alias, string path, int currentDepth, NHibernate.Engine.ILhsAssociationTypeSqlInfo associationTypeSQLInfo) => throw null; + protected void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias) => throw null; + protected virtual void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path) => throw null; + protected virtual void WalkEntityTree(NHibernate.Persister.Entity.IOuterJoinLoadable persister, string alias, string path, int currentDepth) => throw null; + protected virtual NHibernate.SqlCommand.SqlStringBuilder WhereString(string alias, string[] columnNames, int batchSize) => throw null; + } + public abstract class Loader + { + protected NHibernate.SqlCommand.SqlString AddLimitsParametersIfNeeded(NHibernate.SqlCommand.SqlString sqlString, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; + protected void AdjustQueryParametersForSubSelectFetching(NHibernate.SqlCommand.SqlString filteredSqlString, System.Collections.Generic.IEnumerable parameterSpecsWithFilters, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected virtual string[] Aliases { get => throw null; } + protected virtual NHibernate.SqlCommand.SqlString ApplyLocks(NHibernate.SqlCommand.SqlString sql, System.Collections.Generic.IDictionary lockModes, NHibernate.Dialect.Dialect dialect) => throw null; + protected virtual bool AreResultSetRowsTransformedImmediately() => throw null; + protected virtual void AutoDiscoverTypes(System.Data.Common.DbDataReader rs) => throw null; + protected virtual void AutoDiscoverTypes(System.Data.Common.DbDataReader rs, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; + public virtual NHibernate.Loader.Loader.QueryCacheInfo CacheInfo { get => throw null; } + protected void CachePersistersWithCollections(System.Collections.Generic.IEnumerable resultTypePersisters) => throw null; + public NHibernate.Type.IType[] CacheTypes { get => throw null; } + protected abstract NHibernate.Loader.ICollectionAliases[] CollectionAliases { get; } + protected virtual int[] CollectionOwners { get => throw null; } + protected virtual NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } + public virtual NHibernate.SqlCommand.ISqlCommand CreateSqlCommand(NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; + protected Loader(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; + protected System.Collections.IList DoList(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, NHibernate.Cache.QueryCacheResultBuilder queryCacheResultBuilder) => throw null; + protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task DoListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Transform.IResultTransformer forcedResultTransformer, NHibernate.Cache.QueryCacheResultBuilder queryCacheResultBuilder, System.Threading.CancellationToken cancellationToken) => throw null; + protected abstract NHibernate.Loader.IEntityAliases[] EntityAliases { get; } + protected virtual bool[] EntityEagerPropertyFetches { get => throw null; } + protected virtual System.Collections.Generic.ISet[] EntityFetchLazyProperties { get => throw null; } + public abstract NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get; } + protected NHibernate.SqlCommand.SqlString ExpandDynamicFilterParameters(NHibernate.SqlCommand.SqlString sqlString, System.Collections.Generic.ICollection parameterSpecs, NHibernate.Engine.ISessionImplementor session) => throw null; + public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } + public abstract NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes); + protected abstract System.Collections.Generic.IEnumerable GetParameterSpecifications(); + protected virtual object GetResultColumnOrRow(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task GetResultColumnOrRowAsync(object[] row, NHibernate.Transform.IResultTransformer resultTransformer, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public virtual System.Collections.IList GetResultList(System.Collections.IList results, NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected virtual object[] GetResultRow(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task GetResultRowAsync(object[] row, System.Data.Common.DbDataReader rs, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand st, bool autoDiscoverTypes, bool callable, NHibernate.Engine.RowSelection selection, NHibernate.Engine.ISessionImplementor session) => throw null; + protected System.Data.Common.DbDataReader GetResultSet(System.Data.Common.DbCommand st, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, NHibernate.Transform.IResultTransformer forcedResultTransformer) => throw null; + protected System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand st, bool autoDiscoverTypes, bool callable, NHibernate.Engine.RowSelection selection, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task GetResultSetAsync(System.Data.Common.DbCommand st, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, NHibernate.Transform.IResultTransformer forcedResultTransformer, System.Threading.CancellationToken cancellationToken) => throw null; + protected bool HasSubselectLoadableCollections() => throw null; + protected NHibernate.Hql.Util.SessionFactoryHelper Helper { get => throw null; } + protected virtual bool[] IncludeInResultRow { get => throw null; } + protected virtual bool IsChildFetchEntity(int i) => throw null; + protected virtual bool IsCollectionPersisterCacheable(NHibernate.Persister.Collection.ICollectionPersister collectionPersister) => throw null; + protected virtual bool IsSingleRowLoader { get => throw null; } + public virtual bool IsSubselectLoadingEnabled { get => throw null; } + protected System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, NHibernate.Type.IType[] resultTypes) => throw null; + protected System.Collections.IList List(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces) => throw null; + protected System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, NHibernate.Type.IType[] resultTypes, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task ListAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, System.Collections.Generic.ISet querySpaces, System.Threading.CancellationToken cancellationToken) => throw null; + public void LoadCollection(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType type) => throw null; + public System.Threading.Tasks.Task LoadCollectionAsync(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; + public void LoadCollectionBatch(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType type) => throw null; + public System.Threading.Tasks.Task LoadCollectionBatchAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; + protected void LoadCollectionSubselect(NHibernate.Engine.ISessionImplementor session, object[] ids, object[] parameterValues, NHibernate.Type.IType[] parameterTypes, System.Collections.Generic.IDictionary namedParameters, NHibernate.Type.IType type) => throw null; + protected System.Threading.Tasks.Task LoadCollectionSubselectAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, object[] parameterValues, NHibernate.Type.IType[] parameterTypes, System.Collections.Generic.IDictionary namedParameters, NHibernate.Type.IType type, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Collections.IList LoadEntity(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType identifierType, object optionalObject, string optionalEntityName, object optionalIdentifier, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected System.Collections.IList LoadEntity(NHibernate.Engine.ISessionImplementor session, object key, object index, NHibernate.Type.IType keyType, NHibernate.Type.IType indexType, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected System.Threading.Tasks.Task LoadEntityAsync(NHibernate.Engine.ISessionImplementor session, object id, NHibernate.Type.IType identifierType, object optionalObject, string optionalEntityName, object optionalIdentifier, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task LoadEntityAsync(NHibernate.Engine.ISessionImplementor session, object key, object index, NHibernate.Type.IType keyType, NHibernate.Type.IType indexType, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Collections.IList LoadEntityBatch(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType idType, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; + protected System.Collections.IList LoadEntityBatch(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected System.Threading.Tasks.Task LoadEntityBatchAsync(NHibernate.Engine.ISessionImplementor session, object[] ids, NHibernate.Type.IType idType, object optionalObject, string optionalEntityName, object optionalId, NHibernate.Persister.Entity.IEntityPersister persister, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task LoadEntityBatchAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Entity.IEntityPersister persister, NHibernate.Engine.QueryParameters queryParameters, System.Threading.CancellationToken cancellationToken) => throw null; + protected object LoadSingleRow(System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, bool returnProxies) => throw null; + protected System.Threading.Tasks.Task LoadSingleRowAsync(System.Data.Common.DbDataReader resultSet, NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.QueryParameters queryParameters, bool returnProxies, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } + protected virtual int[] Owners { get => throw null; } + protected virtual void PostInstantiate() => throw null; + protected virtual System.Data.Common.DbCommand PrepareQueryCommand(NHibernate.Engine.QueryParameters queryParameters, bool scroll, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task PrepareQueryCommandAsync(NHibernate.Engine.QueryParameters queryParameters, bool scroll, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected virtual NHibernate.SqlCommand.SqlString PreprocessSQL(NHibernate.SqlCommand.SqlString sql, NHibernate.Engine.QueryParameters parameters, NHibernate.Dialect.Dialect dialect) => throw null; + public sealed class QueryCacheInfo + { + public System.Collections.Generic.IReadOnlyList AdditionalEntities { get => throw null; set { } } + public NHibernate.Type.IType[] CacheTypes { get => throw null; set { } } + public QueryCacheInfo() => throw null; + } + public virtual string QueryIdentifier { get => throw null; } + protected virtual void ResetEffectiveExpectedType(System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; + protected virtual NHibernate.Transform.IResultTransformer ResolveResultTransformer(NHibernate.Transform.IResultTransformer resultTransformer) => throw null; + protected virtual string[] ResultRowAliases { get => throw null; } + public NHibernate.Type.IType[] ResultTypes { get => throw null; set { } } + public abstract NHibernate.SqlCommand.SqlString SqlString { get; } + public override string ToString() => throw null; + protected bool TryGetLimitString(NHibernate.Dialect.Dialect dialect, NHibernate.SqlCommand.SqlString queryString, int? offset, int? limit, NHibernate.SqlCommand.Parameter offsetParameter, NHibernate.SqlCommand.Parameter limitParameter, out NHibernate.SqlCommand.SqlString result) => throw null; + protected virtual bool UpgradeLocks() => throw null; + } + public sealed class OuterJoinableAssociation + { + public void AddJoins(NHibernate.SqlCommand.JoinFragment outerjoin) => throw null; + public void AddManyToManyJoin(NHibernate.SqlCommand.JoinFragment outerjoin, NHibernate.Persister.Collection.IQueryableCollection collection) => throw null; + public OuterJoinableAssociation(NHibernate.Type.IAssociationType joinableType, string lhsAlias, string[] lhsColumns, string rhsAlias, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString withClause, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters, NHibernate.SelectMode selectMode) => throw null; + public OuterJoinableAssociation(NHibernate.Type.IAssociationType joinableType, string lhsAlias, string[] lhsColumns, string rhsAlias, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString withClause, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public System.Collections.Generic.ISet EntityFetchLazyProperties { get => throw null; set { } } + public int GetOwner(System.Collections.Generic.IList associations) => throw null; + public bool IsCollection { get => throw null; } + public bool IsManyToManyWith(NHibernate.Loader.OuterJoinableAssociation other) => throw null; + public NHibernate.Persister.Entity.IJoinable Joinable { get => throw null; } + public NHibernate.Type.IAssociationType JoinableType { get => throw null; } + public NHibernate.SqlCommand.JoinType JoinType { get => throw null; } + public NHibernate.SqlCommand.SqlString On { get => throw null; } + public string RHSAlias { get => throw null; } + public string RHSUniqueKeyName { get => throw null; } + public NHibernate.SelectMode SelectMode { get => throw null; } + public void ValidateJoin(string path) => throw null; + } + public abstract class OuterJoinLoader : NHibernate.Loader.BasicLoader + { + protected override string[] Aliases { get => throw null; } + protected override int[] CollectionOwners { get => throw null; } + protected override NHibernate.Persister.Collection.ICollectionPersister[] CollectionPersisters { get => throw null; } + protected override string[] CollectionSuffixes { get => throw null; } + protected OuterJoinLoader(NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) : base(default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected NHibernate.Dialect.Dialect Dialect { get => throw null; } + public System.Collections.Generic.IDictionary EnabledFilters { get => throw null; } + protected override bool[] EntityEagerPropertyFetches { get => throw null; } + public override NHibernate.Persister.Entity.ILoadable[] EntityPersisters { get => throw null; } + public override NHibernate.LockMode[] GetLockModes(System.Collections.Generic.IDictionary lockModes) => throw null; + protected void InitFromWalker(NHibernate.Loader.JoinWalker walker) => throw null; + protected override NHibernate.Type.EntityType[] OwnerAssociationTypes { get => throw null; } + protected override int[] Owners { get => throw null; } + public override NHibernate.SqlCommand.SqlString SqlString { get => throw null; } + protected override string[] Suffixes { get => throw null; } + } + } + public sealed class LockMode + { + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.LockMode other) => throw null; + public static NHibernate.LockMode Force; + public override int GetHashCode() => throw null; + public bool GreaterThan(NHibernate.LockMode mode) => throw null; + public bool LessThan(NHibernate.LockMode mode) => throw null; + public static NHibernate.LockMode None; + public static NHibernate.LockMode Read; + public override string ToString() => throw null; + public static NHibernate.LockMode Upgrade; + public static NHibernate.LockMode UpgradeNoWait; + public static NHibernate.LockMode Write; + } + public class Log4NetLogger : NHibernate.IInternalLogger + { + public Log4NetLogger(object logger) => throw null; + public void Debug(object message) => throw null; + public void Debug(object message, System.Exception exception) => throw null; + public void DebugFormat(string format, params object[] args) => throw null; + public void Error(object message) => throw null; + public void Error(object message, System.Exception exception) => throw null; + public void ErrorFormat(string format, params object[] args) => throw null; + public void Fatal(object message) => throw null; + public void Fatal(object message, System.Exception exception) => throw null; + public void Info(object message) => throw null; + public void Info(object message, System.Exception exception) => throw null; + public void InfoFormat(string format, params object[] args) => throw null; + public bool IsDebugEnabled { get => throw null; } + public bool IsErrorEnabled { get => throw null; } + public bool IsFatalEnabled { get => throw null; } + public bool IsInfoEnabled { get => throw null; } + public bool IsWarnEnabled { get => throw null; } + public void Warn(object message) => throw null; + public void Warn(object message, System.Exception exception) => throw null; + public void WarnFormat(string format, params object[] args) => throw null; + } + public class Log4NetLoggerFactory : NHibernate.ILoggerFactory + { + public Log4NetLoggerFactory() => throw null; + public NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; + public NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; + } + public class LoggerProvider + { + public LoggerProvider() => throw null; + public static NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; + public static NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; + public static void SetLoggersFactory(NHibernate.ILoggerFactory loggerFactory) => throw null; + } + namespace Mapping + { + public abstract class AbstractAuxiliaryDatabaseObject : NHibernate.Mapping.IAuxiliaryDatabaseObject, NHibernate.Mapping.IRelationalModel + { + public void AddDialectScope(string dialectName) => throw null; + public bool AppliesToDialect(NHibernate.Dialect.Dialect dialect) => throw null; + protected AbstractAuxiliaryDatabaseObject() => throw null; + protected AbstractAuxiliaryDatabaseObject(System.Collections.Generic.HashSet dialectScopes) => throw null; + public System.Collections.Generic.HashSet DialectScopes { get => throw null; } + public System.Collections.Generic.IDictionary Parameters { get => throw null; } + public void SetParameterValues(System.Collections.Generic.IDictionary parameters) => throw null; + public abstract string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema); + public abstract string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema); + } + public class Any : NHibernate.Mapping.SimpleValue + { + public Any(NHibernate.Mapping.Table table) => throw null; + public virtual string IdentifierTypeName { get => throw null; set { } } + public virtual string MetaType { get => throw null; set { } } + public System.Collections.Generic.IDictionary MetaValues { get => throw null; set { } } + public void ResetCachedType() => throw null; + public override void SetTypeUsingReflection(string className, string propertyName, string access) => throw null; + public override NHibernate.Type.IType Type { get => throw null; } + } + public class Array : NHibernate.Mapping.List + { + public Array(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + public System.Type ElementClass { get => throw null; } + public string ElementClassName { get => throw null; set { } } + public override bool IsArray { get => throw null; } + } + public class Backref : NHibernate.Mapping.Property + { + public override bool BackRef { get => throw null; } + public string CollectionRole { get => throw null; set { } } + public Backref() => throw null; + public string EntityName { get => throw null; set { } } + public override bool IsBasicPropertyAccessor { get => throw null; } + protected override NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } + } + public class Bag : NHibernate.Mapping.Collection + { + public override void CreatePrimaryKey() => throw null; + public Bag(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + } + namespace ByCode + { + public abstract class AbstractExplicitlyDeclaredModel : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + { + public void AddAsAny(System.Reflection.MemberInfo member) => throw null; + public void AddAsArray(System.Reflection.MemberInfo member) => throw null; + public void AddAsBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsComponent(System.Type type) => throw null; + public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; + public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsList(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsMap(System.Reflection.MemberInfo member) => throw null; + public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; + public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; + public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; + public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; + public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; + public void AddAsRootEntity(System.Type type) => throw null; + public void AddAsSet(System.Reflection.MemberInfo member) => throw null; + public void AddAsTablePerClassEntity(System.Type type) => throw null; + protected virtual void AddAsTablePerClassEntity(System.Type type, bool rootEntityMustExists) => throw null; + public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; + protected virtual void AddAsTablePerClassHierarchyEntity(System.Type type, bool rootEntityMustExists) => throw null; + public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; + protected virtual void AddAsTablePerConcreteClassEntity(System.Type type, bool rootEntityMustExists) => throw null; + public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable Any { get => throw null; } + public System.Collections.Generic.IEnumerable Arrays { get => throw null; } + public System.Collections.Generic.IEnumerable Bags { get => throw null; } + public System.Collections.Generic.IEnumerable Components { get => throw null; } + public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } + protected AbstractExplicitlyDeclaredModel() => throw null; + public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } + public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } + protected void EnlistTypeRegistration(System.Type type, System.Action registration) => throw null; + protected void ExecuteDelayedRootEntitiesRegistrations() => throw null; + protected void ExecuteDelayedTypeRegistration(System.Type type) => throw null; + public virtual System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; + protected System.Collections.Generic.IEnumerable GetRootEntitiesOf(System.Type entityType) => throw null; + protected System.Type GetSingleRootEntityOrNull(System.Type entityType) => throw null; + public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; + protected bool HasDelayedEntityRegistration(System.Type type) => throw null; + public System.Collections.Generic.IEnumerable IdBags { get => throw null; } + public abstract bool IsComponent(System.Type type); + protected bool IsMappedForTablePerClassEntities(System.Type type) => throw null; + protected bool IsMappedForTablePerClassHierarchyEntities(System.Type type) => throw null; + protected bool IsMappedForTablePerConcreteClassEntities(System.Type type) => throw null; + public abstract bool IsRootEntity(System.Type entityType); + public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable Lists { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } + public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } + public System.Collections.Generic.IEnumerable Poids { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } + public System.Collections.Generic.IEnumerable Sets { get => throw null; } + public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + } + public enum Accessor + { + Property = 0, + Field = 1, + NoSetter = 2, + ReadOnly = 3, + None = 4, + Backfield = 5, + } + public class AssignedGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public AssignedGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public static partial class BasePlainPropertyContainerMapperExtensions + { + public static void Component(this NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper mapper, System.Linq.Expressions.Expression>> property, TComponent dynamicComponentTemplate, System.Action> mapping) where TComponent : class => throw null; + } + public abstract class CacheInclude + { + public static NHibernate.Mapping.ByCode.CacheInclude All; + public class AllCacheInclude : NHibernate.Mapping.ByCode.CacheInclude { - protected override void AddProperty(object property) => throw null; - public void Catalog(string catalogName) => throw null; - public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; - public void Inverse(bool value) => throw null; - public JoinMapper(System.Type container, string splitGroupId, NHibernate.Cfg.MappingSchema.HbmJoin hbmJoin, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Optional(bool isOptional) => throw null; - public void Schema(string schemaName) => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Table(string tableName) => throw null; - public event NHibernate.Mapping.ByCode.Impl.TableNameChangedHandler TableNameChanged; + public AllCacheInclude() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.JoinedSubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedSubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinedSubclassMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + protected CacheInclude() => throw null; + public static NHibernate.Mapping.ByCode.CacheInclude NonLazy; + public class NonLazyCacheInclude : NHibernate.Mapping.ByCode.CacheInclude { - public void Abstract(bool isAbstract) => throw null; - protected override void AddProperty(object property) => throw null; - public void BatchSize(int value) => throw null; - public void Catalog(string catalogName) => throw null; - public void DynamicInsert(bool value) => throw null; - public void DynamicUpdate(bool value) => throw null; - public void EntityName(string value) => throw null; - public void Extends(string entityOrClassName) => throw null; - public void Extends(System.Type baseType) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public JoinedSubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Lazy(bool value) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; - public void Proxy(System.Type proxy) => throw null; - public void Schema(string schemaName) => throw null; - public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; - public void SelectBeforeUpdate(bool value) => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Synchronize(params string[] table) => throw null; - public void Table(string tableName) => throw null; + public NonLazyCacheInclude() => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.JoinedSubclassMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void JoinedSubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper joinedSubclassCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.KeyManyToOneMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class KeyManyToOneMapper : NHibernate.Mapping.ByCode.IManyToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + } + public abstract class CacheUsage + { + protected CacheUsage() => throw null; + public static NHibernate.Mapping.ByCode.CacheUsage Never; + public static NHibernate.Mapping.ByCode.CacheUsage NonstrictReadWrite; + public static NHibernate.Mapping.ByCode.CacheUsage ReadOnly; + public static NHibernate.Mapping.ByCode.CacheUsage ReadWrite; + public static NHibernate.Mapping.ByCode.CacheUsage Transactional; + } + [System.Flags] + public enum Cascade + { + None = 0, + Persist = 2, + Refresh = 4, + Merge = 8, + Remove = 16, + Detach = 32, + ReAttach = 64, + DeleteOrphans = 128, + All = 256, + } + public static partial class CascadeExtensions + { + public static NHibernate.Mapping.ByCode.Cascade Exclude(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; + public static bool Has(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; + public static NHibernate.Mapping.ByCode.Cascade Include(this NHibernate.Mapping.ByCode.Cascade source, NHibernate.Mapping.ByCode.Cascade value) => throw null; + } + public abstract class CollectionFetchMode + { + protected CollectionFetchMode() => throw null; + public static NHibernate.Mapping.ByCode.CollectionFetchMode Join; + public static NHibernate.Mapping.ByCode.CollectionFetchMode Select; + public static NHibernate.Mapping.ByCode.CollectionFetchMode Subselect; + } + public enum CollectionLazy + { + Lazy = 0, + NoLazy = 1, + Extra = 2, + } + public static partial class CollectionPropertiesMapperExtensions + { + public static void Type(this NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapper, string collectionType) => throw null; + public static void Type(this NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapper, string collectionType) => throw null; + } + public static partial class CollectionSqlsWithCheckMapperExtensions + { + public static void SqlDelete(this NHibernate.Mapping.ByCode.ICollectionSqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public static void SqlDeleteAll(this NHibernate.Mapping.ByCode.ICollectionSqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public static void SqlInsert(this NHibernate.Mapping.ByCode.ICollectionSqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public static void SqlUpdate(this NHibernate.Mapping.ByCode.ICollectionSqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + } + public static partial class ColumnsAndFormulasMapperExtensions + { + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IElementMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IManyToManyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IMapKeyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void ColumnsAndFormulas(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, params System.Action[] columnOrFormulaMapper) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IElementMapper mapper, params string[] formulas) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IManyToManyMapper mapper, params string[] formulas) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, params string[] formulas) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper, params string[] formulas) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IMapKeyMapper mapper, params string[] formulas) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, params string[] formulas) => throw null; + } + public static partial class ComponentAttributesMapperExtensions + { + public static void LazyGroup(this NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper, string name) => throw null; + public static void LazyGroup(this NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper, string name) => throw null; + } + namespace Conformist + { + public class ClassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ClassCustomizer where T : class { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Class(System.Type entityType) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void EntityName(string entityName) => throw null; - public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public void Formula(string formula) => throw null; - public void Index(string indexName) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public KeyManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmKeyManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; - public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; - public void NotNullable(bool notnull) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void PropertyRef(string propertyReferencedName) => throw null; - public void Unique(bool unique) => throw null; - public void UniqueKey(string uniquekeyName) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ClassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.KeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class KeyMapper : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + public class ComponentMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComponentCustomizer { - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public static string DefaultColumnName(System.Type ownerEntityType) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public KeyMapper(System.Type ownerEntityType, NHibernate.Cfg.MappingSchema.HbmKey mapping) => throw null; - public void NotNullable(bool notnull) => throw null; - public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; - public void PropertyRef(System.Reflection.MemberInfo property) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public ComponentMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.KeyPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class KeyPropertyMapper : NHibernate.Mapping.ByCode.IPropertyMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class JoinedSubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinedSubclassCustomizer where T : class { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void Formula(string formula) => throw null; - public void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation) => throw null; - public void Index(string indexName) => throw null; - public void Insert(bool consideredInInsertQuery) => throw null; - public KeyPropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmKeyProperty propertyMapping) => throw null; - public void Lazy(bool isLazy) => throw null; - public void Length(int length) => throw null; - public void NotNullable(bool notnull) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Precision(System.Int16 precision) => throw null; - public void Scale(System.Int16 scale) => throw null; - public void Type(object parameters) => throw null; - public void Type() => throw null; - public void Type(System.Type persistentType, object parameters) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; - public void Unique(bool unique) => throw null; - public void UniqueKey(string uniquekeyName) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; + public JoinedSubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ListIndexMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ListIndexMapper : NHibernate.Mapping.ByCode.IListIndexMapper + public class SubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.SubclassCustomizer where T : class { - public void Base(int baseIndex) => throw null; - public void Column(string columnName) => throw null; - public void Column(System.Action columnMapper) => throw null; - public ListIndexMapper(System.Type ownerEntityType, NHibernate.Cfg.MappingSchema.HbmListIndex mapping) => throw null; + public SubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ListMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ListMapper : NHibernate.Mapping.ByCode.IListPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class UnionSubclassMapping : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.UnionSubclassCustomizer where T : class { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void BatchSize(int value) => throw null; - public void Cache(System.Action cacheMapping) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Catalog(string catalogName) => throw null; - public System.Type ElementType { get => throw null; set => throw null; } - public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Index(System.Action listIndexMapping) => throw null; - public void Inverse(bool value) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; - public ListMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmList mapping) => throw null; - public ListMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmList mapping) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Mutable(bool value) => throw null; - public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void OrderBy(string sqlOrderByClause) => throw null; - public void OrderBy(System.Reflection.MemberInfo property) => throw null; - public System.Type OwnerType { get => throw null; set => throw null; } - public void Persister(System.Type persister) => throw null; - public void Schema(string schemaName) => throw null; - public void Sort() => throw null; - public void Sort() => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlDeleteAll(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Table(string tableName) => throw null; - public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; - public void Type(System.Type collectionType) => throw null; - public void Where(string sqlWhereClause) => throw null; + public UnionSubclassMapping() : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ListMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void ListMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.ManyToAnyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ManyToAnyMapper : NHibernate.Mapping.ByCode.IManyToAnyMapper + } + public class ConventionModelMapper : NHibernate.Mapping.ByCode.ModelMapper + { + protected virtual void AppendDefaultEvents() => throw null; + protected virtual void ComponentParentNoSetterToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper componentMapper) => throw null; + protected virtual void ComponentParentToFieldAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper componentMapper) => throw null; + public ConventionModelMapper() => throw null; + public void IsAny(System.Func match) => throw null; + public void IsArray(System.Func match) => throw null; + public void IsBag(System.Func match) => throw null; + public void IsComponent(System.Func match) => throw null; + public void IsDictionary(System.Func match) => throw null; + public void IsEntity(System.Func match) => throw null; + public void IsIdBag(System.Func match) => throw null; + public void IsList(System.Func match) => throw null; + public void IsManyToMany(System.Func match) => throw null; + public void IsManyToOne(System.Func match) => throw null; + public void IsMemberOfNaturalId(System.Func match) => throw null; + public void IsOneToMany(System.Func match) => throw null; + public void IsOneToOne(System.Func match) => throw null; + public void IsPersistentId(System.Func match) => throw null; + public void IsPersistentProperty(System.Func match) => throw null; + public void IsProperty(System.Func match) => throw null; + public void IsRootEntity(System.Func match) => throw null; + public void IsSet(System.Func match) => throw null; + public void IsTablePerClass(System.Func match) => throw null; + public void IsTablePerClassHierarchy(System.Func match) => throw null; + public void IsTablePerClassSplit(System.Func match) => throw null; + public void IsTablePerConcreteClass(System.Func match) => throw null; + public void IsVersion(System.Func match) => throw null; + protected bool MatchNoSetterProperty(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchPropertyToField(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchReadOnlyProperty(System.Reflection.MemberInfo subject) => throw null; + protected virtual void MemberNoSetterToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; + protected virtual void MemberReadOnlyAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; + protected virtual void MemberToFieldAccessor(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper propertyCustomizer) => throw null; + protected virtual void NoPoidGuid(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer) => throw null; + protected virtual void NoSetterPoidToField(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer) => throw null; + protected NHibernate.Mapping.ByCode.SimpleModelInspector SimpleModelInspector { get => throw null; } + public void SplitsFor(System.Func, System.Collections.Generic.IEnumerable> getPropertiesSplitsId) => throw null; + } + public class CounterGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public CounterGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class EnhancedSequenceGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public EnhancedSequenceGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class EnhancedTableGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public EnhancedTableGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public static partial class EntitySqlsWithCheckMapperExtensions + { + public static void SqlDelete(this NHibernate.Mapping.ByCode.IEntitySqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public static void SqlInsert(this NHibernate.Mapping.ByCode.IEntitySqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public static void SqlUpdate(this NHibernate.Mapping.ByCode.IEntitySqlsMapper mapper, string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + } + public class ExplicitlyDeclaredModel : NHibernate.Mapping.ByCode.AbstractExplicitlyDeclaredModel, NHibernate.Mapping.ByCode.IModelInspector + { + public ExplicitlyDeclaredModel() => throw null; + public virtual System.Collections.Generic.IEnumerable GetPropertiesSplits(System.Type type) => throw null; + public virtual bool IsAny(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsArray(System.Reflection.MemberInfo role) => throw null; + public virtual bool IsBag(System.Reflection.MemberInfo role) => throw null; + public override bool IsComponent(System.Type type) => throw null; + public virtual bool IsDictionary(System.Reflection.MemberInfo role) => throw null; + public virtual bool IsDynamicComponent(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsEntity(System.Type type) => throw null; + public virtual bool IsIdBag(System.Reflection.MemberInfo role) => throw null; + public virtual bool IsList(System.Reflection.MemberInfo role) => throw null; + public bool IsManyToAny(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsManyToManyItem(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsManyToManyKey(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsManyToOne(System.Reflection.MemberInfo member) => throw null; + public bool IsMemberOfComposedId(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsMemberOfNaturalId(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsOneToMany(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsOneToOne(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsPersistentId(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsPersistentProperty(System.Reflection.MemberInfo member) => throw null; + public virtual bool IsProperty(System.Reflection.MemberInfo member) => throw null; + public override bool IsRootEntity(System.Type type) => throw null; + public virtual bool IsSet(System.Reflection.MemberInfo role) => throw null; + public virtual bool IsTablePerClass(System.Type type) => throw null; + public virtual bool IsTablePerClassHierarchy(System.Type type) => throw null; + public virtual bool IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member) => throw null; + public virtual bool IsTablePerConcreteClass(System.Type type) => throw null; + public virtual bool IsVersion(System.Reflection.MemberInfo member) => throw null; + } + public class FakeModelExplicitDeclarationsHolder : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + { + public void AddAsAny(System.Reflection.MemberInfo member) => throw null; + public void AddAsArray(System.Reflection.MemberInfo member) => throw null; + public void AddAsBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsComponent(System.Type type) => throw null; + public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; + public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsList(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsMap(System.Reflection.MemberInfo member) => throw null; + public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; + public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; + public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; + public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; + public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; + public void AddAsRootEntity(System.Type type) => throw null; + public void AddAsSet(System.Reflection.MemberInfo member) => throw null; + public void AddAsTablePerClassEntity(System.Type type) => throw null; + public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; + public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; + public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable Any { get => throw null; } + public System.Collections.Generic.IEnumerable Arrays { get => throw null; } + public System.Collections.Generic.IEnumerable Bags { get => throw null; } + public System.Collections.Generic.IEnumerable Components { get => throw null; } + public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } + public FakeModelExplicitDeclarationsHolder() => throw null; + public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } + public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } + public System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; + public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; + public System.Collections.Generic.IEnumerable IdBags { get => throw null; } + public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable Lists { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } + public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } + public System.Collections.Generic.IEnumerable Poids { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } + public System.Collections.Generic.IEnumerable Sets { get => throw null; } + public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassHierarchyJoinEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + } + public abstract class FetchKind + { + protected FetchKind() => throw null; + public static NHibernate.Mapping.ByCode.FetchKind Join; + public static NHibernate.Mapping.ByCode.FetchKind Select; + } + public static class ForClass + { + public static System.Reflection.FieldInfo Field(string fieldName) => throw null; + } + public class ForeignGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public ForeignGeneratorDef(System.Reflection.MemberInfo foreignProperty) => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public static class Generators + { + public static NHibernate.Mapping.ByCode.IGeneratorDef Assigned { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Counter { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef EnhancedSequence { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef EnhancedTable { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Foreign(System.Linq.Expressions.Expression> property) => throw null; + public static NHibernate.Mapping.ByCode.IGeneratorDef Foreign(System.Reflection.MemberInfo property) => throw null; + public static NHibernate.Mapping.ByCode.IGeneratorDef Guid { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef GuidComb { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef HighLow { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Identity { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Increment { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Native { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef NativeGuid { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Select { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Sequence { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef SequenceHiLo { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef SequenceIdentity { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef Table { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef TriggerIdentity { get => throw null; } + public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex() => throw null; + public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex(string format) => throw null; + public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDHex(string format, string separator) => throw null; + public static NHibernate.Mapping.ByCode.IGeneratorDef UUIDString { get => throw null; } + } + public class GuidCombGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public GuidCombGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class GuidGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public GuidGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class HighLowGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public HighLowGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public interface IAccessorPropertyMapper + { + void Access(NHibernate.Mapping.ByCode.Accessor accessor); + void Access(System.Type accessorType); + } + public interface IAnyMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); + void Columns(System.Action idColumnMapping, System.Action classColumnMapping); + void IdType(NHibernate.Type.IType idType); + void IdType(); + void IdType(System.Type idType); + void Index(string indexName); + void Insert(bool consideredInInsertQuery); + void Lazy(bool isLazy); + void MetaType(NHibernate.Type.IType metaType); + void MetaType(); + void MetaType(System.Type metaType); + void MetaValue(object value, System.Type entityType); + void Update(bool consideredInUpdateQuery); + } + public interface IBagPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface IBagPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface IBasePlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping); + void Component(System.Reflection.MemberInfo property, System.Action mapping); + void Component(System.Reflection.MemberInfo property, System.Action mapping); + } + public interface IBasePlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Any(System.Linq.Expressions.Expression> property, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class; + void Any(string notVisiblePropertyOrFieldName, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class; + void Component(System.Linq.Expressions.Expression> property, System.Action> mapping); + void Component(System.Linq.Expressions.Expression> property); + void Component(System.Linq.Expressions.Expression> property, TComponent dynamicComponentTemplate, System.Action> mapping); + void Component(string notVisiblePropertyOrFieldName, System.Action> mapping); + void Component(string notVisiblePropertyOrFieldName); + void Component(string notVisiblePropertyOrFieldName, TComponent dynamicComponentTemplate, System.Action> mapping); + } + public interface ICacheMapper + { + void Include(NHibernate.Mapping.ByCode.CacheInclude cacheInclude); + void Region(string regionName); + void Usage(NHibernate.Mapping.ByCode.CacheUsage cacheUsage); + } + public interface IClassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper + { + void Abstract(bool isAbstract); + void Cache(System.Action cacheMapping); + void Catalog(string catalogName); + void Check(string check); + void ComponentAsId(System.Reflection.MemberInfo idProperty, System.Action idMapper); + void ComposedId(System.Action idPropertiesMapping); + void Discriminator(System.Action discriminatorMapping); + void DiscriminatorValue(object value); + void Filter(string filterName, System.Action filterMapping); + void Id(System.Action idMapper); + void Id(System.Reflection.MemberInfo idProperty, System.Action idMapper); + void Mutable(bool isMutable); + void NaturalId(System.Action naturalIdMapping); + void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode); + void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type); + void Schema(string schemaName); + void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); + void Table(string tableName); + void Version(System.Reflection.MemberInfo versionProperty, System.Action versionMapping); + void Where(string whereClause); + } + public interface IClassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + { + void Abstract(bool isAbstract); + void Cache(System.Action cacheMapping); + void Catalog(string catalogName); + void ComponentAsId(System.Linq.Expressions.Expression> idProperty); + void ComponentAsId(System.Linq.Expressions.Expression> idProperty, System.Action> idMapper); + void ComponentAsId(string notVisiblePropertyOrFieldName); + void ComponentAsId(string notVisiblePropertyOrFieldName, System.Action> idMapper); + void ComposedId(System.Action> idPropertiesMapping); + void Discriminator(System.Action discriminatorMapping); + void DiscriminatorValue(object value); + void Filter(string filterName, System.Action filterMapping); + void Id(System.Linq.Expressions.Expression> idProperty); + void Id(System.Linq.Expressions.Expression> idProperty, System.Action idMapper); + void Id(string notVisiblePropertyOrFieldName, System.Action idMapper); + void Mutable(bool isMutable); + void NaturalId(System.Action> naturalIdPropertiesMapping, System.Action naturalIdMapping); + void NaturalId(System.Action> naturalIdPropertiesMapping); + void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode); + void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type); + void Schema(string schemaName); + void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); + void Table(string tableName); + void Version(System.Linq.Expressions.Expression> versionProperty, System.Action versionMapping); + void Version(string notVisiblePropertyOrFieldName, System.Action versionMapping); + void Where(string whereClause); + } + public interface IClassMapper : NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Join(string splitGroupId, System.Action splitMapping); + } + public interface IClassMapper : NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + void Join(string splitGroupId, System.Action> splitMapping); + } + public interface ICollectionElementRelation + { + void Component(System.Action mapping); + void Element(System.Action mapping); + void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping); + void ManyToMany(System.Action mapping); + void OneToMany(System.Action mapping); + } + public interface ICollectionElementRelation + { + void Component(System.Action> mapping); + void Element(); + void Element(System.Action mapping); + void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping); + void ManyToAny(System.Action mapping); + void ManyToMany(); + void ManyToMany(System.Action mapping); + void OneToMany(); + void OneToMany(System.Action mapping); + } + public interface ICollectionIdMapper + { + void Column(string name); + void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator); + void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping); + void Length(int length); + void Type(NHibernate.Type.IIdentifierType persistentType); + } + public interface ICollectionPropertiesContainerMapper + { + void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); + void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); + void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); + void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping); + void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping); + } + public interface ICollectionPropertiesContainerMapper + { + void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); + void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); + void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); + void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); + void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); + void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); + void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); + void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); + void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); + void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping); + void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); + void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping); + void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); + void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); + void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping); + void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping); + void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping); + void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping); + } + public interface ICollectionPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void BatchSize(int value); + void Cache(System.Action cacheMapping); + void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); + void Catalog(string catalogName); + void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode); + void Filter(string filterName, System.Action filterMapping); + void Inverse(bool value); + void Key(System.Action keyMapping); + void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy); + void Mutable(bool value); + void OrderBy(System.Reflection.MemberInfo property); + void OrderBy(string sqlOrderByClause); + void Persister(System.Type persister); + void Schema(string schemaName); + void Sort(); + void Sort(); + void Table(string tableName); + void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType; + void Type(System.Type collectionType); + void Where(string sqlWhereClause); + } + public interface ICollectionPropertiesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void BatchSize(int value); + void Cache(System.Action cacheMapping); + void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); + void Catalog(string catalogName); + void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode); + void Filter(string filterName, System.Action filterMapping); + void Inverse(bool value); + void Key(System.Action> keyMapping); + void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy); + void Mutable(bool value); + void OrderBy(System.Linq.Expressions.Expression> property); + void OrderBy(string sqlOrderByClause); + void Persister() where TPersister : NHibernate.Persister.Collection.ICollectionPersister; + void Schema(string schemaName); + void Sort(); + void Sort(); + void Table(string tableName); + void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType; + void Type(System.Type collectionType); + void Where(string sqlWhereClause); + } + public interface ICollectionSqlsMapper + { + void Loader(string namedQueryReference); + void SqlDelete(string sql); + void SqlDeleteAll(string sql); + void SqlInsert(string sql); + void SqlUpdate(string sql); + void Subselect(string sql); + } + public interface ICollectionSqlsWithCheckMapper + { + void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + } + public interface IColumnMapper + { + void Check(string checkConstraint); + void Default(object defaultValue); + void Index(string indexName); + void Length(int length); + void Name(string name); + void NotNullable(bool notnull); + void Precision(short precision); + void Scale(short scale); + void SqlType(string sqltype); + void Unique(bool unique); + void UniqueKey(string uniquekeyName); + } + public interface IColumnOrFormulaMapper : NHibernate.Mapping.ByCode.IColumnMapper + { + void Formula(string formula); + } + public interface IColumnsAndFormulasMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper); + void Formula(string formula); + void Formulas(params string[] formulas); + } + public interface IColumnsMapper + { + void Column(System.Action columnMapper); + void Column(string name); + void Columns(params System.Action[] columnMapper); + } + public interface IComponentAsIdAttributesMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Class(System.Type componentType); + void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType); + } + public interface IComponentAsIdAttributesMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Class() where TConcrete : TComponent; + void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType); + } + public interface IComponentAsIdMapper : NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IComponentAsIdMapper : NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Class(System.Type componentType); + void Insert(bool consideredInInsertQuery); + void Lazy(bool isLazy); + void Parent(System.Reflection.MemberInfo parent); + void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Class() where TConcrete : TComponent; + void Insert(bool consideredInInsertQuery); + void Lazy(bool isLazy); + void Parent(System.Linq.Expressions.Expression> parent) where TProperty : class; + void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class; + void Parent(string notVisiblePropertyOrFieldName, System.Action mapping); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IComponentElementMapper : NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Component(System.Reflection.MemberInfo property, System.Action mapping); + } + public interface IComponentElementMapper : NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Component(System.Linq.Expressions.Expression> property, System.Action> mapping) where TNestedComponent : class; + void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) where TNestedComponent : class; + } + public interface IComponentMapKeyMapper + { + void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping); + void Property(System.Reflection.MemberInfo property, System.Action mapping); + } + public interface IComponentMapKeyMapper + { + void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class; + void Property(System.Linq.Expressions.Expression> property, System.Action mapping); + void Property(System.Linq.Expressions.Expression> property); + } + public interface IComponentMapper : NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IComponentMapper : NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IComponentParentMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + } + public interface IComposedIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IComposedIdMapper : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + } + public interface IConformistHoldersProvider + { + NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get; } + NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder ExplicitDeclarationsHolder { get; } + } + public class IdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public IdentityGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public interface IDiscriminatorMapper + { + void Column(string column); + void Column(System.Action columnMapper); + void Force(bool force); + void Formula(string formula); + void Insert(bool applyOnApplyOnInsert); + void Length(int length); + void NotNullable(bool isNotNullable); + void Type(NHibernate.Type.IType persistentType); + void Type(NHibernate.Type.IDiscriminatorType persistentType); + void Type() where TPersistentType : NHibernate.Type.IDiscriminatorType; + void Type(System.Type persistentType); + } + public static partial class IdMapperExtensions + { + public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper) => throw null; + public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper, object parameters) => throw null; + public static void Type(this NHibernate.Mapping.ByCode.IIdMapper idMapper, System.Type persistentType, object parameters) => throw null; + } + public interface IDynamicComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Insert(bool consideredInInsertQuery); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IDynamicComponentAttributesMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Insert(bool consideredInInsertQuery); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IDynamicComponentMapper : NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IDynamicComponentMapper : NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IElementMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void Formula(string formula); + void Length(int length); + void NotNullable(bool notnull); + void Precision(short precision); + void Scale(short scale); + void Type(NHibernate.Type.IType persistentType); + void Type(); + void Type(object parameters); + void Type(System.Type persistentType, object parameters); + void Unique(bool unique); + } + public interface IEntityAttributesMapper + { + void BatchSize(int value); + void DynamicInsert(bool value); + void DynamicUpdate(bool value); + void EntityName(string value); + void Lazy(bool value); + void Persister() where T : NHibernate.Persister.Entity.IEntityPersister; + void Proxy(System.Type proxy); + void SelectBeforeUpdate(bool value); + void Synchronize(params string[] table); + } + public interface IEntityPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void OptimisticLock(bool takeInConsiderationForOptimisticLock); + } + public interface IEntitySqlsMapper + { + void Loader(string namedQueryReference); + void SqlDelete(string sql); + void SqlInsert(string sql); + void SqlUpdate(string sql); + void Subselect(string sql); + } + public interface IEntitySqlsWithCheckMapper + { + void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck); + } + public interface IFilterMapper + { + void Condition(string sqlCondition); + } + public interface IGenerator + { + } + public interface IGeneratorDef + { + string Class { get; } + System.Type DefaultReturnType { get; } + object Params { get; } + bool SupportedAsCollectionElementId { get; } + } + public interface IGeneratorMapper + { + void Params(object generatorParameters); + void Params(System.Collections.Generic.IDictionary generatorParameters); + } + public interface IIdBagPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void Id(System.Action idMapping); + } + public interface IIdBagPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void Id(System.Action idMapping); + } + public interface IIdMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator); + void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping); + void Length(int length); + void Type(NHibernate.Type.IIdentifierType persistentType); + void UnsavedValue(object value); + } + public interface IJoinAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper + { + void Catalog(string catalogName); + void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); + void Inverse(bool value); + void Key(System.Action keyMapping); + void Optional(bool isOptional); + void Schema(string schemaName); + void Table(string tableName); + } + public interface IJoinAttributesMapper : NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + { + void Catalog(string catalogName); + void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); + void Inverse(bool value); + void Key(System.Action> keyMapping); + void Optional(bool isOptional); + void Schema(string schemaName); + void Table(string tableName); + } + public interface IJoinedSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper + { + void Abstract(bool isAbstract); + void Catalog(string catalogName); + void Extends(System.Type baseType); + void Filter(string filterName, System.Action filterMapping); + void Key(System.Action keyMapping); + void Schema(string schemaName); + void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); + void Table(string tableName); + } + public interface IJoinedSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + { + void Abstract(bool isAbstract); + void Catalog(string catalogName); + void Extends(System.Type baseType); + void Filter(string filterName, System.Action filterMapping); + void Key(System.Action> keyMapping); + void Schema(string schemaName); + void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action); + void Table(string tableName); + } + public interface IJoinedSubclassMapper : NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IJoinedSubclassMapper : NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + } + public interface IJoinMapper : NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IJoinMapper : NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + } + public interface IKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void ForeignKey(string foreignKeyName); + void NotNullable(bool notnull); + void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction); + void PropertyRef(System.Reflection.MemberInfo property); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void ForeignKey(string foreignKeyName); + void NotNullable(bool notnull); + void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction); + void PropertyRef(System.Linq.Expressions.Expression> propertyGetter); + void Unique(bool unique); + void Update(bool consideredInUpdateQuery); + } + public interface IListIndexMapper + { + void Base(int baseIndex); + void Column(string columnName); + void Column(System.Action columnMapper); + } + public interface IListPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void Index(System.Action listIndexMapping); + } + public interface IListPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + void Index(System.Action listIndexMapping); + } + public interface IManyToAnyMapper + { + void Columns(System.Action idColumnMapping, System.Action classColumnMapping); + void IdType(NHibernate.Type.IType idType); + void IdType(); + void IdType(System.Type idType); + void MetaType(NHibernate.Type.IType metaType); + void MetaType(); + void MetaType(System.Type metaType); + void MetaValue(object value, System.Type entityType); + } + public interface IManyToManyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void Class(System.Type entityType); + void EntityName(string entityName); + void ForeignKey(string foreignKeyName); + void Formula(string formula); + void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); + void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); + void Where(string sqlWhereClause); + } + public interface IManyToOneMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); + void Class(System.Type entityType); + void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode); + void ForeignKey(string foreignKeyName); + void Formula(string formula); + void Index(string indexName); + void Insert(bool consideredInInsertQuery); + void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); + void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); + void NotNullable(bool notnull); + void PropertyRef(string propertyReferencedName); + void Unique(bool unique); + void UniqueKey(string uniquekeyName); + void Update(bool consideredInUpdateQuery); + } + public interface IMapKeyManyToManyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void ForeignKey(string foreignKeyName); + void Formula(string formula); + } + public interface IMapKeyMapper : NHibernate.Mapping.ByCode.IColumnsMapper + { + void Formula(string formula); + void Length(int length); + void Type(NHibernate.Type.IType persistentType); + void Type(); + void Type(System.Type persistentType); + } + public interface IMapKeyRelation + { + void Component(System.Action mapping); + void Element(System.Action mapping); + void ManyToMany(System.Action mapping); + } + public interface IMapKeyRelation + { + void Component(System.Action> mapping); + void Element(); + void Element(System.Action mapping); + void ManyToMany(); + void ManyToMany(System.Action mapping); + } + public interface IMapPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface IMapPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface IMinimalPlainPropertyContainerMapper + { + void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping); + void Property(System.Reflection.MemberInfo property, System.Action mapping); + } + public interface IMinimalPlainPropertyContainerMapper + { + void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class; + void ManyToOne(System.Linq.Expressions.Expression> property) where TProperty : class; + void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class; + void Property(System.Linq.Expressions.Expression> property); + void Property(System.Linq.Expressions.Expression> property, System.Action mapping); + void Property(string notVisiblePropertyOrFieldName, System.Action mapping); + } + public interface IModelExplicitDeclarationsHolder + { + void AddAsAny(System.Reflection.MemberInfo member); + void AddAsArray(System.Reflection.MemberInfo member); + void AddAsBag(System.Reflection.MemberInfo member); + void AddAsComponent(System.Type type); + void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate); + void AddAsIdBag(System.Reflection.MemberInfo member); + void AddAsList(System.Reflection.MemberInfo member); + void AddAsManyToAnyRelation(System.Reflection.MemberInfo member); + void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member); + void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member); + void AddAsManyToOneRelation(System.Reflection.MemberInfo member); + void AddAsMap(System.Reflection.MemberInfo member); + void AddAsNaturalId(System.Reflection.MemberInfo member); + void AddAsOneToManyRelation(System.Reflection.MemberInfo member); + void AddAsOneToOneRelation(System.Reflection.MemberInfo member); + void AddAsPartOfComposedId(System.Reflection.MemberInfo member); + void AddAsPersistentMember(System.Reflection.MemberInfo member); + void AddAsPoid(System.Reflection.MemberInfo member); + void AddAsProperty(System.Reflection.MemberInfo member); + void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition); + void AddAsRootEntity(System.Type type); + void AddAsSet(System.Reflection.MemberInfo member); + void AddAsTablePerClassEntity(System.Type type); + void AddAsTablePerClassHierarchyEntity(System.Type type); + void AddAsTablePerConcreteClassEntity(System.Type type); + void AddAsVersionProperty(System.Reflection.MemberInfo member); + System.Collections.Generic.IEnumerable Any { get; } + System.Collections.Generic.IEnumerable Arrays { get; } + System.Collections.Generic.IEnumerable Bags { get; } + System.Collections.Generic.IEnumerable Components { get; } + System.Collections.Generic.IEnumerable ComposedIds { get; } + System.Collections.Generic.IEnumerable Dictionaries { get; } + System.Collections.Generic.IEnumerable DynamicComponents { get; } + System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member); + string GetSplitGroupFor(System.Reflection.MemberInfo member); + System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type); + System.Collections.Generic.IEnumerable IdBags { get; } + System.Collections.Generic.IEnumerable ItemManyToManyRelations { get; } + System.Collections.Generic.IEnumerable KeyManyToManyRelations { get; } + System.Collections.Generic.IEnumerable Lists { get; } + System.Collections.Generic.IEnumerable ManyToAnyRelations { get; } + System.Collections.Generic.IEnumerable ManyToOneRelations { get; } + System.Collections.Generic.IEnumerable NaturalIds { get; } + System.Collections.Generic.IEnumerable OneToManyRelations { get; } + System.Collections.Generic.IEnumerable OneToOneRelations { get; } + System.Collections.Generic.IEnumerable PersistentMembers { get; } + System.Collections.Generic.IEnumerable Poids { get; } + System.Collections.Generic.IEnumerable Properties { get; } + System.Collections.Generic.IEnumerable RootEntities { get; } + System.Collections.Generic.IEnumerable Sets { get; } + System.Collections.Generic.IEnumerable SplitDefinitions { get; } + System.Collections.Generic.IEnumerable TablePerClassEntities { get; } + System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get; } + System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get; } + System.Collections.Generic.IEnumerable VersionProperties { get; } + } + public interface IModelInspector + { + System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member); + System.Collections.Generic.IEnumerable GetPropertiesSplits(System.Type type); + bool IsAny(System.Reflection.MemberInfo member); + bool IsArray(System.Reflection.MemberInfo role); + bool IsBag(System.Reflection.MemberInfo role); + bool IsComponent(System.Type type); + bool IsDictionary(System.Reflection.MemberInfo role); + bool IsDynamicComponent(System.Reflection.MemberInfo member); + bool IsEntity(System.Type type); + bool IsIdBag(System.Reflection.MemberInfo role); + bool IsList(System.Reflection.MemberInfo role); + bool IsManyToAny(System.Reflection.MemberInfo member); + bool IsManyToManyItem(System.Reflection.MemberInfo member); + bool IsManyToManyKey(System.Reflection.MemberInfo member); + bool IsManyToOne(System.Reflection.MemberInfo member); + bool IsMemberOfComposedId(System.Reflection.MemberInfo member); + bool IsMemberOfNaturalId(System.Reflection.MemberInfo member); + bool IsOneToMany(System.Reflection.MemberInfo member); + bool IsOneToOne(System.Reflection.MemberInfo member); + bool IsPersistentId(System.Reflection.MemberInfo member); + bool IsPersistentProperty(System.Reflection.MemberInfo member); + bool IsProperty(System.Reflection.MemberInfo member); + bool IsRootEntity(System.Type type); + bool IsSet(System.Reflection.MemberInfo role); + bool IsTablePerClass(System.Type type); + bool IsTablePerClassHierarchy(System.Type type); + bool IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member); + bool IsTablePerConcreteClass(System.Type type); + bool IsVersion(System.Reflection.MemberInfo member); + } + namespace Impl + { + public abstract class AbstractBasePropertyContainerMapper { - public void Columns(System.Action idColumnMapping, System.Action classColumnMapping) => throw null; - public void IdType() => throw null; - public void IdType(System.Type idType) => throw null; - public void IdType(NHibernate.Type.IType idType) => throw null; - public ManyToAnyMapper(System.Type elementType, System.Type foreignIdType, NHibernate.Cfg.MappingSchema.HbmManyToAny manyToAny, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void MetaType() => throw null; - public void MetaType(System.Type metaType) => throw null; - public void MetaType(NHibernate.Type.IType metaType) => throw null; - public void MetaValue(object value, System.Type entityType) => throw null; + protected abstract void AddProperty(object property); + public virtual void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping) => throw null; + public virtual void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public virtual void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + protected System.Type container; + protected System.Type Container { get => throw null; } + protected AbstractBasePropertyContainerMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + protected virtual bool IsMemberSupportedByMappedContainer(System.Reflection.MemberInfo property) => throw null; + public virtual void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + protected NHibernate.Cfg.MappingSchema.HbmMapping mapDoc; + protected NHibernate.Cfg.MappingSchema.HbmMapping MapDoc { get => throw null; } + public virtual void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ManyToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ManyToManyMapper : NHibernate.Mapping.ByCode.IManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + public abstract class AbstractPropertyContainerMapper : NHibernate.Mapping.ByCode.Impl.AbstractBasePropertyContainerMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Class(System.Type entityType) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public void EntityName(string entityName) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; - public ManyToManyMapper(System.Type elementType, NHibernate.Cfg.MappingSchema.HbmManyToMany manyToMany, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; - public void Where(string sqlWhereClause) => throw null; + public virtual void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + protected AbstractPropertyContainerMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public virtual void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public virtual void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public virtual void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping) => throw null; + public virtual void OneToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public virtual void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ManyToManyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void ManyToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper collectionRelationManyToManyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.ManyToOneMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ManyToOneMapper : NHibernate.Mapping.ByCode.IManyToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class AccessorPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; public void Access(System.Type accessorType) => throw null; + public AccessorPropertyMapper(System.Type declaringType, string propertyName, System.Action accesorValueSetter) => throw null; + public string PropertyName { get => throw null; set { } } + } + public class AnyMapper : NHibernate.Mapping.ByCode.IAnyMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Class(System.Type entityType) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public void EntityName(string entityName) => throw null; - public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; + public void Columns(System.Action idColumnMapping, System.Action classColumnMapping) => throw null; + public AnyMapper(System.Reflection.MemberInfo member, System.Type foreignIdType, NHibernate.Cfg.MappingSchema.HbmAny any, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public AnyMapper(System.Reflection.MemberInfo member, System.Type foreignIdType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmAny any, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void IdType(NHibernate.Type.IType idType) => throw null; + public void IdType() => throw null; + public void IdType(System.Type idType) => throw null; public void Index(string indexName) => throw null; public void Insert(bool consideredInInsertQuery) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; - public ManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorPropertyMapper, NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public ManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; - public void NotNullable(bool notnull) => throw null; + public void Lazy(bool isLazy) => throw null; + public void MetaType(NHibernate.Type.IType metaType) => throw null; + public void MetaType() => throw null; + public void MetaType(System.Type metaType) => throw null; + public void MetaValue(object value, System.Type entityType) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void PropertyRef(string propertyReferencedName) => throw null; - public void Unique(bool unique) => throw null; - public void UniqueKey(string uniquekeyName) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.ManyToOneMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void ManyToOneMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapKeyManyToManyMapper : NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper - { - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public MapKeyManyToManyMapper(NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany mapping) => throw null; - public NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany MapKeyManyToManyMapping { get => throw null; } - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void MapKeyManyToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapKeyManyToManyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapKeyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapKeyMapper : NHibernate.Mapping.ByCode.IMapKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper - { - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public void Length(int length) => throw null; - public MapKeyMapper(NHibernate.Cfg.MappingSchema.HbmMapKey hbmMapKey) => throw null; - public NHibernate.Cfg.MappingSchema.HbmMapKey MapKeyMapping { get => throw null; } - public void Type() => throw null; - public void Type(System.Type persistentType) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapKeyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void MapKeyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapKeyElementCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapKeyRelation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapKeyRelation : NHibernate.Mapping.ByCode.IMapKeyRelation - { - public void Component(System.Action mapping) => throw null; - public void Element(System.Action mapping) => throw null; - public void ManyToMany(System.Action mapping) => throw null; - public MapKeyRelation(System.Type dictionaryKeyType, NHibernate.Cfg.MappingSchema.HbmMap mapMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapMapper : NHibernate.Mapping.ByCode.IMapPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public delegate void AnyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper propertyCustomizer); + public class BagMapper : NHibernate.Mapping.ByCode.IBagPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void BatchSize(int value) => throw null; public void Cache(System.Action cacheMapping) => throw null; public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; public void Catalog(string catalogName) => throw null; + public BagMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmBag mapping) => throw null; + public BagMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmBag mapping) => throw null; + public System.Type ElementType { get => throw null; } public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; public void Filter(string filterName, System.Action filterMapping) => throw null; public void Inverse(bool value) => throw null; public void Key(System.Action keyMapping) => throw null; - public System.Type KeyType { get => throw null; set => throw null; } public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; public void Loader(string namedQueryReference) => throw null; - public MapMapper(System.Type ownerType, System.Type keyType, System.Type valueType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmMap mapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; - public MapMapper(System.Type ownerType, System.Type keyType, System.Type valueType, NHibernate.Cfg.MappingSchema.HbmMap mapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; public void Mutable(bool value) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void OrderBy(string sqlOrderByClause) => throw null; public void OrderBy(System.Reflection.MemberInfo property) => throw null; - public System.Type OwnerType { get => throw null; set => throw null; } + public void OrderBy(string sqlOrderByClause) => throw null; + public System.Type OwnerType { get => throw null; } public void Persister(System.Type persister) => throw null; public void Schema(string schemaName) => throw null; - public void Sort() => throw null; public void Sort() => throw null; + public void Sort() => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Table(string tableName) => throw null; public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; public void Type(System.Type collectionType) => throw null; - public System.Type ValueType { get => throw null; set => throw null; } + public void Type(string collectionType) => throw null; public void Where(string sqlWhereClause) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.MapMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void MapMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.NaturalIdMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NaturalIdMapper : NHibernate.Mapping.ByCode.Impl.AbstractBasePropertyContainerMapper, NHibernate.Mapping.ByCode.INaturalIdMapper, NHibernate.Mapping.ByCode.INaturalIdAttributesMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public delegate void BagMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper propertyCustomizer); + public class CacheMapper : NHibernate.Mapping.ByCode.ICacheMapper + { + public CacheMapper(NHibernate.Cfg.MappingSchema.HbmCache cacheMapping) => throw null; + public void Include(NHibernate.Mapping.ByCode.CacheInclude cacheInclude) => throw null; + public void Region(string regionName) => throw null; + public void Usage(NHibernate.Mapping.ByCode.CacheUsage cacheUsage) => throw null; + } + public static class CascadeConverter + { + public static string ToCascadeString(this NHibernate.Mapping.ByCode.Cascade source) => throw null; + } + public class ClassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IClassMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper { + public void Abstract(bool isAbstract) => throw null; protected override void AddProperty(object property) => throw null; + public void BatchSize(int value) => throw null; + public void Cache(System.Action cacheMapping) => throw null; + public void Catalog(string catalogName) => throw null; + public void Check(string check) => throw null; + public void ComponentAsId(System.Reflection.MemberInfo idProperty, System.Action mapper) => throw null; + public void ComposedId(System.Action idPropertiesMapping) => throw null; + public ClassMapper(System.Type rootClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, System.Reflection.MemberInfo idProperty) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void Discriminator(System.Action discriminatorMapping) => throw null; + public void DiscriminatorValue(object value) => throw null; + public void DynamicInsert(bool value) => throw null; + public void DynamicUpdate(bool value) => throw null; + public void EntityName(string value) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Id(System.Action mapper) => throw null; + public void Id(System.Reflection.MemberInfo idProperty, System.Action mapper) => throw null; + public void Join(string splitGroupId, System.Action splitMapping) => throw null; + public System.Collections.Generic.Dictionary JoinMappers { get => throw null; } + public void Lazy(bool value) => throw null; + public void Loader(string namedQueryReference) => throw null; public void Mutable(bool isMutable) => throw null; - public NaturalIdMapper(System.Type rootClass, NHibernate.Cfg.MappingSchema.HbmClass classMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void NaturalId(System.Action naturalIdMapping) => throw null; + public void OptimisticLock(NHibernate.Mapping.ByCode.OptimisticLockMode mode) => throw null; + public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; + public void Polymorphism(NHibernate.Mapping.ByCode.PolymorphismType type) => throw null; + public void Proxy(System.Type proxy) => throw null; + public void Schema(string schemaName) => throw null; + public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; + public void SelectBeforeUpdate(bool value) => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Synchronize(params string[] table) => throw null; + public void Table(string tableName) => throw null; + public void Version(System.Reflection.MemberInfo versionProperty, System.Action versionMapping) => throw null; + public void Where(string whereClause) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.NoMemberPropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoMemberPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class CollectionElementRelation : NHibernate.Mapping.ByCode.ICollectionElementRelation { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public NoMemberPropertyMapper() => throw null; + public void Component(System.Action mapping) => throw null; + public CollectionElementRelation(System.Type collectionElementType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, System.Action elementRelationshipAssing) => throw null; + public void Element(System.Action mapping) => throw null; + public void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping) => throw null; + public void ManyToMany(System.Action mapping) => throw null; + public void OneToMany(System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.OneToManyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToManyMapper : NHibernate.Mapping.ByCode.IOneToManyMapper + public class CollectionIdMapper : NHibernate.Mapping.ByCode.ICollectionIdMapper { - public void Class(System.Type entityType) => throw null; - public void EntityName(string entityName) => throw null; - public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; - public OneToManyMapper(System.Type collectionElementType, NHibernate.Cfg.MappingSchema.HbmOneToMany oneToManyMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void Column(string name) => throw null; + public CollectionIdMapper(NHibernate.Cfg.MappingSchema.HbmCollectionId hbmId) => throw null; + public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator) => throw null; + public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping) => throw null; + public void Length(int length) => throw null; + public void Type(NHibernate.Type.IIdentifierType persistentType) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.OneToManyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void OneToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper collectionRelationOneToManyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.OneToOneMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToOneMapper : NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ColumnMapper : NHibernate.Mapping.ByCode.IColumnMapper + { + public void Check(string checkConstraint) => throw null; + public ColumnMapper(NHibernate.Cfg.MappingSchema.HbmColumn mapping, string memberName) => throw null; + public void Default(object defaultValue) => throw null; + public void Index(string indexName) => throw null; + public void Length(int length) => throw null; + public void Name(string name) => throw null; + public void NotNullable(bool notnull) => throw null; + public void Precision(short precision) => throw null; + public void Scale(short scale) => throw null; + public void SqlType(string sqltype) => throw null; + public void Unique(bool unique) => throw null; + public void UniqueKey(string uniquekeyName) => throw null; + } + public class ColumnOrFormulaMapper : NHibernate.Mapping.ByCode.Impl.ColumnMapper, NHibernate.Mapping.ByCode.IColumnOrFormulaMapper, NHibernate.Mapping.ByCode.IColumnMapper + { + public ColumnOrFormulaMapper(NHibernate.Cfg.MappingSchema.HbmColumn columnMapping, string memberName, NHibernate.Cfg.MappingSchema.HbmFormula formulaMapping) : base(default(NHibernate.Cfg.MappingSchema.HbmColumn), default(string)) => throw null; + public void Formula(string formula) => throw null; + public static object[] GetItemsFor(System.Action[] columnOrFormulaMapper, string baseDefaultColumnName) => throw null; + } + public class ComponentAsIdLikeComponentAttributesMapper : NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; public void Access(System.Type accessorType) => throw null; + public void Class(System.Type componentType) => throw null; + public ComponentAsIdLikeComponentAttributesMapper(NHibernate.Mapping.ByCode.IComponentAsIdMapper realMapper) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(bool isLazy) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void Parent(System.Reflection.MemberInfo parent) => throw null; + public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class ComponentAsIdMapper : NHibernate.Mapping.ByCode.IComponentAsIdMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Class(System.Type clazz) => throw null; - public void Constrained(bool value) => throw null; - public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; - public void ForeignKey(string foreignKeyName) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; - public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) => throw null; - public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) => throw null; + public void Access(System.Type accessorType) => throw null; + protected void AddProperty(object property) => throw null; + public void Class(System.Type componentType) => throw null; + public NHibernate.Cfg.MappingSchema.HbmCompositeId CompositeId { get => throw null; } + public ComponentAsIdMapper(System.Type componentType, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmCompositeId id, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType) => throw null; + } + public class ComponentElementMapper : NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + protected void AddProperty(object property) => throw null; + public void Class(System.Type componentConcreteType) => throw null; + public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public ComponentElementMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, NHibernate.Cfg.MappingSchema.HbmCompositeElement component) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(bool isLazy) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void PropertyReference(System.Reflection.MemberInfo propertyInTheOtherSide) => throw null; + public void Parent(System.Reflection.MemberInfo parent) => throw null; + public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.OneToOneMapper<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToOneMapper : NHibernate.Mapping.ByCode.Impl.OneToOneMapper, NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ComponentMapKeyMapper : NHibernate.Mapping.ByCode.IComponentMapKeyMapper { - public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) : base(default(System.Reflection.MemberInfo), default(NHibernate.Cfg.MappingSchema.HbmOneToOne)) => throw null; - public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) : base(default(System.Reflection.MemberInfo), default(NHibernate.Cfg.MappingSchema.HbmOneToOne)) => throw null; - public void PropertyReference(System.Linq.Expressions.Expression> reference) => throw null; + protected void AddProperty(object property) => throw null; + public NHibernate.Cfg.MappingSchema.HbmCompositeMapKey CompositeMapKeyMapping { get => throw null; } + public ComponentMapKeyMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmCompositeMapKey component, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.OneToOneMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void OneToOneMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.PropertyMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyMapper : NHibernate.Mapping.ByCode.IPropertyMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ComponentMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IComponentMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; - public void FetchGroup(string name) => throw null; - public void Formula(string formula) => throw null; - public void Formulas(params string[] formulas) => throw null; - public void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation) => throw null; - public void Index(string indexName) => throw null; + public void Access(System.Type accessorType) => throw null; + protected override void AddProperty(object property) => throw null; + public void Class(System.Type componentType) => throw null; + public ComponentMapper(NHibernate.Cfg.MappingSchema.HbmComponent component, System.Type componentType, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public ComponentMapper(NHibernate.Cfg.MappingSchema.HbmComponent component, System.Type componentType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; public void Insert(bool consideredInInsertQuery) => throw null; public void Lazy(bool isLazy) => throw null; - public void Length(int length) => throw null; - public void NotNullable(bool notnull) => throw null; + public void LazyGroup(string name) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Precision(System.Int16 precision) => throw null; - public PropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper) => throw null; - public PropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping) => throw null; - public void Scale(System.Int16 scale) => throw null; - public void Type(object parameters) => throw null; - public void Type() => throw null; - public void Type(System.Type persistentType, object parameters) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Parent(System.Reflection.MemberInfo parent) => throw null; + public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; public void Unique(bool unique) => throw null; - public void UniqueKey(string uniquekeyName) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.PropertyMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void PropertyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.RootClassMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void RootClassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.SetMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SetMapper : NHibernate.Mapping.ByCode.ISetPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public delegate void ComponentMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper propertyCustomizer); + public class ComponentNestedElementMapper : NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void BatchSize(int value) => throw null; - public void Cache(System.Action cacheMapping) => throw null; - public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; - public void Catalog(string catalogName) => throw null; - public System.Type ElementType { get => throw null; set => throw null; } - public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Inverse(bool value) => throw null; - public void Key(System.Action keyMapping) => throw null; - public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Mutable(bool value) => throw null; + public void Access(System.Type accessorType) => throw null; + protected void AddProperty(object property) => throw null; + public void Class(System.Type componentConcreteType) => throw null; + public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public ComponentNestedElementMapper(System.Type componentType, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc, NHibernate.Cfg.MappingSchema.HbmNestedCompositeElement component, System.Reflection.MemberInfo declaringComponentMember) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(bool isLazy) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void OrderBy(string sqlOrderByClause) => throw null; - public void OrderBy(System.Reflection.MemberInfo property) => throw null; - public System.Type OwnerType { get => throw null; set => throw null; } - public void Persister(System.Type persister) => throw null; - public void Schema(string schemaName) => throw null; - public SetMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmSet mapping) => throw null; - public SetMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmSet mapping) => throw null; - public void Sort() => throw null; - public void Sort() => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlDeleteAll(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Table(string tableName) => throw null; - public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; - public void Type(System.Type collectionType) => throw null; - public void Where(string sqlWhereClause) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.SetMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SetMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper propertyCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.SubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.ISubclassMapper, NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper - { - public void Abstract(bool isAbstract) => throw null; - protected override void AddProperty(object property) => throw null; - public void BatchSize(int value) => throw null; - public void DiscriminatorValue(object value) => throw null; - public void DynamicInsert(bool value) => throw null; - public void DynamicUpdate(bool value) => throw null; - public void EntityName(string value) => throw null; - public void Extends(string entityOrClassName) => throw null; - public void Extends(System.Type baseType) => throw null; - public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Join(string splitGroupId, System.Action splitMapping) => throw null; - public System.Collections.Generic.Dictionary JoinMappers { get => throw null; } - public void Lazy(bool value) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; - public void Proxy(System.Type proxy) => throw null; - public void SelectBeforeUpdate(bool value) => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public SubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; - public void Subselect(string sql) => throw null; - public void Synchronize(params string[] table) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.SubclassMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void SubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.ISubclassAttributesMapper subclassCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.TableNameChangedEventArgs` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TableNameChangedEventArgs - { - public string NewName { get => throw null; set => throw null; } - public string OldName { get => throw null; set => throw null; } - public TableNameChangedEventArgs(string oldName, string newName) => throw null; + public void Parent(System.Reflection.MemberInfo parent) => throw null; + public void Parent(System.Reflection.MemberInfo parent, System.Action parentMapping) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.TableNameChangedHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void TableNameChangedHandler(NHibernate.Mapping.ByCode.IJoinMapper mapper, NHibernate.Mapping.ByCode.Impl.TableNameChangedEventArgs args); - - // Generated from `NHibernate.Mapping.ByCode.Impl.TypeNameUtil` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class TypeNameUtil + public class ComponentParentMapper : NHibernate.Mapping.ByCode.IComponentParentMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper { - public static string GetNhTypeName(this System.Type type) => throw null; - public static string GetShortClassName(this System.Type type, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public ComponentParentMapper(NHibernate.Cfg.MappingSchema.HbmParent parent, System.Reflection.MemberInfo member) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.UnionSubclassMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnionSubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IUnionSubclassMapper, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper + public class ComposedIdMapper : NHibernate.Mapping.ByCode.IComposedIdMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Abstract(bool isAbstract) => throw null; - protected override void AddProperty(object property) => throw null; - public void BatchSize(int value) => throw null; - public void Catalog(string catalogName) => throw null; - public void DynamicInsert(bool value) => throw null; - public void DynamicUpdate(bool value) => throw null; - public void EntityName(string value) => throw null; - public void Extends(string entityOrClassName) => throw null; - public void Extends(System.Type baseType) => throw null; - public void Lazy(bool value) => throw null; - public void Loader(string namedQueryReference) => throw null; - public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; - public void Proxy(System.Type proxy) => throw null; - public void Schema(string schemaName) => throw null; - public void SelectBeforeUpdate(bool value) => throw null; - public void SqlDelete(string sql) => throw null; - public void SqlInsert(string sql) => throw null; - public void SqlUpdate(string sql) => throw null; - public void Subselect(string sql) => throw null; - public void Synchronize(params string[] table) => throw null; - public void Table(string tableName) => throw null; - public UnionSubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + protected void AddProperty(object property) => throw null; + public NHibernate.Cfg.MappingSchema.HbmCompositeId ComposedId { get => throw null; } + public ComposedIdMapper(System.Type container, NHibernate.Cfg.MappingSchema.HbmCompositeId id, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.UnionSubclassMappingHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate void UnionSubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper unionSubclassCustomizer); - - // Generated from `NHibernate.Mapping.ByCode.Impl.VersionMapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class VersionMapper : NHibernate.Mapping.ByCode.IVersionMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class CustomizersHolder : NHibernate.Mapping.ByCode.Impl.ICustomizersHolder { - public void Access(System.Type accessorType) => throw null; - public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; - public void Column(string name) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public void Generated(NHibernate.Mapping.ByCode.VersionGeneration generatedByDb) => throw null; - public void Insert(bool useInInsert) => throw null; - public void Type() where TPersistentType : NHibernate.UserTypes.IUserVersionType => throw null; - public void Type(System.Type persistentType) => throw null; - public void Type(NHibernate.Type.IVersionType persistentType) => throw null; - public void UnsavedValue(object value) => throw null; - public VersionMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmVersion hbmVersion) => throw null; + public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; + public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; + public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; + public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; + public void AddCustomizer(System.Type type, System.Action classCustomizer) => throw null; + public void AddCustomizer(System.Type type, System.Action joinCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToManyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationElementCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationOneToManyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToAnyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyManyToManyCustomizer) => throw null; + public void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyElementCustomizer) => throw null; + public CustomizersHolder() => throw null; + public System.Collections.Generic.IEnumerable GetAllCustomizedEntities() => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToAnyMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IClassMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.ISubclassMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper) => throw null; + public void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinAttributesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper) => throw null; + public void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapper) => throw null; + public void Merge(NHibernate.Mapping.ByCode.Impl.CustomizersHolder source) => throw null; } - namespace CustomizersImpl { - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.BagPropertiesCustomizer<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BagPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IBagPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class BagPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IBagPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper { public BagPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.PropertyPath), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ClassCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ClassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IClassMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class ClassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IClassMapper, NHibernate.Mapping.ByCode.IClassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper where TEntity : class { public void Abstract(bool isAbstract) => throw null; public void BatchSize(int value) => throw null; public void Cache(System.Action cacheMapping) => throw null; public void Catalog(string catalogName) => throw null; public void Check(string tableName) => throw null; - public ClassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; - public void ComponentAsId(string notVisiblePropertyOrFieldName, System.Action> idMapper) => throw null; - public void ComponentAsId(string notVisiblePropertyOrFieldName) => throw null; - public void ComponentAsId(System.Linq.Expressions.Expression> idProperty, System.Action> idMapper) => throw null; public void ComponentAsId(System.Linq.Expressions.Expression> idProperty) => throw null; + public void ComponentAsId(System.Linq.Expressions.Expression> idProperty, System.Action> idMapper) => throw null; + public void ComponentAsId(string notVisiblePropertyOrFieldName) => throw null; + public void ComponentAsId(string notVisiblePropertyOrFieldName, System.Action> idMapper) => throw null; public void ComposedId(System.Action> idPropertiesMapping) => throw null; + public ClassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; NHibernate.Mapping.ByCode.Impl.ICustomizersHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.CustomizersHolder { get => throw null; } public void Discriminator(System.Action discriminatorMapping) => throw null; public void DiscriminatorValue(object value) => throw null; @@ -26945,8 +20591,8 @@ public class ClassCustomizer : NHibernate.Mapping.ByCode.Impl.Customize public void EntityName(string value) => throw null; NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.ExplicitDeclarationsHolder { get => throw null; } public void Filter(string filterName, System.Action filterMapping) => throw null; - public void Id(System.Linq.Expressions.Expression> idProperty, System.Action idMapper) => throw null; public void Id(System.Linq.Expressions.Expression> idProperty) => throw null; + public void Id(System.Linq.Expressions.Expression> idProperty, System.Action idMapper) => throw null; public void Id(string notVisiblePropertyOrFieldName, System.Action idMapper) => throw null; public void Join(string splitGroupId, System.Action> splitMapping) => throw null; public void Lazy(bool value) => throw null; @@ -26962,8 +20608,11 @@ public class ClassCustomizer : NHibernate.Mapping.ByCode.Impl.Customize public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; public void SelectBeforeUpdate(bool value) => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Synchronize(params string[] table) => throw null; public void Table(string tableName) => throw null; @@ -26971,50 +20620,44 @@ public class ClassCustomizer : NHibernate.Mapping.ByCode.Impl.Customize public void Version(string notVisiblePropertyOrFieldName, System.Action versionMapping) => throw null; public void Where(string whereClause) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionElementCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionElementCustomizer : NHibernate.Mapping.ByCode.IElementMapper, NHibernate.Mapping.ByCode.IColumnsMapper { - public CollectionElementCustomizer(NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; - public void Column(string name) => throw null; public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; - public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } + public CollectionElementCustomizer(NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } public void Formula(string formula) => throw null; public void Length(int length) => throw null; public void NotNullable(bool notnull) => throw null; - public void Precision(System.Int16 precision) => throw null; - public void Scale(System.Int16 scale) => throw null; - public void Type(object parameters) => throw null; + public void Precision(short precision) => throw null; + public void Scale(short scale) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; public void Type() => throw null; + public void Type(object parameters) => throw null; public void Type(System.Type persistentType, object parameters) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; public void Unique(bool unique) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionElementRelationCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionElementRelationCustomizer : NHibernate.Mapping.ByCode.ICollectionElementRelation { - public CollectionElementRelationCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void Component(System.Action> mapping) => throw null; - public void Element(System.Action mapping) => throw null; + public CollectionElementRelationCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void Element() => throw null; - public void ManyToAny(System.Action mapping) => throw null; + public void Element(System.Action mapping) => throw null; public void ManyToAny(System.Type idTypeOfMetaType, System.Action mapping) => throw null; - public void ManyToMany(System.Action mapping) => throw null; + public void ManyToAny(System.Action mapping) => throw null; public void ManyToMany() => throw null; - public void OneToMany(System.Action mapping) => throw null; + public void ManyToMany(System.Action mapping) => throw null; public void OneToMany() => throw null; + public void OneToMany(System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionKeyCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionKeyCustomizer : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper { - public CollectionKeyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; - public void Column(string columnName) => throw null; public void Column(System.Action columnMapper) => throw null; + public void Column(string columnName) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; - public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } + public CollectionKeyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } public void ForeignKey(string foreignKeyName) => throw null; public void NotNullable(bool notnull) => throw null; public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; @@ -27022,18 +20665,16 @@ public class CollectionKeyCustomizer : NHibernate.Mapping.ByCode.IKeyMa public void Unique(bool unique) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CollectionPropertiesCustomizer : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class CollectionPropertiesCustomizer : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void BatchSize(int value) => throw null; public void Cache(System.Action cacheMapping) => throw null; public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; public void Catalog(string catalogName) => throw null; public CollectionPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; - public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } + public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; public void Filter(string filterName, System.Action filterMapping) => throw null; public void Inverse(bool value) => throw null; @@ -27045,116 +20686,105 @@ public class CollectionPropertiesCustomizer : NHibernate.Mapp public void OrderBy(System.Linq.Expressions.Expression> property) => throw null; public void OrderBy(string sqlOrderByClause) => throw null; public void Persister() where TPersister : NHibernate.Persister.Collection.ICollectionPersister => throw null; - public NHibernate.Mapping.ByCode.PropertyPath PropertyPath { get => throw null; set => throw null; } + public NHibernate.Mapping.ByCode.PropertyPath PropertyPath { get => throw null; } public void Schema(string schemaName) => throw null; - public void Sort() => throw null; public void Sort() => throw null; + public void Sort() => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Table(string tableName) => throw null; public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; - public void Type(string collectionType) => throw null; public void Type(System.Type collectionType) => throw null; + public void Type(string collectionType) => throw null; public void Where(string sqlWhereClause) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComponentAsIdCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentAsIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComponentAsIdMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ComponentAsIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IComponentAsIdMapper, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void Class() where TConcrete : TComponent => throw null; public ComponentAsIdCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; public void UnsavedValue(NHibernate.Mapping.ByCode.UnsavedValueType unsavedValueType) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComponentCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.IComponentMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ComponentCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IComponentMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void Class() where TConcrete : TComponent => throw null; - public ComponentCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; public ComponentCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; + public ComponentCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; NHibernate.Mapping.ByCode.Impl.ICustomizersHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.CustomizersHolder { get => throw null; } NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.ExplicitDeclarationsHolder { get => throw null; } public void Insert(bool consideredInInsertQuery) => throw null; public void Lazy(bool isLazy) => throw null; public void LazyGroup(string name) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class => throw null; public void Parent(System.Linq.Expressions.Expression> parent) where TProperty : class => throw null; public void Parent(string notVisiblePropertyOrFieldName, System.Action parentMapping) => throw null; + public void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class => throw null; public void Unique(bool unique) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComponentElementCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentElementCustomizer : NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ComponentElementCustomizer : NHibernate.Mapping.ByCode.IComponentElementMapper, NHibernate.Mapping.ByCode.IComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public void Class() where TConcrete : TComponent => throw null; - public void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) where TNestedComponent : class => throw null; public void Component(System.Linq.Expressions.Expression> property, System.Action> mapping) where TNestedComponent : class => throw null; + public void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) where TNestedComponent : class => throw null; public ComponentElementCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public static System.Reflection.MemberInfo GetPropertyOrFieldMatchingNameOrThrow(string memberName) => throw null; public void Insert(bool consideredInInsertQuery) => throw null; public void Lazy(bool isLazy) => throw null; public void LazyGroup(string name) => throw null; - public void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class => throw null; public void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; public void ManyToOne(System.Linq.Expressions.Expression> property) where TProperty : class => throw null; + public void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; - public void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class => throw null; - public void Parent(System.Linq.Expressions.Expression> parent) where TProperty : class => throw null; public void Parent(string notVisiblePropertyOrFieldName, System.Action parentMapping) => throw null; + public void Parent(System.Linq.Expressions.Expression> parent) where TProperty : class => throw null; + public void Parent(System.Linq.Expressions.Expression> parent, System.Action parentMapping) where TProperty : class => throw null; + public void Property(string notVisiblePropertyOrFieldName, System.Action mapping) => throw null; public void Property(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; public void Property(System.Linq.Expressions.Expression> property) => throw null; - public void Property(string notVisiblePropertyOrFieldName, System.Action mapping) => throw null; public void Unique(bool unique) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ComposedIdCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComposedIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IComposedIdMapper where TEntity : class + public class ComposedIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IComposedIdMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class { public ComposedIdCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; protected override void RegisterManyToOneMapping(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; protected override void RegisterPropertyMapping(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.DynamicComponentCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynamicComponentCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IDynamicComponentMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class DynamicComponentCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IDynamicComponentMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper { - public void Access(System.Type accessorType) => throw null; public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; public DynamicComponentCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; - internal DynamicComponentCustomizer(System.Type componentType, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; protected override System.Reflection.MemberInfo GetRequiredPropertyOrFieldByName(string memberName) => throw null; public void Insert(bool consideredInInsertQuery) => throw null; public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; public void Unique(bool unique) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.IdBagPropertiesCustomizer<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdBagPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class IdBagPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper { - public void Id(System.Action idMapping) => throw null; public IdBagPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.PropertyPath), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; + public void Id(System.Action idMapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class JoinCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IJoinMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper where TEntity : class { public void Catalog(string catalogName) => throw null; + public JoinCustomizer(string splitGroupId, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; public void Inverse(bool value) => throw null; - public JoinCustomizer(string splitGroupId, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; public void Key(System.Action> keyMapping) => throw null; public void Loader(string namedQueryReference) => throw null; public void Optional(bool isOptional) => throw null; @@ -27172,43 +20802,28 @@ public class JoinCustomizer : NHibernate.Mapping.ByCode.Impl.Customizer protected override void RegisterSetMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void Schema(string schemaName) => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Table(string tableName) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinKeyCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinKeyCustomizer : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper where TEntity : class - { - public void Column(string columnName) => throw null; - public void Column(System.Action columnMapper) => throw null; - public void Columns(params System.Action[] columnMapper) => throw null; - public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } - public void ForeignKey(string foreignKeyName) => throw null; - public JoinKeyCustomizer(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; - public void NotNullable(bool notnull) => throw null; - public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; - public void PropertyRef(System.Linq.Expressions.Expression> propertyGetter) => throw null; - public void Unique(bool unique) => throw null; - public void Update(bool consideredInUpdateQuery) => throw null; - } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinedSubclassCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedSubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinedSubclassMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class JoinedSubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IJoinedSubclassMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper where TEntity : class { public void Abstract(bool isAbstract) => throw null; public void BatchSize(int value) => throw null; public void Catalog(string catalogName) => throw null; + public JoinedSubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; NHibernate.Mapping.ByCode.Impl.ICustomizersHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.CustomizersHolder { get => throw null; } public void DynamicInsert(bool value) => throw null; public void DynamicUpdate(bool value) => throw null; public void EntityName(string value) => throw null; NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.ExplicitDeclarationsHolder { get => throw null; } - public void Extends(string entityOrClassName) => throw null; public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; public void Filter(string filterName, System.Action filterMapping) => throw null; - public JoinedSubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; public void Key(System.Action> keyMapping) => throw null; public void Lazy(bool value) => throw null; public void Loader(string namedQueryReference) => throw null; @@ -27218,119 +20833,116 @@ public class JoinedSubclassCustomizer : NHibernate.Mapping.ByCode.Impl. public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; public void SelectBeforeUpdate(bool value) => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Synchronize(params string[] table) => throw null; public void Table(string tableName) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.JoinedSubclassKeyCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class JoinedSubclassKeyCustomizer : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper where TEntity : class { + public void Column(System.Action columnMapper) => throw null; public void Column(string columnName) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public JoinedSubclassKeyCustomizer(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } + public void ForeignKey(string foreignKeyName) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; + public void PropertyRef(System.Linq.Expressions.Expression> propertyGetter) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class JoinKeyCustomizer : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper where TEntity : class + { public void Column(System.Action columnMapper) => throw null; + public void Column(string columnName) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; - public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } + public JoinKeyCustomizer(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } public void ForeignKey(string foreignKeyName) => throw null; - public JoinedSubclassKeyCustomizer(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void NotNullable(bool notnull) => throw null; public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; public void PropertyRef(System.Linq.Expressions.Expression> propertyGetter) => throw null; public void Unique(bool unique) => throw null; public void Update(bool consideredInUpdateQuery) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ListPropertiesCustomizer<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ListPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IListPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class ListPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IListPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper { - public void Index(System.Action listIndexMapping) => throw null; public ListPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.PropertyPath), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; + public void Index(System.Action listIndexMapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ManyToAnyCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ManyToAnyCustomizer : NHibernate.Mapping.ByCode.IManyToAnyMapper { public void Columns(System.Action idColumnMapping, System.Action classColumnMapping) => throw null; + public ManyToAnyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public void IdType(NHibernate.Type.IType idType) => throw null; public void IdType() => throw null; public void IdType(System.Type idType) => throw null; - public void IdType(NHibernate.Type.IType idType) => throw null; - public ManyToAnyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public void MetaType(NHibernate.Type.IType metaType) => throw null; public void MetaType() => throw null; public void MetaType(System.Type metaType) => throw null; - public void MetaType(NHibernate.Type.IType metaType) => throw null; public void MetaValue(object value, System.Type entityType) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.ManyToManyCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ManyToManyCustomizer : NHibernate.Mapping.ByCode.IManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper { public void Class(System.Type entityType) => throw null; - public void Column(string name) => throw null; public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; + public ManyToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void EntityName(string entityName) => throw null; public void ForeignKey(string foreignKeyName) => throw null; public void Formula(string formula) => throw null; public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; - public ManyToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; public void Where(string sqlWhereClause) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.MapKeyComponentCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapKeyComponentCustomizer : NHibernate.Mapping.ByCode.IComponentMapKeyMapper { - public void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; public MapKeyComponentCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; public void Property(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; public void Property(System.Linq.Expressions.Expression> property) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.MapKeyCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapKeyCustomizer : NHibernate.Mapping.ByCode.IMapKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper { - public void Column(string name) => throw null; public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; + public MapKeyCustomizer(NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void Formula(string formula) => throw null; public void Length(int length) => throw null; - public MapKeyCustomizer(NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; public void Type() => throw null; public void Type(System.Type persistentType) => throw null; - public void Type(NHibernate.Type.IType persistentType) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.MapKeyManyToManyCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapKeyManyToManyCustomizer : NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper { - public void Column(string name) => throw null; public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; public void Columns(params System.Action[] columnMapper) => throw null; + public MapKeyManyToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void ForeignKey(string foreignKeyName) => throw null; public void Formula(string formula) => throw null; - public MapKeyManyToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.MapKeyRelationCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapKeyRelationCustomizer : NHibernate.Mapping.ByCode.IMapKeyRelation { public void Component(System.Action> mapping) => throw null; - public void Element(System.Action mapping) => throw null; + public MapKeyRelationCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void Element() => throw null; - public void ManyToMany(System.Action mapping) => throw null; + public void Element(System.Action mapping) => throw null; public void ManyToMany() => throw null; - public MapKeyRelationCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; + public void ManyToMany(System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.MapPropertiesCustomizer<,,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IMapPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class MapPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.IMapPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper { public MapPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.PropertyPath), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.NaturalIdCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NaturalIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class NaturalIdCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class { public NaturalIdCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; protected override void RegisterAnyMapping(System.Linq.Expressions.Expression> property, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class => throw null; @@ -27339,111 +20951,104 @@ public class NaturalIdCustomizer : NHibernate.Mapping.ByCode.Impl.Custo protected override void RegisterNoVisiblePropertyMapping(string notVisiblePropertyOrFieldName, System.Action mapping) => throw null; protected override void RegisterPropertyMapping(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.OneToManyCustomizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class OneToManyCustomizer : NHibernate.Mapping.ByCode.IOneToManyMapper { public void Class(System.Type entityType) => throw null; + public OneToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; public void EntityName(string entityName) => throw null; public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; - public OneToManyCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PropertyContainerCustomizer { - public void Any(string notVisiblePropertyOrFieldName, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class => throw null; public void Any(System.Linq.Expressions.Expression> property, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class => throw null; - public void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; + public void Any(string notVisiblePropertyOrFieldName, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class => throw null; public void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void Bag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; - public void Component(string notVisiblePropertyOrFieldName, TComponent dynamicComponentTemplate, System.Action> mapping) => throw null; - public void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) => throw null; - public void Component(string notVisiblePropertyOrFieldName) => throw null; + public void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; + public void Bag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; public void Component(System.Linq.Expressions.Expression> property, System.Action> mapping) => throw null; public void Component(System.Linq.Expressions.Expression> property) => throw null; public void Component(System.Linq.Expressions.Expression> property, TComponent dynamicComponentTemplate, System.Action> mapping) => throw null; public void Component(System.Linq.Expressions.Expression>> property, TComponent dynamicComponentTemplate, System.Action> mapping) where TComponent : class => throw null; - protected internal NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; set => throw null; } - protected internal NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder ExplicitDeclarationsHolder { get => throw null; } + public void Component(string notVisiblePropertyOrFieldName, System.Action> mapping) => throw null; + public void Component(string notVisiblePropertyOrFieldName) => throw null; + public void Component(string notVisiblePropertyOrFieldName, TComponent dynamicComponentTemplate, System.Action> mapping) => throw null; + public PropertyContainerCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) => throw null; + protected NHibernate.Mapping.ByCode.Impl.ICustomizersHolder CustomizersHolder { get => throw null; } + protected NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder ExplicitDeclarationsHolder { get => throw null; } public static System.Reflection.MemberInfo GetPropertyOrFieldMatchingNameOrThrow(string memberName) => throw null; protected virtual System.Reflection.MemberInfo GetRequiredPropertyOrFieldByName(string memberName) => throw null; - public void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; public void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void IdBag(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; - public void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; + public void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; + public void IdBag(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; public void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void List(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; - public void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class => throw null; + public void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; + public void List(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; public void ManyToOne(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; public void ManyToOne(System.Linq.Expressions.Expression> property) where TProperty : class => throw null; + public void ManyToOne(string notVisiblePropertyOrFieldName, System.Action mapping) where TProperty : class => throw null; + public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping) => throw null; + public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; + public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping) => throw null; public void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; public void Map(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; - public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping) => throw null; - public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void Map(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; - public void OneToOne(string notVisiblePropertyOrFieldName, System.Action> mapping) where TProperty : class => throw null; public void OneToOne(System.Linq.Expressions.Expression> property, System.Action> mapping) where TProperty : class => throw null; - public void Property(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; + public void OneToOne(string notVisiblePropertyOrFieldName, System.Action> mapping) where TProperty : class => throw null; public void Property(System.Linq.Expressions.Expression> property) => throw null; + public void Property(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; public void Property(string notVisiblePropertyOrFieldName, System.Action mapping) => throw null; - public PropertyContainerCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath) => throw null; - protected internal NHibernate.Mapping.ByCode.PropertyPath PropertyPath { get => throw null; set => throw null; } + protected NHibernate.Mapping.ByCode.PropertyPath PropertyPath { get => throw null; } protected void RegistePropertyMapping(System.Action mapping, params System.Reflection.MemberInfo[] members) => throw null; - protected void RegisterAnyMapping(System.Action mapping, System.Type idTypeOfMetaType, params System.Reflection.MemberInfo[] members) where TProperty : class => throw null; protected virtual void RegisterAnyMapping(System.Linq.Expressions.Expression> property, System.Type idTypeOfMetaType, System.Action mapping) where TProperty : class => throw null; - protected void RegisterBagMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; + protected void RegisterAnyMapping(System.Action mapping, System.Type idTypeOfMetaType, params System.Reflection.MemberInfo[] members) where TProperty : class => throw null; protected virtual void RegisterBagMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; - protected void RegisterComponentMapping(System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; + protected void RegisterBagMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterComponentMapping(System.Linq.Expressions.Expression> property, System.Action> mapping) => throw null; - protected void RegisterDynamicComponentMapping(System.Type componentType, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; - protected void RegisterDynamicComponentMapping(System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; - protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression> property, System.Type componentType, System.Action> mapping) => throw null; + protected void RegisterComponentMapping(System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression> property, System.Action> mapping) => throw null; - protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression>> property, System.Type componentType, System.Action> mapping) => throw null; + protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression> property, System.Type componentType, System.Action> mapping) => throw null; protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression>> property, System.Action> mapping) where TComponent : class => throw null; + protected virtual void RegisterDynamicComponentMapping(System.Linq.Expressions.Expression>> property, System.Type componentType, System.Action> mapping) => throw null; + protected void RegisterDynamicComponentMapping(System.Type componentType, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; + protected void RegisterDynamicComponentMapping(System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterIdBagMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; protected virtual void RegisterIdBagMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; - protected void RegisterListMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterListMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; - protected void RegisterManyToOneMapping(System.Action mapping, params System.Reflection.MemberInfo[] members) where TProperty : class => throw null; + protected void RegisterListMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterManyToOneMapping(System.Linq.Expressions.Expression> property, System.Action mapping) where TProperty : class => throw null; + protected void RegisterManyToOneMapping(System.Action mapping, params System.Reflection.MemberInfo[] members) where TProperty : class => throw null; protected virtual void RegisterMapMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping) => throw null; protected virtual void RegisterMapMapping(System.Action> collectionMapping, System.Action> keyMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterNoVisiblePropertyMapping(string notVisiblePropertyOrFieldName, System.Action mapping) => throw null; protected void RegisterOneToOneMapping(System.Action> mapping, params System.Reflection.MemberInfo[] members) where TProperty : class => throw null; protected virtual void RegisterPropertyMapping(System.Linq.Expressions.Expression> property, System.Action mapping) => throw null; - protected void RegisterSetMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; protected virtual void RegisterSetMapping(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; - public void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; + protected void RegisterSetMapping(System.Action> collectionMapping, System.Action> mapping, params System.Reflection.MemberInfo[] members) => throw null; public void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping, System.Action> mapping) => throw null; public void Set(System.Linq.Expressions.Expression>> property, System.Action> collectionMapping) => throw null; + public void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping, System.Action> mapping) => throw null; + public void Set(string notVisiblePropertyOrFieldName, System.Action> collectionMapping) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.SetPropertiesCustomizer<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SetPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.ISetPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + public class SetPropertiesCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.CollectionPropertiesCustomizer, NHibernate.Mapping.ByCode.ISetPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper { public SetPropertiesCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.PropertyPath), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder)) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.SubclassCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.ISubclassMapper, NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class SubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.ISubclassMapper, NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper where TEntity : class { public void Abstract(bool isAbstract) => throw null; public void BatchSize(int value) => throw null; + public SubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; NHibernate.Mapping.ByCode.Impl.ICustomizersHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.CustomizersHolder { get => throw null; } public void DiscriminatorValue(object value) => throw null; public void DynamicInsert(bool value) => throw null; public void DynamicUpdate(bool value) => throw null; public void EntityName(string value) => throw null; NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.ExplicitDeclarationsHolder { get => throw null; } - public void Extends(string entityOrClassName) => throw null; public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; public void Filter(string filterName, System.Action filterMapping) => throw null; public void Join(string splitGroupId, System.Action> splitMapping) => throw null; public void Lazy(bool value) => throw null; @@ -27452,26 +21057,27 @@ public class SubclassCustomizer : NHibernate.Mapping.ByCode.Impl.Custom public void Proxy(System.Type proxy) => throw null; public void SelectBeforeUpdate(bool value) => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; - public SubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Synchronize(params string[] table) => throw null; } - - // Generated from `NHibernate.Mapping.ByCode.Impl.CustomizersImpl.UnionSubclassCustomizer<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnionSubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IUnionSubclassMapper, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper where TEntity : class + public class UnionSubclassCustomizer : NHibernate.Mapping.ByCode.Impl.CustomizersImpl.PropertyContainerCustomizer, NHibernate.Mapping.ByCode.IUnionSubclassMapper, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IConformistHoldersProvider, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper where TEntity : class { public void Abstract(bool isAbstract) => throw null; public void BatchSize(int value) => throw null; public void Catalog(string catalogName) => throw null; + public UnionSubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; NHibernate.Mapping.ByCode.Impl.ICustomizersHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.CustomizersHolder { get => throw null; } public void DynamicInsert(bool value) => throw null; public void DynamicUpdate(bool value) => throw null; public void EntityName(string value) => throw null; NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder NHibernate.Mapping.ByCode.IConformistHoldersProvider.ExplicitDeclarationsHolder { get => throw null; } - public void Extends(string entityOrClassName) => throw null; public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; public void Lazy(bool value) => throw null; public void Loader(string namedQueryReference) => throw null; public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; @@ -27479,21 +21085,2326 @@ public class UnionSubclassCustomizer : NHibernate.Mapping.ByCode.Impl.C public void Schema(string schemaName) => throw null; public void SelectBeforeUpdate(bool value) => throw null; public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; public void Subselect(string sql) => throw null; public void Synchronize(params string[] table) => throw null; public void Table(string tableName) => throw null; - public UnionSubclassCustomizer(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizersHolder) : base(default(NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder), default(NHibernate.Mapping.ByCode.Impl.ICustomizersHolder), default(NHibernate.Mapping.ByCode.PropertyPath)) => throw null; } - } + public class DefaultCandidatePersistentMembersProvider : NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider + { + public DefaultCandidatePersistentMembersProvider() => throw null; + public System.Collections.Generic.IEnumerable GetComponentMembers(System.Type componentClass) => throw null; + public System.Collections.Generic.IEnumerable GetEntityMembersForPoid(System.Type entityClass) => throw null; + public System.Collections.Generic.IEnumerable GetRootEntityMembers(System.Type entityClass) => throw null; + public System.Collections.Generic.IEnumerable GetSubEntityMembers(System.Type entityClass, System.Type entitySuperclass) => throw null; + protected System.Collections.Generic.IEnumerable GetUserDeclaredFields(System.Type type) => throw null; + } + public class DiscriminatorMapper : NHibernate.Mapping.ByCode.IDiscriminatorMapper + { + public void Column(string column) => throw null; + public void Column(System.Action columnMapper) => throw null; + public DiscriminatorMapper(NHibernate.Cfg.MappingSchema.HbmDiscriminator discriminatorMapping) => throw null; + public void Force(bool force) => throw null; + public void Formula(string formula) => throw null; + public void Insert(bool applyOnInsert) => throw null; + public void Length(int length) => throw null; + public void NotNullable(bool isNotNullable) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Type(NHibernate.Type.IDiscriminatorType persistentType) => throw null; + public void Type() where TPersistentType : NHibernate.Type.IDiscriminatorType => throw null; + public void Type(System.Type persistentType) => throw null; + } + public class DynamicComponentMapper : NHibernate.Mapping.ByCode.IDynamicComponentMapper, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + protected void AddProperty(object property) => throw null; + public void Any(System.Reflection.MemberInfo property, System.Type idTypeOfMetaType, System.Action mapping) => throw null; + public void Bag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Component(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public DynamicComponentMapper(NHibernate.Cfg.MappingSchema.HbmDynamicComponent component, System.Reflection.MemberInfo declaringTypeMember, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void IdBag(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void List(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public void ManyToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Map(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action keyMapping, System.Action mapping) => throw null; + public void OneToOne(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void Property(System.Reflection.MemberInfo property, System.Action mapping) => throw null; + public void Set(System.Reflection.MemberInfo property, System.Action collectionMapping, System.Action mapping) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class ElementMapper : NHibernate.Mapping.ByCode.IElementMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public ElementMapper(System.Type elementType, NHibernate.Cfg.MappingSchema.HbmElement elementMapping) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Length(int length) => throw null; + public void NotNullable(bool notnull) => throw null; + public void Precision(short precision) => throw null; + public void Scale(short scale) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Type() => throw null; + public void Type(object parameters) => throw null; + public void Type(System.Type persistentType, object parameters) => throw null; + public void Unique(bool unique) => throw null; + } + public delegate void ElementMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper collectionRelationElementCustomizer); + public class ExplicitDeclarationsHolder : NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + { + public void AddAsAny(System.Reflection.MemberInfo member) => throw null; + public void AddAsArray(System.Reflection.MemberInfo member) => throw null; + public void AddAsBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsComponent(System.Type type) => throw null; + public void AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; + public void AddAsIdBag(System.Reflection.MemberInfo member) => throw null; + public void AddAsList(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsMap(System.Reflection.MemberInfo member) => throw null; + public void AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; + public void AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; + public void AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; + public void AddAsPoid(System.Reflection.MemberInfo member) => throw null; + public void AddAsProperty(System.Reflection.MemberInfo member) => throw null; + public void AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; + public void AddAsRootEntity(System.Type type) => throw null; + public void AddAsSet(System.Reflection.MemberInfo member) => throw null; + public void AddAsTablePerClassEntity(System.Type type) => throw null; + public void AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; + public void AddAsTablePerConcreteClassEntity(System.Type type) => throw null; + public void AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable Any { get => throw null; } + public System.Collections.Generic.IEnumerable Arrays { get => throw null; } + public System.Collections.Generic.IEnumerable Bags { get => throw null; } + public System.Collections.Generic.IEnumerable Components { get => throw null; } + public System.Collections.Generic.IEnumerable ComposedIds { get => throw null; } + public ExplicitDeclarationsHolder() => throw null; + public System.Collections.Generic.IEnumerable Dictionaries { get => throw null; } + public System.Collections.Generic.IEnumerable DynamicComponents { get => throw null; } + public System.Type GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; + public string GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; + public System.Collections.Generic.IEnumerable GetSplitGroupsFor(System.Type type) => throw null; + public System.Collections.Generic.IEnumerable IdBags { get => throw null; } + public System.Collections.Generic.IEnumerable ItemManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable KeyManyToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable Lists { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToAnyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable ManyToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable NaturalIds { get => throw null; } + public System.Collections.Generic.IEnumerable OneToManyRelations { get => throw null; } + public System.Collections.Generic.IEnumerable OneToOneRelations { get => throw null; } + public System.Collections.Generic.IEnumerable PersistentMembers { get => throw null; } + public System.Collections.Generic.IEnumerable Poids { get => throw null; } + public System.Collections.Generic.IEnumerable Properties { get => throw null; } + public System.Collections.Generic.IEnumerable RootEntities { get => throw null; } + public System.Collections.Generic.IEnumerable Sets { get => throw null; } + public System.Collections.Generic.IEnumerable SplitDefinitions { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerClassHierarchyEntities { get => throw null; } + public System.Collections.Generic.IEnumerable TablePerConcreteClassEntities { get => throw null; } + public System.Collections.Generic.IEnumerable VersionProperties { get => throw null; } + } + public class FilterMapper : NHibernate.Mapping.ByCode.IFilterMapper + { + public void Condition(string sqlCondition) => throw null; + public FilterMapper(string filterName, NHibernate.Cfg.MappingSchema.HbmFilter filter) => throw null; + } + public class GeneratorMapper : NHibernate.Mapping.ByCode.IGeneratorMapper + { + public GeneratorMapper(NHibernate.Cfg.MappingSchema.HbmGenerator generator) => throw null; + public void Params(object generatorParameters) => throw null; + public void Params(System.Collections.Generic.IDictionary generatorParameters) => throw null; + } + public interface ICandidatePersistentMembersProvider + { + System.Collections.Generic.IEnumerable GetComponentMembers(System.Type componentClass); + System.Collections.Generic.IEnumerable GetEntityMembersForPoid(System.Type entityClass); + System.Collections.Generic.IEnumerable GetRootEntityMembers(System.Type entityClass); + System.Collections.Generic.IEnumerable GetSubEntityMembers(System.Type entityClass, System.Type entitySuperclass); + } + public interface ICustomizersHolder + { + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(System.Type type, System.Action classCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action propertyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyManyToManyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action mapKeyElementCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToManyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationElementCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationOneToManyCustomizer); + void AddCustomizer(NHibernate.Mapping.ByCode.PropertyPath member, System.Action collectionRelationManyToAnyCustomizer); + System.Collections.Generic.IEnumerable GetAllCustomizedEntities(); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IClassMapper mapper); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.ISubclassMapper mapper); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper); + void InvokeCustomizers(System.Type type, NHibernate.Mapping.ByCode.IJoinAttributesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IAnyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IBagPropertiesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAttributesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IComponentAsIdAttributesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IDynamicComponentAttributesMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IElementMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper mapper); + void InvokeCustomizers(NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToAnyMapper mapper); + } + public class IdBagMapper : NHibernate.Mapping.ByCode.IIdBagPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void BatchSize(int value) => throw null; + public void Cache(System.Action cacheMapping) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Catalog(string catalogName) => throw null; + public IdBagMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmIdbag mapping) => throw null; + public IdBagMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmIdbag mapping) => throw null; + public System.Type ElementType { get => throw null; } + public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Id(System.Action idMapping) => throw null; + public void Inverse(bool value) => throw null; + public void Key(System.Action keyMapping) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Mutable(bool value) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void OrderBy(System.Reflection.MemberInfo property) => throw null; + public void OrderBy(string sqlOrderByClause) => throw null; + public System.Type OwnerType { get => throw null; } + public void Persister(System.Type persister) => throw null; + public void Schema(string schemaName) => throw null; + public void Sort() => throw null; + public void Sort() => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Table(string tableName) => throw null; + public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; + public void Type(System.Type collectionType) => throw null; + public void Type(string collectionType) => throw null; + public void Where(string sqlWhereClause) => throw null; + } + public delegate void IdBagMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IIdBagPropertiesMapper propertyCustomizer); + public class IdMapper : NHibernate.Mapping.ByCode.IIdMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public IdMapper(NHibernate.Cfg.MappingSchema.HbmId hbmId) => throw null; + public IdMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmId hbmId) => throw null; + public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator) => throw null; + public void Generator(NHibernate.Mapping.ByCode.IGeneratorDef generator, System.Action generatorMapping) => throw null; + public void Length(int length) => throw null; + public void Type(NHibernate.Type.IIdentifierType persistentType) => throw null; + public void Type(System.Type persistentType, object parameters) => throw null; + public void UnsavedValue(object value) => throw null; + } + public class JoinedSubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinedSubclassMapper, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper + { + public void Abstract(bool isAbstract) => throw null; + protected override void AddProperty(object property) => throw null; + public void BatchSize(int value) => throw null; + public void Catalog(string catalogName) => throw null; + public JoinedSubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void DynamicInsert(bool value) => throw null; + public void DynamicUpdate(bool value) => throw null; + public void EntityName(string value) => throw null; + public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Key(System.Action keyMapping) => throw null; + public void Lazy(bool value) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; + public void Proxy(System.Type proxy) => throw null; + public void Schema(string schemaName) => throw null; + public void SchemaAction(NHibernate.Mapping.ByCode.SchemaAction action) => throw null; + public void SelectBeforeUpdate(bool value) => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Synchronize(params string[] table) => throw null; + public void Table(string tableName) => throw null; + } + public delegate void JoinedSubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper joinedSubclassCustomizer); + public class JoinMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IJoinMapper, NHibernate.Mapping.ByCode.IJoinAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper + { + protected override void AddProperty(object property) => throw null; + public void Catalog(string catalogName) => throw null; + public JoinMapper(System.Type container, string splitGroupId, NHibernate.Cfg.MappingSchema.HbmJoin hbmJoin, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; + public void Inverse(bool value) => throw null; + public void Key(System.Action keyMapping) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Optional(bool isOptional) => throw null; + public void Schema(string schemaName) => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Table(string tableName) => throw null; + public event NHibernate.Mapping.ByCode.Impl.TableNameChangedHandler TableNameChanged { add { } remove { } } + } + public class KeyManyToOneMapper : NHibernate.Mapping.ByCode.IManyToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Class(System.Type entityType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public KeyManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmKeyManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void EntityName(string entityName) => throw null; + public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void Formula(string formula) => throw null; + public void Index(string indexName) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; + public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void PropertyRef(string propertyReferencedName) => throw null; + public void Unique(bool unique) => throw null; + public void UniqueKey(string uniquekeyName) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class KeyMapper : NHibernate.Mapping.ByCode.IKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public KeyMapper(System.Type ownerEntityType, NHibernate.Cfg.MappingSchema.HbmKey mapping) => throw null; + public static string DefaultColumnName(System.Type ownerEntityType) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OnDelete(NHibernate.Mapping.ByCode.OnDeleteAction deleteAction) => throw null; + public void PropertyRef(System.Reflection.MemberInfo property) => throw null; + public void Unique(bool unique) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class KeyPropertyMapper : NHibernate.Mapping.ByCode.IPropertyMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public KeyPropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmKeyProperty propertyMapping) => throw null; + public void Formula(string formula) => throw null; + public void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation) => throw null; + public void Index(string indexName) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(bool isLazy) => throw null; + public void Length(int length) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void Precision(short precision) => throw null; + public void Scale(short scale) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Type() => throw null; + public void Type(object parameters) => throw null; + public void Type(System.Type persistentType, object parameters) => throw null; + public void Unique(bool unique) => throw null; + public void UniqueKey(string uniquekeyName) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public class ListIndexMapper : NHibernate.Mapping.ByCode.IListIndexMapper + { + public void Base(int baseIndex) => throw null; + public void Column(string columnName) => throw null; + public void Column(System.Action columnMapper) => throw null; + public ListIndexMapper(System.Type ownerEntityType, NHibernate.Cfg.MappingSchema.HbmListIndex mapping) => throw null; + } + public class ListMapper : NHibernate.Mapping.ByCode.IListPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void BatchSize(int value) => throw null; + public void Cache(System.Action cacheMapping) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Catalog(string catalogName) => throw null; + public ListMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmList mapping) => throw null; + public ListMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmList mapping) => throw null; + public System.Type ElementType { get => throw null; } + public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Index(System.Action listIndexMapping) => throw null; + public void Inverse(bool value) => throw null; + public void Key(System.Action keyMapping) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Mutable(bool value) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void OrderBy(System.Reflection.MemberInfo property) => throw null; + public void OrderBy(string sqlOrderByClause) => throw null; + public System.Type OwnerType { get => throw null; } + public void Persister(System.Type persister) => throw null; + public void Schema(string schemaName) => throw null; + public void Sort() => throw null; + public void Sort() => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Table(string tableName) => throw null; + public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; + public void Type(System.Type collectionType) => throw null; + public void Type(string collectionType) => throw null; + public void Where(string sqlWhereClause) => throw null; + } + public delegate void ListMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IListPropertiesMapper propertyCustomizer); + public class ManyToAnyMapper : NHibernate.Mapping.ByCode.IManyToAnyMapper + { + public void Columns(System.Action idColumnMapping, System.Action classColumnMapping) => throw null; + public ManyToAnyMapper(System.Type elementType, System.Type foreignIdType, NHibernate.Cfg.MappingSchema.HbmManyToAny manyToAny, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void IdType(NHibernate.Type.IType idType) => throw null; + public void IdType() => throw null; + public void IdType(System.Type idType) => throw null; + public void MetaType(NHibernate.Type.IType metaType) => throw null; + public void MetaType() => throw null; + public void MetaType(System.Type metaType) => throw null; + public void MetaValue(object value, System.Type entityType) => throw null; + } + public class ManyToManyMapper : NHibernate.Mapping.ByCode.IManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Class(System.Type entityType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public ManyToManyMapper(System.Type elementType, NHibernate.Cfg.MappingSchema.HbmManyToMany manyToMany, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void EntityName(string entityName) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; + public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; + public void Where(string sqlWhereClause) => throw null; + } + public delegate void ManyToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToManyMapper collectionRelationManyToManyCustomizer); + public class ManyToOneMapper : NHibernate.Mapping.ByCode.IManyToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Class(System.Type entityType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public ManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public ManyToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorPropertyMapper, NHibernate.Cfg.MappingSchema.HbmManyToOne manyToOne, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void EntityName(string entityName) => throw null; + public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Index(string indexName) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; + public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void PropertyRef(string propertyReferencedName) => throw null; + public void Unique(bool unique) => throw null; + public void UniqueKey(string uniquekeyName) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public delegate void ManyToOneMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IManyToOneMapper propertyCustomizer); + public class MapKeyManyToManyMapper : NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public MapKeyManyToManyMapper(NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany mapping) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapKeyManyToMany MapKeyManyToManyMapping { get => throw null; } + } + public delegate void MapKeyManyToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyManyToManyMapper mapKeyManyToManyCustomizer); + public class MapKeyMapper : NHibernate.Mapping.ByCode.IMapKeyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public MapKeyMapper(NHibernate.Cfg.MappingSchema.HbmMapKey hbmMapKey) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Length(int length) => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapKey MapKeyMapping { get => throw null; } + public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Type() => throw null; + public void Type(System.Type persistentType) => throw null; + } + public delegate void MapKeyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapKeyMapper mapKeyElementCustomizer); + public class MapKeyRelation : NHibernate.Mapping.ByCode.IMapKeyRelation + { + public void Component(System.Action mapping) => throw null; + public MapKeyRelation(System.Type dictionaryKeyType, NHibernate.Cfg.MappingSchema.HbmMap mapMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void Element(System.Action mapping) => throw null; + public void ManyToMany(System.Action mapping) => throw null; + } + public class MapMapper : NHibernate.Mapping.ByCode.IMapPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void BatchSize(int value) => throw null; + public void Cache(System.Action cacheMapping) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Catalog(string catalogName) => throw null; + public MapMapper(System.Type ownerType, System.Type keyType, System.Type valueType, NHibernate.Cfg.MappingSchema.HbmMap mapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public MapMapper(System.Type ownerType, System.Type keyType, System.Type valueType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmMap mapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Inverse(bool value) => throw null; + public void Key(System.Action keyMapping) => throw null; + public System.Type KeyType { get => throw null; } + public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Mutable(bool value) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void OrderBy(System.Reflection.MemberInfo property) => throw null; + public void OrderBy(string sqlOrderByClause) => throw null; + public System.Type OwnerType { get => throw null; } + public void Persister(System.Type persister) => throw null; + public void Schema(string schemaName) => throw null; + public void Sort() => throw null; + public void Sort() => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Table(string tableName) => throw null; + public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; + public void Type(System.Type collectionType) => throw null; + public void Type(string collectionType) => throw null; + public System.Type ValueType { get => throw null; } + public void Where(string sqlWhereClause) => throw null; + } + public delegate void MapMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IMapPropertiesMapper propertyCustomizer); + public class NaturalIdMapper : NHibernate.Mapping.ByCode.Impl.AbstractBasePropertyContainerMapper, NHibernate.Mapping.ByCode.INaturalIdMapper, NHibernate.Mapping.ByCode.INaturalIdAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + protected override void AddProperty(object property) => throw null; + public NaturalIdMapper(System.Type rootClass, NHibernate.Cfg.MappingSchema.HbmClass classMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void Mutable(bool isMutable) => throw null; + } + public class NoMemberPropertyMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public NoMemberPropertyMapper() => throw null; + } + public class OneToManyMapper : NHibernate.Mapping.ByCode.IOneToManyMapper + { + public void Class(System.Type entityType) => throw null; + public OneToManyMapper(System.Type collectionElementType, NHibernate.Cfg.MappingSchema.HbmOneToMany oneToManyMapping, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + public void EntityName(string entityName) => throw null; + public void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode) => throw null; + } + public delegate void OneToManyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToManyMapper collectionRelationOneToManyCustomizer); + public class OneToOneMapper : NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Class(System.Type clazz) => throw null; + public void Constrained(bool value) => throw null; + public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) => throw null; + public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) => throw null; + public void Fetch(NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; + public void ForeignKey(string foreignKeyName) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void PropertyReference(System.Reflection.MemberInfo propertyInTheOtherSide) => throw null; + } + public class OneToOneMapper : NHibernate.Mapping.ByCode.Impl.OneToOneMapper, NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) : base(default(System.Reflection.MemberInfo), default(NHibernate.Cfg.MappingSchema.HbmOneToOne)) => throw null; + public OneToOneMapper(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmOneToOne oneToOne) : base(default(System.Reflection.MemberInfo), default(NHibernate.Cfg.MappingSchema.HbmOneToOne)) => throw null; + public void PropertyReference(System.Linq.Expressions.Expression> reference) => throw null; + } + public delegate void OneToOneMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IOneToOneMapper propertyCustomizer); + public class PropertyMapper : NHibernate.Mapping.ByCode.IPropertyMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper, NHibernate.Mapping.ByCode.IColumnsAndFormulasMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public void ColumnsAndFormulas(params System.Action[] columnOrFormulaMapper) => throw null; + public PropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper) => throw null; + public PropertyMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmProperty propertyMapping) => throw null; + public void FetchGroup(string name) => throw null; + public void Formula(string formula) => throw null; + public void Formulas(params string[] formulas) => throw null; + public void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation) => throw null; + public void Index(string indexName) => throw null; + public void Insert(bool consideredInInsertQuery) => throw null; + public void Lazy(bool isLazy) => throw null; + public void Length(int length) => throw null; + public void NotNullable(bool notnull) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void Precision(short precision) => throw null; + public void Scale(short scale) => throw null; + public void Type(NHibernate.Type.IType persistentType) => throw null; + public void Type() => throw null; + public void Type(object parameters) => throw null; + public void Type(System.Type persistentType, object parameters) => throw null; + public void Unique(bool unique) => throw null; + public void UniqueKey(string uniquekeyName) => throw null; + public void Update(bool consideredInUpdateQuery) => throw null; + } + public delegate void PropertyMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.IPropertyMapper propertyCustomizer); + public delegate void RootClassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IClassAttributesMapper classCustomizer); + public class SetMapper : NHibernate.Mapping.ByCode.ISetPropertiesMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper, NHibernate.Mapping.ByCode.ICollectionSqlsWithCheckMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void BatchSize(int value) => throw null; + public void Cache(System.Action cacheMapping) => throw null; + public void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle) => throw null; + public void Catalog(string catalogName) => throw null; + public SetMapper(System.Type ownerType, System.Type elementType, NHibernate.Cfg.MappingSchema.HbmSet mapping) => throw null; + public SetMapper(System.Type ownerType, System.Type elementType, NHibernate.Mapping.ByCode.IAccessorPropertyMapper accessorMapper, NHibernate.Cfg.MappingSchema.HbmSet mapping) => throw null; + public System.Type ElementType { get => throw null; } + public void Fetch(NHibernate.Mapping.ByCode.CollectionFetchMode fetchMode) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Inverse(bool value) => throw null; + public void Key(System.Action keyMapping) => throw null; + public void Lazy(NHibernate.Mapping.ByCode.CollectionLazy collectionLazy) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Mutable(bool value) => throw null; + public void OptimisticLock(bool takeInConsiderationForOptimisticLock) => throw null; + public void OrderBy(System.Reflection.MemberInfo property) => throw null; + public void OrderBy(string sqlOrderByClause) => throw null; + public System.Type OwnerType { get => throw null; } + public void Persister(System.Type persister) => throw null; + public void Schema(string schemaName) => throw null; + public void Sort() => throw null; + public void Sort() => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlDeleteAll(string sql) => throw null; + public void SqlDeleteAll(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Table(string tableName) => throw null; + public void Type() where TCollection : NHibernate.UserTypes.IUserCollectionType => throw null; + public void Type(System.Type collectionType) => throw null; + public void Type(string collectionType) => throw null; + public void Where(string sqlWhereClause) => throw null; + } + public delegate void SetMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.PropertyPath member, NHibernate.Mapping.ByCode.ISetPropertiesMapper propertyCustomizer); + public class SubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.ISubclassMapper, NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper + { + public void Abstract(bool isAbstract) => throw null; + protected override void AddProperty(object property) => throw null; + public void BatchSize(int value) => throw null; + public SubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void DiscriminatorValue(object value) => throw null; + public void DynamicInsert(bool value) => throw null; + public void DynamicUpdate(bool value) => throw null; + public void EntityName(string value) => throw null; + public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; + public void Filter(string filterName, System.Action filterMapping) => throw null; + public void Join(string splitGroupId, System.Action splitMapping) => throw null; + public System.Collections.Generic.Dictionary JoinMappers { get => throw null; } + public void Lazy(bool value) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; + public void Proxy(System.Type proxy) => throw null; + public void SelectBeforeUpdate(bool value) => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Synchronize(params string[] table) => throw null; + } + public delegate void SubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.ISubclassAttributesMapper subclassCustomizer); + public class TableNameChangedEventArgs + { + public TableNameChangedEventArgs(string oldName, string newName) => throw null; + public string NewName { get => throw null; } + public string OldName { get => throw null; } + } + public delegate void TableNameChangedHandler(NHibernate.Mapping.ByCode.IJoinMapper mapper, NHibernate.Mapping.ByCode.Impl.TableNameChangedEventArgs args); + public static class TypeNameUtil + { + public static string GetNhTypeName(this System.Type type) => throw null; + public static string GetShortClassName(this System.Type type, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) => throw null; + } + public class UnionSubclassMapper : NHibernate.Mapping.ByCode.Impl.AbstractPropertyContainerMapper, NHibernate.Mapping.ByCode.IUnionSubclassMapper, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IEntitySqlsWithCheckMapper + { + public void Abstract(bool isAbstract) => throw null; + protected override void AddProperty(object property) => throw null; + public void BatchSize(int value) => throw null; + public void Catalog(string catalogName) => throw null; + public UnionSubclassMapper(System.Type subClass, NHibernate.Cfg.MappingSchema.HbmMapping mapDoc) : base(default(System.Type), default(NHibernate.Cfg.MappingSchema.HbmMapping)) => throw null; + public void DynamicInsert(bool value) => throw null; + public void DynamicUpdate(bool value) => throw null; + public void EntityName(string value) => throw null; + public void Extends(System.Type baseType) => throw null; + public void Extends(string entityOrClassName) => throw null; + public void Lazy(bool value) => throw null; + public void Loader(string namedQueryReference) => throw null; + public void Persister() where T : NHibernate.Persister.Entity.IEntityPersister => throw null; + public void Proxy(System.Type proxy) => throw null; + public void Schema(string schemaName) => throw null; + public void SelectBeforeUpdate(bool value) => throw null; + public void SqlDelete(string sql) => throw null; + public void SqlDelete(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlInsert(string sql) => throw null; + public void SqlInsert(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void SqlUpdate(string sql) => throw null; + public void SqlUpdate(string sql, NHibernate.Mapping.ByCode.SqlCheck sqlCheck) => throw null; + public void Subselect(string sql) => throw null; + public void Synchronize(params string[] table) => throw null; + public void Table(string tableName) => throw null; + } + public delegate void UnionSubclassMappingHandler(NHibernate.Mapping.ByCode.IModelInspector modelInspector, System.Type type, NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper unionSubclassCustomizer); + public class VersionMapper : NHibernate.Mapping.ByCode.IVersionMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + public void Access(NHibernate.Mapping.ByCode.Accessor accessor) => throw null; + public void Access(System.Type accessorType) => throw null; + public void Column(System.Action columnMapper) => throw null; + public void Column(string name) => throw null; + public void Columns(params System.Action[] columnMapper) => throw null; + public VersionMapper(System.Reflection.MemberInfo member, NHibernate.Cfg.MappingSchema.HbmVersion hbmVersion) => throw null; + public void Generated(NHibernate.Mapping.ByCode.VersionGeneration generatedByDb) => throw null; + public void Insert(bool useInInsert) => throw null; + public void Type(NHibernate.Type.IVersionType persistentType) => throw null; + public void Type() where TPersistentType : NHibernate.UserTypes.IUserVersionType => throw null; + public void Type(System.Type persistentType) => throw null; + public void UnsavedValue(object value) => throw null; + } + } + public class Import + { + public void AddToMapping(NHibernate.Cfg.MappingSchema.HbmMapping hbmMapping) => throw null; + public Import(System.Type importType, string rename) => throw null; + } + public interface INaturalIdAttributesMapper + { + void Mutable(bool isMutable); + } + public interface INaturalIdMapper : NHibernate.Mapping.ByCode.INaturalIdAttributesMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public class IncrementGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public IncrementGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public interface IOneToManyMapper + { + void Class(System.Type entityType); + void EntityName(string entityName); + void NotFound(NHibernate.Mapping.ByCode.NotFoundMode mode); + } + public interface IOneToOneMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void Cascade(NHibernate.Mapping.ByCode.Cascade cascadeStyle); + void Class(System.Type clazz); + void Constrained(bool value); + void ForeignKey(string foreignKeyName); + void Formula(string formula); + void Lazy(NHibernate.Mapping.ByCode.LazyRelation lazyRelation); + void PropertyReference(System.Reflection.MemberInfo propertyInTheOtherSide); + } + public interface IOneToOneMapper : NHibernate.Mapping.ByCode.IOneToOneMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper + { + void PropertyReference(System.Linq.Expressions.Expression> reference); + } + public interface IPlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void OneToOne(System.Reflection.MemberInfo property, System.Action mapping); + } + public interface IPlainPropertyContainerMapper : NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void OneToOne(System.Linq.Expressions.Expression> property, System.Action> mapping) where TProperty : class; + void OneToOne(string notVisiblePropertyOrFieldName, System.Action> mapping) where TProperty : class; + } + public interface IPropertyContainerMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IPropertyContainerMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IPropertyMapper : NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + void Formula(string formula); + void Generated(NHibernate.Mapping.ByCode.PropertyGeneration generation); + void Index(string indexName); + void Insert(bool consideredInInsertQuery); + void Lazy(bool isLazy); + void Length(int length); + void NotNullable(bool notnull); + void Precision(short precision); + void Scale(short scale); + void Type(NHibernate.Type.IType persistentType); + void Type(); + void Type(object parameters); + void Type(System.Type persistentType, object parameters); + void Unique(bool unique); + void UniqueKey(string uniquekeyName); + void Update(bool consideredInUpdateQuery); + } + public interface ISetPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface ISetPropertiesMapper : NHibernate.Mapping.ByCode.ICollectionPropertiesMapper, NHibernate.Mapping.ByCode.IEntityPropertyMapper, NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.ICollectionSqlsMapper + { + } + public interface ISubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper + { + void Abstract(bool isAbstract); + void DiscriminatorValue(object value); + void Extends(System.Type baseType); + void Filter(string filterName, System.Action filterMapping); + } + public interface ISubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + { + void Abstract(bool isAbstract); + void DiscriminatorValue(object value); + void Extends(System.Type baseType); + void Filter(string filterName, System.Action filterMapping); + } + public interface ISubclassMapper : NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + void Join(string splitGroupId, System.Action splitMapping); + } + public interface ISubclassMapper : NHibernate.Mapping.ByCode.ISubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + void Join(string splitGroupId, System.Action> splitMapping); + } + public interface IUnionSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper + { + void Abstract(bool isAbstract); + void Catalog(string catalogName); + void Extends(System.Type baseType); + void Schema(string schemaName); + void Table(string tableName); + } + public interface IUnionSubclassAttributesMapper : NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper where TEntity : class + { + void Abstract(bool isAbstract); + void Catalog(string catalogName); + void Extends(System.Type baseType); + void Schema(string schemaName); + void Table(string tableName); + } + public interface IUnionSubclassMapper : NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper + { + } + public interface IUnionSubclassMapper : NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper, NHibernate.Mapping.ByCode.IEntityAttributesMapper, NHibernate.Mapping.ByCode.IEntitySqlsMapper, NHibernate.Mapping.ByCode.IPropertyContainerMapper, NHibernate.Mapping.ByCode.ICollectionPropertiesContainerMapper, NHibernate.Mapping.ByCode.IPlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IBasePlainPropertyContainerMapper, NHibernate.Mapping.ByCode.IMinimalPlainPropertyContainerMapper where TEntity : class + { + } + public interface IVersionMapper : NHibernate.Mapping.ByCode.IAccessorPropertyMapper, NHibernate.Mapping.ByCode.IColumnsMapper + { + void Generated(NHibernate.Mapping.ByCode.VersionGeneration generatedByDb); + void Insert(bool useInInsert); + void Type(NHibernate.Type.IVersionType persistentType); + void Type() where TPersistentType : NHibernate.UserTypes.IUserVersionType; + void Type(System.Type persistentType); + void UnsavedValue(object value); + } + public static partial class JoinedSubclassAttributesMapperExtensions + { + public static void Extends(this NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; + public static void Extends(this NHibernate.Mapping.ByCode.IJoinedSubclassAttributesMapper mapper, string entityOrClassName) => throw null; + } + public abstract class LazyRelation + { + protected LazyRelation() => throw null; + public static NHibernate.Mapping.ByCode.LazyRelation NoLazy; + public static NHibernate.Mapping.ByCode.LazyRelation NoProxy; + public static NHibernate.Mapping.ByCode.LazyRelation Proxy; + public abstract NHibernate.Cfg.MappingSchema.HbmLaziness ToHbm(); + } + public static partial class ManyToOneMapperExtensions + { + public static void EntityName(this NHibernate.Mapping.ByCode.IManyToOneMapper mapper, string entityName) => throw null; + } + public static partial class MappingsExtensions + { + public static string AsString(this NHibernate.Cfg.MappingSchema.HbmMapping mappings) => throw null; + public static void WriteAllXmlMapping(this System.Collections.Generic.IEnumerable mappings) => throw null; + } + public static partial class ModelExplicitDeclarationsHolderExtensions + { + public static void Merge(this NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder destination, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder source) => throw null; + } + public class ModelMapper + { + public void AddMapping() where T : NHibernate.Mapping.ByCode.IConformistHoldersProvider, new() => throw null; + public void AddMapping(NHibernate.Mapping.ByCode.IConformistHoldersProvider mapping) => throw null; + public void AddMapping(System.Type type) => throw null; + public void AddMappings(System.Collections.Generic.IEnumerable types) => throw null; + public event NHibernate.Mapping.ByCode.Impl.AnyMappingHandler AfterMapAny { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.BagMappingHandler AfterMapBag { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.RootClassMappingHandler AfterMapClass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ComponentMappingHandler AfterMapComponent { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ElementMappingHandler AfterMapElement { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.IdBagMappingHandler AfterMapIdBag { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.JoinedSubclassMappingHandler AfterMapJoinedSubclass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ListMappingHandler AfterMapList { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ManyToManyMappingHandler AfterMapManyToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ManyToOneMappingHandler AfterMapManyToOne { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapMappingHandler AfterMapMap { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapKeyMappingHandler AfterMapMapKey { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMappingHandler AfterMapMapKeyManyToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.OneToManyMappingHandler AfterMapOneToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.OneToOneMappingHandler AfterMapOneToOne { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.PropertyMappingHandler AfterMapProperty { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.SetMappingHandler AfterMapSet { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.SubclassMappingHandler AfterMapSubclass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.UnionSubclassMappingHandler AfterMapUnionSubclass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.AnyMappingHandler BeforeMapAny { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.BagMappingHandler BeforeMapBag { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.RootClassMappingHandler BeforeMapClass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ComponentMappingHandler BeforeMapComponent { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ElementMappingHandler BeforeMapElement { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.IdBagMappingHandler BeforeMapIdBag { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.JoinedSubclassMappingHandler BeforeMapJoinedSubclass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ListMappingHandler BeforeMapList { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ManyToManyMappingHandler BeforeMapManyToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.ManyToOneMappingHandler BeforeMapManyToOne { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapMappingHandler BeforeMapMap { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapKeyMappingHandler BeforeMapMapKey { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.MapKeyManyToManyMappingHandler BeforeMapMapKeyManyToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.OneToManyMappingHandler BeforeMapOneToMany { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.OneToOneMappingHandler BeforeMapOneToOne { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.PropertyMappingHandler BeforeMapProperty { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.SetMappingHandler BeforeMapSet { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.SubclassMappingHandler BeforeMapSubclass { add { } remove { } } + public event NHibernate.Mapping.ByCode.Impl.UnionSubclassMappingHandler BeforeMapUnionSubclass { add { } remove { } } + public void Class(System.Action> customizeAction) where TRootEntity : class => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapping CompileMappingFor(System.Collections.Generic.IEnumerable types) => throw null; + public NHibernate.Cfg.MappingSchema.HbmMapping CompileMappingForAllExplicitlyAddedEntities() => throw null; + public System.Collections.Generic.IEnumerable CompileMappingForEach(System.Collections.Generic.IEnumerable types) => throw null; + public System.Collections.Generic.IEnumerable CompileMappingForEachExplicitlyAddedEntity() => throw null; + public void Component(System.Action> customizeAction) => throw null; + public ModelMapper() => throw null; + public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector) => throw null; + public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider membersProvider) => throw null; + public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder) => throw null; + public ModelMapper(NHibernate.Mapping.ByCode.IModelInspector modelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder explicitDeclarationsHolder, NHibernate.Mapping.ByCode.Impl.ICustomizersHolder customizerHolder, NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider membersProvider) => throw null; + protected virtual NHibernate.Mapping.ByCode.ModelMapper.ICollectionElementRelationMapper DetermineCollectionElementRelationType(System.Reflection.MemberInfo property, NHibernate.Mapping.ByCode.PropertyPath propertyPath, System.Type collectionElementType) => throw null; + protected void ForEachMemberPath(System.Reflection.MemberInfo member, NHibernate.Mapping.ByCode.PropertyPath progressivePath, System.Action invoke) => throw null; + protected System.Reflection.MemberInfo GetComponentParentReferenceProperty(System.Collections.Generic.IEnumerable persistentProperties, System.Type propertiesContainerType) => throw null; + protected interface ICollectionElementRelationMapper + { + void Map(NHibernate.Mapping.ByCode.ICollectionElementRelation relation); + void MapCollectionProperties(NHibernate.Mapping.ByCode.ICollectionPropertiesMapper mapped); + } + protected interface IMapKeyRelationMapper + { + void Map(NHibernate.Mapping.ByCode.IMapKeyRelation relation); + } + public void Import() => throw null; + public void Import(string rename) => throw null; + public void JoinedSubclass(System.Action> customizeAction) where TEntity : class => throw null; + protected NHibernate.Mapping.ByCode.Impl.ICandidatePersistentMembersProvider MembersProvider { get => throw null; } + public NHibernate.Mapping.ByCode.IModelInspector ModelInspector { get => throw null; } + public void Subclass(System.Action> customizeAction) where TEntity : class => throw null; + public void UnionSubclass(System.Action> customizeAction) where TEntity : class => throw null; + } + public class NativeGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public NativeGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class NativeGuidGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public NativeGuidGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public abstract class NotFoundMode + { + protected NotFoundMode() => throw null; + public static NHibernate.Mapping.ByCode.NotFoundMode Exception; + public static NHibernate.Mapping.ByCode.NotFoundMode Ignore; + public abstract NHibernate.Cfg.MappingSchema.HbmNotFoundMode ToHbm(); + } + public enum OnDeleteAction + { + NoAction = 0, + Cascade = 1, + } + public static partial class OneToOneMapperExtensions + { + public static void Fetch(this NHibernate.Mapping.ByCode.IOneToOneMapper mapper, NHibernate.Mapping.ByCode.FetchKind fetchMode) => throw null; + public static void Formulas(this NHibernate.Mapping.ByCode.IOneToOneMapper mapper, params string[] formulas) => throw null; + } + public enum OptimisticLockMode + { + None = 0, + Version = 1, + Dirty = 2, + All = 3, + } + public enum PolymorphismType + { + Implicit = 0, + Explicit = 1, + } + public abstract class PropertyGeneration + { + public static NHibernate.Mapping.ByCode.PropertyGeneration Always; + public class AlwaysPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration + { + public AlwaysPropertyGeneration() => throw null; + } + protected PropertyGeneration() => throw null; + public static NHibernate.Mapping.ByCode.PropertyGeneration Insert; + public class InsertPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration + { + public InsertPropertyGeneration() => throw null; + } + public static NHibernate.Mapping.ByCode.PropertyGeneration Never; + public class NeverPropertyGeneration : NHibernate.Mapping.ByCode.PropertyGeneration + { + public NeverPropertyGeneration() => throw null; + } + } + public static partial class PropertyMapperExtensions + { + public static void FetchGroup(this NHibernate.Mapping.ByCode.IPropertyMapper mapper, string name) => throw null; + } + public class PropertyPath + { + public PropertyPath(NHibernate.Mapping.ByCode.PropertyPath previousPath, System.Reflection.MemberInfo localMember) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Mapping.ByCode.PropertyPath other) => throw null; + public override int GetHashCode() => throw null; + public System.Reflection.MemberInfo GetRootMember() => throw null; + public System.Reflection.MemberInfo LocalMember { get => throw null; } + public NHibernate.Mapping.ByCode.PropertyPath PreviousPath { get => throw null; } + public string ToColumnName() => throw null; + public override string ToString() => throw null; + } + public static partial class PropertyPathExtensions + { + public static NHibernate.Mapping.ByCode.PropertyPath DepureFirstLevelIfCollection(this NHibernate.Mapping.ByCode.PropertyPath source) => throw null; + public static System.Type GetContainerEntity(this NHibernate.Mapping.ByCode.PropertyPath propertyPath, NHibernate.Mapping.ByCode.IModelInspector domainInspector) => throw null; + public static System.Collections.Generic.IEnumerable InverseProgressivePath(this NHibernate.Mapping.ByCode.PropertyPath source) => throw null; + public static string ToColumnName(this NHibernate.Mapping.ByCode.PropertyPath propertyPath, string pathSeparator) => throw null; + } + public class PropertyToField + { + public PropertyToField() => throw null; + public static System.Collections.Generic.IDictionary DefaultStrategies { get => throw null; } + public static System.Reflection.FieldInfo GetBackFieldInfo(System.Reflection.PropertyInfo subject) => throw null; + } + [System.Flags] + public enum SchemaAction + { + None = 0, + Drop = 1, + Update = 2, + Export = 4, + Validate = 8, + All = 15, + } + public static class SchemaActionConverter + { + public static bool Has(this NHibernate.Mapping.ByCode.SchemaAction source, NHibernate.Mapping.ByCode.SchemaAction value) => throw null; + public static string ToSchemaActionString(this NHibernate.Mapping.ByCode.SchemaAction source) => throw null; + } + public class SelectGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public SelectGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class SequenceGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public SequenceGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class SequenceHiLoGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public SequenceHiLoGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class SequenceIdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public SequenceIdentityGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class SimpleModelInspector : NHibernate.Mapping.ByCode.IModelInspector, NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder + { + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsAny(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsArray(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsBag(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsComponent(System.Type type) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsDynamicComponent(System.Reflection.MemberInfo member, System.Type componentTemplate) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsIdBag(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsList(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToAnyRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToManyItemRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToManyKeyRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsManyToOneRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsMap(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsNaturalId(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsOneToManyRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsOneToOneRelation(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPartOfComposedId(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPersistentMember(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPoid(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsProperty(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsPropertySplit(NHibernate.Mapping.ByCode.SplitDefinition definition) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsRootEntity(System.Type type) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsSet(System.Reflection.MemberInfo member) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerClassEntity(System.Type type) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerClassHierarchyEntity(System.Type type) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsTablePerConcreteClassEntity(System.Type type) => throw null; + void NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.AddAsVersionProperty(System.Reflection.MemberInfo member) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Any { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Arrays { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Bags { get => throw null; } + protected bool CanReadCantWriteInBaseType(System.Reflection.PropertyInfo property) => throw null; + protected bool CanReadCantWriteInsideType(System.Reflection.PropertyInfo property) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Components { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ComposedIds { get => throw null; } + public SimpleModelInspector() => throw null; + protected virtual bool DeclaredPolymorphicMatch(System.Reflection.MemberInfo member, System.Func declaredMatch) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Dictionaries { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.DynamicComponents { get => throw null; } + System.Type NHibernate.Mapping.ByCode.IModelInspector.GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; + System.Type NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetDynamicComponentTemplate(System.Reflection.MemberInfo member) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelInspector.GetPropertiesSplits(System.Type type) => throw null; + string NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetSplitGroupFor(System.Reflection.MemberInfo member) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.GetSplitGroupsFor(System.Type type) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.IdBags { get => throw null; } + bool NHibernate.Mapping.ByCode.IModelInspector.IsAny(System.Reflection.MemberInfo member) => throw null; + public void IsAny(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsArray(System.Reflection.MemberInfo role) => throw null; + public void IsArray(System.Func match) => throw null; + protected bool IsAutoproperty(System.Reflection.PropertyInfo property) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsBag(System.Reflection.MemberInfo role) => throw null; + public void IsBag(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsComponent(System.Type type) => throw null; + public void IsComponent(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsDictionary(System.Reflection.MemberInfo role) => throw null; + public void IsDictionary(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsDynamicComponent(System.Reflection.MemberInfo member) => throw null; + public void IsDynamicComponent(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsEntity(System.Type type) => throw null; + public void IsEntity(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsIdBag(System.Reflection.MemberInfo role) => throw null; + public void IsIdBag(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsList(System.Reflection.MemberInfo role) => throw null; + public void IsList(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToAny(System.Reflection.MemberInfo member) => throw null; + public void IsManyToAny(System.Func match) => throw null; + public void IsManyToMany(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToManyItem(System.Reflection.MemberInfo member) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToManyKey(System.Reflection.MemberInfo member) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsManyToOne(System.Reflection.MemberInfo member) => throw null; + public void IsManyToOne(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsMemberOfComposedId(System.Reflection.MemberInfo member) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsMemberOfNaturalId(System.Reflection.MemberInfo member) => throw null; + public void IsMemberOfNaturalId(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsOneToMany(System.Reflection.MemberInfo member) => throw null; + public void IsOneToMany(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsOneToOne(System.Reflection.MemberInfo member) => throw null; + public void IsOneToOne(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsPersistentId(System.Reflection.MemberInfo member) => throw null; + public void IsPersistentId(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsPersistentProperty(System.Reflection.MemberInfo member) => throw null; + public void IsPersistentProperty(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsProperty(System.Reflection.MemberInfo member) => throw null; + public void IsProperty(System.Func match) => throw null; + protected bool IsReadOnlyProperty(System.Reflection.MemberInfo subject) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsRootEntity(System.Type type) => throw null; + public void IsRootEntity(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsSet(System.Reflection.MemberInfo role) => throw null; + public void IsSet(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClass(System.Type type) => throw null; + public void IsTablePerClass(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClassHierarchy(System.Type type) => throw null; + public void IsTablePerClassHierarchy(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerClassSplit(System.Type type, object splitGroupId, System.Reflection.MemberInfo member) => throw null; + public void IsTablePerClassSplit(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsTablePerConcreteClass(System.Type type) => throw null; + public void IsTablePerConcreteClass(System.Func match) => throw null; + bool NHibernate.Mapping.ByCode.IModelInspector.IsVersion(System.Reflection.MemberInfo member) => throw null; + public void IsVersion(System.Func match) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ItemManyToManyRelations { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.KeyManyToManyRelations { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Lists { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ManyToAnyRelations { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.ManyToOneRelations { get => throw null; } + protected bool MatchArrayMember(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchBagMember(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchCollection(System.Reflection.MemberInfo subject, System.Predicate specificCollectionPredicate) => throw null; + protected bool MatchComponentPattern(System.Type subject) => throw null; + protected bool MatchDictionaryMember(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchEntity(System.Type subject) => throw null; + protected bool MatchNoReadOnlyPropertyPattern(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchPoIdPattern(System.Reflection.MemberInfo subject) => throw null; + protected bool MatchSetMember(System.Reflection.MemberInfo subject) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.NaturalIds { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.OneToManyRelations { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.OneToOneRelations { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.PersistentMembers { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Poids { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Properties { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.RootEntities { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.Sets { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.SplitDefinitions { get => throw null; } + public void SplitsFor(System.Func, System.Collections.Generic.IEnumerable> getPropertiesSplitsId) => throw null; + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerClassEntities { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerClassHierarchyEntities { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.TablePerConcreteClassEntities { get => throw null; } + System.Collections.Generic.IEnumerable NHibernate.Mapping.ByCode.IModelExplicitDeclarationsHolder.VersionProperties { get => throw null; } + } + public class SplitDefinition + { + public SplitDefinition(System.Type on, string groupId, System.Reflection.MemberInfo member) => throw null; + public string GroupId { get => throw null; } + public System.Reflection.MemberInfo Member { get => throw null; } + public System.Type On { get => throw null; } + } + public enum SqlCheck + { + None = 0, + RowCount = 1, + Param = 2, + } + public static partial class SubclassAttributesMapperExtensions + { + public static void Extends(this NHibernate.Mapping.ByCode.ISubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; + public static void Extends(this NHibernate.Mapping.ByCode.ISubclassAttributesMapper mapper, string entityOrClassName) => throw null; + } + public class TableGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public TableGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class TableHiLoGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public TableHiLoGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class TriggerIdentityGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public TriggerIdentityGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public static partial class TypeExtensions + { + public static System.Reflection.MemberInfo DecodeMemberAccessExpression(System.Linq.Expressions.Expression> expression) => throw null; + public static System.Reflection.MemberInfo DecodeMemberAccessExpression(System.Linq.Expressions.Expression> expression) => throw null; + public static System.Reflection.MemberInfo DecodeMemberAccessExpressionOf(System.Linq.Expressions.Expression> expression) => throw null; + public static System.Reflection.MemberInfo DecodeMemberAccessExpressionOf(System.Linq.Expressions.Expression> expression) => throw null; + public static System.Type DetermineCollectionElementOrDictionaryValueType(this System.Type genericCollection) => throw null; + public static System.Type DetermineCollectionElementType(this System.Type genericCollection) => throw null; + public static System.Type DetermineDictionaryKeyType(this System.Type genericDictionary) => throw null; + public static System.Type DetermineDictionaryValueType(this System.Type genericDictionary) => throw null; + public static System.Type DetermineRequiredCollectionElementType(this System.Reflection.MemberInfo collectionProperty) => throw null; + public static System.Collections.Generic.IEnumerable GetBaseTypes(this System.Type type) => throw null; + public static System.Type GetFirstImplementorOf(this System.Type source, System.Type abstractType) => throw null; + public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType) => throw null; + public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Func acceptPropertyClauses) => throw null; + public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Reflection.BindingFlags bindingFlags) => throw null; + public static System.Reflection.MemberInfo GetFirstPropertyOfType(this System.Type propertyContainerType, System.Type propertyType, System.Reflection.BindingFlags bindingFlags, System.Func acceptPropertyClauses) => throw null; + public static System.Collections.Generic.IEnumerable GetGenericInterfaceTypeDefinitions(this System.Type type) => throw null; + public static System.Collections.Generic.IEnumerable GetHierarchyFromBase(this System.Type type) => throw null; + public static System.Collections.Generic.IEnumerable GetInterfaceProperties(this System.Type type) => throw null; + public static System.Collections.Generic.IEnumerable GetMemberFromDeclaringClasses(this System.Reflection.MemberInfo source) => throw null; + public static System.Reflection.MemberInfo GetMemberFromDeclaringType(this System.Reflection.MemberInfo source) => throw null; + public static System.Reflection.MemberInfo GetMemberFromReflectedType(this System.Reflection.MemberInfo member, System.Type reflectedType) => throw null; + public static System.Collections.Generic.IEnumerable GetPropertyFromInterfaces(this System.Reflection.MemberInfo source) => throw null; + public static System.Reflection.MemberInfo GetPropertyOrFieldMatchingName(this System.Type source, string memberName) => throw null; + public static System.Type GetPropertyOrFieldType(this System.Reflection.MemberInfo propertyOrField) => throw null; + public static bool HasPublicPropertyOf(this System.Type source, System.Type typeOfProperty) => throw null; + public static bool HasPublicPropertyOf(this System.Type source, System.Type typeOfProperty, System.Func acceptPropertyClauses) => throw null; + public static bool IsEnumOrNullableEnum(this System.Type type) => throw null; + public static bool IsFlagEnumOrNullableFlagEnum(this System.Type type) => throw null; + public static bool IsGenericCollection(this System.Type source) => throw null; + } + public static partial class UnionSubclassAttributesMapperExtensions + { + public static void Extends(this NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper, string entityOrClassName) where TEntity : class => throw null; + public static void Extends(this NHibernate.Mapping.ByCode.IUnionSubclassAttributesMapper mapper, string entityOrClassName) => throw null; + } + public enum UnsavedValueType + { + Undefined = 0, + Any = 1, + None = 2, } + public class UUIDHexGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public UUIDHexGeneratorDef() => throw null; + public UUIDHexGeneratorDef(string format) => throw null; + public UUIDHexGeneratorDef(string format, string separator) => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public class UUIDStringGeneratorDef : NHibernate.Mapping.ByCode.IGeneratorDef + { + public string Class { get => throw null; } + public UUIDStringGeneratorDef() => throw null; + public System.Type DefaultReturnType { get => throw null; } + public object Params { get => throw null; } + public bool SupportedAsCollectionElementId { get => throw null; } + } + public abstract class VersionGeneration + { + public static NHibernate.Mapping.ByCode.VersionGeneration Always; + protected VersionGeneration() => throw null; + public static NHibernate.Mapping.ByCode.VersionGeneration Never; + public abstract NHibernate.Cfg.MappingSchema.HbmVersionGeneration ToHbm(); + } + } + public abstract class Collection : NHibernate.Mapping.IFetchable, NHibernate.Mapping.IValue, NHibernate.Mapping.IFilterable + { + public object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; + public void AddFilter(string name, string condition) => throw null; + public void AddManyToManyFilter(string name, string condition) => throw null; + public int BatchSize { get => throw null; set { } } + public string CacheConcurrencyStrategy { get => throw null; set { } } + public string CacheRegionName { get => throw null; set { } } + protected void CheckGenericArgumentsLength(int expectedLength) => throw null; + public System.Type CollectionPersisterClass { get => throw null; set { } } + public NHibernate.Mapping.Table CollectionTable { get => throw null; set { } } + public virtual NHibernate.Type.CollectionType CollectionType { get => throw null; } + public bool[] ColumnInsertability { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public int ColumnSpan { get => throw null; } + public bool[] ColumnUpdateability { get => throw null; } + public object Comparer { get => throw null; set { } } + public string ComparerClassName { get => throw null; set { } } + public virtual void CreateAllKeys() => throw null; + public void CreateForeignKey() => throw null; + public abstract void CreatePrimaryKey(); + protected Collection(NHibernate.Mapping.PersistentClass owner) => throw null; + public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLDeleteAll { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteAllCheckStyle { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } + public abstract NHibernate.Type.CollectionType DefaultCollectionType { get; } + public static string DefaultElementColumnName; + public static string DefaultKeyColumnName; + public NHibernate.Mapping.IValue Element { get => throw null; set { } } + public bool ExtraLazy { get => throw null; set { } } + public NHibernate.FetchMode FetchMode { get => throw null; set { } } + public System.Collections.Generic.IDictionary FilterMap { get => throw null; } + public NHibernate.Mapping.Formula Formula { get => throw null; } + public System.Type[] GenericArguments { get => throw null; set { } } + public virtual bool HasFormula { get => throw null; } + public bool HasOrder { get => throw null; } + public bool HasOrphanDelete { get => throw null; set { } } + public virtual bool IsAlternateUniqueKey { get => throw null; } + public virtual bool IsArray { get => throw null; } + public bool IsCustomDeleteAllCallable { get => throw null; } + public bool IsCustomDeleteCallable { get => throw null; } + public bool IsCustomInsertCallable { get => throw null; } + public bool IsCustomUpdateCallable { get => throw null; } + public bool IsGeneric { get => throw null; set { } } + public virtual bool IsIdentified { get => throw null; } + public virtual bool IsIndexed { get => throw null; } + public bool IsInverse { get => throw null; set { } } + public bool IsLazy { get => throw null; set { } } + public virtual bool IsMap { get => throw null; } + public bool IsMutable { get => throw null; set { } } + public bool IsNullable { get => throw null; } + public bool IsOneToMany { get => throw null; } + public bool IsOptimisticLocked { get => throw null; set { } } + public virtual bool IsPrimitiveArray { get => throw null; } + public virtual bool IsSet { get => throw null; } + public bool IsSimpleValue { get => throw null; } + public bool IsSorted { get => throw null; set { } } + public bool IsSubselectLoadable { get => throw null; set { } } + public bool IsUnique { get => throw null; } + public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; + public NHibernate.Mapping.IKeyValue Key { get => throw null; set { } } + public string LoaderName { get => throw null; set { } } + public System.Collections.Generic.IDictionary ManyToManyFilterMap { get => throw null; } + public string ManyToManyOrdering { get => throw null; set { } } + public string ManyToManyWhere { get => throw null; set { } } + public string OrderBy { get => throw null; set { } } + public NHibernate.Mapping.PersistentClass Owner { get => throw null; set { } } + public string OwnerEntityName { get => throw null; } + public string ReferencedPropertyName { get => throw null; set { } } + public string Role { get => throw null; set { } } + public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLDeleteAll(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetTypeUsingReflection(string className, string propertyName, string access) => throw null; + public System.Collections.Generic.ISet SynchronizedTables { get => throw null; } + public NHibernate.Mapping.Table Table { get => throw null; } + public override string ToString() => throw null; + public NHibernate.Type.IType Type { get => throw null; } + public string TypeName { get => throw null; set { } } + public System.Collections.Generic.IDictionary TypeParameters { get => throw null; set { } } + public virtual void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public string Where { get => throw null; set { } } + } + public class Column : NHibernate.Mapping.ISelectable, System.ICloneable + { + public string CanonicalName { get => throw null; } + public string CheckConstraint { get => throw null; set { } } + public object Clone() => throw null; + public string Comment { get => throw null; set { } } + public Column() => throw null; + public Column(string columnName) => throw null; + public static int DefaultLength; + public static int DefaultPrecision; + public static int DefaultScale; + public string DefaultValue { get => throw null; set { } } + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Mapping.Column column) => throw null; + public string GetAlias(NHibernate.Dialect.Dialect dialect) => throw null; + public string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table) => throw null; + public override int GetHashCode() => throw null; + public string GetQuotedName(NHibernate.Dialect.Dialect d) => throw null; + public string GetQuotedName() => throw null; + public string GetSqlType(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; + public NHibernate.SqlTypes.SqlType GetSqlTypeCode(NHibernate.Engine.IMapping mapping) => throw null; + public string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; + public string GetText(NHibernate.Dialect.Dialect dialect) => throw null; + public bool HasCheckConstraint { get => throw null; } + public bool IsCaracteristicsDefined() => throw null; + public bool IsFormula { get => throw null; } + public bool IsLengthDefined() => throw null; + public bool IsNullable { get => throw null; set { } } + public bool IsPrecisionDefined() => throw null; + public bool IsQuoted { get => throw null; set { } } + public bool IsScaleDefined() => throw null; + public bool IsUnique { get => throw null; set { } } + public int Length { get => throw null; set { } } + public string Name { get => throw null; set { } } + public int Precision { get => throw null; set { } } + public int Scale { get => throw null; set { } } + public string SqlType { get => throw null; set { } } + public NHibernate.SqlTypes.SqlType SqlTypeCode { get => throw null; set { } } + public string Text { get => throw null; } + public override string ToString() => throw null; + public int TypeIndex { get => throw null; set { } } + public bool Unique { get => throw null; set { } } + public NHibernate.Mapping.IValue Value { get => throw null; set { } } + } + public class Component : NHibernate.Mapping.SimpleValue, NHibernate.Mapping.IMetaAttributable + { + public override void AddColumn(NHibernate.Mapping.Column column) => throw null; + public void AddProperty(NHibernate.Mapping.Property p) => throw null; + public virtual void AddTuplizer(NHibernate.EntityMode entityMode, string implClassName) => throw null; + public override bool[] ColumnInsertability { get => throw null; } + public override System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public override int ColumnSpan { get => throw null; } + public override bool[] ColumnUpdateability { get => throw null; } + public System.Type ComponentClass { get => throw null; set { } } + public string ComponentClassName { get => throw null; set { } } + public Component(NHibernate.Mapping.PersistentClass owner) => throw null; + public Component(NHibernate.Mapping.Table table, NHibernate.Mapping.PersistentClass owner) => throw null; + public Component(NHibernate.Mapping.Collection collection) => throw null; + public Component(NHibernate.Mapping.Component component) => throw null; + public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; + public NHibernate.Mapping.Property GetProperty(string propertyName) => throw null; + public virtual string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; + public bool HasPocoRepresentation { get => throw null; } + public bool IsDynamic { get => throw null; set { } } + public bool IsEmbedded { get => throw null; set { } } + public bool IsKey { get => throw null; set { } } + public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set { } } + public NHibernate.Mapping.PersistentClass Owner { get => throw null; set { } } + public NHibernate.Mapping.Property ParentProperty { get => throw null; set { } } + public System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } + public int PropertySpan { get => throw null; } + public string RoleName { get => throw null; set { } } + public override void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; + public override string ToString() => throw null; + public virtual System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } + public override NHibernate.Type.IType Type { get => throw null; } + } + public abstract class Constraint : NHibernate.Mapping.IRelationalModel + { + public void AddColumn(NHibernate.Mapping.Column column) => throw null; + public void AddColumns(System.Collections.Generic.IEnumerable columnIterator) => throw null; + public void AddColumns(System.Collections.Generic.IEnumerable columnIterator) => throw null; + public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public System.Collections.Generic.IList Columns { get => throw null; } + public int ColumnSpan { get => throw null; } + protected Constraint() => throw null; + public static string GenerateName(string prefix, NHibernate.Mapping.Table table, NHibernate.Mapping.Table referencedTable, System.Collections.Generic.IEnumerable columns) => throw null; + public virtual bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; + public string Name { get => throw null; set { } } + public abstract string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema); + public virtual string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; + public virtual string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public NHibernate.Mapping.Table Table { get => throw null; set { } } + public override string ToString() => throw null; + } + public class DenormalizedTable : NHibernate.Mapping.Table + { + public override System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public override bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; + public override void CreateForeignKeys() => throw null; + public DenormalizedTable(NHibernate.Mapping.Table includedTable) => throw null; + public override NHibernate.Mapping.Column GetColumn(NHibernate.Mapping.Column column) => throw null; + public override System.Collections.Generic.IEnumerable IndexIterator { get => throw null; } + public override NHibernate.Mapping.PrimaryKey PrimaryKey { get => throw null; set { } } + public override System.Collections.Generic.IEnumerable UniqueKeyIterator { get => throw null; } + } + public class DependantValue : NHibernate.Mapping.SimpleValue + { + public DependantValue(NHibernate.Mapping.Table table, NHibernate.Mapping.IKeyValue prototype) => throw null; + public override bool IsNullable { get => throw null; } + public override bool IsUpdateable { get => throw null; } + public void SetNullable(bool nullable) => throw null; + public void SetTypeUsingReflection(string className, string propertyName) => throw null; + public virtual void SetUpdateable(bool updateable) => throw null; + public override NHibernate.Type.IType Type { get => throw null; } + } + public class ForeignKey : NHibernate.Mapping.Constraint + { + public virtual void AddReferencedColumns(System.Collections.Generic.IEnumerable referencedColumnsIterator) => throw null; + public void AlignColumns() => throw null; + public bool CascadeDeleteEnabled { get => throw null; set { } } + public ForeignKey() => throw null; + public string GeneratedConstraintNamePrefix { get => throw null; } + public bool HasPhysicalConstraint { get => throw null; } + public override bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; + public bool IsReferenceToPrimaryKey { get => throw null; } + public System.Collections.Generic.IList ReferencedColumns { get => throw null; } + public string ReferencedEntityName { get => throw null; set { } } + public NHibernate.Mapping.Table ReferencedTable { get => throw null; set { } } + public override string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema) => throw null; + public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public override string ToString() => throw null; + } + public class Formula : NHibernate.Mapping.ISelectable + { + public Formula() => throw null; + public string FormulaString { get => throw null; set { } } + public string GetAlias(NHibernate.Dialect.Dialect dialect) => throw null; + public string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table) => throw null; + public string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; + public string GetText(NHibernate.Dialect.Dialect dialect) => throw null; + public bool IsFormula { get => throw null; } + public string Text { get => throw null; } + public override string ToString() => throw null; + } + public interface IAuxiliaryDatabaseObject : NHibernate.Mapping.IRelationalModel + { + void AddDialectScope(string dialectName); + bool AppliesToDialect(NHibernate.Dialect.Dialect dialect); + void SetParameterValues(System.Collections.Generic.IDictionary parameters); + } + public class IdentifierBag : NHibernate.Mapping.IdentifierCollection + { + public IdentifierBag(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + } + public abstract class IdentifierCollection : NHibernate.Mapping.Collection + { + public override void CreatePrimaryKey() => throw null; + protected IdentifierCollection(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public static string DefaultIdentifierColumnName; + public NHibernate.Mapping.IKeyValue Identifier { get => throw null; set { } } + public override bool IsIdentified { get => throw null; } + public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + } + public interface IFetchable + { + NHibernate.FetchMode FetchMode { get; set; } + bool IsLazy { get; set; } + } + public interface IFilterable + { + void AddFilter(string name, string condition); + System.Collections.Generic.IDictionary FilterMap { get; } + } + public interface IKeyValue : NHibernate.Mapping.IValue + { + void CreateForeignKeyOfEntity(string entityName); + NHibernate.Id.IIdentifierGenerator CreateIdentifierGenerator(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema, NHibernate.Mapping.RootClass rootClass); + bool IsCascadeDeleteEnabled { get; } + bool IsIdentityColumn(NHibernate.Dialect.Dialect dialect); + bool IsUpdateable { get; } + string NullValue { get; } + } + public interface IMetaAttributable + { + NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName); + System.Collections.Generic.IDictionary MetaAttributes { get; set; } + } + public class Index : NHibernate.Mapping.IRelationalModel + { + public void AddColumn(NHibernate.Mapping.Column column) => throw null; + public void AddColumns(System.Collections.Generic.IEnumerable extraColumns) => throw null; + public static string BuildSqlCreateIndexString(NHibernate.Dialect.Dialect dialect, string name, NHibernate.Mapping.Table table, System.Collections.Generic.IEnumerable columns, bool unique, string defaultCatalog, string defaultSchema) => throw null; + public static string BuildSqlDropIndexString(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table, string name, string defaultCatalog, string defaultSchema) => throw null; + public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public int ColumnSpan { get => throw null; } + public bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; + public Index() => throw null; + public bool IsInherited { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; + public string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public NHibernate.Mapping.Table Table { get => throw null; set { } } + public override string ToString() => throw null; + } + public class IndexBackref : NHibernate.Mapping.Property + { + public override bool BackRef { get => throw null; } + public string CollectionRole { get => throw null; set { } } + public IndexBackref() => throw null; + public string EntityName { get => throw null; set { } } + public override bool IsBasicPropertyAccessor { get => throw null; } + protected override NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } + } + public abstract class IndexedCollection : NHibernate.Mapping.Collection + { + public override void CreatePrimaryKey() => throw null; + protected IndexedCollection(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public static string DefaultIndexColumnName; + public NHibernate.Mapping.SimpleValue Index { get => throw null; set { } } + public override bool IsIndexed { get => throw null; } + public virtual bool IsList { get => throw null; } + public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + } + public interface IPersistentClassVisitor + { + object Accept(NHibernate.Mapping.PersistentClass clazz); + } + public interface IPersistentClassVisitor where T : NHibernate.Mapping.PersistentClass + { + object Accept(T clazz); + } + public interface IRelationalModel + { + string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema); + string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema); + } + public interface ISelectable + { + string GetAlias(NHibernate.Dialect.Dialect dialect); + string GetAlias(NHibernate.Dialect.Dialect dialect, NHibernate.Mapping.Table table); + string GetTemplate(NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry); + string GetText(NHibernate.Dialect.Dialect dialect); + bool IsFormula { get; } + string Text { get; } + } + public interface ISqlCustomizable + { + void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); + void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); + void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle); + } + public interface ITableOwner + { + NHibernate.Mapping.Table Table { set; } + } + public interface IValue + { + object Accept(NHibernate.Mapping.IValueVisitor visitor); + bool[] ColumnInsertability { get; } + System.Collections.Generic.IEnumerable ColumnIterator { get; } + int ColumnSpan { get; } + bool[] ColumnUpdateability { get; } + void CreateForeignKey(); + NHibernate.FetchMode FetchMode { get; } + bool HasFormula { get; } + bool IsAlternateUniqueKey { get; } + bool IsNullable { get; } + bool IsSimpleValue { get; } + bool IsValid(NHibernate.Engine.IMapping mapping); + void SetTypeUsingReflection(string className, string propertyName, string accesorName); + NHibernate.Mapping.Table Table { get; } + NHibernate.Type.IType Type { get; } + } + public interface IValueVisitor + { + object Accept(NHibernate.Mapping.IValue visited); + } + public interface IValueVisitor : NHibernate.Mapping.IValueVisitor where T : NHibernate.Mapping.IValue + { + object Accept(T visited); + } + public class Join : NHibernate.Mapping.ISqlCustomizable + { + public void AddProperty(NHibernate.Mapping.Property prop) => throw null; + public bool ContainsProperty(NHibernate.Mapping.Property prop) => throw null; + public void CreateForeignKey() => throw null; + public void CreatePrimaryKey(NHibernate.Dialect.Dialect dialect) => throw null; + public void CreatePrimaryKey() => throw null; + public Join() => throw null; + public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } + public bool IsCustomDeleteCallable { get => throw null; } + public bool IsCustomInsertCallable { get => throw null; } + public bool IsCustomUpdateCallable { get => throw null; } + public virtual bool IsInverse { get => throw null; set { } } + public bool IsLazy { get => throw null; } + public virtual bool IsOptional { get => throw null; set { } } + public virtual bool IsSequentialSelect { get => throw null; set { } } + public virtual NHibernate.Mapping.IKeyValue Key { get => throw null; set { } } + public virtual NHibernate.Mapping.PersistentClass PersistentClass { get => throw null; set { } } + public System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } + public int PropertySpan { get => throw null; } + public NHibernate.Mapping.Property RefIdProperty { get => throw null; set { } } + public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public virtual NHibernate.Mapping.Table Table { get => throw null; set { } } + } + public class JoinedSubclass : NHibernate.Mapping.Subclass, NHibernate.Mapping.ITableOwner + { + public JoinedSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Mapping.IKeyValue Key { get => throw null; set { } } + public override NHibernate.Mapping.Table Table { get => throw null; } + NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set { } } + public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + } + public class List : NHibernate.Mapping.IndexedCollection + { + public int BaseIndex { get => throw null; set { } } + public List(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + public override bool IsList { get => throw null; } + } + public class ManyToOne : NHibernate.Mapping.ToOne + { + public override void CreateForeignKey() => throw null; + public void CreatePropertyRefConstraints(System.Collections.Generic.IDictionary persistentClasses) => throw null; + public ManyToOne(NHibernate.Mapping.Table table) : base(default(NHibernate.Mapping.Table)) => throw null; + public bool IsIgnoreNotFound { get => throw null; set { } } + public bool IsLogicalOneToOne { get => throw null; set { } } + public string PropertyName { get => throw null; set { } } + public override NHibernate.Type.IType Type { get => throw null; } + } + public class Map : NHibernate.Mapping.IndexedCollection + { + public override NHibernate.Type.CollectionType CollectionType { get => throw null; } + public override void CreateAllKeys() => throw null; + public Map(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + public override bool IsMap { get => throw null; } + } + public class MetaAttribute + { + public void AddValue(string value) => throw null; + public void AddValues(System.Collections.Generic.IEnumerable range) => throw null; + public MetaAttribute(string name) => throw null; + public bool IsMultiValued { get => throw null; } + public string Name { get => throw null; } + public override string ToString() => throw null; + public string Value { get => throw null; } + public System.Collections.Generic.IList Values { get => throw null; } + } + public class OneToMany : NHibernate.Mapping.IValue + { + public object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; + public NHibernate.Mapping.PersistentClass AssociatedClass { get => throw null; set { } } + public bool[] ColumnInsertability { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public int ColumnSpan { get => throw null; } + public bool[] ColumnUpdateability { get => throw null; } + public void CreateForeignKey() => throw null; + public OneToMany(NHibernate.Mapping.PersistentClass owner) => throw null; + public NHibernate.FetchMode FetchMode { get => throw null; } + public NHibernate.Mapping.Formula Formula { get => throw null; } + public bool HasFormula { get => throw null; } + public bool IsAlternateUniqueKey { get => throw null; } + public bool IsIgnoreNotFound { get => throw null; set { } } + public bool IsNullable { get => throw null; } + public bool IsSimpleValue { get => throw null; } + public bool IsUnique { get => throw null; } + public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; + public string ReferencedEntityName { get => throw null; set { } } + public NHibernate.Mapping.Table ReferencingTable { get => throw null; } + public void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; + public NHibernate.Mapping.Table Table { get => throw null; } + public NHibernate.Type.IType Type { get => throw null; } + } + public class OneToOne : NHibernate.Mapping.ToOne + { + public override System.Collections.Generic.IEnumerable ConstraintColumns { get => throw null; } + public override void CreateForeignKey() => throw null; + public OneToOne(NHibernate.Mapping.Table table, NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.Table)) => throw null; + public string EntityName { get => throw null; set { } } + public NHibernate.Type.ForeignKeyDirection ForeignKeyType { get => throw null; set { } } + public NHibernate.Mapping.IKeyValue Identifier { get => throw null; set { } } + public bool IsConstrained { get => throw null; set { } } + public override bool IsNullable { get => throw null; } + public string PropertyName { get => throw null; set { } } + public override NHibernate.Type.IType Type { get => throw null; } + } + public abstract class PersistentClass : NHibernate.Mapping.IFilterable, NHibernate.Mapping.IMetaAttributable, NHibernate.Mapping.ISqlCustomizable + { + public abstract object Accept(NHibernate.Mapping.IPersistentClassVisitor mv); + public void AddFilter(string name, string condition) => throw null; + public virtual void AddJoin(NHibernate.Mapping.Join join) => throw null; + public virtual void AddProperty(NHibernate.Mapping.Property p) => throw null; + public virtual void AddSubclass(NHibernate.Mapping.Subclass subclass) => throw null; + public virtual void AddSubclassJoin(NHibernate.Mapping.Join join) => throw null; + public virtual void AddSubclassProperty(NHibernate.Mapping.Property p) => throw null; + public virtual void AddSubclassTable(NHibernate.Mapping.Table table) => throw null; + public void AddSynchronizedTable(string table) => throw null; + public void AddTuplizer(NHibernate.EntityMode entityMode, string implClass) => throw null; + public int? BatchSize { get => throw null; set { } } + public abstract string CacheConcurrencyStrategy { get; set; } + protected void CheckColumnDuplication(System.Collections.Generic.ISet distinctColumns, System.Collections.Generic.IEnumerable columns) => throw null; + protected virtual void CheckColumnDuplication() => throw null; + protected void CheckPropertyColumnDuplication(System.Collections.Generic.ISet distinctColumns, System.Collections.Generic.IEnumerable properties) => throw null; + public string ClassName { get => throw null; set { } } + public virtual void CreatePrimaryKey(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual void CreatePrimaryKey() => throw null; + protected PersistentClass() => throw null; + public NHibernate.SqlCommand.SqlString CustomSQLDelete { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLDeleteCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLInsert { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLInsertCheckStyle { get => throw null; } + public NHibernate.SqlCommand.SqlString CustomSQLUpdate { get => throw null; } + public NHibernate.Engine.ExecuteUpdateResultCheckStyle CustomSQLUpdateCheckStyle { get => throw null; } + public virtual System.Collections.Generic.IEnumerable DirectSubclasses { get => throw null; } + public abstract NHibernate.Mapping.IValue Discriminator { get; set; } + protected virtual System.Collections.Generic.IEnumerable DiscriminatorColumnIterator { get => throw null; } + public virtual string DiscriminatorValue { get => throw null; set { } } + public virtual bool DynamicInsert { get => throw null; set { } } + public virtual bool DynamicUpdate { get => throw null; set { } } + public virtual string EntityName { get => throw null; set { } } + public abstract System.Type EntityPersisterClass { get; set; } + public virtual System.Collections.Generic.IDictionary FilterMap { get => throw null; } + public virtual int GetJoinNumber(NHibernate.Mapping.Property prop) => throw null; + public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; + public NHibernate.Mapping.Property GetProperty(string propertyName) => throw null; + public NHibernate.Mapping.Property GetRecursiveProperty(string propertyPath) => throw null; + public NHibernate.Mapping.Property GetReferencedProperty(string propertyPath) => throw null; + public virtual string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; + public abstract bool HasEmbeddedIdentifier { get; set; } + public bool HasIdentifierMapper { get => throw null; } + public abstract bool HasIdentifierProperty { get; } + public bool HasNaturalId() => throw null; + public bool HasPocoRepresentation { get => throw null; } + public virtual bool HasSubclasses { get => throw null; } + public virtual bool HasSubselectLoadableCollections { get => throw null; set { } } + public abstract NHibernate.Mapping.IKeyValue Identifier { get; set; } + public virtual NHibernate.Mapping.Component IdentifierMapper { get => throw null; set { } } + public abstract NHibernate.Mapping.Property IdentifierProperty { get; set; } + public virtual NHibernate.Mapping.Table IdentityTable { get => throw null; } + public bool? IsAbstract { get => throw null; set { } } + public virtual bool IsClassOrSuperclassJoin(NHibernate.Mapping.Join join) => throw null; + public virtual bool IsClassOrSuperclassTable(NHibernate.Mapping.Table closureTable) => throw null; + public bool IsCustomDeleteCallable { get => throw null; } + public bool IsCustomInsertCallable { get => throw null; } + public bool IsCustomUpdateCallable { get => throw null; } + public abstract bool IsDiscriminatorInsertable { get; set; } + public bool IsDiscriminatorValueNotNull { get => throw null; } + public bool IsDiscriminatorValueNull { get => throw null; } + public abstract bool IsExplicitPolymorphism { get; set; } + public virtual bool IsForceDiscriminator { get => throw null; set { } } + public abstract bool IsInherited { get; } + public abstract bool IsJoinedSubclass { get; } + public bool IsLazy { get => throw null; set { } } + public abstract bool IsLazyPropertiesCacheable { get; } + public abstract bool IsMutable { get; set; } + public abstract bool IsPolymorphic { get; set; } + public abstract bool IsVersioned { get; } + public virtual System.Collections.Generic.IEnumerable JoinClosureIterator { get => throw null; } + public virtual int JoinClosureSpan { get => throw null; } + public virtual System.Collections.Generic.IEnumerable JoinIterator { get => throw null; } + public abstract NHibernate.Mapping.IKeyValue Key { get; set; } + public abstract System.Collections.Generic.IEnumerable KeyClosureIterator { get; } + public string LoaderName { get => throw null; set { } } + public virtual System.Type MappedClass { get => throw null; } + public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set { } } + protected virtual System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } + public static string NotNullDiscriminatorMapping; + public static string NullDiscriminatorMapping; + public virtual NHibernate.Engine.Versioning.OptimisticLock OptimisticLockMode { get => throw null; set { } } + public void PrepareTemporaryTables(NHibernate.Engine.IMapping mapping, NHibernate.Dialect.Dialect dialect) => throw null; + public abstract System.Collections.Generic.IEnumerable PropertyClosureIterator { get; } + public virtual int PropertyClosureSpan { get => throw null; } + public virtual System.Collections.Generic.IEnumerable PropertyIterator { get => throw null; } + public virtual System.Type ProxyInterface { get => throw null; } + public string ProxyInterfaceName { get => throw null; set { } } + public virtual System.Collections.Generic.IEnumerable ReferenceablePropertyIterator { get => throw null; } + public abstract NHibernate.Mapping.RootClass RootClazz { get; } + public abstract NHibernate.Mapping.Table RootTable { get; } + public bool SelectBeforeUpdate { get => throw null; set { } } + public void SetCustomSQLDelete(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLInsert(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public void SetCustomSQLUpdate(string sql, bool callable, NHibernate.Engine.ExecuteUpdateResultCheckStyle checkStyle) => throw null; + public virtual System.Collections.Generic.IEnumerable SubclassClosureIterator { get => throw null; } + public abstract int SubclassId { get; } + public virtual System.Collections.Generic.IEnumerable SubclassIterator { get => throw null; } + public virtual System.Collections.Generic.IEnumerable SubclassJoinClosureIterator { get => throw null; } + public virtual System.Collections.Generic.IEnumerable SubclassPropertyClosureIterator { get => throw null; } + public virtual int SubclassSpan { get => throw null; } + public virtual System.Collections.Generic.IEnumerable SubclassTableClosureIterator { get => throw null; } + public abstract NHibernate.Mapping.PersistentClass Superclass { get; set; } + public virtual System.Collections.Generic.ISet SynchronizedTables { get => throw null; } + public abstract NHibernate.Mapping.Table Table { get; } + public abstract System.Collections.Generic.IEnumerable TableClosureIterator { get; } + public string TemporaryIdTableDDL { get => throw null; } + public string TemporaryIdTableName { get => throw null; } + public override string ToString() => throw null; + public virtual System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } + public virtual System.Collections.Generic.IEnumerable UnjoinedPropertyIterator { get => throw null; } + public virtual void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public abstract NHibernate.Mapping.Property Version { get; set; } + public abstract string Where { get; set; } + } + public class PrimaryKey : NHibernate.Mapping.Constraint + { + public PrimaryKey() => throw null; + public string SqlConstraintString(NHibernate.Dialect.Dialect d, string defaultSchema) => throw null; + public override string SqlConstraintString(NHibernate.Dialect.Dialect d, string constraintName, string defaultCatalog, string defaultSchema) => throw null; + public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + } + public class PrimitiveArray : NHibernate.Mapping.Array + { + public PrimitiveArray(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override bool IsPrimitiveArray { get => throw null; } + } + public class Property : NHibernate.Mapping.IMetaAttributable + { + public virtual bool BackRef { get => throw null; } + public string Cascade { get => throw null; set { } } + public NHibernate.Engine.CascadeStyle CascadeStyle { get => throw null; } + public System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public int ColumnSpan { get => throw null; } + public Property() => throw null; + public Property(NHibernate.Mapping.IValue propertyValue) => throw null; + public NHibernate.Mapping.PropertyGeneration Generation { get => throw null; set { } } + public NHibernate.Properties.IGetter GetGetter(System.Type clazz) => throw null; + public NHibernate.Mapping.MetaAttribute GetMetaAttribute(string attributeName) => throw null; + public NHibernate.Properties.ISetter GetSetter(System.Type clazz) => throw null; + public virtual bool IsBasicPropertyAccessor { get => throw null; } + public bool IsComposite { get => throw null; } + public bool IsEntityRelation { get => throw null; } + public bool IsInsertable { get => throw null; set { } } + public bool IsLazy { get => throw null; set { } } + public bool IsNaturalIdentifier { get => throw null; set { } } + public bool IsNullable { get => throw null; } + public bool IsOptimisticLocked { get => throw null; set { } } + public bool IsOptional { get => throw null; set { } } + public bool IsSelectable { get => throw null; set { } } + public bool IsUpdateable { get => throw null; set { } } + public bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; + public string LazyGroup { get => throw null; set { } } + public System.Collections.Generic.IDictionary MetaAttributes { get => throw null; set { } } + public string Name { get => throw null; set { } } + public string NullValue { get => throw null; } + public NHibernate.Mapping.PersistentClass PersistentClass { get => throw null; set { } } + protected virtual NHibernate.Properties.IPropertyAccessor PropertyAccessor { get => throw null; } + public string PropertyAccessorName { get => throw null; set { } } + public NHibernate.Type.IType Type { get => throw null; } + public bool UnwrapProxy { get => throw null; set { } } + public NHibernate.Mapping.IValue Value { get => throw null; set { } } + } + public enum PropertyGeneration + { + Never = 0, + Insert = 1, + Always = 2, + } + public class ReferenceDependantValue : NHibernate.Mapping.DependantValue + { + public override void CreateForeignKeyOfEntity(string entityName) => throw null; + public ReferenceDependantValue(NHibernate.Mapping.Table table, NHibernate.Mapping.SimpleValue prototype) : base(default(NHibernate.Mapping.Table), default(NHibernate.Mapping.IKeyValue)) => throw null; + public System.Collections.Generic.IEnumerable ReferenceColumns { get => throw null; } + } + public class RootClass : NHibernate.Mapping.PersistentClass, NHibernate.Mapping.ITableOwner + { + public override object Accept(NHibernate.Mapping.IPersistentClassVisitor mv) => throw null; + public override void AddSubclass(NHibernate.Mapping.Subclass subclass) => throw null; + public override string CacheConcurrencyStrategy { get => throw null; set { } } + public string CacheRegionName { get => throw null; set { } } + public RootClass() => throw null; + public static string DefaultDiscriminatorColumnName; + public static string DefaultIdentifierColumnName; + public override NHibernate.Mapping.IValue Discriminator { get => throw null; set { } } + public override System.Type EntityPersisterClass { get => throw null; set { } } + public override bool HasEmbeddedIdentifier { get => throw null; set { } } + public override bool HasIdentifierProperty { get => throw null; } + public override NHibernate.Mapping.IKeyValue Identifier { get => throw null; set { } } + public override NHibernate.Mapping.Property IdentifierProperty { get => throw null; set { } } + public virtual System.Collections.Generic.ISet IdentityTables { get => throw null; } + public override bool IsDiscriminatorInsertable { get => throw null; set { } } + public override bool IsExplicitPolymorphism { get => throw null; set { } } + public override bool IsForceDiscriminator { get => throw null; set { } } + public override bool IsInherited { get => throw null; } + public override bool IsJoinedSubclass { get => throw null; } + public override bool IsLazyPropertiesCacheable { get => throw null; } + public override bool IsMutable { get => throw null; set { } } + public override bool IsPolymorphic { get => throw null; set { } } + public override bool IsVersioned { get => throw null; } + public override NHibernate.Mapping.IKeyValue Key { get => throw null; set { } } + public override System.Collections.Generic.IEnumerable KeyClosureIterator { get => throw null; } + public override System.Collections.Generic.IEnumerable PropertyClosureIterator { get => throw null; } + public override NHibernate.Mapping.RootClass RootClazz { get => throw null; } + public override NHibernate.Mapping.Table RootTable { get => throw null; } + public void SetLazyPropertiesCacheable(bool isLazyPropertiesCacheable) => throw null; + public override int SubclassId { get => throw null; } + public override NHibernate.Mapping.PersistentClass Superclass { get => throw null; set { } } + public override NHibernate.Mapping.Table Table { get => throw null; } + NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set { } } + public override System.Collections.Generic.IEnumerable TableClosureIterator { get => throw null; } + public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + public override NHibernate.Mapping.Property Version { get => throw null; set { } } + public override string Where { get => throw null; set { } } + } + [System.Flags] + public enum SchemaAction + { + None = 0, + Drop = 1, + Update = 2, + Export = 4, + Validate = 8, + All = 15, + } + public class Set : NHibernate.Mapping.Collection + { + public override void CreatePrimaryKey() => throw null; + public Set(NHibernate.Mapping.PersistentClass owner) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Type.CollectionType DefaultCollectionType { get => throw null; } + public override bool IsSet { get => throw null; } + } + public class SimpleAuxiliaryDatabaseObject : NHibernate.Mapping.AbstractAuxiliaryDatabaseObject + { + public SimpleAuxiliaryDatabaseObject(string sqlCreateString, string sqlDropString) => throw null; + public SimpleAuxiliaryDatabaseObject(string sqlCreateString, string sqlDropString, System.Collections.Generic.HashSet dialectScopes) => throw null; + public override string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; + public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + } + public class SimpleValue : NHibernate.Mapping.IKeyValue, NHibernate.Mapping.IValue + { + public virtual object Accept(NHibernate.Mapping.IValueVisitor visitor) => throw null; + public virtual void AddColumn(NHibernate.Mapping.Column column) => throw null; + public virtual void AddFormula(NHibernate.Mapping.Formula formula) => throw null; + public virtual bool[] ColumnInsertability { get => throw null; } + public virtual System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public virtual int ColumnSpan { get => throw null; } + public virtual bool[] ColumnUpdateability { get => throw null; } + public virtual System.Collections.Generic.IEnumerable ConstraintColumns { get => throw null; } + public virtual void CreateForeignKey() => throw null; + public virtual void CreateForeignKeyOfEntity(string entityName) => throw null; + public NHibernate.Id.IIdentifierGenerator CreateIdentifierGenerator(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema, NHibernate.Mapping.RootClass rootClass) => throw null; + public SimpleValue() => throw null; + public SimpleValue(NHibernate.Mapping.Table table) => throw null; + public virtual NHibernate.FetchMode FetchMode { get => throw null; set { } } + public string ForeignKeyName { get => throw null; set { } } + public bool HasFormula { get => throw null; } + public System.Collections.Generic.IDictionary IdentifierGeneratorProperties { get => throw null; set { } } + public string IdentifierGeneratorStrategy { get => throw null; set { } } + public bool IsAlternateUniqueKey { get => throw null; set { } } + public bool IsCascadeDeleteEnabled { get => throw null; set { } } + public virtual bool IsComposite { get => throw null; } + public bool IsIdentityColumn(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual bool IsNullable { get => throw null; } + public bool IsSimpleValue { get => throw null; } + public virtual bool IsTypeSpecified { get => throw null; } + public virtual bool IsUpdateable { get => throw null; } + public virtual bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; + public string NullValue { get => throw null; set { } } + public virtual void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; + public NHibernate.Mapping.Table Table { get => throw null; set { } } + public override string ToString() => throw null; + public virtual NHibernate.Type.IType Type { get => throw null; } + public string TypeName { get => throw null; set { } } + public System.Collections.Generic.IDictionary TypeParameters { get => throw null; set { } } + } + public class SingleTableSubclass : NHibernate.Mapping.Subclass + { + public SingleTableSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + protected override System.Collections.Generic.IEnumerable DiscriminatorColumnIterator { get => throw null; } + protected override System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } + public override void Validate(NHibernate.Engine.IMapping mapping) => throw null; + } + public class Subclass : NHibernate.Mapping.PersistentClass + { + public override object Accept(NHibernate.Mapping.IPersistentClassVisitor mv) => throw null; + public override void AddJoin(NHibernate.Mapping.Join join) => throw null; + public override void AddProperty(NHibernate.Mapping.Property p) => throw null; + public override void AddSubclassJoin(NHibernate.Mapping.Join join) => throw null; + public override void AddSubclassProperty(NHibernate.Mapping.Property p) => throw null; + public override void AddSubclassTable(NHibernate.Mapping.Table table) => throw null; + public override string CacheConcurrencyStrategy { get => throw null; set { } } + public void CreateForeignKey() => throw null; + public Subclass(NHibernate.Mapping.PersistentClass superclass) => throw null; + public override NHibernate.Mapping.IValue Discriminator { get => throw null; set { } } + public override System.Type EntityPersisterClass { get => throw null; set { } } + public override System.Collections.Generic.IDictionary FilterMap { get => throw null; } + public override string GetTuplizerImplClassName(NHibernate.EntityMode mode) => throw null; + public override bool HasEmbeddedIdentifier { get => throw null; set { } } + public override bool HasIdentifierProperty { get => throw null; } + public override bool HasSubselectLoadableCollections { get => throw null; set { } } + public override NHibernate.Mapping.IKeyValue Identifier { get => throw null; set { } } + public override NHibernate.Mapping.Component IdentifierMapper { get => throw null; } + public override NHibernate.Mapping.Property IdentifierProperty { get => throw null; set { } } + public override bool IsClassOrSuperclassJoin(NHibernate.Mapping.Join join) => throw null; + public override bool IsClassOrSuperclassTable(NHibernate.Mapping.Table closureTable) => throw null; + public override bool IsDiscriminatorInsertable { get => throw null; set { } } + public override bool IsExplicitPolymorphism { get => throw null; set { } } + public override bool IsForceDiscriminator { get => throw null; } + public override bool IsInherited { get => throw null; } + public override bool IsJoinedSubclass { get => throw null; } + public override bool IsLazyPropertiesCacheable { get => throw null; } + public override bool IsMutable { get => throw null; set { } } + public override bool IsPolymorphic { get => throw null; set { } } + public override bool IsVersioned { get => throw null; } + public override System.Collections.Generic.IEnumerable JoinClosureIterator { get => throw null; } + public override int JoinClosureSpan { get => throw null; } + public override NHibernate.Mapping.IKeyValue Key { get => throw null; set { } } + public override System.Collections.Generic.IEnumerable KeyClosureIterator { get => throw null; } + public override NHibernate.Engine.Versioning.OptimisticLock OptimisticLockMode { get => throw null; } + public override System.Collections.Generic.IEnumerable PropertyClosureIterator { get => throw null; } + public override int PropertyClosureSpan { get => throw null; } + public override NHibernate.Mapping.RootClass RootClazz { get => throw null; } + public override NHibernate.Mapping.Table RootTable { get => throw null; } + public override int SubclassId { get => throw null; } + public override NHibernate.Mapping.PersistentClass Superclass { get => throw null; set { } } + public override System.Collections.Generic.ISet SynchronizedTables { get => throw null; } + public override NHibernate.Mapping.Table Table { get => throw null; } + public override System.Collections.Generic.IEnumerable TableClosureIterator { get => throw null; } + public override System.Collections.Generic.IDictionary TuplizerMap { get => throw null; } + public override NHibernate.Mapping.Property Version { get => throw null; set { } } + public override string Where { get => throw null; set { } } + } + public class Table : NHibernate.Mapping.IRelationalModel + { + public void AddCheckConstraint(string constraint) => throw null; + public void AddColumn(NHibernate.Mapping.Column column) => throw null; + public NHibernate.Mapping.Index AddIndex(NHibernate.Mapping.Index index) => throw null; + public NHibernate.Mapping.UniqueKey AddUniqueKey(NHibernate.Mapping.UniqueKey uniqueKey) => throw null; + public string Catalog { get => throw null; set { } } + public System.Collections.Generic.IEnumerable CheckConstraintsIterator { get => throw null; } + public virtual System.Collections.Generic.IEnumerable ColumnIterator { get => throw null; } + public int ColumnSpan { get => throw null; } + public string Comment { get => throw null; set { } } + public virtual bool ContainsColumn(NHibernate.Mapping.Column column) => throw null; + public virtual NHibernate.Mapping.ForeignKey CreateForeignKey(string keyName, System.Collections.Generic.IEnumerable keyColumns, string referencedEntityName) => throw null; + public virtual NHibernate.Mapping.ForeignKey CreateForeignKey(string keyName, System.Collections.Generic.IEnumerable keyColumns, string referencedEntityName, System.Collections.Generic.IEnumerable referencedColumns) => throw null; + public virtual void CreateForeignKeys() => throw null; + public virtual NHibernate.Mapping.UniqueKey CreateUniqueKey(System.Collections.Generic.IList keyColumns) => throw null; + public Table() => throw null; + public Table(string name) => throw null; + public System.Collections.Generic.IEnumerable ForeignKeyIterator { get => throw null; } + public NHibernate.Mapping.Column GetColumn(int n) => throw null; + public virtual NHibernate.Mapping.Column GetColumn(NHibernate.Mapping.Column column) => throw null; + public NHibernate.Mapping.Index GetIndex(string indexName) => throw null; + public NHibernate.Mapping.Index GetOrCreateIndex(string indexName) => throw null; + public NHibernate.Mapping.UniqueKey GetOrCreateUniqueKey(string keyName) => throw null; + public string GetQualifiedName(NHibernate.Dialect.Dialect dialect) => throw null; + public virtual string GetQualifiedName(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public string GetQuotedCatalog() => throw null; + public string GetQuotedCatalog(NHibernate.Dialect.Dialect dialect) => throw null; + public string GetQuotedCatalog(NHibernate.Dialect.Dialect dialect, string defaultQuotedCatalog) => throw null; + public string GetQuotedName() => throw null; + public string GetQuotedName(NHibernate.Dialect.Dialect dialect) => throw null; + public string GetQuotedSchema() => throw null; + public string GetQuotedSchema(NHibernate.Dialect.Dialect dialect) => throw null; + public string GetQuotedSchema(NHibernate.Dialect.Dialect dialect, string defaultQuotedSchema) => throw null; + public string GetQuotedSchemaName(NHibernate.Dialect.Dialect dialect) => throw null; + public NHibernate.Mapping.UniqueKey GetUniqueKey(string keyName) => throw null; + public bool HasDenormalizedTables { get => throw null; } + public bool HasPrimaryKey { get => throw null; } + public NHibernate.Mapping.IKeyValue IdentifierValue { get => throw null; set { } } + public virtual System.Collections.Generic.IEnumerable IndexIterator { get => throw null; } + public bool IsAbstract { get => throw null; set { } } + public bool IsAbstractUnionTable { get => throw null; } + public bool IsCatalogQuoted { get => throw null; } + public bool IsPhysicalTable { get => throw null; } + public bool IsQuoted { get => throw null; set { } } + public bool IsSchemaQuoted { get => throw null; } + public bool IsSubselect { get => throw null; } + public string Name { get => throw null; set { } } + public virtual NHibernate.Mapping.PrimaryKey PrimaryKey { get => throw null; set { } } + public string RowId { get => throw null; set { } } + public string Schema { get => throw null; set { } } + public NHibernate.Mapping.SchemaAction SchemaActions { get => throw null; set { } } + public void SetIdentifierValue(NHibernate.Mapping.SimpleValue identifierValue) => throw null; + public string[] SqlAlterStrings(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, NHibernate.Dialect.Schema.ITableMetadata tableInfo, string defaultCatalog, string defaultSchema) => throw null; + public virtual string[] SqlCommentStrings(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; + public string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + public virtual string SqlTemporaryTableCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; + public string Subselect { get => throw null; set { } } + public override string ToString() => throw null; + public string UniqueColumnString(System.Collections.IEnumerable uniqueColumns) => throw null; + public string UniqueColumnString(System.Collections.IEnumerable iterator, string referencedEntityName) => throw null; + public int UniqueInteger { get => throw null; set { } } + public virtual System.Collections.Generic.IEnumerable UniqueKeyIterator { get => throw null; } + public System.Collections.Generic.IEnumerable ValidateColumns(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping, NHibernate.Dialect.Schema.ITableMetadata tableInfo) => throw null; } + public abstract class ToOne : NHibernate.Mapping.SimpleValue, NHibernate.Mapping.IFetchable + { + public abstract override void CreateForeignKey(); + public ToOne(NHibernate.Mapping.Table table) => throw null; + public override NHibernate.FetchMode FetchMode { get => throw null; set { } } + public bool IsLazy { get => throw null; set { } } + public override bool IsTypeSpecified { get => throw null; } + public override bool IsValid(NHibernate.Engine.IMapping mapping) => throw null; + public string ReferencedEntityName { get => throw null; set { } } + public string ReferencedPropertyName { get => throw null; set { } } + public override void SetTypeUsingReflection(string className, string propertyName, string accesorName) => throw null; + public abstract override NHibernate.Type.IType Type { get; } + public bool UnwrapProxy { get => throw null; set { } } + } + public class TypeDef + { + public TypeDef(string typeClass, System.Collections.Generic.IDictionary parameters) => throw null; + public System.Collections.Generic.IDictionary Parameters { get => throw null; } + public string TypeClass { get => throw null; } + } + public class UnionSubclass : NHibernate.Mapping.Subclass, NHibernate.Mapping.ITableOwner + { + public UnionSubclass(NHibernate.Mapping.PersistentClass superclass) : base(default(NHibernate.Mapping.PersistentClass)) => throw null; + public override NHibernate.Mapping.Table IdentityTable { get => throw null; } + protected override System.Collections.Generic.IEnumerable NonDuplicatedPropertyIterator { get => throw null; } + NHibernate.Mapping.Table NHibernate.Mapping.ITableOwner.Table { set { } } + public override NHibernate.Mapping.Table Table { get => throw null; } + } + public class UniqueKey : NHibernate.Mapping.Constraint + { + public UniqueKey() => throw null; + public override bool IsGenerated(NHibernate.Dialect.Dialect dialect) => throw null; + public string SqlConstraintString(NHibernate.Dialect.Dialect dialect) => throw null; + public override string SqlConstraintString(NHibernate.Dialect.Dialect dialect, string constraintName, string defaultCatalog, string defaultSchema) => throw null; + public override string SqlCreateString(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping p, string defaultCatalog, string defaultSchema) => throw null; + public override string SqlDropString(NHibernate.Dialect.Dialect dialect, string defaultCatalog, string defaultSchema) => throw null; + } + } + public class MappingException : NHibernate.HibernateException + { + public MappingException(string message) => throw null; + public MappingException(System.Exception innerException) => throw null; + public MappingException(string message, System.Exception innerException) => throw null; + protected MappingException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } namespace Metadata { - // Generated from `NHibernate.Metadata.IClassMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IClassMetadata { string EntityName { get; } @@ -27526,8 +23437,6 @@ public interface IClassMetadata void SetPropertyValues(object entity, object[] values); int VersionProperty { get; } } - - // Generated from `NHibernate.Metadata.ICollectionMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ICollectionMetadata { NHibernate.Type.IType ElementType { get; } @@ -27539,11 +23448,9 @@ public interface ICollectionMetadata NHibernate.Type.IType KeyType { get; } string Role { get; } } - } namespace Multi { - // Generated from `NHibernate.Multi.CriteriaBatchItem<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CriteriaBatchItem : NHibernate.Multi.QueryBatchItemBase { public CriteriaBatchItem(NHibernate.ICriteria query) => throw null; @@ -27552,8 +23459,6 @@ public class CriteriaBatchItem : NHibernate.Multi.QueryBatchItemBase protected override System.Collections.Generic.IList GetResultsNonBatched() => throw null; protected override System.Threading.Tasks.Task> GetResultsNonBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Multi.ICachingInformation` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ICachingInformation { NHibernate.Cache.QueryKey CacheKey { get; } @@ -27567,35 +23472,20 @@ public interface ICachingInformation void SetCacheBatcher(NHibernate.Cache.CacheBatcher cacheBatcher); void SetCachedResult(System.Collections.IList result); } - - // Generated from `NHibernate.Multi.ICachingInformationWithFetches` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface ICachingInformationWithFetches - { - NHibernate.Type.IType[] CacheTypes { get; } - } - - // Generated from `NHibernate.Multi.ILinqBatchItem` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface ILinqBatchItem - { - } - - // Generated from `NHibernate.Multi.IQueryBatch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IQueryBatch { - void Add(string key, NHibernate.Multi.IQueryBatchItem query); void Add(NHibernate.Multi.IQueryBatchItem query); + void Add(string key, NHibernate.Multi.IQueryBatchItem query); void Execute(); - System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); NHibernate.FlushMode? FlushMode { get; set; } - System.Collections.Generic.IList GetResult(string querykey); System.Collections.Generic.IList GetResult(int queryIndex); - System.Threading.Tasks.Task> GetResultAsync(string querykey, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task> GetResultAsync(int queryIndex, System.Threading.CancellationToken cancellationToken); + System.Collections.Generic.IList GetResult(string querykey); + System.Threading.Tasks.Task> GetResultAsync(int queryIndex, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); + System.Threading.Tasks.Task> GetResultAsync(string querykey, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); bool IsExecutedOrEmpty { get; } int? Timeout { get; set; } } - - // Generated from `NHibernate.Multi.IQueryBatchItem` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IQueryBatchItem { System.Collections.Generic.IEnumerable CachingInformation { get; } @@ -27608,110 +23498,89 @@ public interface IQueryBatchItem int ProcessResultsSet(System.Data.Common.DbDataReader reader); System.Threading.Tasks.Task ProcessResultsSetAsync(System.Data.Common.DbDataReader reader, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Multi.IQueryBatchItem<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IQueryBatchItem : NHibernate.Multi.IQueryBatchItem { System.Action> AfterLoadCallback { get; set; } System.Collections.Generic.IList GetResults(); } - - // Generated from `NHibernate.Multi.IQueryBatchItemWithAsyncProcessResults` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface IQueryBatchItemWithAsyncProcessResults + public class LinqBatchItem : NHibernate.Multi.QueryBatchItem { - void ProcessResults(); - System.Threading.Tasks.Task ProcessResultsAsync(System.Threading.CancellationToken cancellationToken); + public LinqBatchItem(NHibernate.IQuery query) : base(default(NHibernate.IQuery)) => throw null; + protected override System.Collections.Generic.List DoGetResults() => throw null; + protected override System.Collections.Generic.IList GetResultsNonBatched() => throw null; + protected override System.Threading.Tasks.Task> GetResultsNonBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Multi.LinqBatchItem` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class LinqBatchItem { public static NHibernate.Multi.LinqBatchItem Create(System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector) => throw null; public static NHibernate.Multi.LinqBatchItem Create(System.Linq.IQueryable query) => throw null; } - - // Generated from `NHibernate.Multi.LinqBatchItem<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LinqBatchItem : NHibernate.Multi.QueryBatchItem - { - protected override System.Collections.Generic.List DoGetResults() => throw null; - protected override System.Collections.Generic.IList GetResultsNonBatched() => throw null; - protected override System.Threading.Tasks.Task> GetResultsNonBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public LinqBatchItem(NHibernate.IQuery query) : base(default(NHibernate.IQuery)) => throw null; - internal LinqBatchItem(NHibernate.IQuery query, NHibernate.Linq.NhLinqExpression linq) : base(default(NHibernate.IQuery)) => throw null; - } - - // Generated from `NHibernate.Multi.QueryBatch` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QueryBatch : NHibernate.Multi.IQueryBatch { - public void Add(string key, NHibernate.Multi.IQueryBatchItem query) => throw null; public void Add(NHibernate.Multi.IQueryBatchItem query) => throw null; + public void Add(string key, NHibernate.Multi.IQueryBatchItem query) => throw null; + public QueryBatch(NHibernate.Engine.ISessionImplementor session, bool autoReset) => throw null; public void Execute() => throw null; - public System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected void ExecuteBatched() => throw null; protected System.Threading.Tasks.Task ExecuteBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.FlushMode? FlushMode { get => throw null; set => throw null; } - public System.Collections.Generic.IList GetResult(string querykey) => throw null; + public NHibernate.FlushMode? FlushMode { get => throw null; set { } } public System.Collections.Generic.IList GetResult(int queryIndex) => throw null; - public System.Threading.Tasks.Task> GetResultAsync(string querykey, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task> GetResultAsync(int queryIndex, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Collections.Generic.IList GetResult(string querykey) => throw null; + public System.Threading.Tasks.Task> GetResultAsync(int queryIndex, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task> GetResultAsync(string querykey, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool IsExecutedOrEmpty { get => throw null; } - public QueryBatch(NHibernate.Engine.ISessionImplementor session, bool autoReset) => throw null; protected NHibernate.Engine.ISessionImplementor Session { get => throw null; } - public int? Timeout { get => throw null; set => throw null; } + public int? Timeout { get => throw null; set { } } } - - // Generated from `NHibernate.Multi.QueryBatchExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class QueryBatchExtensions + public static partial class QueryBatchExtensions { - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector, System.Action afterLoad = default(System.Action)) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, System.Linq.IQueryable query) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.IQueryOver query) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query, System.Action> afterLoad = default(System.Action>)) => throw null; public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.IQueryOver query) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.IQuery query) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.ICriteria query) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.Criterion.DetachedCriteria query) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query, System.Action> afterLoad = default(System.Action>)) => throw null; public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query, System.Action> afterLoad = default(System.Action>)) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query, System.Action> afterLoad = default(System.Action>)) => throw null; - public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query, System.Action> afterLoad = default(System.Action>)) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.IQueryOver query) => throw null; public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.ICriteria query, System.Action> afterLoad = default(System.Action>)) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.ICriteria query) => throw null; public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.Criterion.DetachedCriteria query, System.Action> afterLoad = default(System.Action>)) => throw null; - public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query) => throw null; - public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.Multi.IQueryBatchItem query) => throw null; - public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.Criterion.DetachedCriteria query) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query, System.Action> afterLoad = default(System.Action>)) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, NHibernate.IQuery query) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query, System.Action> afterLoad = default(System.Action>)) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, System.Linq.IQueryable query) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector, System.Action afterLoad = default(System.Action)) => throw null; + public static NHibernate.Multi.IQueryBatch Add(this NHibernate.Multi.IQueryBatch batch, string key, System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector) => throw null; public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; - public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query) => throw null; + public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.ICriteria query) => throw null; public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.Criterion.DetachedCriteria query) => throw null; + public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query) => throw null; + public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query) => throw null; + public static NHibernate.IFutureEnumerable AddAsFuture(this NHibernate.Multi.IQueryBatch batch, NHibernate.Multi.IQueryBatchItem query) => throw null; public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query, System.Linq.Expressions.Expression, TResult>> selector) => throw null; public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, System.Linq.IQueryable query) => throw null; - public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.Multi.IQueryBatchItem query) => throw null; - public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; - public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; - public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query) => throw null; public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.ICriteria query) => throw null; public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.Criterion.DetachedCriteria query) => throw null; + public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; + public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQueryOver query) => throw null; + public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.IQuery query) => throw null; + public static NHibernate.IFutureValue AddAsFutureValue(this NHibernate.Multi.IQueryBatch batch, NHibernate.Multi.IQueryBatchItem query) => throw null; public static NHibernate.Multi.IQueryBatch SetFlushMode(this NHibernate.Multi.IQueryBatch batch, NHibernate.FlushMode mode) => throw null; public static NHibernate.Multi.IQueryBatch SetTimeout(this NHibernate.Multi.IQueryBatch batch, int? timeout) => throw null; } - - // Generated from `NHibernate.Multi.QueryBatchItem<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QueryBatchItem : NHibernate.Multi.QueryBatchItemBase { + public QueryBatchItem(NHibernate.IQuery query) => throw null; protected override System.Collections.Generic.List DoGetResults() => throw null; protected override System.Collections.Generic.List.QueryInfo> GetQueryInformation(NHibernate.Engine.ISessionImplementor session) => throw null; protected override System.Collections.Generic.IList GetResultsNonBatched() => throw null; protected override System.Threading.Tasks.Task> GetResultsNonBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; protected NHibernate.Impl.AbstractQueryImpl Query; - public QueryBatchItem(NHibernate.IQuery query) => throw null; } - - // Generated from `NHibernate.Multi.QueryBatchItemBase<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class QueryBatchItemBase : NHibernate.Multi.IQueryBatchItem, NHibernate.Multi.IQueryBatchItem { - public System.Action> AfterLoadCallback { get => throw null; set => throw null; } + public System.Action> AfterLoadCallback { get => throw null; set { } } public System.Collections.Generic.IEnumerable CachingInformation { get => throw null; } + protected QueryBatchItemBase() => throw null; protected abstract System.Collections.Generic.List DoGetResults(); public void ExecuteNonBatched() => throw null; public System.Threading.Tasks.Task ExecuteNonBatchedAsync(System.Threading.CancellationToken cancellationToken) => throw null; @@ -27727,76 +23596,254 @@ public abstract class QueryBatchItemBase : NHibernate.Multi.IQueryBatch public System.Threading.Tasks.Task ProcessResultsAsync(System.Threading.CancellationToken cancellationToken) => throw null; public int ProcessResultsSet(System.Data.Common.DbDataReader reader) => throw null; public System.Threading.Tasks.Task ProcessResultsSetAsync(System.Data.Common.DbDataReader reader, System.Threading.CancellationToken cancellationToken) => throw null; - protected QueryBatchItemBase() => throw null; - // Generated from `NHibernate.Multi.QueryBatchItemBase<>+QueryInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` protected class QueryInfo : NHibernate.Multi.ICachingInformation { - public NHibernate.Cache.CacheBatcher CacheBatcher { get => throw null; set => throw null; } + public NHibernate.Cache.CacheBatcher CacheBatcher { get => throw null; } public NHibernate.Cache.QueryKey CacheKey { get => throw null; } public NHibernate.Type.IType[] CacheTypes { get => throw null; } public bool CanGetFromCache { get => throw null; } public bool CanPutToCache { get => throw null; } + public QueryInfo(NHibernate.Engine.QueryParameters parameters, NHibernate.Loader.Loader loader, System.Collections.Generic.ISet querySpaces, NHibernate.Engine.ISessionImplementor session) => throw null; public bool IsCacheable { get => throw null; } - public bool IsResultFromCache { get => throw null; set => throw null; } - public NHibernate.Loader.Loader Loader { get => throw null; set => throw null; } + public bool IsResultFromCache { get => throw null; } + public NHibernate.Loader.Loader Loader { get => throw null; set { } } public NHibernate.Engine.QueryParameters Parameters { get => throw null; } public string QueryIdentifier { get => throw null; } - public QueryInfo(NHibernate.Engine.QueryParameters parameters, NHibernate.Loader.Loader loader, System.Collections.Generic.ISet querySpaces, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Collections.Generic.ISet QuerySpaces { get => throw null; } - public System.Collections.IList Result { get => throw null; set => throw null; } - public System.Collections.IList ResultToCache { get => throw null; set => throw null; } + public System.Collections.IList Result { get => throw null; set { } } + public System.Collections.IList ResultToCache { get => throw null; set { } } public NHibernate.Type.IType[] ResultTypes { get => throw null; } public void SetCacheBatcher(NHibernate.Cache.CacheBatcher cacheBatcher) => throw null; public void SetCachedResult(System.Collections.IList result) => throw null; } - - protected NHibernate.Engine.ISessionImplementor Session; } - } - namespace MultiTenancy + public static partial class MultiCriteriaExtensions + { + public static NHibernate.IMultiCriteria SetTimeout(this NHibernate.IMultiCriteria multiCriteria, int timeout) => throw null; + } + namespace MultiTenancy + { + public abstract class AbstractMultiTenancyConnectionProvider : NHibernate.MultiTenancy.IMultiTenancyConnectionProvider + { + protected AbstractMultiTenancyConnectionProvider() => throw null; + public NHibernate.Connection.IConnectionAccess GetConnectionAccess(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; + protected abstract string GetTenantConnectionString(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory); + } + public interface IMultiTenancyConnectionProvider + { + NHibernate.Connection.IConnectionAccess GetConnectionAccess(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory); + } + public enum MultiTenancyStrategy + { + None = 0, + Database = 1, + } + public class TenantConfiguration + { + public TenantConfiguration(string tenantIdentifier) => throw null; + public string TenantIdentifier { get => throw null; } + } + } + public static class NHibernateLogger + { + public static NHibernate.INHibernateLogger For(string keyName) => throw null; + public static NHibernate.INHibernateLogger For(System.Type type) => throw null; + public static void SetLoggersFactory(NHibernate.INHibernateLoggerFactory loggerFactory) => throw null; + } + public static partial class NHibernateLoggerExtensions + { + public static void Debug(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; + public static void Debug(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; + public static void Debug(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; + public static void Debug(this NHibernate.INHibernateLogger logger, string message) => throw null; + public static void Debug(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; + public static void Error(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; + public static void Error(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; + public static void Error(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; + public static void Error(this NHibernate.INHibernateLogger logger, string message) => throw null; + public static void Error(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; + public static void Fatal(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; + public static void Fatal(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; + public static void Fatal(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; + public static void Fatal(this NHibernate.INHibernateLogger logger, string message) => throw null; + public static void Fatal(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; + public static void Info(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; + public static void Info(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; + public static void Info(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; + public static void Info(this NHibernate.INHibernateLogger logger, string message) => throw null; + public static void Info(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; + public static bool IsDebugEnabled(this NHibernate.INHibernateLogger logger) => throw null; + public static bool IsErrorEnabled(this NHibernate.INHibernateLogger logger) => throw null; + public static bool IsFatalEnabled(this NHibernate.INHibernateLogger logger) => throw null; + public static bool IsInfoEnabled(this NHibernate.INHibernateLogger logger) => throw null; + public static bool IsWarnEnabled(this NHibernate.INHibernateLogger logger) => throw null; + public static void Warn(this NHibernate.INHibernateLogger logger, System.Exception exception, string format, params object[] args) => throw null; + public static void Warn(this NHibernate.INHibernateLogger logger, System.Exception exception, string message) => throw null; + public static void Warn(this NHibernate.INHibernateLogger logger, string format, params object[] args) => throw null; + public static void Warn(this NHibernate.INHibernateLogger logger, string message) => throw null; + public static void Warn(this NHibernate.INHibernateLogger logger, string message, System.Exception ex) => throw null; + } + public enum NHibernateLogLevel + { + Trace = 0, + Debug = 1, + Info = 2, + Warn = 3, + Error = 4, + Fatal = 5, + None = 6, + } + public struct NHibernateLogValues + { + public object[] Args { get => throw null; } + public NHibernateLogValues(string format, object[] args) => throw null; + public string Format { get => throw null; } + public override string ToString() => throw null; + } + public static class NHibernateUtil + { + public static NHibernate.Type.AnsiCharType AnsiChar; + public static NHibernate.Type.AnsiStringType AnsiString; + public static NHibernate.Type.IType Any(NHibernate.Type.IType metaType, NHibernate.Type.IType identifierType) => throw null; + public static NHibernate.Type.BinaryType Binary; + public static NHibernate.Type.BinaryBlobType BinaryBlob; + public static NHibernate.Type.BooleanType Boolean; + public static NHibernate.Type.ByteType Byte; + public static NHibernate.Type.CharType Character; + public static NHibernate.Type.TypeType Class; + public static NHibernate.Type.ClassMetaType ClassMetaType; + public static void Close(System.Collections.IEnumerator enumerator) => throw null; + public static void Close(System.Collections.IEnumerable enumerable) => throw null; + public static NHibernate.Type.CultureInfoType CultureInfo; + public static NHibernate.Type.CurrencyType Currency; + public static NHibernate.Type.IType Custom(System.Type userTypeClass) => throw null; + public static NHibernate.Type.DateType Date; + public static NHibernate.Type.DateTimeType DateTime; + public static NHibernate.Type.DateTime2Type DateTime2; + public static NHibernate.Type.DateTimeNoMsType DateTimeNoMs; + public static NHibernate.Type.DateTimeOffsetType DateTimeOffset; + public static NHibernate.Type.DbTimestampType DbTimestamp; + public static NHibernate.Type.DecimalType Decimal; + public static NHibernate.Type.DoubleType Double; + public static NHibernate.Type.IType Entity(System.Type persistentClass) => throw null; + public static NHibernate.Type.IType Entity(string entityName) => throw null; + public static NHibernate.Type.IType Enum(System.Type enumClass) => throw null; + public static System.Type GetClass(object proxy) => throw null; + public static System.Threading.Tasks.Task GetClassAsync(object proxy, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.Type.IType GetSerializable(System.Type serializableClass) => throw null; + public static NHibernate.Type.IType GuessType(object obj) => throw null; + public static NHibernate.Type.IType GuessType(System.Type type) => throw null; + public static NHibernate.Type.GuidType Guid; + public static void Initialize(object proxy) => throw null; + public static System.Threading.Tasks.Task InitializeAsync(object proxy, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.Type.Int16Type Int16; + public static NHibernate.Type.Int32Type Int32; + public static NHibernate.Type.Int64Type Int64; + public static bool IsInitialized(object proxy) => throw null; + public static bool IsPropertyInitialized(object proxy, string propertyName) => throw null; + public static NHibernate.Type.DateType LocalDate; + public static NHibernate.Type.LocalDateTimeType LocalDateTime; + public static NHibernate.Type.LocalDateTimeNoMsType LocalDateTimeNoMs; + public static NHibernate.Type.MetaType MetaType; + public static NHibernate.Type.AnyType Object; + public static NHibernate.Type.SByteType SByte; + public static NHibernate.Type.SerializableType Serializable; + public static NHibernate.Type.SingleType Single; + public static NHibernate.Type.StringType String; + public static NHibernate.Type.StringClobType StringClob; + public static NHibernate.Type.TicksType Ticks; + public static NHibernate.Type.TimeType Time; + public static NHibernate.Type.TimeAsTimeSpanType TimeAsTimeSpan; + public static NHibernate.Type.TimeSpanType TimeSpan; + public static NHibernate.Type.TimestampType Timestamp; + public static NHibernate.Type.TrueFalseType TrueFalse; + public static NHibernate.Type.UInt16Type UInt16; + public static NHibernate.Type.UInt32Type UInt32; + public static NHibernate.Type.UInt64Type UInt64; + public static NHibernate.Type.UriType Uri; + public static NHibernate.Type.UtcDateTimeType UtcDateTime; + public static NHibernate.Type.UtcDateTimeNoMsType UtcDateTimeNoMs; + public static NHibernate.Type.UtcDbTimestampType UtcDbTimestamp; + public static NHibernate.Type.UtcTicksType UtcTicks; + public static NHibernate.Type.XDocType XDoc; + public static NHibernate.Type.XmlDocType XmlDoc; + public static NHibernate.Type.YesNoType YesNo; + } + public class NoLoggingInternalLogger : NHibernate.IInternalLogger + { + public NoLoggingInternalLogger() => throw null; + public void Debug(object message) => throw null; + public void Debug(object message, System.Exception exception) => throw null; + public void DebugFormat(string format, params object[] args) => throw null; + public void Error(object message) => throw null; + public void Error(object message, System.Exception exception) => throw null; + public void ErrorFormat(string format, params object[] args) => throw null; + public void Fatal(object message) => throw null; + public void Fatal(object message, System.Exception exception) => throw null; + public void Info(object message) => throw null; + public void Info(object message, System.Exception exception) => throw null; + public void InfoFormat(string format, params object[] args) => throw null; + public bool IsDebugEnabled { get => throw null; } + public bool IsErrorEnabled { get => throw null; } + public bool IsFatalEnabled { get => throw null; } + public bool IsInfoEnabled { get => throw null; } + public bool IsWarnEnabled { get => throw null; } + public void Warn(object message) => throw null; + public void Warn(object message, System.Exception exception) => throw null; + public void WarnFormat(string format, params object[] args) => throw null; + } + public class NoLoggingLoggerFactory : NHibernate.ILoggerFactory { - // Generated from `NHibernate.MultiTenancy.AbstractMultiTenancyConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractMultiTenancyConnectionProvider : NHibernate.MultiTenancy.IMultiTenancyConnectionProvider - { - protected AbstractMultiTenancyConnectionProvider() => throw null; - public NHibernate.Connection.IConnectionAccess GetConnectionAccess(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - protected abstract string GetTenantConnectionString(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory); - } - - // Generated from `NHibernate.MultiTenancy.IMultiTenancyConnectionProvider` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IMultiTenancyConnectionProvider - { - NHibernate.Connection.IConnectionAccess GetConnectionAccess(NHibernate.MultiTenancy.TenantConfiguration tenantConfiguration, NHibernate.Engine.ISessionFactoryImplementor sessionFactory); - } - - // Generated from `NHibernate.MultiTenancy.MultiTenancyStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public enum MultiTenancyStrategy - { - Database, - None, - } - - // Generated from `NHibernate.MultiTenancy.TenantConfiguration` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TenantConfiguration - { - public TenantConfiguration(string tenantIdentifier) => throw null; - public string TenantIdentifier { get => throw null; } - } - + public NoLoggingLoggerFactory() => throw null; + public NHibernate.IInternalLogger LoggerFor(string keyName) => throw null; + public NHibernate.IInternalLogger LoggerFor(System.Type type) => throw null; + } + public class NonUniqueObjectException : NHibernate.HibernateException + { + public NonUniqueObjectException(string message, object id, string entityName) => throw null; + public NonUniqueObjectException(object id, string entityName) => throw null; + protected NonUniqueObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Identifier { get => throw null; } + public override string Message { get => throw null; } + } + public class NonUniqueResultException : NHibernate.HibernateException + { + public NonUniqueResultException(int resultCount) => throw null; + protected NonUniqueResultException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class ObjectDeletedException : NHibernate.UnresolvableObjectException + { + public ObjectDeletedException(string message, object identifier, string clazz) : base(default(object), default(System.Type)) => throw null; + protected ObjectDeletedException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(object), default(System.Type)) => throw null; + } + public class ObjectNotFoundByUniqueKeyException : NHibernate.HibernateException + { + public ObjectNotFoundByUniqueKeyException(string entityName, string propertyName, object key) => throw null; + protected ObjectNotFoundByUniqueKeyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Key { get => throw null; } + public string PropertyName { get => throw null; } + } + public class ObjectNotFoundException : NHibernate.UnresolvableObjectException + { + public ObjectNotFoundException(object identifier, System.Type type) : base(default(object), default(System.Type)) => throw null; + public ObjectNotFoundException(object identifier, string entityName) : base(default(object), default(System.Type)) => throw null; + protected ObjectNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(object), default(System.Type)) => throw null; } namespace Param { - // Generated from `NHibernate.Param.AbstractExplicitParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractExplicitParameterSpecification : NHibernate.Param.IParameterSpecification, NHibernate.Param.IPageableParameterSpecification, NHibernate.Param.IExplicitParameterSpecification + public abstract class AbstractExplicitParameterSpecification : NHibernate.Param.IPageableParameterSpecification, NHibernate.Param.IExplicitParameterSpecification, NHibernate.Param.IParameterSpecification { - protected AbstractExplicitParameterSpecification(int sourceLine, int sourceColumn) => throw null; public abstract void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session); public abstract void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session); public abstract System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); public abstract System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + protected AbstractExplicitParameterSpecification(int sourceLine, int sourceColumn) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public abstract System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory); protected object GetPagingValue(object value, NHibernate.Dialect.Dialect dialect, NHibernate.Engine.QueryParameters queryParameters) => throw null; protected int GetParemeterSpan(NHibernate.Engine.IMapping sessionFactory) => throw null; @@ -27808,37 +23855,31 @@ public abstract class AbstractExplicitParameterSpecification : NHibernate.Param. public int SourceColumn { get => throw null; } public int SourceLine { get => throw null; } } - - // Generated from `NHibernate.Param.AggregatedIndexCollectionSelectorParameterSpecifications` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AggregatedIndexCollectionSelectorParameterSpecifications : NHibernate.Param.IParameterSpecification { - public AggregatedIndexCollectionSelectorParameterSpecifications(System.Collections.Generic.IList paramSpecs) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public AggregatedIndexCollectionSelectorParameterSpecifications(System.Collections.Generic.IList paramSpecs) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.CollectionFilterKeyParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionFilterKeyParameterSpecification : NHibernate.Param.IParameterSpecification { - public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public CollectionFilterKeyParameterSpecification(string collectionRole, NHibernate.Type.IType keyType, int queryParameterPosition) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.CollectionFilterKeyParameterSpecification other) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public override int GetHashCode() => throw null; public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.CriteriaNamedParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CriteriaNamedParameterSpecification : NHibernate.Param.IParameterSpecification { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -27848,14 +23889,12 @@ public class CriteriaNamedParameterSpecification : NHibernate.Param.IParameterSp public CriteriaNamedParameterSpecification(string name, NHibernate.Type.IType expectedType) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.CriteriaNamedParameterSpecification other) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public override int GetHashCode() => throw null; public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; protected int GetParemeterSpan(NHibernate.Engine.IMapping sessionFactory) => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.DynamicFilterParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DynamicFilterParameterSpecification : NHibernate.Param.IParameterSpecification { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -27866,30 +23905,24 @@ public class DynamicFilterParameterSpecification : NHibernate.Param.IParameterSp public NHibernate.Type.IType ElementType { get => throw null; } public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.DynamicFilterParameterSpecification other) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public string FilterParameterFullName { get => throw null; } public override int GetHashCode() => throw null; public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.IExplicitParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IExplicitParameterSpecification : NHibernate.Param.IParameterSpecification { void SetEffectiveType(NHibernate.Engine.QueryParameters queryParameters); int SourceColumn { get; } int SourceLine { get; } } - - // Generated from `NHibernate.Param.IPageableParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IPageableParameterSpecification : NHibernate.Param.IParameterSpecification, NHibernate.Param.IExplicitParameterSpecification + public interface IPageableParameterSpecification : NHibernate.Param.IExplicitParameterSpecification, NHibernate.Param.IParameterSpecification { int GetSkipValue(NHibernate.Engine.QueryParameters queryParameters); void IsSkipParameter(); void IsTakeParameterWithSkipParameter(NHibernate.Param.IPageableParameterSpecification skipParameter); } - - // Generated from `NHibernate.Param.IParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IParameterSpecification { void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session); @@ -27900,130 +23933,110 @@ public interface IParameterSpecification System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory); string RenderDisplayInfo(); } - - // Generated from `NHibernate.Param.NamedParameter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class NamedParameter { - public override bool Equals(object obj) => throw null; + public NamedParameter(string name, object value, NHibernate.Type.IType type) => throw null; public bool Equals(NHibernate.Param.NamedParameter other) => throw null; + public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public virtual bool IsCollection { get => throw null; } - public string Name { get => throw null; set => throw null; } - public NamedParameter(string name, object value, NHibernate.Type.IType type) => throw null; - public NHibernate.Type.IType Type { get => throw null; set => throw null; } - public object Value { get => throw null; set => throw null; } + public string Name { get => throw null; } + public NHibernate.Type.IType Type { get => throw null; } + public object Value { get => throw null; } } - - // Generated from `NHibernate.Param.NamedParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class NamedParameterSpecification : NHibernate.Param.AbstractExplicitParameterSpecification { public override void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public override void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public NamedParameterSpecification(int sourceLine, int sourceColumn, string name) : base(default(int), default(int)) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.NamedParameterSpecification other) => throw null; public override int GetHashCode() => throw null; public override System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public override int GetSkipValue(NHibernate.Engine.QueryParameters queryParameters) => throw null; public string Name { get => throw null; } - public NamedParameterSpecification(int sourceLine, int sourceColumn, string name) : base(default(int), default(int)) => throw null; public override string RenderDisplayInfo() => throw null; public override void SetEffectiveType(NHibernate.Engine.QueryParameters queryParameters) => throw null; } - - // Generated from `NHibernate.Param.ParametersBackTrackExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ParametersBackTrackExtensions + public static partial class ParametersBackTrackExtensions { public static System.Collections.Generic.IEnumerable GetEffectiveParameterLocations(this System.Collections.Generic.IList sqlParameters, string backTrackId) => throw null; public static NHibernate.SqlTypes.SqlType[] GetQueryParameterTypes(this System.Collections.Generic.IEnumerable parameterSpecs, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public static void ResetEffectiveExpectedType(this System.Collections.Generic.IEnumerable parameterSpecs, NHibernate.Engine.QueryParameters queryParameters) => throw null; } - - // Generated from `NHibernate.Param.PositionalParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PositionalParameterSpecification : NHibernate.Param.AbstractExplicitParameterSpecification { public override void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public override void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public PositionalParameterSpecification(int sourceLine, int sourceColumn, int hqlPosition) : base(default(int), default(int)) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.PositionalParameterSpecification other) => throw null; public override int GetHashCode() => throw null; public override System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public override int GetSkipValue(NHibernate.Engine.QueryParameters queryParameters) => throw null; public int HqlPosition { get => throw null; } - public PositionalParameterSpecification(int sourceLine, int sourceColumn, int hqlPosition) : base(default(int), default(int)) => throw null; public override string RenderDisplayInfo() => throw null; public override void SetEffectiveType(NHibernate.Engine.QueryParameters queryParameters) => throw null; } - - // Generated from `NHibernate.Param.QuerySkipParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QuerySkipParameterSpecification : NHibernate.Param.IParameterSpecification { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public QuerySkipParameterSpecification() => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.QuerySkipParameterSpecification other) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public override int GetHashCode() => throw null; public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; - public QuerySkipParameterSpecification() => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.QueryTakeParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QueryTakeParameterSpecification : NHibernate.Param.IParameterSpecification { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public QueryTakeParameterSpecification() => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Param.QueryTakeParameterSpecification other) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public override int GetHashCode() => throw null; public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; - public QueryTakeParameterSpecification() => throw null; public string RenderDisplayInfo() => throw null; } - - // Generated from `NHibernate.Param.VersionTypeSeedParameterSpecification` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class VersionTypeSeedParameterSpecification : NHibernate.Param.IParameterSpecification { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList multiSqlQueryParametersList, int singleSqlParametersOffset, System.Collections.Generic.IList sqlQueryParametersList, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NHibernate.Type.IType ExpectedType { get => throw null; set => throw null; } + public VersionTypeSeedParameterSpecification(NHibernate.Type.IVersionType type) => throw null; + public NHibernate.Type.IType ExpectedType { get => throw null; set { } } public System.Collections.Generic.IEnumerable GetIdsForBackTrack(NHibernate.Engine.IMapping sessionFactory) => throw null; public string RenderDisplayInfo() => throw null; - public VersionTypeSeedParameterSpecification(NHibernate.Type.IVersionType type) => throw null; } - + } + public class PersistentObjectException : NHibernate.HibernateException + { + public PersistentObjectException(string message) => throw null; + protected PersistentObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } namespace Persister { - // Generated from `NHibernate.Persister.PersisterFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class PersisterFactory - { - public static NHibernate.Persister.Entity.IEntityPersister Create(System.Type persisterClass, NHibernate.Mapping.PersistentClass model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping cfg) => throw null; - public static NHibernate.Persister.Collection.ICollectionPersister Create(System.Type persisterClass, NHibernate.Mapping.Collection model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public static NHibernate.Persister.Entity.IEntityPersister CreateClassPersister(NHibernate.Mapping.PersistentClass model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping cfg) => throw null; - public static NHibernate.Persister.Collection.ICollectionPersister CreateCollectionPersister(NHibernate.Mapping.Collection model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - } - namespace Collection { - // Generated from `NHibernate.Persister.Collection.AbstractCollectionPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractCollectionPersister : NHibernate.Persister.Entity.ISupportSelectModeJoinable, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Collection.ISqlLoadableCollection, NHibernate.Persister.Collection.IQueryableCollection, NHibernate.Persister.Collection.ICollectionPersister, NHibernate.Metadata.ICollectionMetadata, NHibernate.Id.IPostInsertIdentityPersister, NHibernate.Id.ICompositeKeyPostInsertIdentityPersister + public abstract class AbstractCollectionPersister : NHibernate.Metadata.ICollectionMetadata, NHibernate.Persister.Collection.ISqlLoadableCollection, NHibernate.Persister.Collection.IQueryableCollection, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Collection.ICollectionPersister, NHibernate.Id.IPostInsertIdentityPersister, NHibernate.Persister.Entity.ISupportSelectModeJoinable, NHibernate.Id.ICompositeKeyPostInsertIdentityPersister { - public AbstractCollectionPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; protected virtual void AppendElementColumns(NHibernate.SqlCommand.SelectFragment frag, string elemAlias) => throw null; protected virtual void AppendIdentifierColumns(NHibernate.SqlCommand.SelectFragment frag, string alias) => throw null; protected virtual void AppendIndexColumns(NHibernate.SqlCommand.SelectFragment frag, string alias) => throw null; + protected int batchSize; public void BindSelectByUniqueKey(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames) => throw null; public System.Threading.Tasks.Task BindSelectByUniqueKeyAsync(NHibernate.Engine.ISessionImplementor session, System.Data.Common.DbCommand selectCommand, NHibernate.Id.Insert.IBinder binder, string[] suppliedPropertyNames, System.Threading.CancellationToken cancellationToken) => throw null; public NHibernate.Cache.ICacheConcurrencyStrategy Cache { get => throw null; } @@ -28037,6 +24050,7 @@ public abstract class AbstractCollectionPersister : NHibernate.Persister.Entity. public abstract bool ConsumesEntityAlias(); protected abstract NHibernate.Loader.Collection.ICollectionInitializer CreateCollectionInitializer(System.Collections.Generic.IDictionary enabledFilters); protected abstract NHibernate.Loader.Collection.ICollectionInitializer CreateSubselectInitializer(NHibernate.Engine.SubselectFetch subselect, NHibernate.Engine.ISessionImplementor session); + public AbstractCollectionPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public object DecrementIndexByBase(object index) => throw null; protected virtual bool DeleteAllCallable { get => throw null; } protected NHibernate.Engine.ExecuteUpdateResultCheckStyle DeleteAllCheckStyle { get => throw null; } @@ -28048,33 +24062,36 @@ public abstract class AbstractCollectionPersister : NHibernate.Persister.Entity. protected abstract int DoUpdateRows(object key, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session); protected abstract System.Threading.Tasks.Task DoUpdateRowsAsync(object key, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); public System.Type ElementClass { get => throw null; } + protected string[] elementColumnAliases; + protected bool[] elementColumnIsInPrimaryKey; + protected bool[] elementColumnIsSettable; public string[] ElementColumnNames { get => throw null; } public bool ElementExists(object key, object element, NHibernate.Engine.ISessionImplementor session) => throw null; + protected string[] elementFormulas; + protected string[] elementFormulaTemplates; + protected bool elementIsPureFormula; public NHibernate.Persister.Entity.IEntityPersister ElementPersister { get => throw null; } public NHibernate.Type.IType ElementType { get => throw null; } public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } public NHibernate.FetchMode FetchMode { get => throw null; } - public virtual string FilterFragment(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; protected virtual string FilterFragment(string alias) => throw null; + public virtual string FilterFragment(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; public abstract NHibernate.SqlCommand.SqlString FromJoinFragment(string alias, bool innerJoin, bool includeSubclasses); - protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateDeleteRowString(bool[] columnNullness) => throw null; protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateDeleteRowString() => throw null; + protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateDeleteRowString(bool[] columnNullness) => throw null; protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateDeleteString(); - protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateIdentityInsertRowString(); - protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateInsertRowString(); - protected virtual NHibernate.SqlCommand.SelectFragment GenerateSelectFragment(string alias, string columnSuffix) => throw null; - public virtual string GenerateTableAliasForKeyColumns(string alias) => throw null; - protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateUpdateRowString(); - // Generated from `NHibernate.Persister.Collection.AbstractCollectionPersister+GeneratedIdentifierBinder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder { public void BindValues(System.Data.Common.DbCommand cm) => throw null; public System.Threading.Tasks.Task BindValuesAsync(System.Data.Common.DbCommand cm, System.Threading.CancellationToken cancellationToken) => throw null; - public object Entity { get => throw null; } public GeneratedIdentifierBinder(object ownerId, NHibernate.Collection.IPersistentCollection collection, object entry, int index, NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.AbstractCollectionPersister persister) => throw null; + public object Entity { get => throw null; } } - - + protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateIdentityInsertRowString(); + protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateInsertRowString(); + protected virtual NHibernate.SqlCommand.SelectFragment GenerateSelectFragment(string alias, string columnSuffix) => throw null; + public virtual string GenerateTableAliasForKeyColumns(string alias) => throw null; + protected abstract NHibernate.SqlCommand.SqlCommandInfo GenerateUpdateRowString(); protected NHibernate.Loader.Collection.ICollectionInitializer GetAppropriateInitializer(object key, NHibernate.Engine.ISessionImplementor session) => throw null; public int GetBatchSize() => throw null; public string[] GetCollectionPropertyColumnAliases(string propertyName, string suffix) => throw null; @@ -28089,12 +24106,14 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder public string[] GetKeyColumnAliases(string suffix) => throw null; public string GetManyToManyFilterFragment(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; public string GetManyToManyOrderByString(string alias) => throw null; - public string GetSQLOrderByString(string alias) => throw null; - public string GetSQLWhereString(string alias) => throw null; - public virtual NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes) => throw null; public NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string propertyName) => throw null; + public virtual NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes) => throw null; + public NHibernate.SqlCommand.SelectFragment GetSelectFragment(string alias, string columnSuffix) => throw null; public int GetSize(object key, NHibernate.Engine.ISessionImplementor session) => throw null; + public string GetSQLOrderByString(string alias) => throw null; + public string GetSQLWhereString(string alias) => throw null; public bool HasCache { get => throw null; } + protected bool hasIdentifier; public bool HasIndex { get => throw null; } public bool HasManyToManyOrdering { get => throw null; } public bool HasOrdering { get => throw null; } @@ -28104,11 +24123,15 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder public NHibernate.Id.IIdentifierGenerator IdentifierGenerator { get => throw null; } public virtual string IdentifierSelectFragment(string name, string suffix) => throw null; public NHibernate.Type.IType IdentifierType { get => throw null; } + protected NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate identityDelegate; public string IdentitySelectString { get => throw null; } protected object IncrementIndexByBase(object index) => throw null; + protected bool[] indexColumnIsSettable; public string[] IndexColumnNames { get => throw null; } + protected bool indexContainsFormula; public bool IndexExists(object key, object index, NHibernate.Engine.ISessionImplementor session) => throw null; public string[] IndexFormulas { get => throw null; } + protected string[] indexFormulaTemplates; public NHibernate.Type.IType IndexType { get => throw null; } public void InitCollectionPropertyMap() => throw null; public void Initialize(object key, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28142,11 +24165,12 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder public string OneToManyFilterFragment(string alias) => throw null; public virtual string OwnerEntityName { get => throw null; } public NHibernate.Persister.Entity.IEntityPersister OwnerEntityPersister { get => throw null; } - protected object PerformInsert(object ownerId, NHibernate.Collection.IPersistentCollection collection, object entry, int index, NHibernate.Engine.ISessionImplementor session) => throw null; protected object PerformInsert(object ownerId, NHibernate.Collection.IPersistentCollection collection, NHibernate.AdoNet.IExpectation expectation, object entry, int index, bool useBatch, bool callable, NHibernate.Engine.ISessionImplementor session) => throw null; - protected System.Threading.Tasks.Task PerformInsertAsync(object ownerId, NHibernate.Collection.IPersistentCollection collection, object entry, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected object PerformInsert(object ownerId, NHibernate.Collection.IPersistentCollection collection, object entry, int index, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task PerformInsertAsync(object ownerId, NHibernate.Collection.IPersistentCollection collection, NHibernate.AdoNet.IExpectation expectation, object entry, int index, bool useBatch, bool callable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task PerformInsertAsync(object ownerId, NHibernate.Collection.IPersistentCollection collection, object entry, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public void PostInstantiate() => throw null; + protected string qualifiedTableName; public object ReadElement(System.Data.Common.DbDataReader rs, object owner, string[] aliases, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task ReadElementAsync(System.Data.Common.DbDataReader rs, object owner, string[] aliases, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public object ReadIdentifier(System.Data.Common.DbDataReader rs, string alias, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28163,18 +24187,20 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder public string[] RootTableKeyColumnNames { get => throw null; } protected virtual bool RowDeleteEnabled { get => throw null; } protected virtual bool RowInsertEnabled { get => throw null; } - protected virtual NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get => throw null; } - public virtual string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string collectionSuffix, bool includeCollectionColumns, bool includeLazyProperties) => throw null; + public string SelectFragment(string alias, string columnSuffix) => throw null; public virtual string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string currentEntitySuffix, string currentCollectionSuffix, bool includeCollectionColumns) => throw null; + public virtual string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string collectionSuffix, bool includeCollectionColumns, bool includeLazyProperties) => throw null; public virtual string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string currentCollectionSuffix, bool includeCollectionColumns, NHibernate.Persister.Entity.EntityLoadInfo entityInfo) => throw null; - public string SelectFragment(string alias, string columnSuffix) => throw null; protected NHibernate.SqlCommand.SqlCommandInfo SqlDeleteRowString { get => throw null; } protected NHibernate.SqlCommand.SqlCommandInfo SqlDeleteString { get => throw null; } + protected virtual NHibernate.Exceptions.ISQLExceptionConverter SQLExceptionConverter { get => throw null; } protected NHibernate.SqlCommand.SqlCommandInfo SqlInsertRowString { get => throw null; } protected NHibernate.SqlCommand.SqlCommandInfo SqlUpdateRowString { get => throw null; } + protected string sqlWhereString; + public bool SupportsQueryCache { get => throw null; } public virtual string TableName { get => throw null; } - public string[] ToColumns(string propertyName) => throw null; public string[] ToColumns(string alias, string propertyName) => throw null; + public string[] ToColumns(string propertyName) => throw null; public override string ToString() => throw null; public NHibernate.Type.IType ToType(string propertyName) => throw null; public bool TryToType(string propertyName, out NHibernate.Type.IType type) => throw null; @@ -28188,10 +24214,10 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder public abstract NHibernate.SqlCommand.SqlString WhereJoinFragment(string alias, bool innerJoin, bool includeSubclasses); protected int WriteElement(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task WriteElementAsync(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected int WriteElementToWhere(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session) => throw null; protected int WriteElementToWhere(System.Data.Common.DbCommand st, object elt, bool[] columnNullness, int i, NHibernate.Engine.ISessionImplementor session) => throw null; - protected System.Threading.Tasks.Task WriteElementToWhereAsync(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected int WriteElementToWhere(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task WriteElementToWhereAsync(System.Data.Common.DbCommand st, object elt, bool[] columnNullness, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task WriteElementToWhereAsync(System.Data.Common.DbCommand st, object elt, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected int WriteIdentifier(System.Data.Common.DbCommand st, object idx, int i, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task WriteIdentifierAsync(System.Data.Common.DbCommand st, object idx, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected int WriteIndex(System.Data.Common.DbCommand st, object idx, int i, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28200,31 +24226,15 @@ protected class GeneratedIdentifierBinder : NHibernate.Id.Insert.IBinder protected System.Threading.Tasks.Task WriteIndexToWhereAsync(System.Data.Common.DbCommand st, object index, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected int WriteKey(System.Data.Common.DbCommand st, object id, int i, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task WriteKeyAsync(System.Data.Common.DbCommand st, object id, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected int batchSize; - protected string[] elementColumnAliases; - protected bool[] elementColumnIsInPrimaryKey; - protected bool[] elementColumnIsSettable; - protected string[] elementFormulaTemplates; - protected string[] elementFormulas; - protected internal bool elementIsPureFormula; - protected bool hasIdentifier; - protected NHibernate.Id.Insert.IInsertGeneratedIdentifierDelegate identityDelegate; - protected bool[] indexColumnIsSettable; - protected internal bool indexContainsFormula; - protected string[] indexFormulaTemplates; - protected string qualifiedTableName; - protected string sqlWhereString; } - - // Generated from `NHibernate.Persister.Collection.BasicCollectionPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BasicCollectionPersister : NHibernate.Persister.Collection.AbstractCollectionPersister { - public BasicCollectionPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Mapping.Collection), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; public override bool CascadeDeleteEnabled { get => throw null; } public override bool ConsumesCollectionAlias() => throw null; public override bool ConsumesEntityAlias() => throw null; protected override NHibernate.Loader.Collection.ICollectionInitializer CreateCollectionInitializer(System.Collections.Generic.IDictionary enabledFilters) => throw null; protected override NHibernate.Loader.Collection.ICollectionInitializer CreateSubselectInitializer(NHibernate.Engine.SubselectFetch subselect, NHibernate.Engine.ISessionImplementor session) => throw null; + public BasicCollectionPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Mapping.Collection), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; protected override int DoUpdateRows(object id, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session) => throw null; protected override System.Threading.Tasks.Task DoUpdateRowsAsync(object id, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override NHibernate.SqlCommand.SqlString FromJoinFragment(string alias, bool innerJoin, bool includeSubclasses) => throw null; @@ -28238,58 +24248,46 @@ public class BasicCollectionPersister : NHibernate.Persister.Collection.Abstract public override string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string collectionSuffix, bool includeCollectionColumns, NHibernate.Persister.Entity.EntityLoadInfo entityInfo) => throw null; public override NHibernate.SqlCommand.SqlString WhereJoinFragment(string alias, bool innerJoin, bool includeSubclasses) => throw null; } - - // Generated from `NHibernate.Persister.Collection.CollectionPersisterExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class CollectionPersisterExtensions + public static partial class CollectionPersisterExtensions { public static int GetBatchSize(this NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; } - - // Generated from `NHibernate.Persister.Collection.CollectionPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionPropertyMapping : NHibernate.Persister.Entity.IPropertyMapping { public CollectionPropertyMapping(NHibernate.Persister.Collection.IQueryableCollection memberPersister) => throw null; - public string[] ToColumns(string propertyName) => throw null; public string[] ToColumns(string alias, string propertyName) => throw null; + public string[] ToColumns(string propertyName) => throw null; public NHibernate.Type.IType ToType(string propertyName) => throw null; public bool TryToType(string propertyName, out NHibernate.Type.IType type) => throw null; public NHibernate.Type.IType Type { get => throw null; } } - - // Generated from `NHibernate.Persister.Collection.CollectionPropertyNames` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionPropertyNames { public CollectionPropertyNames() => throw null; - public const string Elements = default; - public const string Index = default; - public const string Indices = default; - public const string MaxElement = default; - public const string MaxIndex = default; - public const string MinElement = default; - public const string MinIndex = default; - public const string Size = default; - } - - // Generated from `NHibernate.Persister.Collection.CompositeElementPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public static string Elements; + public static string Index; + public static string Indices; + public static string MaxElement; + public static string MaxIndex; + public static string MinElement; + public static string MinIndex; + public static string Size; + } public class CompositeElementPropertyMapping : NHibernate.Persister.Entity.AbstractPropertyMapping { public CompositeElementPropertyMapping(string[] elementColumns, string[] elementFormulaTemplates, NHibernate.Type.IAbstractComponentType compositeType, NHibernate.Engine.IMapping factory) => throw null; protected override string EntityName { get => throw null; } public override NHibernate.Type.IType Type { get => throw null; } } - - // Generated from `NHibernate.Persister.Collection.ElementPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ElementPropertyMapping : NHibernate.Persister.Entity.IPropertyMapping { public ElementPropertyMapping(string[] elementColumns, NHibernate.Type.IType type) => throw null; - public string[] ToColumns(string propertyName) => throw null; public string[] ToColumns(string alias, string propertyName) => throw null; + public string[] ToColumns(string propertyName) => throw null; public NHibernate.Type.IType ToType(string propertyName) => throw null; public bool TryToType(string propertyName, out NHibernate.Type.IType outType) => throw null; public NHibernate.Type.IType Type { get => throw null; } } - - // Generated from `NHibernate.Persister.Collection.ICollectionPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ICollectionPersister { NHibernate.Cache.ICacheConcurrencyStrategy Cache { get; } @@ -28354,8 +24352,6 @@ public interface ICollectionPersister void UpdateRows(NHibernate.Collection.IPersistentCollection collection, object key, NHibernate.Engine.ISessionImplementor session); System.Threading.Tasks.Task UpdateRowsAsync(NHibernate.Collection.IPersistentCollection collection, object key, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Persister.Collection.IQueryableCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IQueryableCollection : NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Collection.ICollectionPersister { string[] ElementColumnNames { get; } @@ -28372,23 +24368,17 @@ public interface IQueryableCollection : NHibernate.Persister.Entity.IPropertyMap string[] IndexFormulas { get; } string SelectFragment(string alias, string columnSuffix); } - - // Generated from `NHibernate.Persister.Collection.ISqlLoadableCollection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlLoadableCollection : NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Collection.IQueryableCollection, NHibernate.Persister.Collection.ICollectionPersister + public interface ISqlLoadableCollection : NHibernate.Persister.Collection.IQueryableCollection, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Collection.ICollectionPersister { string[] GetCollectionPropertyColumnAliases(string propertyName, string str); string IdentifierColumnName { get; } } - - // Generated from `NHibernate.Persister.Collection.NamedQueryCollectionInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class NamedQueryCollectionInitializer : NHibernate.Loader.Collection.ICollectionInitializer { + public NamedQueryCollectionInitializer(string queryName, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; public void Initialize(object key, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task InitializeAsync(object key, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NamedQueryCollectionInitializer(string queryName, NHibernate.Persister.Collection.ICollectionPersister persister) => throw null; } - - // Generated from `NHibernate.Persister.Collection.OneToManyPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class OneToManyPersister : NHibernate.Persister.Collection.AbstractCollectionPersister, NHibernate.Persister.Entity.ISupportSelectModeJoinable { public override bool CascadeDeleteEnabled { get => throw null; } @@ -28396,6 +24386,7 @@ public class OneToManyPersister : NHibernate.Persister.Collection.AbstractCollec public override bool ConsumesEntityAlias() => throw null; protected override NHibernate.Loader.Collection.ICollectionInitializer CreateCollectionInitializer(System.Collections.Generic.IDictionary enabledFilters) => throw null; protected override NHibernate.Loader.Collection.ICollectionInitializer CreateSubselectInitializer(NHibernate.Engine.SubselectFetch subselect, NHibernate.Engine.ISessionImplementor session) => throw null; + public OneToManyPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Mapping.Collection), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; protected override int DoUpdateRows(object id, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session) => throw null; protected override System.Threading.Tasks.Task DoUpdateRowsAsync(object id, NHibernate.Collection.IPersistentCollection collection, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected override string FilterFragment(string alias) => throw null; @@ -28409,21 +24400,21 @@ public class OneToManyPersister : NHibernate.Persister.Collection.AbstractCollec public override object GetElementByIndex(object key, object index, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override bool IsManyToMany { get => throw null; } public override bool IsOneToMany { get => throw null; } - public OneToManyPersister(NHibernate.Mapping.Collection collection, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Mapping.Collection), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; protected override bool RowDeleteEnabled { get => throw null; } protected override bool RowInsertEnabled { get => throw null; } public override string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string collectionSuffix, bool includeCollectionColumns, NHibernate.Persister.Entity.EntityLoadInfo entityInfo) => throw null; public override string TableName { get => throw null; } public override NHibernate.SqlCommand.SqlString WhereJoinFragment(string alias, bool innerJoin, bool includeSubclasses) => throw null; } - + public static partial class QueryableCollectionExtensions + { + public static NHibernate.SqlCommand.SelectFragment GetSelectFragment(this NHibernate.Persister.Collection.IQueryableCollection queryable, string alias, string columnSuffix) => throw null; + } } namespace Entity { - // Generated from `NHibernate.Persister.Entity.AbstractEntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUniqueKeyLoadable, NHibernate.Persister.Entity.ISupportSelectModeJoinable, NHibernate.Persister.Entity.ISqlLoadable, NHibernate.Persister.Entity.IQueryable, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IOuterJoinLoadable, NHibernate.Persister.Entity.ILockable, NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Metadata.IClassMetadata, NHibernate.Intercept.ILazyPropertyInitializer, NHibernate.Id.IPostInsertIdentityPersister, NHibernate.Id.ICompositeKeyPostInsertIdentityPersister, NHibernate.Cache.IOptimisticCacheSource + public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IOuterJoinLoadable, NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Entity.IQueryable, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Metadata.IClassMetadata, NHibernate.Persister.Entity.IUniqueKeyLoadable, NHibernate.Persister.Entity.ISqlLoadable, NHibernate.Intercept.ILazyPropertyInitializer, NHibernate.Id.IPostInsertIdentityPersister, NHibernate.Persister.Entity.ILockable, NHibernate.Persister.Entity.ISupportSelectModeJoinable, NHibernate.Id.ICompositeKeyPostInsertIdentityPersister { - protected AbstractEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; protected virtual void AddDiscriminatorToInsert(NHibernate.SqlCommand.SqlInsertBuilder insert) => throw null; protected virtual void AddDiscriminatorToSelect(NHibernate.SqlCommand.SelectFragment select, string name, string suffix) => throw null; public void AfterInitialize(object entity, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28438,10 +24429,11 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni public NHibernate.Cache.Entry.ICacheEntryStructure CacheEntryStructure { get => throw null; } public virtual bool CanExtractIdOutOfEntity { get => throw null; } protected bool Check(int rows, object id, int tableNumber, NHibernate.AdoNet.IExpectation expectation, System.Data.Common.DbCommand statement) => throw null; + protected bool Check(int rows, object id, int tableNumber, NHibernate.AdoNet.IExpectation expectation, System.Data.Common.DbCommand statement, bool forceThrowStaleException = default(bool)) => throw null; public virtual NHibernate.Metadata.IClassMetadata ClassMetadata { get => throw null; } + protected string ConcretePropertySelectFragment(string alias, NHibernate.Engine.ValueInclusion[] inclusions) => throw null; protected string ConcretePropertySelectFragment(string alias, bool[] includeProperty) => throw null; protected string ConcretePropertySelectFragment(string alias, NHibernate.Persister.Entity.AbstractEntityPersister.IInclusionChecker inclusionChecker) => throw null; - protected string ConcretePropertySelectFragment(string alias, NHibernate.Engine.ValueInclusion[] inclusions) => throw null; protected string ConcretePropertySelectFragmentSansLeadingComma(string alias, bool[] include) => throw null; public System.Type ConcreteProxyClass { get => throw null; } public abstract string[][] ConstraintOrderedTableKeyColumnClosure { get; } @@ -28457,30 +24449,36 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni protected NHibernate.SqlCommand.SelectFragment CreateSelect(int[] subclassColumnNumbers, int[] subclassFormulaNumbers) => throw null; protected void CreateUniqueKeyLoaders() => throw null; protected NHibernate.SqlCommand.SqlString CreateWhereByKey(int tableNumber, string alias) => throw null; - protected int Dehydrate(object id, object[] fields, object rowId, bool[] includeProperty, bool[][] includeColumns, int table, System.Data.Common.DbCommand statement, NHibernate.Engine.ISessionImplementor session, int index) => throw null; + protected AbstractEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected NHibernate.SqlCommand.SqlString[] customSQLDelete; + protected NHibernate.SqlCommand.SqlString[] customSQLInsert; + protected NHibernate.SqlCommand.SqlString[] customSQLUpdate; protected int Dehydrate(object id, object[] fields, bool[] includeProperty, bool[][] includeColumns, int j, System.Data.Common.DbCommand st, NHibernate.Engine.ISessionImplementor session) => throw null; - protected System.Threading.Tasks.Task DehydrateAsync(object id, object[] fields, object rowId, bool[] includeProperty, bool[][] includeColumns, int table, System.Data.Common.DbCommand statement, NHibernate.Engine.ISessionImplementor session, int index, System.Threading.CancellationToken cancellationToken) => throw null; + protected int Dehydrate(object id, object[] fields, object rowId, bool[] includeProperty, bool[][] includeColumns, int table, System.Data.Common.DbCommand statement, NHibernate.Engine.ISessionImplementor session, int index) => throw null; protected System.Threading.Tasks.Task DehydrateAsync(object id, object[] fields, bool[] includeProperty, bool[][] includeColumns, int j, System.Data.Common.DbCommand st, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public void Delete(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + protected System.Threading.Tasks.Task DehydrateAsync(object id, object[] fields, object rowId, bool[] includeProperty, bool[][] includeColumns, int table, System.Data.Common.DbCommand statement, NHibernate.Engine.ISessionImplementor session, int index, System.Threading.CancellationToken cancellationToken) => throw null; public void Delete(object id, object version, int j, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session, object[] loadedState) => throw null; - public System.Threading.Tasks.Task DeleteAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public void Delete(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task DeleteAsync(object id, object version, int j, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session, object[] loadedState, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal virtual string DiscriminatorAlias { get => throw null; } + public System.Threading.Tasks.Task DeleteAsync(object id, object version, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected bool[] deleteCallable; + protected NHibernate.Engine.ExecuteUpdateResultCheckStyle[] deleteResultCheckStyles; + protected static string Discriminator_Alias; + protected virtual string DiscriminatorAlias { get => throw null; } public virtual string DiscriminatorColumnName { get => throw null; } protected virtual string DiscriminatorFormulaTemplate { get => throw null; } public abstract string DiscriminatorSQLValue { get; } public abstract NHibernate.Type.IType DiscriminatorType { get; } public abstract object DiscriminatorValue { get; } - protected const string Discriminator_Alias = default; - public const string EntityClass = default; + public static string EntityClass; public NHibernate.Tuple.Entity.EntityMetamodel EntityMetamodel { get => throw null; } public NHibernate.EntityMode EntityMode { get => throw null; } public string EntityName { get => throw null; } public NHibernate.Tuple.Entity.IEntityTuplizer EntityTuplizer { get => throw null; } public NHibernate.Type.EntityType EntityType { get => throw null; } public NHibernate.Engine.ISessionFactoryImplementor Factory { get => throw null; } - public virtual string FilterFragment(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; public abstract string FilterFragment(string alias); + public virtual string FilterFragment(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; public virtual int[] FindDirty(object[] currentState, object[] previousState, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task FindDirtyAsync(object[] currentState, object[] previousState, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public virtual int[] FindModified(object[] old, object[] current, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28493,20 +24491,20 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni public virtual string GenerateFilterConditionAlias(string rootAlias) => throw null; protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateIdentityInsertString(bool[] includeProperty) => throw null; protected NHibernate.SqlCommand.SqlString GenerateInsertGeneratedValuesSelectString() => throw null; - protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateInsertString(bool identityInsert, bool[] includeProperty, int j) => throw null; protected NHibernate.SqlCommand.SqlCommandInfo GenerateInsertString(bool[] includeProperty, int j) => throw null; protected NHibernate.SqlCommand.SqlCommandInfo GenerateInsertString(bool identityInsert, bool[] includeProperty) => throw null; - protected internal virtual NHibernate.SqlCommand.SqlString GenerateLazySelectString() => throw null; + protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateInsertString(bool identityInsert, bool[] includeProperty, int j) => throw null; + protected virtual NHibernate.SqlCommand.SqlString GenerateLazySelectString() => throw null; protected virtual System.Collections.Generic.IDictionary GenerateLazySelectStringsByFetchGroup() => throw null; - protected internal virtual NHibernate.Dialect.Lock.ILockingStrategy GenerateLocker(NHibernate.LockMode lockMode) => throw null; - protected NHibernate.SqlCommand.SqlCommandInfo[] GenerateSQLDeleteStrings(object[] loadedState) => throw null; + protected virtual NHibernate.Dialect.Lock.ILockingStrategy GenerateLocker(NHibernate.LockMode lockMode) => throw null; protected NHibernate.SqlCommand.SqlString GenerateSelectVersionString() => throw null; protected virtual NHibernate.SqlCommand.SqlString GenerateSnapshotSelectString() => throw null; + protected NHibernate.SqlCommand.SqlCommandInfo[] GenerateSQLDeleteStrings(object[] loadedState) => throw null; public string GenerateTableAlias(string rootAlias, int tableNumber) => throw null; public virtual string GenerateTableAliasForColumn(string rootAlias, string column) => throw null; protected NHibernate.SqlCommand.SqlString GenerateUpdateGeneratedValuesSelectString() => throw null; protected virtual NHibernate.SqlCommand.SqlCommandInfo GenerateUpdateString(bool[] includeProperty, int j, bool useRowId) => throw null; - protected internal NHibernate.SqlCommand.SqlCommandInfo GenerateUpdateString(bool[] includeProperty, int j, object[] oldFields, bool useRowId) => throw null; + protected NHibernate.SqlCommand.SqlCommandInfo GenerateUpdateString(bool[] includeProperty, int j, object[] oldFields, bool useRowId) => throw null; public NHibernate.Engine.CascadeStyle GetCascadeStyle(int i) => throw null; public object GetCurrentVersion(object id, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task GetCurrentVersionAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -28517,14 +24515,17 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni protected virtual NHibernate.Tuple.Property GetIdentiferProperty(int table) => throw null; public virtual object GetIdentifier(object obj) => throw null; public string[] GetIdentifierAliases(string suffix) => throw null; + public virtual NHibernate.SqlCommand.SelectFragment GetIdentifierSelectFragment(string alias, string suffix) => throw null; public virtual NHibernate.Type.IType GetIdentifierType(int j) => throw null; public string GetInfoString() => throw null; protected virtual string[] GetJoinIdKeyColumns(int j) => throw null; - protected virtual object GetJoinTableId(int table, object obj) => throw null; protected virtual object GetJoinTableId(int j, object[] fields) => throw null; + protected virtual object GetJoinTableId(int table, object obj) => throw null; protected abstract string[] GetKeyColumns(int table); public virtual object[] GetNaturalIdentifierSnapshot(object id, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task GetNaturalIdentifierSnapshotAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public NHibernate.SqlCommand.SelectFragment GetPropertiesSelectFragment(string alias, string suffix, bool allProperties) => throw null; + public NHibernate.SqlCommand.SelectFragment GetPropertiesSelectFragment(string alias, string suffix, System.Collections.Generic.ICollection fetchProperties) => throw null; protected bool[] GetPropertiesToInsert(object[] fields) => throw null; protected virtual bool[] GetPropertiesToUpdate(int[] dirtyProperties, bool hasDirtyCollection) => throw null; public string[] GetPropertyAliases(string suffix, int i) => throw null; @@ -28535,34 +24536,34 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni public abstract string GetPropertyTableName(string propertyName); public virtual NHibernate.Type.IType GetPropertyType(string path) => throw null; protected bool[] GetPropertyUpdateability(object entity) => throw null; - public object GetPropertyValue(object obj, string propertyName) => throw null; public object GetPropertyValue(object obj, int i) => throw null; + public object GetPropertyValue(object obj, string propertyName) => throw null; public object[] GetPropertyValues(object obj) => throw null; public virtual object[] GetPropertyValuesToInsert(object obj, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; protected virtual int? GetRefIdColumnOfTable(int table) => throw null; public virtual string GetRootTableAlias(string drivingAlias) => throw null; - protected NHibernate.SqlCommand.SqlString GetSQLLazySelectString(string fetchGroup) => throw null; - protected string GetSQLWhereString(string alias) => throw null; - public virtual NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes) => throw null; public virtual NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string propertyName) => throw null; + public virtual NHibernate.SqlCommand.SqlString GetSelectByUniqueKeyString(string[] suppliedPropertyNames, out NHibernate.Type.IType[] parameterTypes) => throw null; protected virtual NHibernate.SqlCommand.SqlString GetSequentialSelect(string entityName) => throw null; protected virtual NHibernate.SqlCommand.SqlString GetSequentialSelect() => throw null; + protected NHibernate.SqlCommand.SqlString GetSQLLazySelectString(string fetchGroup) => throw null; + protected string GetSQLWhereString(string alias) => throw null; public NHibernate.Persister.Entity.IEntityPersister GetSubclassEntityPersister(object instance, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public abstract string GetSubclassForDiscriminatorValue(object value); public string[] GetSubclassPropertyColumnAliases(string propertyName, string suffix) => throw null; - public string[] GetSubclassPropertyColumnNames(string propertyName) => throw null; public string[] GetSubclassPropertyColumnNames(int i) => throw null; + public string[] GetSubclassPropertyColumnNames(string propertyName) => throw null; public virtual NHibernate.Persister.Entity.Declarer GetSubclassPropertyDeclarer(string propertyPath) => throw null; public string GetSubclassPropertyName(int i) => throw null; public abstract string GetSubclassPropertyTableName(int i); - public virtual int GetSubclassPropertyTableNumber(string propertyPath) => throw null; protected abstract int GetSubclassPropertyTableNumber(int i); + public virtual int GetSubclassPropertyTableNumber(string propertyPath) => throw null; public NHibernate.Type.IType GetSubclassPropertyType(int i) => throw null; protected abstract string[] GetSubclassTableKeyColumns(int j); public abstract string GetSubclassTableName(int j); protected abstract string GetTableName(int table); protected virtual bool[] GetTableUpdateNeeded(int[] dirtyProperties, bool hasDirtyCollection) => throw null; - protected internal NHibernate.Tuple.Entity.IEntityTuplizer GetTuplizer(NHibernate.Engine.ISessionImplementor session) => throw null; + protected NHibernate.Tuple.Entity.IEntityTuplizer GetTuplizer(NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object GetVersion(object obj) => throw null; public virtual bool HasCache { get => throw null; } public virtual bool HasCascades { get => throw null; } @@ -28586,13 +24587,6 @@ public abstract class AbstractEntityPersister : NHibernate.Persister.Entity.IUni public object[] Hydrate(System.Data.Common.DbDataReader rs, object id, object obj, NHibernate.Persister.Entity.ILoadable rootLoadable, string[][] suffixedPropertyColumns, bool allProperties, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, object id, object obj, string[][] suffixedPropertyColumns, System.Collections.Generic.ISet fetchedLazyProperties, bool allProperties, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, object id, object obj, NHibernate.Persister.Entity.ILoadable rootLoadable, string[][] suffixedPropertyColumns, bool allProperties, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Persister.Entity.AbstractEntityPersister+IInclusionChecker` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected internal interface IInclusionChecker - { - bool IncludeProperty(int propertyNumber); - } - - public virtual NHibernate.SqlTypes.SqlType[] IdAndVersionSqlTypes { get => throw null; } public string[] IdentifierAliases { get => throw null; } public virtual string[] IdentifierColumnNames { get => throw null; } @@ -28602,34 +24596,40 @@ protected internal interface IInclusionChecker public virtual string IdentifierSelectFragment(string name, string suffix) => throw null; public virtual NHibernate.Type.IType IdentifierType { get => throw null; } public string IdentitySelectString { get => throw null; } + protected interface IInclusionChecker + { + bool IncludeProperty(int propertyNumber); + } public bool ImplementsLifecycle { get => throw null; } public bool ImplementsValidatable { get => throw null; } - protected internal virtual void InitLockers() => throw null; - protected void InitSubclassPropertyAliasesMap(NHibernate.Mapping.PersistentClass model) => throw null; public void InitializeLazyProperties(System.Data.Common.DbDataReader rs, object id, object entity, string[][] suffixedPropertyColumns, string[] uninitializedLazyProperties, bool allLazyProperties, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task InitializeLazyPropertiesAsync(System.Data.Common.DbDataReader rs, object id, object entity, string[][] suffixedPropertyColumns, string[] uninitializedLazyProperties, bool allLazyProperties, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public virtual object InitializeLazyProperty(string fieldName, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; - public void Insert(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; - public object Insert(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; - protected void Insert(object id, object[] fields, bool[] notNull, int j, NHibernate.SqlCommand.SqlCommandInfo sql, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual void InitLockers() => throw null; + protected void InitSubclassPropertyAliasesMap(NHibernate.Mapping.PersistentClass model) => throw null; protected object Insert(object[] fields, bool[] notNull, NHibernate.SqlCommand.SqlCommandInfo sql, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task InsertAsync(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public System.Threading.Tasks.Task InsertAsync(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected void Insert(object id, object[] fields, bool[] notNull, int j, NHibernate.SqlCommand.SqlCommandInfo sql, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + public object Insert(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; + public void Insert(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task InsertAsync(object[] fields, bool[] notNull, NHibernate.SqlCommand.SqlCommandInfo sql, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected System.Threading.Tasks.Task InsertAsync(object id, object[] fields, bool[] notNull, int j, NHibernate.SqlCommand.SqlCommandInfo sql, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task InsertAsync(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task InsertAsync(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected bool[] insertCallable; + protected NHibernate.Engine.ExecuteUpdateResultCheckStyle[] insertResultCheckStyles; public virtual object Instantiate(object id) => throw null; public NHibernate.Bytecode.IBytecodeEnhancementMetadata InstrumentationMetadata { get => throw null; } public virtual bool IsAbstract { get => throw null; } - public bool IsBatchLoadable { get => throw null; } public bool IsBatchable { get => throw null; } + public bool IsBatchLoadable { get => throw null; } public bool IsCacheInvalidationRequired { get => throw null; } protected abstract bool IsClassOrSuperclassTable(int j); public bool IsCollection { get => throw null; } public bool IsDefinedOnSubclass(int i) => throw null; protected bool IsDeleteCallable(int j) => throw null; public virtual bool IsExplicitPolymorphism { get => throw null; } - protected virtual bool IsIdOfTable(int property, int table) => throw null; public virtual bool IsIdentifierAssignedByInsert { get => throw null; } + protected virtual bool IsIdOfTable(int property, int table) => throw null; public virtual bool IsInherited { get => throw null; } protected bool IsInsertCallable(int j) => throw null; public bool IsInstance(object entity) => throw null; @@ -28649,18 +24649,18 @@ protected internal interface IInclusionChecker public virtual bool IsSubclassEntityName(string entityName) => throw null; protected virtual bool IsSubclassPropertyDeferred(string propertyName, string entityName) => throw null; public bool IsSubclassPropertyNullable(int i) => throw null; - protected internal virtual bool IsSubclassTableLazy(int j) => throw null; + protected virtual bool IsSubclassTableLazy(int j) => throw null; protected virtual bool IsSubclassTableSequentialSelect(int table) => throw null; protected abstract bool IsTableCascadeDeleteEnabled(int j); public virtual bool? IsTransient(object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task IsTransientAsync(object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public bool? IsUnsavedVersion(object version) => throw null; protected bool IsUpdateCallable(int j) => throw null; - public bool IsVersionPropertyGenerated { get => throw null; } public virtual bool IsVersioned { get => throw null; } + public bool IsVersionPropertyGenerated { get => throw null; } public string[] JoinColumnNames { get => throw null; } public string[] KeyColumnNames { get => throw null; } - protected internal System.Collections.Generic.ISet LazyProperties { get => throw null; } + protected System.Collections.Generic.ISet LazyProperties { get => throw null; } public object Load(object id, object optionalObject, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public object LoadByUniqueKey(string propertyName, object uniqueKey, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -28683,21 +24683,23 @@ protected internal interface IInclusionChecker public System.Threading.Tasks.Task ProcessUpdateGeneratedPropertiesAsync(object id, object entity, object[] state, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public virtual NHibernate.Engine.CascadeStyle[] PropertyCascadeStyles { get => throw null; } public virtual bool[] PropertyCheckability { get => throw null; } - public NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get => throw null; } + protected bool[] propertyDefinedOnSubclass; public virtual bool[] PropertyInsertability { get => throw null; } + public NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get => throw null; } public bool[] PropertyLaziness { get => throw null; } + protected NHibernate.Persister.Entity.BasicEntityPropertyMapping propertyMapping; public virtual string[] PropertyNames { get => throw null; } public virtual bool[] PropertyNullability { get => throw null; } public string PropertySelectFragment(string name, string suffix, bool allProperties) => throw null; public string PropertySelectFragment(string name, string suffix, System.Collections.Generic.ICollection fetchProperties) => throw null; public abstract string[] PropertySpaces { get; } protected int PropertySpan { get => throw null; } - protected internal string[] PropertySubclassNames { get => throw null; } - protected internal abstract int[] PropertyTableNumbers { get; } - protected internal abstract int[] PropertyTableNumbersInSelect { get; } + protected string[] PropertySubclassNames { get => throw null; } + protected abstract int[] PropertyTableNumbers { get; } + protected abstract int[] PropertyTableNumbersInSelect { get; } public virtual NHibernate.Type.IType[] PropertyTypes { get => throw null; } - public NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get => throw null; } public virtual bool[] PropertyUpdateability { get => throw null; } + public NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get => throw null; } public virtual bool[] PropertyVersionability { get => throw null; } public virtual string[] QuerySpaces { get => throw null; } protected NHibernate.SqlCommand.SqlString RenderSelect(int[] tableNumbers, int[] columnNumbers, int[] formulaNumbers) => throw null; @@ -28706,32 +24708,33 @@ protected internal interface IInclusionChecker public virtual string[] RootTableIdentifierColumnNames { get => throw null; } public string[] RootTableKeyColumnNames { get => throw null; } public virtual string RootTableName { get => throw null; } - protected internal NHibernate.SqlCommand.SqlCommandInfo SQLIdentityInsertString { get => throw null; } - protected NHibernate.SqlCommand.SqlString SQLLazySelectString { get => throw null; } - protected internal NHibernate.SqlCommand.SqlCommandInfo[] SQLLazyUpdateByRowIdStrings { get => throw null; } - protected internal NHibernate.SqlCommand.SqlCommandInfo[] SQLLazyUpdateStrings { get => throw null; } - protected NHibernate.SqlCommand.SqlString SQLSnapshotSelectString { get => throw null; } - protected internal NHibernate.SqlCommand.SqlCommandInfo[] SQLUpdateByRowIdStrings { get => throw null; } - public string SelectFragment(string alias, string suffix, bool fetchLazyProperties) => throw null; + protected string rowIdName; public string SelectFragment(string alias, string suffix) => throw null; - public string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string collectionSuffix, bool includeCollectionColumns, bool includeLazyProperties) => throw null; + public string SelectFragment(string alias, string suffix, bool fetchLazyProperties) => throw null; public string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string collectionSuffix, bool includeCollectionColumns) => throw null; + public string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string collectionSuffix, bool includeCollectionColumns, bool includeLazyProperties) => throw null; public string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string collectionSuffix, bool includeCollectionColumns, NHibernate.Persister.Entity.EntityLoadInfo entityInfo) => throw null; public virtual void SetIdentifier(object obj, object id) => throw null; public void SetPropertyValue(object obj, int i, object value) => throw null; public virtual void SetPropertyValue(object obj, string propertyName, object value) => throw null; public void SetPropertyValues(object obj, object[] values) => throw null; protected NHibernate.SqlCommand.SqlCommandInfo[] SqlDeleteStrings { get => throw null; } + protected NHibernate.SqlCommand.SqlCommandInfo SQLIdentityInsertString { get => throw null; } protected NHibernate.SqlCommand.SqlCommandInfo[] SqlInsertStrings { get => throw null; } + protected NHibernate.SqlCommand.SqlString SQLLazySelectString { get => throw null; } + protected NHibernate.SqlCommand.SqlCommandInfo[] SQLLazyUpdateByRowIdStrings { get => throw null; } + protected NHibernate.SqlCommand.SqlCommandInfo[] SQLLazyUpdateStrings { get => throw null; } + protected NHibernate.SqlCommand.SqlString SQLSnapshotSelectString { get => throw null; } + protected NHibernate.SqlCommand.SqlCommandInfo[] SQLUpdateByRowIdStrings { get => throw null; } protected NHibernate.SqlCommand.SqlCommandInfo[] SqlUpdateStrings { get => throw null; } public abstract string[] SubclassClosure { get; } protected string[] SubclassColumnAliasClosure { get => throw null; } protected string[] SubclassColumnClosure { get => throw null; } - protected internal bool[] SubclassColumnLaziness { get => throw null; } + protected bool[] SubclassColumnLaziness { get => throw null; } protected abstract int[] SubclassColumnTableNumberClosure { get; } protected string[] SubclassFormulaAliasClosure { get => throw null; } protected string[] SubclassFormulaClosure { get => throw null; } - protected internal bool[] SubclassFormulaLaziness { get => throw null; } + protected bool[] SubclassFormulaLaziness { get => throw null; } protected abstract int[] SubclassFormulaTableNumberClosure { get; } protected string[] SubclassFormulaTemplateClosure { get => throw null; } protected string[][] SubclassPropertyColumnNameClosure { get => throw null; } @@ -28740,6 +24743,7 @@ protected internal interface IInclusionChecker protected string[] SubclassPropertySubclassNameClosure { get => throw null; } protected NHibernate.Type.IType[] SubclassPropertyTypeClosure { get => throw null; } protected abstract int SubclassTableSpan { get; } + public bool SupportsQueryCache { get => throw null; } protected bool[] TableHasColumns { get => throw null; } public abstract string TableName { get; } protected abstract int TableSpan { get; } @@ -28753,58 +24757,49 @@ protected internal interface IInclusionChecker public NHibernate.Type.IType ToType(string propertyName) => throw null; public bool TryToType(string propertyName, out NHibernate.Type.IType type) => throw null; public NHibernate.Type.IType Type { get => throw null; } - public void Update(object id, object[] fields, int[] dirtyFields, bool hasDirtyCollection, object[] oldFields, object oldVersion, object obj, object rowId, NHibernate.Engine.ISessionImplementor session) => throw null; protected bool Update(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session) => throw null; - public System.Threading.Tasks.Task UpdateAsync(object id, object[] fields, int[] dirtyFields, bool hasDirtyCollection, object[] oldFields, object oldVersion, object obj, object rowId, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public void Update(object id, object[] fields, int[] dirtyFields, bool hasDirtyCollection, object[] oldFields, object oldVersion, object obj, object rowId, NHibernate.Engine.ISessionImplementor session) => throw null; protected System.Threading.Tasks.Task UpdateAsync(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected internal virtual void UpdateOrInsert(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal virtual System.Threading.Tasks.Task UpdateOrInsertAsync(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public System.Threading.Tasks.Task UpdateAsync(object id, object[] fields, int[] dirtyFields, bool hasDirtyCollection, object[] oldFields, object oldVersion, object obj, object rowId, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected bool[] updateCallable; + protected virtual void UpdateOrInsert(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session) => throw null; + protected virtual System.Threading.Tasks.Task UpdateOrInsertAsync(object id, object[] fields, object[] oldFields, object rowId, bool[] includeProperty, int j, object oldVersion, object obj, NHibernate.SqlCommand.SqlCommandInfo sql, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected NHibernate.Engine.ExecuteUpdateResultCheckStyle[] updateResultCheckStyles; protected virtual bool UseDynamicInsert { get => throw null; } protected virtual bool UseDynamicUpdate { get => throw null; } protected bool UseGetGeneratedKeys() => throw null; protected bool UseInsertSelectIdentity() => throw null; public virtual string VersionColumnName { get => throw null; } public System.Collections.IComparer VersionComparator { get => throw null; } + protected string VersionedTableName { get => throw null; } public virtual int VersionProperty { get => throw null; } public bool VersionPropertyInsertable { get => throw null; } protected NHibernate.SqlCommand.SqlString VersionSelectString { get => throw null; } public virtual NHibernate.Type.IVersionType VersionType { get => throw null; } - protected internal string VersionedTableName { get => throw null; } public virtual NHibernate.SqlCommand.SqlString WhereJoinFragment(string alias, bool innerJoin, bool includeSubclasses) => throw null; - protected internal NHibernate.SqlCommand.SqlString[] customSQLDelete; - protected internal NHibernate.SqlCommand.SqlString[] customSQLInsert; - protected internal NHibernate.SqlCommand.SqlString[] customSQLUpdate; - protected internal bool[] deleteCallable; - protected internal NHibernate.Engine.ExecuteUpdateResultCheckStyle[] deleteResultCheckStyles; - protected internal bool[] insertCallable; - protected internal NHibernate.Engine.ExecuteUpdateResultCheckStyle[] insertResultCheckStyles; - protected bool[] propertyDefinedOnSubclass; - protected NHibernate.Persister.Entity.BasicEntityPropertyMapping propertyMapping; - protected internal string rowIdName; - protected internal bool[] updateCallable; - protected internal NHibernate.Engine.ExecuteUpdateResultCheckStyle[] updateResultCheckStyles; } - - // Generated from `NHibernate.Persister.Entity.AbstractPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public static partial class AbstractEntityPersisterExtensions + { + public static NHibernate.SqlCommand.SelectFragment GetIdentifierSelectFragment(this NHibernate.Persister.Entity.IQueryable queryable, string alias, string suffix) => throw null; + public static NHibernate.SqlCommand.SelectFragment GetPropertiesSelectFragment(this NHibernate.Persister.Entity.IQueryable queryable, string alias, string suffix, bool allProperties) => throw null; + } public abstract class AbstractPropertyMapping : NHibernate.Persister.Entity.IPropertyMapping { - protected AbstractPropertyMapping() => throw null; protected void AddPropertyPath(string path, NHibernate.Type.IType type, string[] columns, string[] formulaTemplates) => throw null; + protected AbstractPropertyMapping() => throw null; protected abstract string EntityName { get; } public string[] GetColumnNames(string propertyName) => throw null; public virtual string[] IdentifierColumnNames { get => throw null; } protected void InitComponentPropertyPaths(string path, NHibernate.Type.IAbstractComponentType type, string[] columns, string[] formulaTemplates, NHibernate.Engine.IMapping factory) => throw null; protected void InitIdentifierPropertyPaths(string path, NHibernate.Type.EntityType etype, string[] columns, NHibernate.Engine.IMapping factory) => throw null; - protected internal void InitPropertyPaths(string path, NHibernate.Type.IType type, string[] columns, string[] formulaTemplates, NHibernate.Engine.IMapping factory) => throw null; + protected void InitPropertyPaths(string path, NHibernate.Type.IType type, string[] columns, string[] formulaTemplates, NHibernate.Engine.IMapping factory) => throw null; protected NHibernate.QueryException PropertyException(string propertyName) => throw null; - public virtual string[] ToColumns(string propertyName) => throw null; public virtual string[] ToColumns(string alias, string propertyName) => throw null; + public virtual string[] ToColumns(string propertyName) => throw null; public NHibernate.Type.IType ToType(string propertyName) => throw null; public bool TryToType(string propertyName, out NHibernate.Type.IType type) => throw null; public abstract NHibernate.Type.IType Type { get; } } - - // Generated from `NHibernate.Persister.Entity.BasicEntityPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BasicEntityPropertyMapping : NHibernate.Persister.Entity.AbstractPropertyMapping { public BasicEntityPropertyMapping(NHibernate.Persister.Entity.AbstractEntityPersister persister) => throw null; @@ -28813,32 +24808,23 @@ public class BasicEntityPropertyMapping : NHibernate.Persister.Entity.AbstractPr public override string[] ToColumns(string alias, string propertyName) => throw null; public override NHibernate.Type.IType Type { get => throw null; } } - - // Generated from `NHibernate.Persister.Entity.Declarer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public enum Declarer { - Class, - SubClass, - SuperClass, + Class = 0, + SubClass = 1, + SuperClass = 2, } - - // Generated from `NHibernate.Persister.Entity.EntityLoadInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EntityLoadInfo + public sealed class EntityLoadInfo { public EntityLoadInfo(string entitySuffix) => throw null; public string EntitySuffix { get => throw null; } - public bool IncludeLazyProps { get => throw null; set => throw null; } - public System.Collections.Generic.ISet LazyProperties { get => throw null; set => throw null; } + public bool IncludeLazyProps { get => throw null; set { } } + public System.Collections.Generic.ISet LazyProperties { get => throw null; set { } } } - - // Generated from `NHibernate.Persister.Entity.EntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public struct EntityPersister { public static string EntityID; - // Stub generator skipped constructor } - - // Generated from `NHibernate.Persister.Entity.IEntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource { void AfterInitialize(object entity, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session); @@ -28870,8 +24856,8 @@ public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource object[] GetNaturalIdentifierSnapshot(object id, NHibernate.Engine.ISessionImplementor session); System.Threading.Tasks.Task GetNaturalIdentifierSnapshotAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); NHibernate.Type.IType GetPropertyType(string propertyName); - object GetPropertyValue(object obj, string name); object GetPropertyValue(object obj, int i); + object GetPropertyValue(object obj, string name); object[] GetPropertyValues(object obj); object[] GetPropertyValuesToInsert(object obj, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session); NHibernate.Persister.Entity.IEntityPersister GetSubclassEntityPersister(object instance, NHibernate.Engine.ISessionFactoryImplementor factory); @@ -28895,8 +24881,8 @@ public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource bool ImplementsValidatable { get; } void Insert(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session); object Insert(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task InsertAsync(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task InsertAsync(object id, object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task InsertAsync(object[] fields, object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); object Instantiate(object id); bool IsBatchLoadable { get; } bool IsCacheInvalidationRequired { get; } @@ -28911,8 +24897,8 @@ public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource bool? IsTransient(object obj, NHibernate.Engine.ISessionImplementor session); System.Threading.Tasks.Task IsTransientAsync(object obj, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); bool? IsUnsavedVersion(object version); - bool IsVersionPropertyGenerated { get; } bool IsVersioned { get; } + bool IsVersionPropertyGenerated { get; } object Load(object id, object optionalObject, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session); System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); void Lock(object id, object version, object obj, NHibernate.LockMode lockMode, NHibernate.Engine.ISessionImplementor session); @@ -28926,15 +24912,15 @@ public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource System.Threading.Tasks.Task ProcessUpdateGeneratedPropertiesAsync(object id, object entity, object[] state, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); NHibernate.Engine.CascadeStyle[] PropertyCascadeStyles { get; } bool[] PropertyCheckability { get; } - NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get; } bool[] PropertyInsertability { get; } + NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get; } bool[] PropertyLaziness { get; } string[] PropertyNames { get; } bool[] PropertyNullability { get; } string[] PropertySpaces { get; } NHibernate.Type.IType[] PropertyTypes { get; } - NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get; } bool[] PropertyUpdateability { get; } + NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get; } bool[] PropertyVersionability { get; } string[] QuerySpaces { get; } void ResetIdentifier(object entity, object currentId, object currentVersion); @@ -28947,8 +24933,6 @@ public interface IEntityPersister : NHibernate.Cache.IOptimisticCacheSource int VersionProperty { get; } NHibernate.Type.IVersionType VersionType { get; } } - - // Generated from `NHibernate.Persister.Entity.IJoinable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IJoinable { bool ConsumesCollectionAlias(); @@ -28964,8 +24948,6 @@ public interface IJoinable string TableName { get; } NHibernate.SqlCommand.SqlString WhereJoinFragment(string alias, bool innerJoin, bool includeSubclasses); } - - // Generated from `NHibernate.Persister.Entity.ILoadable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ILoadable : NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource { string DiscriminatorColumnName { get; } @@ -28982,8 +24964,6 @@ public interface ILoadable : NHibernate.Persister.Entity.IEntityPersister, NHibe string[] IdentifierColumnNames { get; } bool IsAbstract { get; } } - - // Generated from `NHibernate.Persister.Entity.ILockable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ILockable : NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource { string GetRootTableAlias(string drivingAlias); @@ -28992,9 +24972,7 @@ public interface ILockable : NHibernate.Persister.Entity.IEntityPersister, NHibe string RootTableName { get; } string VersionColumnName { get; } } - - // Generated from `NHibernate.Persister.Entity.IOuterJoinLoadable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IOuterJoinLoadable : NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource + public interface IOuterJoinLoadable : NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource, NHibernate.Persister.Entity.IJoinable { int CountSubclassProperties(); NHibernate.Type.EntityType EntityType { get; } @@ -29014,19 +24992,15 @@ public interface IOuterJoinLoadable : NHibernate.Persister.Entity.ILoadable, NHi string[] ToColumns(string name, int i); string[] ToIdentifierColumns(string alias); } - - // Generated from `NHibernate.Persister.Entity.IPropertyMapping` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IPropertyMapping { - string[] ToColumns(string propertyName); string[] ToColumns(string alias, string propertyName); + string[] ToColumns(string propertyName); NHibernate.Type.IType ToType(string propertyName); bool TryToType(string propertyName, out NHibernate.Type.IType type); NHibernate.Type.IType Type { get; } } - - // Generated from `NHibernate.Persister.Entity.IQueryable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IQueryable : NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource + public interface IQueryable : NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable { string[][] ConstraintOrderedTableKeyColumnClosure { get; } string[] ConstraintOrderedTableNameClosure { get; } @@ -29045,8 +25019,6 @@ public interface IQueryable : NHibernate.Persister.Entity.IPropertyMapping, NHib string TemporaryIdTableName { get; } bool VersionPropertyInsertable { get; } } - - // Generated from `NHibernate.Persister.Entity.ISqlLoadable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ISqlLoadable : NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource { string[] GetSubclassPropertyColumnAliases(string propertyName, string suffix); @@ -29054,34 +25026,23 @@ public interface ISqlLoadable : NHibernate.Persister.Entity.ILoadable, NHibernat string SelectFragment(string alias, string suffix); NHibernate.Type.IType Type { get; } } - - // Generated from `NHibernate.Persister.Entity.ISupportLazyPropsJoinable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - internal interface ISupportLazyPropsJoinable - { - string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string collectionSuffix, bool includeCollectionColumns, NHibernate.Persister.Entity.EntityLoadInfo entityInfo); - } - - // Generated from `NHibernate.Persister.Entity.ISupportSelectModeJoinable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ISupportSelectModeJoinable { string IdentifierSelectFragment(string name, string suffix); string SelectFragment(NHibernate.Persister.Entity.IJoinable rhs, string rhsAlias, string lhsAlias, string entitySuffix, string currentCollectionSuffix, bool includeCollectionColumns, bool includeLazyProperties); } - - // Generated from `NHibernate.Persister.Entity.IUniqueKeyLoadable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IUniqueKeyLoadable { int GetPropertyIndex(string propertyName); object LoadByUniqueKey(string propertyName, object uniqueKey, NHibernate.Engine.ISessionImplementor session); System.Threading.Tasks.Task LoadByUniqueKeyAsync(string propertyName, object uniqueKey, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Persister.Entity.JoinedSubclassEntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class JoinedSubclassEntityPersister : NHibernate.Persister.Entity.AbstractEntityPersister { protected override void AddDiscriminatorToSelect(NHibernate.SqlCommand.SelectFragment select, string name, string suffix) => throw null; public override string[][] ConstraintOrderedTableKeyColumnClosure { get => throw null; } public override string[] ConstraintOrderedTableNameClosure { get => throw null; } + public JoinedSubclassEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; public override string DiscriminatorSQLValue { get => throw null; } public override NHibernate.Type.IType DiscriminatorType { get => throw null; } public override object DiscriminatorValue { get => throw null; } @@ -29105,10 +25066,9 @@ public class JoinedSubclassEntityPersister : NHibernate.Persister.Entity.Abstrac public override bool IsMultiTable { get => throw null; } protected override bool IsPropertyOfTable(int property, int table) => throw null; protected override bool IsTableCascadeDeleteEnabled(int j) => throw null; - public JoinedSubclassEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; public override string[] PropertySpaces { get => throw null; } - protected internal override int[] PropertyTableNumbers { get => throw null; } - protected internal override int[] PropertyTableNumbersInSelect { get => throw null; } + protected override int[] PropertyTableNumbers { get => throw null; } + protected override int[] PropertyTableNumbersInSelect { get => throw null; } public override string RootTableName { get => throw null; } public override string[] SubclassClosure { get => throw null; } protected override int[] SubclassColumnTableNumberClosure { get => throw null; } @@ -29118,37 +25078,29 @@ public class JoinedSubclassEntityPersister : NHibernate.Persister.Entity.Abstrac protected override int TableSpan { get => throw null; } public override string[] ToColumns(string alias, string propertyName) => throw null; } - - // Generated from `NHibernate.Persister.Entity.Loadable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public struct Loadable { - // Stub generator skipped constructor public static string RowIdAlias; } - - // Generated from `NHibernate.Persister.Entity.LoadableExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class LoadableExtensions + public static partial class LoadableExtensions { public static object[] Hydrate(this NHibernate.Persister.Entity.ILoadable loadable, System.Data.Common.DbDataReader rs, object id, object obj, string[][] suffixedPropertyColumns, System.Collections.Generic.ISet fetchedLazyProperties, bool allProperties, NHibernate.Engine.ISessionImplementor session) => throw null; public static System.Threading.Tasks.Task HydrateAsync(this NHibernate.Persister.Entity.ILoadable loadable, System.Data.Common.DbDataReader rs, object id, object obj, string[][] suffixedPropertyColumns, System.Collections.Generic.ISet fetchedLazyProperties, bool allProperties, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Persister.Entity.NamedQueryLoader` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class NamedQueryLoader : NHibernate.Loader.Entity.IUniqueEntityLoader { + public NamedQueryLoader(string queryName, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; public object Load(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task LoadAsync(object id, object optionalObject, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public NamedQueryLoader(string queryName, NHibernate.Persister.Entity.IEntityPersister persister) => throw null; } - - // Generated from `NHibernate.Persister.Entity.SingleTableEntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEntityPersister, NHibernate.Persister.Entity.IQueryable, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IJoinable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource + public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEntityPersister, NHibernate.Persister.Entity.IQueryable, NHibernate.Persister.Entity.ILoadable, NHibernate.Persister.Entity.IEntityPersister, NHibernate.Cache.IOptimisticCacheSource, NHibernate.Persister.Entity.IPropertyMapping, NHibernate.Persister.Entity.IJoinable { protected override void AddDiscriminatorToInsert(NHibernate.SqlCommand.SqlInsertBuilder insert) => throw null; protected override void AddDiscriminatorToSelect(NHibernate.SqlCommand.SelectFragment select, string name, string suffix) => throw null; public override string[][] ConstraintOrderedTableKeyColumnClosure { get => throw null; } public override string[] ConstraintOrderedTableNameClosure { get => throw null; } - protected internal override string DiscriminatorAlias { get => throw null; } + public SingleTableEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override string DiscriminatorAlias { get => throw null; } public override string DiscriminatorColumnName { get => throw null; } protected string DiscriminatorFormula { get => throw null; } protected override string DiscriminatorFormulaTemplate { get => throw null; } @@ -29159,8 +25111,8 @@ public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEn public override string FromTableFragment(string name) => throw null; public override NHibernate.Type.IType GetIdentifierType(int j) => throw null; protected override string[] GetJoinIdKeyColumns(int j) => throw null; - protected override object GetJoinTableId(int table, object[] fields) => throw null; protected override object GetJoinTableId(int table, object obj) => throw null; + protected override object GetJoinTableId(int table, object[] fields) => throw null; protected override string[] GetKeyColumns(int table) => throw null; public override string GetPropertyTableName(string propertyName) => throw null; protected override int? GetRefIdColumnOfTable(int table) => throw null; @@ -29168,8 +25120,8 @@ public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEn protected override NHibernate.SqlCommand.SqlString GetSequentialSelect() => throw null; public override string GetSubclassForDiscriminatorValue(object value) => throw null; public override string GetSubclassPropertyTableName(int i) => throw null; - public int GetSubclassPropertyTableNumber(string propertyName, string entityName) => throw null; protected override int GetSubclassPropertyTableNumber(int i) => throw null; + public int GetSubclassPropertyTableNumber(string propertyName, string entityName) => throw null; protected override string[] GetSubclassTableKeyColumns(int j) => throw null; public override string GetSubclassTableName(int j) => throw null; protected override string GetTableName(int table) => throw null; @@ -29185,15 +25137,14 @@ public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEn protected override bool IsPropertyDeferred(int propertyIndex) => throw null; protected override bool IsPropertyOfTable(int property, int table) => throw null; protected override bool IsSubclassPropertyDeferred(string propertyName, string entityName) => throw null; - protected internal override bool IsSubclassTableLazy(int j) => throw null; + protected override bool IsSubclassTableLazy(int j) => throw null; protected override bool IsSubclassTableSequentialSelect(int table) => throw null; protected override bool IsTableCascadeDeleteEnabled(int j) => throw null; public override string OneToManyFilterFragment(string alias) => throw null; public override void PostInstantiate() => throw null; public override string[] PropertySpaces { get => throw null; } - protected internal override int[] PropertyTableNumbers { get => throw null; } - protected internal override int[] PropertyTableNumbersInSelect { get => throw null; } - public SingleTableEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; + protected override int[] PropertyTableNumbers { get => throw null; } + protected override int[] PropertyTableNumbersInSelect { get => throw null; } public override string[] SubclassClosure { get => throw null; } protected override int[] SubclassColumnTableNumberClosure { get => throw null; } protected override int[] SubclassFormulaTableNumberClosure { get => throw null; } @@ -29201,13 +25152,12 @@ public class SingleTableEntityPersister : NHibernate.Persister.Entity.AbstractEn public override string TableName { get => throw null; } protected override int TableSpan { get => throw null; } } - - // Generated from `NHibernate.Persister.Entity.UnionSubclassEntityPersister` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class UnionSubclassEntityPersister : NHibernate.Persister.Entity.AbstractEntityPersister { protected override void AddDiscriminatorToSelect(NHibernate.SqlCommand.SelectFragment select, string name, string suffix) => throw null; public override string[][] ConstraintOrderedTableKeyColumnClosure { get => throw null; } public override string[] ConstraintOrderedTableNameClosure { get => throw null; } + public UnionSubclassEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; public override string DiscriminatorSQLValue { get => throw null; } public override NHibernate.Type.IType DiscriminatorType { get => throw null; } public override object DiscriminatorValue { get => throw null; } @@ -29218,8 +25168,8 @@ public class UnionSubclassEntityPersister : NHibernate.Persister.Entity.Abstract public override string GetPropertyTableName(string propertyName) => throw null; public override string GetSubclassForDiscriminatorValue(object value) => throw null; public override string GetSubclassPropertyTableName(int i) => throw null; - public override int GetSubclassPropertyTableNumber(string propertyName) => throw null; protected override int GetSubclassPropertyTableNumber(int i) => throw null; + public override int GetSubclassPropertyTableNumber(string propertyName) => throw null; protected override string[] GetSubclassTableKeyColumns(int j) => throw null; public override string GetSubclassTableName(int j) => throw null; protected override string GetTableName(int table) => throw null; @@ -29228,8 +25178,8 @@ public class UnionSubclassEntityPersister : NHibernate.Persister.Entity.Abstract protected override bool IsPropertyOfTable(int property, int j) => throw null; protected override bool IsTableCascadeDeleteEnabled(int j) => throw null; public override string[] PropertySpaces { get => throw null; } - protected internal override int[] PropertyTableNumbers { get => throw null; } - protected internal override int[] PropertyTableNumbersInSelect { get => throw null; } + protected override int[] PropertyTableNumbers { get => throw null; } + protected override int[] PropertyTableNumbersInSelect { get => throw null; } public override string[] QuerySpaces { get => throw null; } public override string[] SubclassClosure { get => throw null; } protected override int[] SubclassColumnTableNumberClosure { get => throw null; } @@ -29237,42 +25187,39 @@ public class UnionSubclassEntityPersister : NHibernate.Persister.Entity.Abstract protected override int SubclassTableSpan { get => throw null; } public override string TableName { get => throw null; } protected override int TableSpan { get => throw null; } - public UnionSubclassEntityPersister(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Mapping.PersistentClass), default(NHibernate.Cache.ICacheConcurrencyStrategy), default(NHibernate.Engine.ISessionFactoryImplementor)) => throw null; } - - // Generated from `NHibernate.Persister.Entity.UniqueKeyLoadableExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class UniqueKeyLoadableExtensions + public static partial class UniqueKeyLoadableExtensions { public static void CacheByUniqueKeys(this NHibernate.Persister.Entity.IUniqueKeyLoadable ukLoadable, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public static System.Threading.Tasks.Task CacheByUniqueKeysAsync(this NHibernate.Persister.Entity.IUniqueKeyLoadable ukLoadable, object entity, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; } - + } + public static class PersisterFactory + { + public static NHibernate.Persister.Entity.IEntityPersister Create(System.Type persisterClass, NHibernate.Mapping.PersistentClass model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping cfg) => throw null; + public static NHibernate.Persister.Collection.ICollectionPersister Create(System.Type persisterClass, NHibernate.Mapping.Collection model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public static NHibernate.Persister.Entity.IEntityPersister CreateClassPersister(NHibernate.Mapping.PersistentClass model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory, NHibernate.Engine.IMapping cfg) => throw null; + public static NHibernate.Persister.Collection.ICollectionPersister CreateCollectionPersister(NHibernate.Mapping.Collection model, NHibernate.Cache.ICacheConcurrencyStrategy cache, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; } } namespace Properties { - // Generated from `NHibernate.Properties.BackFieldStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BackFieldStrategy : NHibernate.Properties.IFieldNamingStrategy { public BackFieldStrategy() => throw null; public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.BackrefPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BackrefPropertyAccessor : NHibernate.Properties.IPropertyAccessor { - public BackrefPropertyAccessor(string collectionRole, string entityName) => throw null; public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public BackrefPropertyAccessor(string collectionRole, string entityName) => throw null; public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; public static object Unknown; } - - // Generated from `NHibernate.Properties.BasicPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BasicPropertyAccessor : NHibernate.Properties.IPropertyAccessor { - // Generated from `NHibernate.Properties.BasicPropertyAccessor+BasicGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicGetter : NHibernate.Properties.IOptimizableGetter, NHibernate.Properties.IGetter + public sealed class BasicGetter : NHibernate.Properties.IGetter, NHibernate.Properties.IOptimizableGetter { public BasicGetter(System.Type clazz, System.Reflection.PropertyInfo property, string propertyName) => throw null; public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; @@ -29283,11 +25230,7 @@ public class BasicGetter : NHibernate.Properties.IOptimizableGetter, NHibernate. public string PropertyName { get => throw null; } public System.Type ReturnType { get => throw null; } } - - - public BasicPropertyAccessor() => throw null; - // Generated from `NHibernate.Properties.BasicPropertyAccessor+BasicSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BasicSetter : NHibernate.Properties.ISetter, NHibernate.Properties.IOptimizableSetter + public sealed class BasicSetter : NHibernate.Properties.ISetter, NHibernate.Properties.IOptimizableSetter { public BasicSetter(System.Type clazz, System.Reflection.PropertyInfo property, string propertyName) => throw null; public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; @@ -29297,35 +25240,26 @@ public class BasicSetter : NHibernate.Properties.ISetter, NHibernate.Properties. public void Set(object target, object value) => throw null; public System.Type Type { get => throw null; } } - - public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public BasicPropertyAccessor() => throw null; public NHibernate.Properties.IGetter GetGetter(System.Type type, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type type, string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.CamelCaseMUnderscoreStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CamelCaseMUnderscoreStrategy : NHibernate.Properties.IFieldNamingStrategy { public CamelCaseMUnderscoreStrategy() => throw null; public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.CamelCaseStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CamelCaseStrategy : NHibernate.Properties.IFieldNamingStrategy { public CamelCaseStrategy() => throw null; public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.CamelCaseUnderscoreStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CamelCaseUnderscoreStrategy : NHibernate.Properties.IFieldNamingStrategy { public CamelCaseUnderscoreStrategy() => throw null; public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.ChainedPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ChainedPropertyAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } @@ -29333,13 +25267,11 @@ public class ChainedPropertyAccessor : NHibernate.Properties.IPropertyAccessor public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.EmbeddedPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EmbeddedPropertyAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } - // Generated from `NHibernate.Properties.EmbeddedPropertyAccessor+EmbeddedGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmbeddedGetter : NHibernate.Properties.IGetter + public EmbeddedPropertyAccessor() => throw null; + public sealed class EmbeddedGetter : NHibernate.Properties.IGetter { public object Get(object target) => throw null; public object GetForInsert(object owner, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -29348,66 +25280,48 @@ public class EmbeddedGetter : NHibernate.Properties.IGetter public System.Type ReturnType { get => throw null; } public override string ToString() => throw null; } - - - public EmbeddedPropertyAccessor() => throw null; - // Generated from `NHibernate.Properties.EmbeddedPropertyAccessor+EmbeddedSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmbeddedSetter : NHibernate.Properties.ISetter + public sealed class EmbeddedSetter : NHibernate.Properties.ISetter { public System.Reflection.MethodInfo Method { get => throw null; } public string PropertyName { get => throw null; } public void Set(object target, object value) => throw null; public override string ToString() => throw null; } - - public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.FieldAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class FieldAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } - public FieldAccessor(NHibernate.Properties.IFieldNamingStrategy namingStrategy) => throw null; public FieldAccessor() => throw null; - // Generated from `NHibernate.Properties.FieldAccessor+FieldGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FieldGetter : NHibernate.Properties.IOptimizableGetter, NHibernate.Properties.IGetter + public FieldAccessor(NHibernate.Properties.IFieldNamingStrategy namingStrategy) => throw null; + public sealed class FieldGetter : NHibernate.Properties.IGetter, NHibernate.Properties.IOptimizableGetter { - public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; public FieldGetter(System.Reflection.FieldInfo field, System.Type clazz, string name) => throw null; + public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; public object Get(object target) => throw null; public object GetForInsert(object owner, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Reflection.MethodInfo Method { get => throw null; } public string PropertyName { get => throw null; } public System.Type ReturnType { get => throw null; } } - - - // Generated from `NHibernate.Properties.FieldAccessor+FieldSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FieldSetter : NHibernate.Properties.ISetter, NHibernate.Properties.IOptimizableSetter + public sealed class FieldSetter : NHibernate.Properties.ISetter, NHibernate.Properties.IOptimizableSetter { - public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; public FieldSetter(System.Reflection.FieldInfo field, System.Type clazz, string name) => throw null; + public void Emit(System.Reflection.Emit.ILGenerator il) => throw null; public System.Reflection.MethodInfo Method { get => throw null; } public string PropertyName { get => throw null; } public void Set(object target, object value) => throw null; public System.Type Type { get => throw null; } } - - public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.IFieldNamingStrategy NamingStrategy { get => throw null; } } - - // Generated from `NHibernate.Properties.IFieldNamingStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IFieldNamingStrategy { string GetFieldName(string propertyName); } - - // Generated from `NHibernate.Properties.IGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IGetter { object Get(object target); @@ -29416,90 +25330,67 @@ public interface IGetter string PropertyName { get; } System.Type ReturnType { get; } } - - // Generated from `NHibernate.Properties.IOptimizableGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public class IndexPropertyAccessor : NHibernate.Properties.IPropertyAccessor + { + public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public IndexPropertyAccessor(string collectionRole, string entityName) => throw null; + public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; + public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; + public class IndexGetter : NHibernate.Properties.IGetter + { + public IndexGetter(NHibernate.Properties.IndexPropertyAccessor encloser) => throw null; + public object Get(object target) => throw null; + public object GetForInsert(object owner, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; + public System.Reflection.MethodInfo Method { get => throw null; } + public string PropertyName { get => throw null; } + public System.Type ReturnType { get => throw null; } + } + public sealed class IndexSetter : NHibernate.Properties.ISetter + { + public IndexSetter() => throw null; + public System.Reflection.MethodInfo Method { get => throw null; } + public string PropertyName { get => throw null; } + public void Set(object target, object value) => throw null; + } + } public interface IOptimizableGetter { void Emit(System.Reflection.Emit.ILGenerator il); } - - // Generated from `NHibernate.Properties.IOptimizableSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IOptimizableSetter { void Emit(System.Reflection.Emit.ILGenerator il); System.Type Type { get; } } - - // Generated from `NHibernate.Properties.IPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IPropertyAccessor { bool CanAccessThroughReflectionOptimizer { get; } NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName); NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName); } - - // Generated from `NHibernate.Properties.ISetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ISetter { System.Reflection.MethodInfo Method { get; } string PropertyName { get; } void Set(object target, object value); } - - // Generated from `NHibernate.Properties.IndexPropertyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexPropertyAccessor : NHibernate.Properties.IPropertyAccessor - { - public bool CanAccessThroughReflectionOptimizer { get => throw null; } - public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; - public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; - // Generated from `NHibernate.Properties.IndexPropertyAccessor+IndexGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexGetter : NHibernate.Properties.IGetter - { - public object Get(object target) => throw null; - public object GetForInsert(object owner, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; - public IndexGetter(NHibernate.Properties.IndexPropertyAccessor encloser) => throw null; - public System.Reflection.MethodInfo Method { get => throw null; } - public string PropertyName { get => throw null; } - public System.Type ReturnType { get => throw null; } - } - - - public IndexPropertyAccessor(string collectionRole, string entityName) => throw null; - // Generated from `NHibernate.Properties.IndexPropertyAccessor+IndexSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IndexSetter : NHibernate.Properties.ISetter - { - public IndexSetter() => throw null; - public System.Reflection.MethodInfo Method { get => throw null; } - public string PropertyName { get => throw null; } - public void Set(object target, object value) => throw null; - } - - - } - - // Generated from `NHibernate.Properties.LowerCaseStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class LowerCaseStrategy : NHibernate.Properties.IFieldNamingStrategy { - public string GetFieldName(string propertyName) => throw null; public LowerCaseStrategy() => throw null; + public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.LowerCaseUnderscoreStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class LowerCaseUnderscoreStrategy : NHibernate.Properties.IFieldNamingStrategy { - public string GetFieldName(string propertyName) => throw null; public LowerCaseUnderscoreStrategy() => throw null; + public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.MapAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public MapAccessor() => throw null; public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; - public MapAccessor() => throw null; - // Generated from `NHibernate.Properties.MapAccessor+MapGetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapGetter : NHibernate.Properties.IGetter + public sealed class MapGetter : NHibernate.Properties.IGetter { public object Get(object target) => throw null; public object GetForInsert(object owner, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -29507,278 +25398,150 @@ public class MapGetter : NHibernate.Properties.IGetter public string PropertyName { get => throw null; } public System.Type ReturnType { get => throw null; } } - - - // Generated from `NHibernate.Properties.MapAccessor+MapSetter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapSetter : NHibernate.Properties.ISetter + public sealed class MapSetter : NHibernate.Properties.ISetter { public System.Reflection.MethodInfo Method { get => throw null; } public string PropertyName { get => throw null; } public void Set(object target, object value) => throw null; } - - - } - - // Generated from `NHibernate.Properties.NoSetterAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NoSetterAccessor : NHibernate.Properties.IPropertyAccessor - { - public bool CanAccessThroughReflectionOptimizer { get => throw null; } - public NHibernate.Properties.IGetter GetGetter(System.Type type, string propertyName) => throw null; - public NHibernate.Properties.ISetter GetSetter(System.Type type, string propertyName) => throw null; - public NoSetterAccessor(NHibernate.Properties.IFieldNamingStrategy namingStrategy) => throw null; } - - // Generated from `NHibernate.Properties.NoopAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class NoopAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public NoopAccessor() => throw null; public NHibernate.Properties.IGetter GetGetter(System.Type theClass, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type theClass, string propertyName) => throw null; - public NoopAccessor() => throw null; } - - // Generated from `NHibernate.Properties.PascalCaseMStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public class NoSetterAccessor : NHibernate.Properties.IPropertyAccessor + { + public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public NoSetterAccessor(NHibernate.Properties.IFieldNamingStrategy namingStrategy) => throw null; + public NHibernate.Properties.IGetter GetGetter(System.Type type, string propertyName) => throw null; + public NHibernate.Properties.ISetter GetSetter(System.Type type, string propertyName) => throw null; + } public class PascalCaseMStrategy : NHibernate.Properties.IFieldNamingStrategy { - public string GetFieldName(string propertyName) => throw null; public PascalCaseMStrategy() => throw null; + public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.PascalCaseMUnderscoreStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PascalCaseMUnderscoreStrategy : NHibernate.Properties.IFieldNamingStrategy { - public string GetFieldName(string propertyName) => throw null; public PascalCaseMUnderscoreStrategy() => throw null; + public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.PascalCaseUnderscoreStrategy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PascalCaseUnderscoreStrategy : NHibernate.Properties.IFieldNamingStrategy { - public string GetFieldName(string propertyName) => throw null; public PascalCaseUnderscoreStrategy() => throw null; + public string GetFieldName(string propertyName) => throw null; } - - // Generated from `NHibernate.Properties.PropertyAccessorFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class PropertyAccessorFactory { public static NHibernate.Properties.IPropertyAccessor DynamicMapPropertyAccessor { get => throw null; } public static NHibernate.Properties.IPropertyAccessor GetPropertyAccessor(string type) => throw null; public static NHibernate.Properties.IPropertyAccessor GetPropertyAccessor(NHibernate.Mapping.Property property, NHibernate.EntityMode? mode) => throw null; } - - // Generated from `NHibernate.Properties.ReadOnlyAccessor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ReadOnlyAccessor : NHibernate.Properties.IPropertyAccessor { public bool CanAccessThroughReflectionOptimizer { get => throw null; } + public ReadOnlyAccessor() => throw null; public NHibernate.Properties.IGetter GetGetter(System.Type type, string propertyName) => throw null; public NHibernate.Properties.ISetter GetSetter(System.Type type, string propertyName) => throw null; - public ReadOnlyAccessor() => throw null; } - - // Generated from `NHibernate.Properties.UnknownBackrefProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public struct UnknownBackrefProperty { - // Stub generator skipped constructor } - + } + public class PropertyAccessException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable + { + public PropertyAccessException(System.Exception innerException, string message, bool wasSetter, System.Type persistentType, string propertyName) => throw null; + public PropertyAccessException(System.Exception innerException, string message, bool wasSetter, System.Type persistentType) => throw null; + protected PropertyAccessException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public System.Type PersistentType { get => throw null; } + } + public class PropertyNotFoundException : NHibernate.MappingException + { + public string AccessorType { get => throw null; } + public PropertyNotFoundException(System.Type targetType, string propertyName, string accessorType) : base(default(string)) => throw null; + public PropertyNotFoundException(System.Type targetType, string propertyName) : base(default(string)) => throw null; + public PropertyNotFoundException(string propertyName, string fieldName, System.Type targetType) : base(default(string)) => throw null; + protected PropertyNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string PropertyName { get => throw null; } + public System.Type TargetType { get => throw null; } + } + public class PropertyValueException : NHibernate.HibernateException + { + public PropertyValueException(string message, string entityName, string propertyName) => throw null; + public PropertyValueException(string message, string entityName, string propertyName, System.Exception innerException) => throw null; + protected PropertyValueException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public string PropertyName { get => throw null; } } namespace Proxy { - // Generated from `NHibernate.Proxy.AbstractLazyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class AbstractLazyInitializer : NHibernate.Proxy.ILazyInitializer { - protected internal AbstractLazyInitializer(string entityName, object id, NHibernate.Engine.ISessionImplementor session) => throw null; + protected AbstractLazyInitializer(string entityName, object id, NHibernate.Engine.ISessionImplementor session) => throw null; public string EntityName { get => throw null; } - public object GetImplementation(NHibernate.Engine.ISessionImplementor s) => throw null; public object GetImplementation() => throw null; + public object GetImplementation(NHibernate.Engine.ISessionImplementor s) => throw null; public System.Threading.Tasks.Task GetImplementationAsync(System.Threading.CancellationToken cancellationToken) => throw null; - public object Identifier { get => throw null; set => throw null; } + public object Identifier { get => throw null; set { } } public virtual void Initialize() => throw null; public virtual System.Threading.Tasks.Task InitializeAsync(System.Threading.CancellationToken cancellationToken) => throw null; protected static object InvokeImplementation; - protected internal bool IsConnectedToSession { get => throw null; } + protected bool IsConnectedToSession { get => throw null; } public bool IsReadOnlySettingAvailable { get => throw null; } public bool IsUninitialized { get => throw null; } public abstract System.Type PersistentClass { get; } - public bool ReadOnly { get => throw null; set => throw null; } - public NHibernate.Engine.ISessionImplementor Session { get => throw null; set => throw null; } + public bool ReadOnly { get => throw null; set { } } + public NHibernate.Engine.ISessionImplementor Session { get => throw null; set { } } public void SetImplementation(object target) => throw null; public void SetSession(NHibernate.Engine.ISessionImplementor s) => throw null; - protected internal object Target { get => throw null; } + protected object Target { get => throw null; } public void UnsetSession() => throw null; - public bool Unwrap { get => throw null; set => throw null; } + public bool Unwrap { get => throw null; set { } } } - - // Generated from `NHibernate.Proxy.AbstractProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class AbstractProxyFactory : NHibernate.Proxy.IProxyFactory { + protected virtual NHibernate.Type.IAbstractComponentType ComponentIdType { get => throw null; } protected AbstractProxyFactory() => throw null; - protected virtual NHibernate.Type.IAbstractComponentType ComponentIdType { get => throw null; set => throw null; } - protected virtual string EntityName { get => throw null; set => throw null; } + protected virtual string EntityName { get => throw null; } public virtual object GetFieldInterceptionProxy(object instanceToWrap) => throw null; - protected virtual System.Reflection.MethodInfo GetIdentifierMethod { get => throw null; set => throw null; } + protected virtual System.Reflection.MethodInfo GetIdentifierMethod { get => throw null; } public abstract NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session); - protected virtual System.Type[] Interfaces { get => throw null; set => throw null; } - protected virtual bool IsClassProxy { get => throw null; set => throw null; } - protected virtual bool OverridesEquals { get => throw null; set => throw null; } - protected virtual System.Type PersistentClass { get => throw null; set => throw null; } + protected virtual System.Type[] Interfaces { get => throw null; } + protected virtual bool IsClassProxy { get => throw null; } + protected virtual bool OverridesEquals { get => throw null; set { } } + protected virtual System.Type PersistentClass { get => throw null; } public virtual void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, bool isClassProxy) => throw null; public virtual void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType) => throw null; - protected virtual System.Reflection.MethodInfo SetIdentifierMethod { get => throw null; set => throw null; } - } - - // Generated from `NHibernate.Proxy.DefaultDynamicProxyMethodCheckerExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class DefaultDynamicProxyMethodCheckerExtensions - { - public static bool IsProxiable(this System.Reflection.MethodInfo method) => throw null; - public static bool ShouldBeProxiable(this System.Reflection.PropertyInfo propertyInfo) => throw null; - public static bool ShouldBeProxiable(this System.Reflection.MethodInfo method) => throw null; - } - - // Generated from `NHibernate.Proxy.DefaultLazyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultLazyInitializer : NHibernate.Proxy.Poco.BasicLazyInitializer, NHibernate.Proxy.DynamicProxy.IInterceptor - { - public DefaultLazyInitializer(string entityName, System.Type persistentClass, object id, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, NHibernate.Engine.ISessionImplementor session, bool overridesEquals) : base(default(string), default(System.Type), default(object), default(System.Reflection.MethodInfo), default(System.Reflection.MethodInfo), default(NHibernate.Type.IAbstractComponentType), default(NHibernate.Engine.ISessionImplementor), default(bool)) => throw null; - public object Intercept(NHibernate.Proxy.DynamicProxy.InvocationInfo info) => throw null; - } - - // Generated from `NHibernate.Proxy.DefaultProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DefaultProxyFactory : NHibernate.Proxy.AbstractProxyFactory - { - public DefaultProxyFactory() => throw null; - public override object GetFieldInterceptionProxy(object instanceToWrap) => throw null; - public override NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - protected static NHibernate.INHibernateLogger log; - } - - // Generated from `NHibernate.Proxy.DynProxyTypeValidator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynProxyTypeValidator : NHibernate.Proxy.IProxyValidator - { - protected virtual void CheckAccessibleMembersAreVirtual(System.Type type) => throw null; - protected virtual void CheckHasVisibleDefaultConstructor(System.Type type) => throw null; - protected virtual void CheckMethodIsVirtual(System.Type type, System.Reflection.MethodInfo method) => throw null; - protected void CheckNotSealed(System.Type type) => throw null; - public DynProxyTypeValidator() => throw null; - protected void EnlistError(System.Type type, string text) => throw null; - protected virtual bool HasVisibleDefaultConstructor(System.Type type) => throw null; - public virtual bool IsProxeable(System.Reflection.MethodInfo method) => throw null; - public System.Collections.Generic.ICollection ValidateType(System.Type type) => throw null; - } - - // Generated from `NHibernate.Proxy.FieldInterceptorObjectReference` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FieldInterceptorObjectReference : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IObjectReference - { - public FieldInterceptorObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, NHibernate.Intercept.IFieldInterceptor fieldInterceptorField) => throw null; - public void GetBaseData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context, object proxy, System.Type proxyBaseType) => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; - public void SetNoAdditionalData(System.Runtime.Serialization.SerializationInfo info) => throw null; - } - - // Generated from `NHibernate.Proxy.IEntityNotFoundDelegate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IEntityNotFoundDelegate - { - void HandleEntityNotFound(string entityName, object id); - } - - // Generated from `NHibernate.Proxy.ILazyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ILazyInitializer - { - string EntityName { get; } - object GetImplementation(NHibernate.Engine.ISessionImplementor s); - object GetImplementation(); - System.Threading.Tasks.Task GetImplementationAsync(System.Threading.CancellationToken cancellationToken); - object Identifier { get; set; } - void Initialize(); - System.Threading.Tasks.Task InitializeAsync(System.Threading.CancellationToken cancellationToken); - bool IsReadOnlySettingAvailable { get; } - bool IsUninitialized { get; } - System.Type PersistentClass { get; } - bool ReadOnly { get; set; } - NHibernate.Engine.ISessionImplementor Session { get; set; } - void SetImplementation(object target); - void SetSession(NHibernate.Engine.ISessionImplementor s); - void UnsetSession(); - bool Unwrap { get; set; } - } - - // Generated from `NHibernate.Proxy.INHibernateProxy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface INHibernateProxy - { - NHibernate.Proxy.ILazyInitializer HibernateLazyInitializer { get; } - } - - // Generated from `NHibernate.Proxy.IProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProxyFactory - { - object GetFieldInterceptionProxy(object instanceToWrap); - NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session); - void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType); - } - - // Generated from `NHibernate.Proxy.IProxyValidator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IProxyValidator - { - bool IsProxeable(System.Reflection.MethodInfo method); - System.Collections.Generic.ICollection ValidateType(System.Type type); - } - - // Generated from `NHibernate.Proxy.NHibernateProxyFactoryInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NHibernateProxyFactoryInfo : System.Runtime.Serialization.ISerializable - { - public NHibernate.Proxy.IProxyFactory CreateProxyFactory() => throw null; - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - } - - // Generated from `NHibernate.Proxy.NHibernateProxyHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class NHibernateProxyHelper - { - public static System.Type GetClassWithoutInitializingProxy(object obj) => throw null; - public static System.Type GuessClass(object entity) => throw null; - public static bool IsProxy(this object entity) => throw null; - } - - // Generated from `NHibernate.Proxy.NHibernateProxyObjectReference` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NHibernateProxyObjectReference : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IObjectReference - { - public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; - public NHibernateProxyObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, object identifier, object implementation) => throw null; - public NHibernateProxyObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, object identifier) => throw null; + protected virtual System.Reflection.MethodInfo SetIdentifierMethod { get => throw null; } } - - // Generated from `NHibernate.Proxy.ProxyCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProxyCacheEntry : System.IEquatable - { - public System.Type BaseType { get => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(NHibernate.Proxy.ProxyCacheEntry other) => throw null; - public override int GetHashCode() => throw null; - public System.Collections.Generic.IReadOnlyCollection Interfaces { get => throw null; } - public ProxyCacheEntry(System.Type baseType, System.Type[] interfaces) => throw null; + public static partial class DefaultDynamicProxyMethodCheckerExtensions + { + public static bool IsProxiable(this System.Reflection.MethodInfo method) => throw null; + public static bool ShouldBeProxiable(this System.Reflection.MethodInfo method) => throw null; + public static bool ShouldBeProxiable(this System.Reflection.PropertyInfo propertyInfo) => throw null; } - - // Generated from `NHibernate.Proxy.ProxyFactoryExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class ProxyFactoryExtensions + public class DefaultLazyInitializer : NHibernate.Proxy.Poco.BasicLazyInitializer, NHibernate.Proxy.DynamicProxy.IInterceptor { - public static object GetFieldInterceptionProxy(this NHibernate.Proxy.IProxyFactory proxyFactory) => throw null; - public static void PostInstantiate(this NHibernate.Proxy.IProxyFactory pf, string entityName, System.Type persistentClass, System.Collections.Generic.HashSet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, bool isClassProxy) => throw null; + public DefaultLazyInitializer(string entityName, System.Type persistentClass, object id, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, NHibernate.Engine.ISessionImplementor session, bool overridesEquals) : base(default(string), default(System.Type), default(object), default(System.Reflection.MethodInfo), default(System.Reflection.MethodInfo), default(NHibernate.Type.IAbstractComponentType), default(NHibernate.Engine.ISessionImplementor), default(bool)) => throw null; + public object Intercept(NHibernate.Proxy.DynamicProxy.InvocationInfo info) => throw null; } - - // Generated from `NHibernate.Proxy.StaticProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StaticProxyFactory : NHibernate.Proxy.AbstractProxyFactory + public class DefaultProxyFactory : NHibernate.Proxy.AbstractProxyFactory { + public DefaultProxyFactory() => throw null; public override object GetFieldInterceptionProxy(object instanceToWrap) => throw null; - public object GetFieldInterceptionProxy() => throw null; public override NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public override void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, bool isClassProxy) => throw null; - public StaticProxyFactory() => throw null; + protected static NHibernate.INHibernateLogger log; } - namespace DynamicProxy { - // Generated from `NHibernate.Proxy.DynamicProxy.DefaultProxyAssemblyBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DefaultProxyAssemblyBuilder : NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder { public DefaultProxyAssemblyBuilder() => throw null; @@ -29786,46 +25549,46 @@ public class DefaultProxyAssemblyBuilder : NHibernate.Proxy.DynamicProxy.IProxyA public System.Reflection.Emit.ModuleBuilder DefineDynamicModule(System.Reflection.Emit.AssemblyBuilder assemblyBuilder, string moduleName) => throw null; public void Save(System.Reflection.Emit.AssemblyBuilder assemblyBuilder) => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.HashSetExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class HashSetExtensions + public static partial class HashSetExtensions { public static System.Collections.Generic.HashSet Merge(this System.Collections.Generic.HashSet source, System.Collections.Generic.IEnumerable toMerge) => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.IArgumentHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IArgumentHandler { void PushArguments(System.Reflection.ParameterInfo[] parameters, System.Reflection.Emit.ILGenerator IL, bool isStatic); } - - // Generated from `NHibernate.Proxy.DynamicProxy.IInterceptor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IInterceptor { object Intercept(NHibernate.Proxy.DynamicProxy.InvocationInfo info); } - - // Generated from `NHibernate.Proxy.DynamicProxy.IMethodBodyEmitter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IMethodBodyEmitter { void EmitMethodBody(System.Reflection.Emit.MethodBuilder proxyMethod, System.Reflection.Emit.MethodBuilder callbackMethod, System.Reflection.MethodInfo method, System.Reflection.FieldInfo field); } - - // Generated from `NHibernate.Proxy.DynamicProxy.IProxy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public delegate object InterceptorHandler(object proxy, System.Reflection.MethodInfo targetMethod, System.Diagnostics.StackTrace trace, System.Type[] genericTypeArgs, object[] args); + public delegate object InvocationHandler(NHibernate.Proxy.DynamicProxy.InvocationInfo info); + public class InvocationInfo + { + public object[] Arguments { get => throw null; } + public InvocationInfo(object proxy, System.Reflection.MethodInfo targetMethod, System.Reflection.MethodInfo callbackMethod, System.Diagnostics.StackTrace trace, System.Type[] genericTypeArgs, object[] args) => throw null; + public virtual object InvokeMethodOnTarget() => throw null; + public void SetArgument(int position, object arg) => throw null; + public System.Diagnostics.StackTrace StackTrace { get => throw null; } + public object Target { get => throw null; } + public System.Reflection.MethodInfo TargetMethod { get => throw null; } + public override string ToString() => throw null; + public System.Type[] TypeArguments { get => throw null; } + } public interface IProxy { NHibernate.Proxy.DynamicProxy.IInterceptor Interceptor { get; set; } } - - // Generated from `NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IProxyAssemblyBuilder { System.Reflection.Emit.AssemblyBuilder DefineDynamicAssembly(System.AppDomain appDomain, System.Reflection.AssemblyName name); System.Reflection.Emit.ModuleBuilder DefineDynamicModule(System.Reflection.Emit.AssemblyBuilder assemblyBuilder, string moduleName); void Save(System.Reflection.Emit.AssemblyBuilder assemblyBuilder); } - - // Generated from `NHibernate.Proxy.DynamicProxy.IProxyCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IProxyCache { bool Contains(System.Type baseType, params System.Type[] baseInterfaces); @@ -29833,125 +25596,145 @@ public interface IProxyCache void StoreProxyType(System.Reflection.TypeInfo result, System.Type baseType, params System.Type[] baseInterfaces); bool TryGetProxyType(System.Type baseType, System.Type[] baseInterfaces, out System.Reflection.TypeInfo proxyType); } - - // Generated from `NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IProxyMethodBuilder { void CreateProxiedMethod(System.Reflection.FieldInfo field, System.Reflection.MethodInfo method, System.Reflection.Emit.TypeBuilder typeBuilder); } - - // Generated from `NHibernate.Proxy.DynamicProxy.InterceptorHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object InterceptorHandler(object proxy, System.Reflection.MethodInfo targetMethod, System.Diagnostics.StackTrace trace, System.Type[] genericTypeArgs, object[] args); - - // Generated from `NHibernate.Proxy.DynamicProxy.InvocationHandler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate object InvocationHandler(NHibernate.Proxy.DynamicProxy.InvocationInfo info); - - // Generated from `NHibernate.Proxy.DynamicProxy.InvocationInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InvocationInfo - { - public object[] Arguments { get => throw null; } - public InvocationInfo(object proxy, System.Reflection.MethodInfo targetMethod, System.Reflection.MethodInfo callbackMethod, System.Diagnostics.StackTrace trace, System.Type[] genericTypeArgs, object[] args) => throw null; - public virtual object InvokeMethodOnTarget() => throw null; - public void SetArgument(int position, object arg) => throw null; - public System.Diagnostics.StackTrace StackTrace { get => throw null; } - public object Target { get => throw null; } - public System.Reflection.MethodInfo TargetMethod { get => throw null; } - public override string ToString() => throw null; - public System.Type[] TypeArguments { get => throw null; } - } - - // Generated from `NHibernate.Proxy.DynamicProxy.OpCodesMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class OpCodesMap { public static bool TryGetLdindOpCode(System.Type valueType, out System.Reflection.Emit.OpCode opCode) => throw null; public static bool TryGetStindOpCode(System.Type valueType, out System.Reflection.Emit.OpCode opCode) => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.ProxyCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ProxyCache : NHibernate.Proxy.DynamicProxy.IProxyCache { public bool Contains(System.Type baseType, params System.Type[] baseInterfaces) => throw null; - public System.Reflection.TypeInfo GetProxyType(System.Type baseType, params System.Type[] baseInterfaces) => throw null; public ProxyCache() => throw null; + public System.Reflection.TypeInfo GetProxyType(System.Type baseType, params System.Type[] baseInterfaces) => throw null; public void StoreProxyType(System.Reflection.TypeInfo result, System.Type baseType, params System.Type[] baseInterfaces) => throw null; public bool TryGetProxyType(System.Type baseType, System.Type[] baseInterfaces, out System.Reflection.TypeInfo proxyType) => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.ProxyCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ProxyCacheEntry : NHibernate.Proxy.ProxyCacheEntry { public ProxyCacheEntry(System.Type baseType, System.Type[] interfaces) : base(default(System.Type), default(System.Type[])) => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.ProxyDummy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ProxyDummy { public ProxyDummy() => throw null; } - - // Generated from `NHibernate.Proxy.DynamicProxy.ProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProxyFactory + public sealed class ProxyFactory { public NHibernate.Proxy.DynamicProxy.IProxyCache Cache { get => throw null; } public object CreateProxy(System.Type instanceType, NHibernate.Proxy.DynamicProxy.IInterceptor interceptor, params System.Type[] baseInterfaces) => throw null; public System.Type CreateProxyType(System.Type baseType, params System.Type[] interfaces) => throw null; - public NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder ProxyAssemblyBuilder { get => throw null; } - public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder proxyMethodBuilder, NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder proxyAssemblyBuilder) => throw null; - public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder proxyMethodBuilder) => throw null; - public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder proxyAssemblyBuilder) => throw null; public ProxyFactory() => throw null; + public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder proxyAssemblyBuilder) => throw null; + public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder proxyMethodBuilder) => throw null; + public ProxyFactory(NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder proxyMethodBuilder, NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder proxyAssemblyBuilder) => throw null; + public NHibernate.Proxy.DynamicProxy.IProxyAssemblyBuilder ProxyAssemblyBuilder { get => throw null; } public NHibernate.Proxy.DynamicProxy.IProxyMethodBuilder ProxyMethodBuilder { get => throw null; } } - - // Generated from `NHibernate.Proxy.DynamicProxy.ProxyObjectReference` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ProxyObjectReference : System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IObjectReference + public class ProxyObjectReference : System.Runtime.Serialization.IObjectReference, System.Runtime.Serialization.ISerializable { + protected ProxyObjectReference(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; - protected ProxyObjectReference(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - + } + public class DynProxyTypeValidator : NHibernate.Proxy.IProxyValidator + { + protected virtual void CheckAccessibleMembersAreVirtual(System.Type type) => throw null; + protected virtual void CheckHasVisibleDefaultConstructor(System.Type type) => throw null; + protected virtual void CheckMethodIsVirtual(System.Type type, System.Reflection.MethodInfo method) => throw null; + protected void CheckNotSealed(System.Type type) => throw null; + public DynProxyTypeValidator() => throw null; + protected void EnlistError(System.Type type, string text) => throw null; + protected virtual bool HasVisibleDefaultConstructor(System.Type type) => throw null; + public virtual bool IsProxeable(System.Reflection.MethodInfo method) => throw null; + public System.Collections.Generic.ICollection ValidateType(System.Type type) => throw null; + } + public sealed class FieldInterceptorObjectReference : System.Runtime.Serialization.IObjectReference, System.Runtime.Serialization.ISerializable + { + public FieldInterceptorObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, NHibernate.Intercept.IFieldInterceptor fieldInterceptorField) => throw null; + public void GetBaseData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context, object proxy, System.Type proxyBaseType) => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; + public void SetNoAdditionalData(System.Runtime.Serialization.SerializationInfo info) => throw null; + } + public interface IEntityNotFoundDelegate + { + void HandleEntityNotFound(string entityName, object id); + } + public interface ILazyInitializer + { + string EntityName { get; } + object GetImplementation(); + object GetImplementation(NHibernate.Engine.ISessionImplementor s); + System.Threading.Tasks.Task GetImplementationAsync(System.Threading.CancellationToken cancellationToken); + object Identifier { get; set; } + void Initialize(); + System.Threading.Tasks.Task InitializeAsync(System.Threading.CancellationToken cancellationToken); + bool IsReadOnlySettingAvailable { get; } + bool IsUninitialized { get; } + System.Type PersistentClass { get; } + bool ReadOnly { get; set; } + NHibernate.Engine.ISessionImplementor Session { get; set; } + void SetImplementation(object target); + void SetSession(NHibernate.Engine.ISessionImplementor s); + void UnsetSession(); + bool Unwrap { get; set; } + } + public interface INHibernateProxy + { + NHibernate.Proxy.ILazyInitializer HibernateLazyInitializer { get; } + } + public interface IProxyFactory + { + object GetFieldInterceptionProxy(object instanceToWrap); + NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session); + void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType); + } + public interface IProxyValidator + { + bool IsProxeable(System.Reflection.MethodInfo method); + System.Collections.Generic.ICollection ValidateType(System.Type type); } namespace Map { - // Generated from `NHibernate.Proxy.Map.MapLazyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapLazyInitializer : NHibernate.Proxy.AbstractLazyInitializer { + public MapLazyInitializer(string entityName, object id, NHibernate.Engine.ISessionImplementor session) : base(default(string), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; public System.Collections.Generic.IDictionary GenericMap { get => throw null; } public System.Collections.IDictionary Map { get => throw null; } - public MapLazyInitializer(string entityName, object id, NHibernate.Engine.ISessionImplementor session) : base(default(string), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; public override System.Type PersistentClass { get => throw null; } } - - // Generated from `NHibernate.Proxy.Map.MapProxy` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class MapProxy : System.Dynamic.DynamicObject, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, NHibernate.Proxy.INHibernateProxy + public class MapProxy : System.Dynamic.DynamicObject, NHibernate.Proxy.INHibernateProxy, System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable> { + public void Add(object key, object value) => throw null; void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; - public void Add(object key, object value) => throw null; public void Clear() => throw null; public bool Contains(object key) => throw null; bool System.Collections.Generic.ICollection>.Contains(System.Collections.Generic.KeyValuePair item) => throw null; bool System.Collections.Generic.IDictionary.ContainsKey(string key) => throw null; - void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public void CopyTo(System.Array array, int index) => throw null; + void System.Collections.Generic.ICollection>.CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } public override System.Collections.Generic.IEnumerable GetDynamicMemberNames() => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; public NHibernate.Proxy.ILazyInitializer HibernateLazyInitializer { get => throw null; } public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } - object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set => throw null; } + object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set { } } public System.Collections.ICollection Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } public void Remove(object key) => throw null; bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } public override bool TryDeleteIndex(System.Dynamic.DeleteIndexBinder binder, object[] indexes) => throw null; public override bool TryDeleteMember(System.Dynamic.DeleteMemberBinder binder) => throw null; public override bool TryGetIndex(System.Dynamic.GetIndexBinder binder, object[] indexes, out object result) => throw null; @@ -29963,151 +25746,255 @@ public class MapProxy : System.Dynamic.DynamicObject, System.Collections.IEnumer public System.Collections.ICollection Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } } - - // Generated from `NHibernate.Proxy.Map.MapProxyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MapProxyFactory : NHibernate.Proxy.IProxyFactory { + public MapProxyFactory() => throw null; + public MapProxyFactory(string entityName) => throw null; public object GetFieldInterceptionProxy(object getInstance) => throw null; public NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public MapProxyFactory(string entityName) => throw null; - public MapProxyFactory() => throw null; public void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType) => throw null; } - + } + public sealed class NHibernateProxyFactoryInfo : System.Runtime.Serialization.ISerializable + { + public NHibernate.Proxy.IProxyFactory CreateProxyFactory() => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public static class NHibernateProxyHelper + { + public static System.Type GetClassWithoutInitializingProxy(object obj) => throw null; + public static System.Type GuessClass(object entity) => throw null; + public static bool IsProxy(this object entity) => throw null; + } + public sealed class NHibernateProxyObjectReference : System.Runtime.Serialization.IObjectReference, System.Runtime.Serialization.ISerializable + { + public NHibernateProxyObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, object identifier) => throw null; + public NHibernateProxyObjectReference(NHibernate.Proxy.NHibernateProxyFactoryInfo proxyFactoryInfo, object identifier, object implementation) => throw null; + public void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object GetRealObject(System.Runtime.Serialization.StreamingContext context) => throw null; } namespace Poco { - // Generated from `NHibernate.Proxy.Poco.BasicLazyInitializer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class BasicLazyInitializer : NHibernate.Proxy.AbstractLazyInitializer { protected virtual void AddSerializationInfo(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - protected internal BasicLazyInitializer(string entityName, System.Type persistentClass, object id, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, NHibernate.Engine.ISessionImplementor session, bool overridesEquals) : base(default(string), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + protected NHibernate.Type.IAbstractComponentType componentIdType; + protected BasicLazyInitializer(string entityName, System.Type persistentClass, object id, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, NHibernate.Engine.ISessionImplementor session, bool overridesEquals) : base(default(string), default(object), default(NHibernate.Engine.ISessionImplementor)) => throw null; + protected System.Reflection.MethodInfo getIdentifierMethod; public virtual object Invoke(System.Reflection.MethodInfo method, object[] args, object proxy) => throw null; + protected bool overridesEquals; public override System.Type PersistentClass { get => throw null; } - protected internal NHibernate.Type.IAbstractComponentType componentIdType; - protected internal System.Reflection.MethodInfo getIdentifierMethod; - protected internal bool overridesEquals; - protected internal System.Reflection.MethodInfo setIdentifierMethod; + protected System.Reflection.MethodInfo setIdentifierMethod; } - } - } - namespace SqlCommand - { - // Generated from `NHibernate.SqlCommand.ANSICaseFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public class ProxyCacheEntry : System.IEquatable + { + public System.Type BaseType { get => throw null; } + public ProxyCacheEntry(System.Type baseType, System.Type[] interfaces) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(NHibernate.Proxy.ProxyCacheEntry other) => throw null; + public override int GetHashCode() => throw null; + public System.Collections.Generic.IReadOnlyCollection Interfaces { get => throw null; } + } + public static partial class ProxyFactoryExtensions + { + public static object GetFieldInterceptionProxy(this NHibernate.Proxy.IProxyFactory proxyFactory) => throw null; + public static void PostInstantiate(this NHibernate.Proxy.IProxyFactory pf, string entityName, System.Type persistentClass, System.Collections.Generic.HashSet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, bool isClassProxy) => throw null; + } + public sealed class StaticProxyFactory : NHibernate.Proxy.AbstractProxyFactory + { + public StaticProxyFactory() => throw null; + public override object GetFieldInterceptionProxy(object instanceToWrap) => throw null; + public object GetFieldInterceptionProxy() => throw null; + public override NHibernate.Proxy.INHibernateProxy GetProxy(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + public override void PostInstantiate(string entityName, System.Type persistentClass, System.Collections.Generic.ISet interfaces, System.Reflection.MethodInfo getIdentifierMethod, System.Reflection.MethodInfo setIdentifierMethod, NHibernate.Type.IAbstractComponentType componentIdType, bool isClassProxy) => throw null; + } + } + public class QueryException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable + { + protected QueryException() => throw null; + public QueryException(string message) => throw null; + public QueryException(string message, System.Exception innerException) => throw null; + public QueryException(string message, string queryString) => throw null; + public QueryException(string message, string queryString, System.Exception innerException) => throw null; + public QueryException(System.Exception innerException) => throw null; + protected QueryException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override string Message { get => throw null; } + public string QueryString { get => throw null; set { } } + } + public static partial class QueryOverExtensions + { + public static TQueryOver SetComment(this TQueryOver queryOver, string comment) where TQueryOver : NHibernate.IQueryOver => throw null; + public static TQueryOver SetFetchSize(this TQueryOver queryOver, int fetchSize) where TQueryOver : NHibernate.IQueryOver => throw null; + public static TQueryOver SetFlushMode(this TQueryOver queryOver, NHibernate.FlushMode flushMode) where TQueryOver : NHibernate.IQueryOver => throw null; + public static TQueryOver SetTimeout(this TQueryOver queryOver, int timeout) where TQueryOver : NHibernate.IQueryOver => throw null; + } + public class QueryParameterException : NHibernate.QueryException + { + public QueryParameterException(string message) => throw null; + public QueryParameterException(string message, System.Exception inner) => throw null; + protected QueryParameterException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public abstract class ReplicationMode + { + protected ReplicationMode(string name) => throw null; + public static NHibernate.ReplicationMode Exception; + public static NHibernate.ReplicationMode Ignore; + public static NHibernate.ReplicationMode LatestVersion; + public static NHibernate.ReplicationMode Overwrite; + public abstract bool ShouldOverwriteCurrentVersion(object entity, object currentVersion, object newVersion, NHibernate.Type.IVersionType versionType); + public override string ToString() => throw null; + } + public class SchemaValidationException : NHibernate.HibernateException + { + public SchemaValidationException(string msg, System.Collections.Generic.IList validationErrors) => throw null; + protected SchemaValidationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public System.Collections.ObjectModel.ReadOnlyCollection ValidationErrors { get => throw null; } + } + public enum SelectMode + { + Undefined = 0, + Fetch = 1, + FetchLazyProperties = 2, + ChildFetch = 3, + JoinOnly = 4, + Skip = 5, + FetchLazyPropertyGroup = 6, + } + public static partial class SelectModeExtensions + { + public static NHibernate.IQueryOver Fetch(this NHibernate.IQueryOver queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; + public static NHibernate.Criterion.QueryOver Fetch(this NHibernate.Criterion.QueryOver queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; + public static NHibernate.Criterion.QueryOver Fetch(this NHibernate.Criterion.QueryOver queryOver, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; + public static NHibernate.IQueryOver Fetch(this NHibernate.IQueryOver queryOver, params System.Linq.Expressions.Expression>[] associationPaths) => throw null; + public static TThis Fetch(this TThis queryOver, NHibernate.SelectMode mode, params System.Linq.Expressions.Expression>[] aliasedAssociationPaths) where TThis : NHibernate.IQueryOver => throw null; + public static NHibernate.ICriteria Fetch(this NHibernate.ICriteria criteria, NHibernate.SelectMode mode, string associationPath, string alias = default(string)) => throw null; + public static NHibernate.ICriteria Fetch(this NHibernate.ICriteria criteria, string associationPath, string alias = default(string)) => throw null; + public static NHibernate.Criterion.DetachedCriteria Fetch(this NHibernate.Criterion.DetachedCriteria criteria, string associationPath, string alias = default(string)) => throw null; + public static NHibernate.Criterion.DetachedCriteria Fetch(this NHibernate.Criterion.DetachedCriteria criteria, NHibernate.SelectMode mode, string associationPath, string alias = default(string)) => throw null; + } + public static partial class SessionBuilderExtensions + { + public static T Tenant(this T builder, string tenantIdentifier) where T : NHibernate.ISessionBuilder => throw null; + public static T Tenant(this T builder, NHibernate.MultiTenancy.TenantConfiguration tenantConfig) where T : NHibernate.ISessionBuilder => throw null; + } + public class SessionException : NHibernate.HibernateException + { + public SessionException(string message) => throw null; + protected SessionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public static partial class SessionExtensions + { + public static NHibernate.Multi.IQueryBatch CreateQueryBatch(this NHibernate.ISession session) => throw null; + public static object Get(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public static T Get(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public static T Get(this NHibernate.ISession session, string entityName, object id) => throw null; + public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetAsync(this NHibernate.ISession session, string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.ITransaction GetCurrentTransaction(this NHibernate.ISession session) => throw null; + public static NHibernate.ISharedStatelessSessionBuilder StatelessSessionWithOptions(this NHibernate.ISession session) => throw null; + } + public static class SessionFactoryExtension + { + public static void Evict(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable persistentClasses) => throw null; + public static System.Threading.Tasks.Task EvictAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable persistentClasses, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void EvictCollection(this NHibernate.ISessionFactory factory, string roleName, object id, string tenantIdentifier) => throw null; + public static void EvictCollection(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable roleNames) => throw null; + public static System.Threading.Tasks.Task EvictCollectionAsync(this NHibernate.ISessionFactory factory, string roleName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task EvictCollectionAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable roleNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static void EvictEntity(this NHibernate.ISessionFactory factory, string entityName, object id, string tenantIdentifier) => throw null; + public static void EvictEntity(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable entityNames) => throw null; + public static System.Threading.Tasks.Task EvictEntityAsync(this NHibernate.ISessionFactory factory, string entityName, object id, string tenantIdentifier, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task EvictEntityAsync(this NHibernate.ISessionFactory factory, System.Collections.Generic.IEnumerable entityNames, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + } + namespace SqlCommand + { + public class Alias + { + public Alias(int length, string suffix) => throw null; + public Alias(string suffix) => throw null; + public string ToAliasString(string sqlIdentifier, NHibernate.Dialect.Dialect dialect) => throw null; + public string ToAliasString(string sqlIdentifier) => throw null; + public string[] ToAliasStrings(string[] sqlIdentifiers, NHibernate.Dialect.Dialect dialect) => throw null; + public string ToUnquotedAliasString(string sqlIdentifier, NHibernate.Dialect.Dialect dialect) => throw null; + public string[] ToUnquotedAliasStrings(string[] sqlIdentifiers, NHibernate.Dialect.Dialect dialect) => throw null; + } public class ANSICaseFragment : NHibernate.SqlCommand.CaseFragment { public ANSICaseFragment(NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Dialect.Dialect)) => throw null; public override string ToSqlStringFragment() => throw null; } - - // Generated from `NHibernate.SqlCommand.ANSIJoinFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ANSIJoinFragment : NHibernate.SqlCommand.JoinFragment { - public ANSIJoinFragment() => throw null; public override bool AddCondition(string condition) => throw null; public override bool AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; public override void AddCrossJoin(string tableName, string alias) => throw null; public override void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString) => throw null; - public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType) => throw null; + public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment) => throw null; public NHibernate.SqlCommand.JoinFragment Copy() => throw null; + public ANSIJoinFragment() => throw null; public override NHibernate.SqlCommand.SqlString ToFromFragmentString { get => throw null; } public override NHibernate.SqlCommand.SqlString ToWhereFragmentString { get => throw null; } } - - // Generated from `NHibernate.SqlCommand.Alias` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Alias - { - public Alias(string suffix) => throw null; - public Alias(int length, string suffix) => throw null; - public string ToAliasString(string sqlIdentifier, NHibernate.Dialect.Dialect dialect) => throw null; - public string ToAliasString(string sqlIdentifier) => throw null; - public string[] ToAliasStrings(string[] sqlIdentifiers, NHibernate.Dialect.Dialect dialect) => throw null; - public string ToUnquotedAliasString(string sqlIdentifier, NHibernate.Dialect.Dialect dialect) => throw null; - public string[] ToUnquotedAliasStrings(string[] sqlIdentifiers, NHibernate.Dialect.Dialect dialect) => throw null; - } - - // Generated from `NHibernate.SqlCommand.CaseFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class CaseFragment { public virtual NHibernate.SqlCommand.CaseFragment AddWhenColumnNotNull(string alias, string columnName, string value) => throw null; + protected System.Collections.Generic.IDictionary cases; protected CaseFragment(NHibernate.Dialect.Dialect dialect) => throw null; - public virtual NHibernate.SqlCommand.CaseFragment SetReturnColumnName(string returnColumnName, string suffix) => throw null; + protected NHibernate.Dialect.Dialect dialect; + protected string returnColumnName; public virtual NHibernate.SqlCommand.CaseFragment SetReturnColumnName(string returnColumnName) => throw null; + public virtual NHibernate.SqlCommand.CaseFragment SetReturnColumnName(string returnColumnName, string suffix) => throw null; public abstract string ToSqlStringFragment(); - protected internal System.Collections.Generic.IDictionary cases; - protected internal NHibernate.Dialect.Dialect dialect; - protected internal string returnColumnName; } - - // Generated from `NHibernate.SqlCommand.ConditionalFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ConditionalFragment { public ConditionalFragment() => throw null; public NHibernate.SqlCommand.ConditionalFragment SetCondition(string[] lhs, string[] rhs) => throw null; - public NHibernate.SqlCommand.ConditionalFragment SetCondition(string[] lhs, string rhs) => throw null; public NHibernate.SqlCommand.ConditionalFragment SetCondition(string[] lhs, NHibernate.SqlCommand.Parameter[] rhs) => throw null; + public NHibernate.SqlCommand.ConditionalFragment SetCondition(string[] lhs, string rhs) => throw null; public NHibernate.SqlCommand.ConditionalFragment SetOp(string op) => throw null; public NHibernate.SqlCommand.ConditionalFragment SetTableAlias(string tableAlias) => throw null; public NHibernate.SqlCommand.SqlString ToSqlStringFragment() => throw null; } - - // Generated from `NHibernate.SqlCommand.DecodeCaseFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DecodeCaseFragment : NHibernate.SqlCommand.CaseFragment { public DecodeCaseFragment(NHibernate.Dialect.Dialect dialect) : base(default(NHibernate.Dialect.Dialect)) => throw null; public override string ToSqlStringFragment() => throw null; } - - // Generated from `NHibernate.SqlCommand.DisjunctionFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DisjunctionFragment { public NHibernate.SqlCommand.DisjunctionFragment AddCondition(NHibernate.SqlCommand.ConditionalFragment fragment) => throw null; - public DisjunctionFragment(System.Collections.Generic.IEnumerable fragments) => throw null; public DisjunctionFragment() => throw null; + public DisjunctionFragment(System.Collections.Generic.IEnumerable fragments) => throw null; public NHibernate.SqlCommand.SqlString ToFragmentString() => throw null; } - - // Generated from `NHibernate.SqlCommand.ForUpdateFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ForUpdateFragment { public NHibernate.SqlCommand.ForUpdateFragment AddTableAlias(string alias) => throw null; - public ForUpdateFragment(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary lockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; public ForUpdateFragment(NHibernate.Dialect.Dialect dialect) => throw null; - public bool IsNoWaitEnabled { get => throw null; set => throw null; } + public ForUpdateFragment(NHibernate.Dialect.Dialect dialect, System.Collections.Generic.IDictionary lockModes, System.Collections.Generic.IDictionary keyColumnNames) => throw null; + public bool IsNoWaitEnabled { get => throw null; set { } } public string ToSqlStringFragment() => throw null; } - - // Generated from `NHibernate.SqlCommand.ISqlCommand` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlCommand - { - void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session); - void Bind(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - NHibernate.SqlTypes.SqlType[] ParameterTypes { get; } - NHibernate.SqlCommand.SqlString Query { get; } - NHibernate.Engine.QueryParameters QueryParameters { get; } - void ResetParametersIndexesForTheCommand(int singleSqlParametersOffset); - } - - // Generated from `NHibernate.SqlCommand.ISqlStringBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlStringBuilder - { - NHibernate.SqlCommand.SqlString ToSqlString(); - } - - // Generated from `NHibernate.SqlCommand.ISqlStringVisitor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ISqlStringVisitor + public class InformixJoinFragment : NHibernate.SqlCommand.JoinFragment { - void Parameter(NHibernate.SqlCommand.Parameter parameter); - void String(string text); - void String(NHibernate.SqlCommand.SqlString sqlString); + public override bool AddCondition(string condition) => throw null; + public override bool AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; + public override void AddCrossJoin(string tableName, string alias) => throw null; + public override void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString) => throw null; + public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType) => throw null; + public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; + public override void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment) => throw null; + public InformixJoinFragment() => throw null; + public override NHibernate.SqlCommand.SqlString ToFromFragmentString { get => throw null; } + public override NHibernate.SqlCommand.SqlString ToWhereFragmentString { get => throw null; } } - - // Generated from `NHibernate.SqlCommand.InFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class InFragment { public NHibernate.SqlCommand.InFragment AddValue(object value) => throw null; @@ -30119,23 +26006,6 @@ public class InFragment public NHibernate.SqlCommand.InFragment SetFormula(string alias, string formulaTemplate) => throw null; public NHibernate.SqlCommand.SqlString ToFragmentString() => throw null; } - - // Generated from `NHibernate.SqlCommand.InformixJoinFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class InformixJoinFragment : NHibernate.SqlCommand.JoinFragment - { - public override bool AddCondition(string condition) => throw null; - public override bool AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; - public override void AddCrossJoin(string tableName, string alias) => throw null; - public override void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString) => throw null; - public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; - public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType) => throw null; - public override void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment) => throw null; - public InformixJoinFragment() => throw null; - public override NHibernate.SqlCommand.SqlString ToFromFragmentString { get => throw null; } - public override NHibernate.SqlCommand.SqlString ToWhereFragmentString { get => throw null; } - } - - // Generated from `NHibernate.SqlCommand.InsertSelect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class InsertSelect : NHibernate.SqlCommand.ISqlStringBuilder { public virtual NHibernate.SqlCommand.InsertSelect AddColumn(string columnName) => throw null; @@ -30146,8 +26016,27 @@ public class InsertSelect : NHibernate.SqlCommand.ISqlStringBuilder public virtual NHibernate.SqlCommand.InsertSelect SetTableName(string tableName) => throw null; public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.JoinFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public interface ISqlCommand + { + void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session); + void Bind(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + NHibernate.SqlTypes.SqlType[] ParameterTypes { get; } + NHibernate.SqlCommand.SqlString Query { get; } + NHibernate.Engine.QueryParameters QueryParameters { get; } + void ResetParametersIndexesForTheCommand(int singleSqlParametersOffset); + } + public interface ISqlStringBuilder + { + NHibernate.SqlCommand.SqlString ToSqlString(); + } + public interface ISqlStringVisitor + { + void Parameter(NHibernate.SqlCommand.Parameter parameter); + void String(string text); + void String(NHibernate.SqlCommand.SqlString sqlString); + } public abstract class JoinFragment { protected void AddBareCondition(NHibernate.SqlCommand.SqlStringBuilder buffer, NHibernate.SqlCommand.SqlString condition) => throw null; @@ -30158,103 +26047,132 @@ public abstract class JoinFragment public abstract void AddCrossJoin(string tableName, string alias); public virtual void AddFragment(NHibernate.SqlCommand.JoinFragment ojf) => throw null; public abstract void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString); - public abstract void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on); public abstract void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType); + public abstract void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on); public abstract void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment); - public bool HasFilterCondition { get => throw null; set => throw null; } - public bool HasThetaJoins { get => throw null; set => throw null; } protected JoinFragment() => throw null; + public bool HasFilterCondition { get => throw null; set { } } + public bool HasThetaJoins { get => throw null; set { } } public abstract NHibernate.SqlCommand.SqlString ToFromFragmentString { get; } public abstract NHibernate.SqlCommand.SqlString ToWhereFragmentString { get; } } - - // Generated from `NHibernate.SqlCommand.JoinType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public enum JoinType { - CrossJoin, - FullJoin, - InnerJoin, - LeftOuterJoin, - None, - RightOuterJoin, + None = -666, + InnerJoin = 0, + FullJoin = 4, + LeftOuterJoin = 1, + RightOuterJoin = 2, + CrossJoin = 8, } - - // Generated from `NHibernate.SqlCommand.OracleJoinFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class OracleJoinFragment : NHibernate.SqlCommand.JoinFragment { public override bool AddCondition(string condition) => throw null; public override bool AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; public override void AddCrossJoin(string tableName, string alias) => throw null; public override void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString) => throw null; - public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType) => throw null; + public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment) => throw null; public OracleJoinFragment() => throw null; public override NHibernate.SqlCommand.SqlString ToFromFragmentString { get => throw null; } public override NHibernate.SqlCommand.SqlString ToWhereFragmentString { get => throw null; } } - - // Generated from `NHibernate.SqlCommand.Parameter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class Parameter { - public static bool operator !=(object a, NHibernate.SqlCommand.Parameter b) => throw null; - public static bool operator !=(NHibernate.SqlCommand.Parameter a, object b) => throw null; - public static bool operator !=(NHibernate.SqlCommand.Parameter a, NHibernate.SqlCommand.Parameter b) => throw null; - public static bool operator ==(object a, NHibernate.SqlCommand.Parameter b) => throw null; - public static bool operator ==(NHibernate.SqlCommand.Parameter a, object b) => throw null; - public static bool operator ==(NHibernate.SqlCommand.Parameter a, NHibernate.SqlCommand.Parameter b) => throw null; - public object BackTrack { get => throw null; set => throw null; } + public object BackTrack { get => throw null; set { } } public NHibernate.SqlCommand.Parameter Clone() => throw null; public override bool Equals(object obj) => throw null; public static NHibernate.SqlCommand.Parameter[] GenerateParameters(int count) => throw null; public override int GetHashCode() => throw null; - public int? ParameterPosition { get => throw null; set => throw null; } + public static bool operator ==(NHibernate.SqlCommand.Parameter a, NHibernate.SqlCommand.Parameter b) => throw null; + public static bool operator ==(object a, NHibernate.SqlCommand.Parameter b) => throw null; + public static bool operator ==(NHibernate.SqlCommand.Parameter a, object b) => throw null; + public static bool operator !=(NHibernate.SqlCommand.Parameter a, object b) => throw null; + public static bool operator !=(object a, NHibernate.SqlCommand.Parameter b) => throw null; + public static bool operator !=(NHibernate.SqlCommand.Parameter a, NHibernate.SqlCommand.Parameter b) => throw null; + public int? ParameterPosition { get => throw null; set { } } public static NHibernate.SqlCommand.Parameter Placeholder { get => throw null; } public override string ToString() => throw null; public static NHibernate.SqlCommand.Parameter WithIndex(int position) => throw null; } - - // Generated from `NHibernate.SqlCommand.QueryJoinFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + namespace Parser + { + public class SqlToken + { + public SqlToken(NHibernate.SqlCommand.Parser.SqlTokenType tokenType, NHibernate.SqlCommand.SqlString sql, int sqlIndex, int length) => throw null; + public override bool Equals(object obj) => throw null; + public bool Equals(string value) => throw null; + public bool Equals(string value, System.StringComparison stringComparison) => throw null; + public override int GetHashCode() => throw null; + public int Length { get => throw null; } + public int SqlIndex { get => throw null; } + public NHibernate.SqlCommand.Parser.SqlTokenType TokenType { get => throw null; } + public override string ToString() => throw null; + public string UnquotedValue { get => throw null; } + public string Value { get => throw null; } + } + public class SqlTokenizer : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + { + public SqlTokenizer(NHibernate.SqlCommand.SqlString sql) => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + public bool IgnoreComments { get => throw null; set { } } + public bool IgnoreWhitespace { get => throw null; set { } } + } + [System.Flags] + public enum SqlTokenType + { + Whitespace = 1, + Comment = 2, + Text = 4, + DelimitedText = 8, + Parameter = 16, + Comma = 32, + BracketOpen = 64, + BracketClose = 128, + AllBrackets = 192, + AllExceptWhitespaceOrComment = 252, + AllExceptWhitespace = 254, + All = 255, + } + } public class QueryJoinFragment : NHibernate.SqlCommand.JoinFragment { public override bool AddCondition(string condition) => throw null; public override bool AddCondition(NHibernate.SqlCommand.SqlString condition) => throw null; public override void AddCrossJoin(string tableName, string alias) => throw null; public override void AddFromFragmentString(NHibernate.SqlCommand.SqlString fromFragmentString) => throw null; - public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType) => throw null; + public override void AddJoin(string tableName, string alias, string[] fkColumns, string[] pkColumns, NHibernate.SqlCommand.JoinType joinType, NHibernate.SqlCommand.SqlString on) => throw null; public override void AddJoins(NHibernate.SqlCommand.SqlString fromFragment, NHibernate.SqlCommand.SqlString whereFragment) => throw null; public void ClearWherePart() => throw null; public QueryJoinFragment(NHibernate.Dialect.Dialect dialect, bool useThetaStyleInnerJoins) => throw null; public override NHibernate.SqlCommand.SqlString ToFromFragmentString { get => throw null; } public override NHibernate.SqlCommand.SqlString ToWhereFragmentString { get => throw null; } } - - // Generated from `NHibernate.SqlCommand.QuerySelect` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QuerySelect { public void AddOrderBy(string orderBySql) => throw null; public void AddSelectColumn(string columnName, string alias) => throw null; public void AddSelectFragmentString(NHibernate.SqlCommand.SqlString fragment) => throw null; - public bool Distinct { get => throw null; set => throw null; } - public NHibernate.SqlCommand.JoinFragment JoinFragment { get => throw null; } public QuerySelect(NHibernate.Dialect.Dialect dialect) => throw null; + public bool Distinct { get => throw null; set { } } + public NHibernate.SqlCommand.JoinFragment JoinFragment { get => throw null; } public void SetGroupByTokens(System.Collections.IEnumerable tokens) => throw null; public void SetHavingTokens(System.Collections.IEnumerable tokens) => throw null; public void SetOrderByTokens(System.Collections.IEnumerable tokens) => throw null; public void SetWhereTokens(System.Collections.IEnumerable tokens) => throw null; public NHibernate.SqlCommand.SqlString ToQuerySqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SelectFragment` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SelectFragment { - public NHibernate.SqlCommand.SelectFragment AddColumn(string tableAlias, string columnName, string columnAlias) => throw null; - public NHibernate.SqlCommand.SelectFragment AddColumn(string tableAlias, string columnName) => throw null; public NHibernate.SqlCommand.SelectFragment AddColumn(string columnName) => throw null; + public NHibernate.SqlCommand.SelectFragment AddColumn(string tableAlias, string columnName) => throw null; + public NHibernate.SqlCommand.SelectFragment AddColumn(string tableAlias, string columnName, string columnAlias) => throw null; public NHibernate.SqlCommand.SelectFragment AddColumns(string[] columnNames) => throw null; - public NHibernate.SqlCommand.SelectFragment AddColumns(string tableAlias, string[] columnNames, string[] columnAliases) => throw null; public NHibernate.SqlCommand.SelectFragment AddColumns(string tableAlias, string[] columnNames) => throw null; + public NHibernate.SqlCommand.SelectFragment AddColumns(string tableAlias, string[] columnNames, string[] columnAliases) => throw null; public NHibernate.SqlCommand.SelectFragment AddFormula(string tableAlias, string formula, string formulaAlias) => throw null; public NHibernate.SqlCommand.SelectFragment AddFormulas(string tableAlias, string[] formulas, string[] formulaAliases) => throw null; public SelectFragment(NHibernate.Dialect.Dialect d) => throw null; @@ -30263,116 +26181,103 @@ public class SelectFragment public NHibernate.SqlCommand.SelectFragment SetSuffix(string suffix) => throw null; public NHibernate.SqlCommand.SelectFragment SetUsedAliases(string[] usedAliases) => throw null; public string ToFragmentString() => throw null; - public string ToSqlStringFragment(bool includeLeadingComma) => throw null; public string ToSqlStringFragment() => throw null; + public string ToSqlStringFragment(bool includeLeadingComma) => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlBaseBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class SqlBaseBuilder { + protected SqlBaseBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; public NHibernate.Dialect.Dialect Dialect { get => throw null; } protected NHibernate.Engine.IMapping Mapping { get => throw null; } - protected SqlBaseBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) => throw null; - protected NHibernate.SqlCommand.SqlString ToWhereString(string[] columnNames, string op) => throw null; protected NHibernate.SqlCommand.SqlString ToWhereString(string[] columnNames) => throw null; - protected NHibernate.SqlCommand.SqlString ToWhereString(string tableAlias, string[] columnNames, string op) => throw null; protected NHibernate.SqlCommand.SqlString ToWhereString(string tableAlias, string[] columnNames) => throw null; + protected NHibernate.SqlCommand.SqlString ToWhereString(string[] columnNames, string op) => throw null; + protected NHibernate.SqlCommand.SqlString ToWhereString(string tableAlias, string[] columnNames, string op) => throw null; protected NHibernate.SqlCommand.SqlString ToWhereString(string columnName, string op) => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlCommandImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlCommandImpl : NHibernate.SqlCommand.ISqlCommand { public void Bind(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session) => throw null; public void Bind(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, System.Collections.Generic.IList commandQueryParametersList, int singleSqlParametersOffset, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public System.Threading.Tasks.Task BindAsync(System.Data.Common.DbCommand command, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public SqlCommandImpl(NHibernate.SqlCommand.SqlString query, System.Collections.Generic.ICollection specifications, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public NHibernate.SqlTypes.SqlType[] ParameterTypes { get => throw null; } public NHibernate.SqlCommand.SqlString Query { get => throw null; } public NHibernate.Engine.QueryParameters QueryParameters { get => throw null; } public void ResetParametersIndexesForTheCommand(int singleSqlParametersOffset) => throw null; public System.Collections.Generic.IEnumerable Specifications { get => throw null; } - public SqlCommandImpl(NHibernate.SqlCommand.SqlString query, System.Collections.Generic.ICollection specifications, NHibernate.Engine.QueryParameters queryParameters, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public System.Collections.Generic.IList SqlQueryParametersList { get => throw null; } } - - // Generated from `NHibernate.SqlCommand.SqlCommandInfo` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlCommandInfo { public System.Data.CommandType CommandType { get => throw null; } - public NHibernate.SqlTypes.SqlType[] ParameterTypes { get => throw null; } public SqlCommandInfo(NHibernate.SqlCommand.SqlString text, NHibernate.SqlTypes.SqlType[] parameterTypes) => throw null; + public NHibernate.SqlTypes.SqlType[] ParameterTypes { get => throw null; } public NHibernate.SqlCommand.SqlString Text { get => throw null; } public override string ToString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlDeleteBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlDeleteBuilder : NHibernate.SqlCommand.SqlBaseBuilder, NHibernate.SqlCommand.ISqlStringBuilder { public NHibernate.SqlCommand.SqlDeleteBuilder AddWhereFragment(string[] columnNames, NHibernate.Type.IType type, string op) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder AddWhereFragment(string[] columnNames, NHibernate.SqlTypes.SqlType[] types, string op) => throw null; - public NHibernate.SqlCommand.SqlDeleteBuilder AddWhereFragment(string whereSql) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder AddWhereFragment(string columnName, NHibernate.SqlTypes.SqlType type, string op) => throw null; + public NHibernate.SqlCommand.SqlDeleteBuilder AddWhereFragment(string whereSql) => throw null; + public SqlDeleteBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder SetComment(string comment) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder SetIdentityColumn(string[] columnNames, NHibernate.Type.IType identityType) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder SetTableName(string tableName) => throw null; public NHibernate.SqlCommand.SqlDeleteBuilder SetVersionColumn(string[] columnNames, NHibernate.Type.IVersionType versionType) => throw null; public virtual NHibernate.SqlCommand.SqlDeleteBuilder SetWhere(string whereSql) => throw null; - public SqlDeleteBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlCommandInfo ToSqlCommandInfo() => throw null; public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlInsertBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlInsertBuilder : NHibernate.SqlCommand.ISqlStringBuilder { public virtual NHibernate.SqlCommand.SqlInsertBuilder AddColumn(string columnName, NHibernate.Type.IType propertyType) => throw null; - public NHibernate.SqlCommand.SqlInsertBuilder AddColumn(string columnName, string val) => throw null; public NHibernate.SqlCommand.SqlInsertBuilder AddColumn(string columnName, object val, NHibernate.Type.ILiteralType literalType) => throw null; + public NHibernate.SqlCommand.SqlInsertBuilder AddColumn(string columnName, string val) => throw null; public NHibernate.SqlCommand.SqlInsertBuilder AddColumns(string[] columnNames, bool[] insertable, NHibernate.Type.IType propertyType) => throw null; public virtual NHibernate.SqlCommand.SqlInsertBuilder AddIdentityColumn(string columnName) => throw null; - protected internal NHibernate.Dialect.Dialect Dialect { get => throw null; } + public SqlInsertBuilder(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected NHibernate.Dialect.Dialect Dialect { get => throw null; } public NHibernate.SqlTypes.SqlType[] GetParametersTypeArray() => throw null; public virtual NHibernate.SqlCommand.SqlInsertBuilder SetComment(string comment) => throw null; public NHibernate.SqlCommand.SqlInsertBuilder SetTableName(string tableName) => throw null; - public SqlInsertBuilder(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public NHibernate.SqlCommand.SqlCommandInfo ToSqlCommandInfo() => throw null; public virtual NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlSelectBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlSelectBuilder : NHibernate.SqlCommand.SqlBaseBuilder, NHibernate.SqlCommand.ISqlStringBuilder { + public SqlSelectBuilder(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetComment(string comment) => throw null; - public NHibernate.SqlCommand.SqlSelectBuilder SetFromClause(string tableName, string alias) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetFromClause(string fromClause) => throw null; + public NHibernate.SqlCommand.SqlSelectBuilder SetFromClause(string tableName, string alias) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetFromClause(NHibernate.SqlCommand.SqlString fromClause) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetGroupByClause(NHibernate.SqlCommand.SqlString groupByClause) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetHavingClause(string tableAlias, string[] columnNames, NHibernate.Type.IType whereType) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetHavingClause(NHibernate.SqlCommand.SqlString havingSqlString) => throw null; - public NHibernate.SqlCommand.SqlSelectBuilder SetLockMode(NHibernate.LockMode lockMode, string mainTableAlias) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetLockMode(NHibernate.LockMode lockMode) => throw null; + public NHibernate.SqlCommand.SqlSelectBuilder SetLockMode(NHibernate.LockMode lockMode, string mainTableAlias) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetOrderByClause(NHibernate.SqlCommand.SqlString orderByClause) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetOuterJoins(NHibernate.SqlCommand.SqlString outerJoinsAfterFrom, NHibernate.SqlCommand.SqlString outerJoinsAfterWhere) => throw null; - public NHibernate.SqlCommand.SqlSelectBuilder SetSelectClause(string selectClause) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetSelectClause(NHibernate.SqlCommand.SqlString selectClause) => throw null; + public NHibernate.SqlCommand.SqlSelectBuilder SetSelectClause(string selectClause) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetWhereClause(string tableAlias, string[] columnNames, NHibernate.Type.IType whereType) => throw null; public NHibernate.SqlCommand.SqlSelectBuilder SetWhereClause(NHibernate.SqlCommand.SqlString whereSqlString) => throw null; - public SqlSelectBuilder(NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; public NHibernate.SqlCommand.SqlString ToStatementString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlSimpleSelectBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlSimpleSelectBuilder : NHibernate.SqlCommand.SqlBaseBuilder, NHibernate.SqlCommand.ISqlStringBuilder { - public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumn(string columnName, string alias) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumn(string columnName) => throw null; - public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumns(string[] columns, string[] aliases, bool[] ignore) => throw null; - public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumns(string[] columnNames, string[] aliases) => throw null; + public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumn(string columnName, string alias) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumns(string[] columnNames) => throw null; + public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumns(string[] columnNames, string[] aliases) => throw null; + public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddColumns(string[] columns, string[] aliases, bool[] ignore) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddWhereFragment(string[] columnNames, NHibernate.Type.IType type, string op) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder AddWhereFragment(string fragment) => throw null; + public SqlSimpleSelectBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping factory) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public string GetAlias(string columnName) => throw null; public virtual NHibernate.SqlCommand.SqlSimpleSelectBuilder SetComment(string comment) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder SetIdentityColumn(string[] columnNames, NHibernate.Type.IType identityType) => throw null; @@ -30380,27 +26285,26 @@ public class SqlSimpleSelectBuilder : NHibernate.SqlCommand.SqlBaseBuilder, NHib public NHibernate.SqlCommand.SqlSimpleSelectBuilder SetOrderBy(string orderBy) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder SetTableName(string tableName) => throw null; public NHibernate.SqlCommand.SqlSimpleSelectBuilder SetVersionColumn(string[] columnNames, NHibernate.Type.IVersionType versionType) => throw null; - public SqlSimpleSelectBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping factory) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlString` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlString : System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IEnumerable + public class SqlString : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable { - public static NHibernate.SqlCommand.SqlString operator +(NHibernate.SqlCommand.SqlString lhs, NHibernate.SqlCommand.SqlString rhs) => throw null; + public NHibernate.SqlCommand.SqlString Append(NHibernate.SqlCommand.SqlString sql) => throw null; public NHibernate.SqlCommand.SqlString Append(string text) => throw null; public NHibernate.SqlCommand.SqlString Append(params object[] parts) => throw null; - public NHibernate.SqlCommand.SqlString Append(NHibernate.SqlCommand.SqlString sql) => throw null; public NHibernate.SqlCommand.SqlString Copy() => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public SqlString(string sql) => throw null; + public SqlString(NHibernate.SqlCommand.Parameter parameter) => throw null; + public SqlString(params object[] parts) => throw null; public static NHibernate.SqlCommand.SqlString Empty; public bool EndsWith(string value) => throw null; public bool EndsWithCaseInsensitive(string value) => throw null; public override bool Equals(object obj) => throw null; public bool EqualsCaseInsensitive(string value) => throw null; - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; public override int GetHashCode() => throw null; public int GetParameterCount() => throw null; public System.Collections.Generic.IEnumerable GetParameters() => throw null; @@ -30413,49 +26317,43 @@ public class SqlString : System.Collections.IEnumerable, System.Collections.ICol bool System.Collections.ICollection.IsSynchronized { get => throw null; } public int LastIndexOfCaseInsensitive(string text) => throw null; public int Length { get => throw null; } + public static NHibernate.SqlCommand.SqlString operator +(NHibernate.SqlCommand.SqlString lhs, NHibernate.SqlCommand.SqlString rhs) => throw null; public static NHibernate.SqlCommand.SqlString Parse(string sql) => throw null; public NHibernate.SqlCommand.SqlString Replace(string oldValue, string newValue) => throw null; public NHibernate.SqlCommand.SqlString[] Split(string splitter) => throw null; - public SqlString(string sql) => throw null; - public SqlString(params object[] parts) => throw null; - public SqlString(NHibernate.SqlCommand.Parameter parameter) => throw null; public bool StartsWithCaseInsensitive(string value) => throw null; - public NHibernate.SqlCommand.SqlString Substring(int startIndex, int length) => throw null; public NHibernate.SqlCommand.SqlString Substring(int startIndex) => throw null; + public NHibernate.SqlCommand.SqlString Substring(int startIndex, int length) => throw null; public NHibernate.SqlCommand.SqlString SubstringStartingWithLast(string text) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } - public string ToString(int startIndex, int length) => throw null; - public string ToString(int startIndex) => throw null; public override string ToString() => throw null; + public string ToString(int startIndex) => throw null; + public string ToString(int startIndex, int length) => throw null; public NHibernate.SqlCommand.SqlString Trim() => throw null; public void Visit(NHibernate.SqlCommand.ISqlStringVisitor visitor) => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlStringBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlStringBuilder : NHibernate.SqlCommand.ISqlStringBuilder { public NHibernate.SqlCommand.SqlStringBuilder Add(string sql) => throw null; - public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString[] sqlStrings, string prefix, string op, string postfix, bool wrapStatement) => throw null; - public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString[] sqlStrings, string prefix, string op, string postfix) => throw null; - public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString sqlString, string prefix, string op, string postfix) => throw null; - public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString sqlString) => throw null; public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.Parameter parameter) => throw null; + public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString sqlString) => throw null; + public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString sqlString, string prefix, string op, string postfix) => throw null; + public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString[] sqlStrings, string prefix, string op, string postfix) => throw null; + public NHibernate.SqlCommand.SqlStringBuilder Add(NHibernate.SqlCommand.SqlString[] sqlStrings, string prefix, string op, string postfix, bool wrapStatement) => throw null; public NHibernate.SqlCommand.SqlStringBuilder AddObject(object part) => throw null; public NHibernate.SqlCommand.SqlStringBuilder AddParameter() => throw null; public void Clear() => throw null; public int Count { get => throw null; } + public SqlStringBuilder() => throw null; + public SqlStringBuilder(int partsCapacity) => throw null; + public SqlStringBuilder(NHibernate.SqlCommand.SqlString sqlString) => throw null; public NHibernate.SqlCommand.SqlStringBuilder Insert(int index, string sql) => throw null; public NHibernate.SqlCommand.SqlStringBuilder Insert(int index, NHibernate.SqlCommand.Parameter param) => throw null; - public object this[int index] { get => throw null; set => throw null; } public NHibernate.SqlCommand.SqlStringBuilder RemoveAt(int index) => throw null; - public SqlStringBuilder(int partsCapacity) => throw null; - public SqlStringBuilder(NHibernate.SqlCommand.SqlString sqlString) => throw null; - public SqlStringBuilder() => throw null; + public object this[int index] { get => throw null; set { } } public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; public override string ToString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlStringHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class SqlStringHelper { public static NHibernate.SqlCommand.SqlString[] Add(NHibernate.SqlCommand.SqlString[] x, string sep, NHibernate.SqlCommand.SqlString[] y) => throw null; @@ -30464,176 +26362,110 @@ public static class SqlStringHelper public static NHibernate.SqlCommand.SqlString Join(NHibernate.SqlCommand.SqlString separator, System.Collections.IEnumerable objects) => throw null; public static NHibernate.SqlCommand.SqlString RemoveAsAliasesFromSql(NHibernate.SqlCommand.SqlString sql) => throw null; } - - // Generated from `NHibernate.SqlCommand.SqlUpdateBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SqlUpdateBuilder : NHibernate.SqlCommand.SqlBaseBuilder, NHibernate.SqlCommand.ISqlStringBuilder { - public virtual NHibernate.SqlCommand.SqlUpdateBuilder AddColumn(string columnName, NHibernate.Type.IType propertyType) => throw null; - public NHibernate.SqlCommand.SqlUpdateBuilder AddColumn(string columnName, string val) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddColumn(string columnName, object val, NHibernate.Type.ILiteralType literalType) => throw null; + public NHibernate.SqlCommand.SqlUpdateBuilder AddColumn(string columnName, string val) => throw null; + public virtual NHibernate.SqlCommand.SqlUpdateBuilder AddColumn(string columnName, NHibernate.Type.IType propertyType) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddColumns(string[] columnsName, string val) => throw null; - public NHibernate.SqlCommand.SqlUpdateBuilder AddColumns(string[] columnNames, bool[] updateable, NHibernate.Type.IType propertyType) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddColumns(string[] columnNames, NHibernate.Type.IType propertyType) => throw null; + public NHibernate.SqlCommand.SqlUpdateBuilder AddColumns(string[] columnNames, bool[] updateable, NHibernate.Type.IType propertyType) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddWhereFragment(string[] columnNames, NHibernate.Type.IType type, string op) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddWhereFragment(string[] columnNames, NHibernate.SqlTypes.SqlType[] types, string op) => throw null; - public NHibernate.SqlCommand.SqlUpdateBuilder AddWhereFragment(string whereSql) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AddWhereFragment(string columnName, NHibernate.SqlTypes.SqlType type, string op) => throw null; + public NHibernate.SqlCommand.SqlUpdateBuilder AddWhereFragment(string whereSql) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder AppendAssignmentFragment(NHibernate.SqlCommand.SqlString fragment) => throw null; + public SqlUpdateBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetComment(string comment) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetIdentityColumn(string[] columnNames, NHibernate.Type.IType identityType) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetJoin(string joinTableName, string[] keyColumnNames, NHibernate.Type.IType identityType, string[] lhsColumnNames, string[] rhsColumnNames) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetTableName(string tableName) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetVersionColumn(string[] columnNames, NHibernate.Type.IVersionType versionType) => throw null; public NHibernate.SqlCommand.SqlUpdateBuilder SetWhere(string whereSql) => throw null; - public SqlUpdateBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.IMapping mapping) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlCommandInfo ToSqlCommandInfo() => throw null; public NHibernate.SqlCommand.SqlString ToSqlString() => throw null; } - - // Generated from `NHibernate.SqlCommand.SubselectClauseExtractor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SubselectClauseExtractor { + public SubselectClauseExtractor(NHibernate.SqlCommand.SqlString sql) => throw null; public NHibernate.SqlCommand.SqlString GetSqlString() => throw null; public static bool HasOrderBy(NHibernate.SqlCommand.SqlString subselect) => throw null; - public SubselectClauseExtractor(NHibernate.SqlCommand.SqlString sql) => throw null; } - - // Generated from `NHibernate.SqlCommand.Template` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class Template { public static string Placeholder; public static string RenderOrderByStringTemplate(string sqlOrderByString, NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; - public static string RenderWhereStringTemplate(string sqlWhereString, string placeholder, NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; public static string RenderWhereStringTemplate(string sqlWhereString, NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; + public static string RenderWhereStringTemplate(string sqlWhereString, string placeholder, NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry functionRegistry) => throw null; } - - // Generated from `NHibernate.SqlCommand.WhereBuilder` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class WhereBuilder : NHibernate.SqlCommand.SqlBaseBuilder { public WhereBuilder(NHibernate.Dialect.Dialect dialect, NHibernate.Engine.ISessionFactoryImplementor factory) : base(default(NHibernate.Dialect.Dialect), default(NHibernate.Engine.IMapping)) => throw null; public NHibernate.SqlCommand.SqlString WhereClause(string alias, string[] columnNames, NHibernate.Type.IType whereType) => throw null; } - - namespace Parser - { - // Generated from `NHibernate.SqlCommand.Parser.SqlToken` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlToken - { - public override bool Equals(object obj) => throw null; - public bool Equals(string value, System.StringComparison stringComparison) => throw null; - public bool Equals(string value) => throw null; - public override int GetHashCode() => throw null; - public int Length { get => throw null; } - public int SqlIndex { get => throw null; } - public SqlToken(NHibernate.SqlCommand.Parser.SqlTokenType tokenType, NHibernate.SqlCommand.SqlString sql, int sqlIndex, int length) => throw null; - public override string ToString() => throw null; - public NHibernate.SqlCommand.Parser.SqlTokenType TokenType { get => throw null; } - public string UnquotedValue { get => throw null; } - public string Value { get => throw null; } - } - - // Generated from `NHibernate.SqlCommand.Parser.SqlTokenType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - [System.Flags] - public enum SqlTokenType - { - All, - AllBrackets, - AllExceptWhitespace, - AllExceptWhitespaceOrComment, - BracketClose, - BracketOpen, - Comma, - Comment, - DelimitedText, - Parameter, - Text, - Whitespace, - } - - // Generated from `NHibernate.SqlCommand.Parser.SqlTokenizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlTokenizer : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public bool IgnoreComments { get => throw null; set => throw null; } - public bool IgnoreWhitespace { get => throw null; set => throw null; } - public SqlTokenizer(NHibernate.SqlCommand.SqlString sql) => throw null; - } - - } + } + public static class SQLQueryExtension + { + public static NHibernate.ISQLQuery AddSynchronizedEntityClass(this NHibernate.ISQLQuery sqlQuery, System.Type entityType) => throw null; + public static NHibernate.ISQLQuery AddSynchronizedEntityName(this NHibernate.ISQLQuery sqlQuery, string entityName) => throw null; + public static NHibernate.ISQLQuery AddSynchronizedQuerySpace(this NHibernate.ISQLQuery sqlQuery, string querySpace) => throw null; + public static System.Collections.Generic.IReadOnlyCollection GetSynchronizedQuerySpaces(this NHibernate.ISQLQuery sqlQuery) => throw null; } namespace SqlTypes { - // Generated from `NHibernate.SqlTypes.AnsiStringFixedLengthSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AnsiStringFixedLengthSqlType : NHibernate.SqlTypes.SqlType { - public AnsiStringFixedLengthSqlType(int length) : base(default(System.Data.DbType)) => throw null; public AnsiStringFixedLengthSqlType() : base(default(System.Data.DbType)) => throw null; + public AnsiStringFixedLengthSqlType(int length) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.AnsiStringSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AnsiStringSqlType : NHibernate.SqlTypes.SqlType { - public AnsiStringSqlType(int length) : base(default(System.Data.DbType)) => throw null; public AnsiStringSqlType() : base(default(System.Data.DbType)) => throw null; + public AnsiStringSqlType(int length) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.BinaryBlobSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BinaryBlobSqlType : NHibernate.SqlTypes.BinarySqlType { public BinaryBlobSqlType(int length) => throw null; public BinaryBlobSqlType() => throw null; } - - // Generated from `NHibernate.SqlTypes.BinarySqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BinarySqlType : NHibernate.SqlTypes.SqlType { - public BinarySqlType(int length) : base(default(System.Data.DbType)) => throw null; public BinarySqlType() : base(default(System.Data.DbType)) => throw null; + public BinarySqlType(int length) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.DateTime2SqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTime2SqlType : NHibernate.SqlTypes.SqlType { - public DateTime2SqlType(System.Byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; public DateTime2SqlType() : base(default(System.Data.DbType)) => throw null; + public DateTime2SqlType(byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.DateTimeOffsetSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTimeOffsetSqlType : NHibernate.SqlTypes.SqlType { - public DateTimeOffsetSqlType(System.Byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; public DateTimeOffsetSqlType() : base(default(System.Data.DbType)) => throw null; + public DateTimeOffsetSqlType(byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.DateTimeSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTimeSqlType : NHibernate.SqlTypes.SqlType { - public DateTimeSqlType(System.Byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; public DateTimeSqlType() : base(default(System.Data.DbType)) => throw null; + public DateTimeSqlType(byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.SqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SqlType + public class SqlType : System.IEquatable { + public SqlType(System.Data.DbType dbType) => throw null; + public SqlType(System.Data.DbType dbType, int length) => throw null; + public SqlType(System.Data.DbType dbType, byte precision, byte scale) => throw null; + public SqlType(System.Data.DbType dbType, byte scale) => throw null; public System.Data.DbType DbType { get => throw null; } public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.SqlTypes.SqlType rhsSqlType) => throw null; public override int GetHashCode() => throw null; public int Length { get => throw null; } public bool LengthDefined { get => throw null; } - public System.Byte Precision { get => throw null; } + public byte Precision { get => throw null; } public bool PrecisionDefined { get => throw null; } - public System.Byte Scale { get => throw null; } + public byte Scale { get => throw null; } public bool ScaleDefined { get => throw null; } - public SqlType(System.Data.DbType dbType, int length) => throw null; - public SqlType(System.Data.DbType dbType, System.Byte scale) => throw null; - public SqlType(System.Data.DbType dbType, System.Byte precision, System.Byte scale) => throw null; - public SqlType(System.Data.DbType dbType) => throw null; public override string ToString() => throw null; } - - // Generated from `NHibernate.SqlTypes.SqlTypeFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class SqlTypeFactory { public static NHibernate.SqlTypes.SqlType Boolean; @@ -30648,13 +26480,13 @@ public static class SqlTypeFactory public static NHibernate.SqlTypes.AnsiStringSqlType GetAnsiString(int length) => throw null; public static NHibernate.SqlTypes.BinarySqlType GetBinary(int length) => throw null; public static NHibernate.SqlTypes.BinaryBlobSqlType GetBinaryBlob(int length) => throw null; - public static NHibernate.SqlTypes.DateTimeSqlType GetDateTime(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.SqlTypes.DateTime2SqlType GetDateTime2(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.SqlTypes.DateTimeOffsetSqlType GetDateTimeOffset(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.SqlTypes.SqlType GetSqlType(System.Data.DbType dbType, System.Byte precision, System.Byte scale) => throw null; + public static NHibernate.SqlTypes.DateTimeSqlType GetDateTime(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.SqlTypes.DateTime2SqlType GetDateTime2(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.SqlTypes.DateTimeOffsetSqlType GetDateTimeOffset(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.SqlTypes.SqlType GetSqlType(System.Data.DbType dbType, byte precision, byte scale) => throw null; public static NHibernate.SqlTypes.StringSqlType GetString(int length) => throw null; public static NHibernate.SqlTypes.StringClobSqlType GetStringClob(int length) => throw null; - public static NHibernate.SqlTypes.TimeSqlType GetTime(System.Byte fractionalSecondsPrecision) => throw null; + public static NHibernate.SqlTypes.TimeSqlType GetTime(byte fractionalSecondsPrecision) => throw null; public static NHibernate.SqlTypes.SqlType Guid; public static NHibernate.SqlTypes.SqlType Int16; public static NHibernate.SqlTypes.SqlType Int32; @@ -30667,78 +26499,73 @@ public static class SqlTypeFactory public static NHibernate.SqlTypes.SqlType UInt32; public static NHibernate.SqlTypes.SqlType UInt64; } - - // Generated from `NHibernate.SqlTypes.StringClobSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class StringClobSqlType : NHibernate.SqlTypes.StringSqlType { - public StringClobSqlType(int length) => throw null; public StringClobSqlType() => throw null; + public StringClobSqlType(int length) => throw null; } - - // Generated from `NHibernate.SqlTypes.StringFixedLengthSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class StringFixedLengthSqlType : NHibernate.SqlTypes.SqlType { - public StringFixedLengthSqlType(int length) : base(default(System.Data.DbType)) => throw null; public StringFixedLengthSqlType() : base(default(System.Data.DbType)) => throw null; + public StringFixedLengthSqlType(int length) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.StringSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class StringSqlType : NHibernate.SqlTypes.SqlType { - public StringSqlType(int length) : base(default(System.Data.DbType)) => throw null; public StringSqlType() : base(default(System.Data.DbType)) => throw null; + public StringSqlType(int length) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.TimeSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TimeSqlType : NHibernate.SqlTypes.SqlType { - public TimeSqlType(System.Byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; public TimeSqlType() : base(default(System.Data.DbType)) => throw null; + public TimeSqlType(byte fractionalSecondsPrecision) : base(default(System.Data.DbType)) => throw null; } - - // Generated from `NHibernate.SqlTypes.XmlSqlType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class XmlSqlType : NHibernate.SqlTypes.SqlType { - public XmlSqlType(int length) : base(default(System.Data.DbType)) => throw null; public XmlSqlType() : base(default(System.Data.DbType)) => throw null; + public XmlSqlType(int length) : base(default(System.Data.DbType)) => throw null; } - + } + public class StaleObjectStateException : NHibernate.StaleStateException + { + public StaleObjectStateException(string entityName, object identifier) : base(default(string)) => throw null; + public StaleObjectStateException(string entityName, object identifier, System.Exception innerException) : base(default(string)) => throw null; + protected StaleObjectStateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) : base(default(string)) => throw null; + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Identifier { get => throw null; } + public override string Message { get => throw null; } + } + public class StaleStateException : NHibernate.HibernateException + { + public StaleStateException(string message) => throw null; + public StaleStateException(string message, System.Exception innerException) => throw null; + protected StaleStateException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } namespace Stat { - // Generated from `NHibernate.Stat.CategorizedStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CategorizedStatistics { - internal CategorizedStatistics(string categoryName) => throw null; public string CategoryName { get => throw null; } } - - // Generated from `NHibernate.Stat.CollectionStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CollectionStatistics : NHibernate.Stat.CategorizedStatistics { - internal CollectionStatistics(string categoryName) : base(default(string)) => throw null; - public System.Int64 FetchCount { get => throw null; } - public System.Int64 LoadCount { get => throw null; } - public System.Int64 RecreateCount { get => throw null; } - public System.Int64 RemoveCount { get => throw null; } + public long FetchCount { get => throw null; } + public long LoadCount { get => throw null; } + public long RecreateCount { get => throw null; } + public long RemoveCount { get => throw null; } public override string ToString() => throw null; - public System.Int64 UpdateCount { get => throw null; } + public long UpdateCount { get => throw null; } } - - // Generated from `NHibernate.Stat.EntityStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EntityStatistics : NHibernate.Stat.CategorizedStatistics { - public System.Int64 DeleteCount { get => throw null; } - internal EntityStatistics(string categoryName) : base(default(string)) => throw null; - public System.Int64 FetchCount { get => throw null; } - public System.Int64 InsertCount { get => throw null; } - public System.Int64 LoadCount { get => throw null; } - public System.Int64 OptimisticFailureCount { get => throw null; } + public long DeleteCount { get => throw null; } + public long FetchCount { get => throw null; } + public long InsertCount { get => throw null; } + public long LoadCount { get => throw null; } + public long OptimisticFailureCount { get => throw null; } public override string ToString() => throw null; - public System.Int64 UpdateCount { get => throw null; } + public long UpdateCount { get => throw null; } } - - // Generated from `NHibernate.Stat.ISessionStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ISessionStatistics { int CollectionCount { get; } @@ -30746,26 +26573,24 @@ public interface ISessionStatistics int EntityCount { get; } System.Collections.Generic.IList EntityKeys { get; } } - - // Generated from `NHibernate.Stat.IStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IStatistics { void Clear(); - System.Int64 CloseStatementCount { get; } - System.Int64 CollectionFetchCount { get; } - System.Int64 CollectionLoadCount { get; } - System.Int64 CollectionRecreateCount { get; } - System.Int64 CollectionRemoveCount { get; } + long CloseStatementCount { get; } + long CollectionFetchCount { get; } + long CollectionLoadCount { get; } + long CollectionRecreateCount { get; } + long CollectionRemoveCount { get; } string[] CollectionRoleNames { get; } - System.Int64 CollectionUpdateCount { get; } - System.Int64 ConnectCount { get; } - System.Int64 EntityDeleteCount { get; } - System.Int64 EntityFetchCount { get; } - System.Int64 EntityInsertCount { get; } - System.Int64 EntityLoadCount { get; } + long CollectionUpdateCount { get; } + long ConnectCount { get; } + long EntityDeleteCount { get; } + long EntityFetchCount { get; } + long EntityInsertCount { get; } + long EntityLoadCount { get; } string[] EntityNames { get; } - System.Int64 EntityUpdateCount { get; } - System.Int64 FlushCount { get; } + long EntityUpdateCount { get; } + long FlushCount { get; } NHibernate.Stat.CollectionStatistics GetCollectionStatistics(string role); NHibernate.Stat.EntityStatistics GetEntityStatistics(string entityName); NHibernate.Stat.QueryStatistics GetQueryStatistics(string queryString); @@ -30773,27 +26598,25 @@ public interface IStatistics bool IsStatisticsEnabled { get; set; } void LogSummary(); System.TimeSpan OperationThreshold { get; set; } - System.Int64 OptimisticFailureCount { get; } - System.Int64 PrepareStatementCount { get; } + long OptimisticFailureCount { get; } + long PrepareStatementCount { get; } string[] Queries { get; } - System.Int64 QueryCacheHitCount { get; } - System.Int64 QueryCacheMissCount { get; } - System.Int64 QueryCachePutCount { get; } - System.Int64 QueryExecutionCount { get; } + long QueryCacheHitCount { get; } + long QueryCacheMissCount { get; } + long QueryCachePutCount { get; } + long QueryExecutionCount { get; } System.TimeSpan QueryExecutionMaxTime { get; } string QueryExecutionMaxTimeQueryString { get; } - System.Int64 SecondLevelCacheHitCount { get; } - System.Int64 SecondLevelCacheMissCount { get; } - System.Int64 SecondLevelCachePutCount { get; } + long SecondLevelCacheHitCount { get; } + long SecondLevelCacheMissCount { get; } + long SecondLevelCachePutCount { get; } string[] SecondLevelCacheRegionNames { get; } - System.Int64 SessionCloseCount { get; } - System.Int64 SessionOpenCount { get; } + long SessionCloseCount { get; } + long SessionOpenCount { get; } System.DateTime StartTime { get; } - System.Int64 SuccessfulTransactionCount { get; } - System.Int64 TransactionCount { get; } + long SuccessfulTransactionCount { get; } + long TransactionCount { get; } } - - // Generated from `NHibernate.Stat.IStatisticsImplementor` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IStatisticsImplementor { void CloseSession(); @@ -30822,138 +26645,143 @@ public interface IStatisticsImplementor void UpdateCollection(string role, System.TimeSpan time); void UpdateEntity(string entityName, System.TimeSpan time); } - - // Generated from `NHibernate.Stat.QueryStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class QueryStatistics : NHibernate.Stat.CategorizedStatistics { - public System.Int64 CacheHitCount { get => throw null; } - public System.Int64 CacheMissCount { get => throw null; } - public System.Int64 CachePutCount { get => throw null; } + public long CacheHitCount { get => throw null; } + public long CacheMissCount { get => throw null; } + public long CachePutCount { get => throw null; } + public QueryStatistics(string categoryName) => throw null; public System.TimeSpan ExecutionAvgTime { get => throw null; } - public System.Int64 ExecutionCount { get => throw null; } + public long ExecutionCount { get => throw null; } public System.TimeSpan ExecutionMaxTime { get => throw null; } public System.TimeSpan ExecutionMinTime { get => throw null; } - public System.Int64 ExecutionRowCount { get => throw null; } - public QueryStatistics(string categoryName) : base(default(string)) => throw null; + public long ExecutionRowCount { get => throw null; } public override string ToString() => throw null; } - - // Generated from `NHibernate.Stat.SecondLevelCacheStatistics` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SecondLevelCacheStatistics : NHibernate.Stat.CategorizedStatistics { - public System.Int64 ElementCountInMemory { get => throw null; } - public System.Int64 ElementCountOnDisk { get => throw null; } + public SecondLevelCacheStatistics(NHibernate.Cache.ICache cache) => throw null; + public long ElementCountInMemory { get => throw null; } + public long ElementCountOnDisk { get => throw null; } public System.Collections.IDictionary Entries { get => throw null; } - public System.Int64 HitCount { get => throw null; } - public System.Int64 MissCount { get => throw null; } - public System.Int64 PutCount { get => throw null; } - public SecondLevelCacheStatistics(NHibernate.Cache.ICache cache) : base(default(string)) => throw null; - public System.Int64 SizeInMemory { get => throw null; } + public long HitCount { get => throw null; } + public long MissCount { get => throw null; } + public long PutCount { get => throw null; } + public long SizeInMemory { get => throw null; } public override string ToString() => throw null; } - - // Generated from `NHibernate.Stat.SessionStatisticsImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SessionStatisticsImpl : NHibernate.Stat.ISessionStatistics { public int CollectionCount { get => throw null; } public System.Collections.Generic.IList CollectionKeys { get => throw null; } + public SessionStatisticsImpl(NHibernate.Engine.ISessionImplementor session) => throw null; public int EntityCount { get => throw null; } public System.Collections.Generic.IList EntityKeys { get => throw null; } - public SessionStatisticsImpl(NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToString() => throw null; } - - // Generated from `NHibernate.Stat.StatisticsImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StatisticsImpl : NHibernate.Stat.IStatisticsImplementor, NHibernate.Stat.IStatistics + public class StatisticsImpl : NHibernate.Stat.IStatistics, NHibernate.Stat.IStatisticsImplementor { public void Clear() => throw null; public void CloseSession() => throw null; public void CloseStatement() => throw null; - public System.Int64 CloseStatementCount { get => throw null; } - public System.Int64 CollectionFetchCount { get => throw null; } - public System.Int64 CollectionLoadCount { get => throw null; } - public System.Int64 CollectionRecreateCount { get => throw null; } - public System.Int64 CollectionRemoveCount { get => throw null; } + public long CloseStatementCount { get => throw null; } + public long CollectionFetchCount { get => throw null; } + public long CollectionLoadCount { get => throw null; } + public long CollectionRecreateCount { get => throw null; } + public long CollectionRemoveCount { get => throw null; } public string[] CollectionRoleNames { get => throw null; } - public System.Int64 CollectionUpdateCount { get => throw null; } + public long CollectionUpdateCount { get => throw null; } public void Connect() => throw null; - public System.Int64 ConnectCount { get => throw null; } + public long ConnectCount { get => throw null; } + public StatisticsImpl() => throw null; + public StatisticsImpl(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; public void DeleteEntity(string entityName, System.TimeSpan time) => throw null; public void EndTransaction(bool success) => throw null; - public System.Int64 EntityDeleteCount { get => throw null; } - public System.Int64 EntityFetchCount { get => throw null; } - public System.Int64 EntityInsertCount { get => throw null; } - public System.Int64 EntityLoadCount { get => throw null; } + public long EntityDeleteCount { get => throw null; } + public long EntityFetchCount { get => throw null; } + public long EntityInsertCount { get => throw null; } + public long EntityLoadCount { get => throw null; } public string[] EntityNames { get => throw null; } - public System.Int64 EntityUpdateCount { get => throw null; } + public long EntityUpdateCount { get => throw null; } public void FetchCollection(string role, System.TimeSpan time) => throw null; public void FetchEntity(string entityName, System.TimeSpan time) => throw null; public void Flush() => throw null; - public System.Int64 FlushCount { get => throw null; } + public long FlushCount { get => throw null; } public NHibernate.Stat.CollectionStatistics GetCollectionStatistics(string role) => throw null; public NHibernate.Stat.EntityStatistics GetEntityStatistics(string entityName) => throw null; public NHibernate.Stat.QueryStatistics GetQueryStatistics(string queryString) => throw null; public NHibernate.Stat.SecondLevelCacheStatistics GetSecondLevelCacheStatistics(string regionName) => throw null; public void InsertEntity(string entityName, System.TimeSpan time) => throw null; - public bool IsStatisticsEnabled { get => throw null; set => throw null; } + public bool IsStatisticsEnabled { get => throw null; set { } } public void LoadCollection(string role, System.TimeSpan time) => throw null; public void LoadEntity(string entityName, System.TimeSpan time) => throw null; public void LogSummary() => throw null; public void OpenSession() => throw null; - public System.TimeSpan OperationThreshold { get => throw null; set => throw null; } + public System.TimeSpan OperationThreshold { get => throw null; set { } } public void OptimisticFailure(string entityName) => throw null; - public System.Int64 OptimisticFailureCount { get => throw null; } + public long OptimisticFailureCount { get => throw null; } public void PrepareStatement() => throw null; - public System.Int64 PrepareStatementCount { get => throw null; } + public long PrepareStatementCount { get => throw null; } public string[] Queries { get => throw null; } public void QueryCacheHit(string hql, string regionName) => throw null; - public System.Int64 QueryCacheHitCount { get => throw null; } + public long QueryCacheHitCount { get => throw null; } public void QueryCacheMiss(string hql, string regionName) => throw null; - public System.Int64 QueryCacheMissCount { get => throw null; } + public long QueryCacheMissCount { get => throw null; } public void QueryCachePut(string hql, string regionName) => throw null; - public System.Int64 QueryCachePutCount { get => throw null; } + public long QueryCachePutCount { get => throw null; } public void QueryExecuted(string hql, int rows, System.TimeSpan time) => throw null; - public System.Int64 QueryExecutionCount { get => throw null; } + public long QueryExecutionCount { get => throw null; } public System.TimeSpan QueryExecutionMaxTime { get => throw null; } public string QueryExecutionMaxTimeQueryString { get => throw null; } public void RecreateCollection(string role, System.TimeSpan time) => throw null; public void RemoveCollection(string role, System.TimeSpan time) => throw null; public void SecondLevelCacheHit(string regionName) => throw null; - public System.Int64 SecondLevelCacheHitCount { get => throw null; } + public long SecondLevelCacheHitCount { get => throw null; } public void SecondLevelCacheMiss(string regionName) => throw null; - public System.Int64 SecondLevelCacheMissCount { get => throw null; } + public long SecondLevelCacheMissCount { get => throw null; } public void SecondLevelCachePut(string regionName) => throw null; - public System.Int64 SecondLevelCachePutCount { get => throw null; } + public long SecondLevelCachePutCount { get => throw null; } public string[] SecondLevelCacheRegionNames { get => throw null; } - public System.Int64 SessionCloseCount { get => throw null; } - public System.Int64 SessionOpenCount { get => throw null; } + public long SessionCloseCount { get => throw null; } + public long SessionOpenCount { get => throw null; } public System.DateTime StartTime { get => throw null; } - public StatisticsImpl(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; - public StatisticsImpl() => throw null; - public System.Int64 SuccessfulTransactionCount { get => throw null; } + public long SuccessfulTransactionCount { get => throw null; } public override string ToString() => throw null; - public System.Int64 TransactionCount { get => throw null; } + public long TransactionCount { get => throw null; } public void UpdateCollection(string role, System.TimeSpan time) => throw null; public void UpdateEntity(string entityName, System.TimeSpan time) => throw null; } - + } + public static partial class StatelessSessionBuilderExtensions + { + public static T Tenant(this T builder, string tenantIdentifier) where T : NHibernate.ISessionBuilder => throw null; + public static NHibernate.IStatelessSessionBuilder Tenant(this NHibernate.IStatelessSessionBuilder builder, NHibernate.MultiTenancy.TenantConfiguration tenantConfig) => throw null; + } + public static partial class StatelessSessionExtensions + { + public static void CancelQuery(this NHibernate.IStatelessSession session) => throw null; + public static NHibernate.Multi.IQueryBatch CreateQueryBatch(this NHibernate.IStatelessSession session) => throw null; + public static void FlushBatcher(this NHibernate.IStatelessSession session) => throw null; + public static System.Threading.Tasks.Task FlushBatcherAsync(this NHibernate.IStatelessSession session, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static T Get(this NHibernate.IStatelessSession session, string entityName, object id, NHibernate.LockMode lockMode) => throw null; + public static T Get(this NHibernate.IStatelessSession session, string entityName, object id) => throw null; + public static System.Threading.Tasks.Task GetAsync(this NHibernate.IStatelessSession session, string entityName, object id, NHibernate.LockMode lockMode, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static System.Threading.Tasks.Task GetAsync(this NHibernate.IStatelessSession session, string entityName, object id, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public static NHibernate.ITransaction GetCurrentTransaction(this NHibernate.IStatelessSession session) => throw null; } namespace Tool { namespace hbm2ddl { - // Generated from `NHibernate.Tool.hbm2ddl.DatabaseMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DatabaseMetadata : NHibernate.Tool.hbm2ddl.IDatabaseMetadata { - public DatabaseMetadata(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect, bool extras) => throw null; public DatabaseMetadata(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect) => throw null; + public DatabaseMetadata(System.Data.Common.DbConnection connection, NHibernate.Dialect.Dialect dialect, bool extras) => throw null; public NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(string name, string schema, string catalog, bool isQuoted) => throw null; public bool IsSequence(object key) => throw null; public bool IsTable(object key) => throw null; public override string ToString() => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.IConnectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IConnectionHelper { System.Data.Common.DbConnection Connection { get; } @@ -30961,16 +26789,12 @@ public interface IConnectionHelper System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken); void Release(); } - - // Generated from `NHibernate.Tool.hbm2ddl.IDatabaseMetadata` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IDatabaseMetadata { NHibernate.Dialect.Schema.ITableMetadata GetTableMetadata(string name, string schema, string catalog, bool isQuoted); bool IsSequence(object key); bool IsTable(object key); } - - // Generated from `NHibernate.Tool.hbm2ddl.ManagedProviderConnectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ManagedProviderConnectionHelper : NHibernate.Tool.hbm2ddl.IConnectionHelper { public System.Data.Common.DbConnection Connection { get => throw null; } @@ -30979,60 +26803,57 @@ public class ManagedProviderConnectionHelper : NHibernate.Tool.hbm2ddl.IConnecti public System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken) => throw null; public void Release() => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SchemaExport` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SchemaExport { - public void Create(bool useStdOut, bool execute, System.Data.Common.DbConnection connection) => throw null; public void Create(bool useStdOut, bool execute) => throw null; - public void Create(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection) => throw null; - public void Create(System.IO.TextWriter exportOutput, bool execute) => throw null; - public void Create(System.Action scriptAction, bool execute, System.Data.Common.DbConnection connection) => throw null; + public void Create(bool useStdOut, bool execute, System.Data.Common.DbConnection connection) => throw null; public void Create(System.Action scriptAction, bool execute) => throw null; + public void Create(System.Action scriptAction, bool execute, System.Data.Common.DbConnection connection) => throw null; + public void Create(System.IO.TextWriter exportOutput, bool execute) => throw null; + public void Create(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection) => throw null; public System.Threading.Tasks.Task CreateAsync(bool useStdOut, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task CreateAsync(bool useStdOut, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task CreateAsync(System.IO.TextWriter exportOutput, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task CreateAsync(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task CreateAsync(System.Action scriptAction, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task CreateAsync(System.Action scriptAction, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public void Drop(bool useStdOut, bool execute, System.Data.Common.DbConnection connection) => throw null; + public System.Threading.Tasks.Task CreateAsync(System.IO.TextWriter exportOutput, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task CreateAsync(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public SchemaExport(NHibernate.Cfg.Configuration cfg) => throw null; + public SchemaExport(NHibernate.Cfg.Configuration cfg, System.Collections.Generic.IDictionary configProperties) => throw null; public void Drop(bool useStdOut, bool execute) => throw null; - public void Drop(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection) => throw null; + public void Drop(bool useStdOut, bool execute, System.Data.Common.DbConnection connection) => throw null; public void Drop(System.IO.TextWriter exportOutput, bool execute) => throw null; + public void Drop(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection) => throw null; public System.Threading.Tasks.Task DropAsync(bool useStdOut, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task DropAsync(bool useStdOut, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task DropAsync(System.IO.TextWriter exportOutput, bool execute, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task DropAsync(System.IO.TextWriter exportOutput, bool execute, System.Data.Common.DbConnection connection, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public void Execute(bool useStdOut, bool execute, bool justDrop, System.Data.Common.DbConnection connection, System.IO.TextWriter exportOutput) => throw null; - public void Execute(bool useStdOut, bool execute, bool justDrop) => throw null; - public void Execute(System.Action scriptAction, bool execute, bool justDrop, System.IO.TextWriter exportOutput) => throw null; public void Execute(System.Action scriptAction, bool execute, bool justDrop, System.Data.Common.DbConnection connection, System.IO.TextWriter exportOutput) => throw null; + public void Execute(bool useStdOut, bool execute, bool justDrop) => throw null; public void Execute(System.Action scriptAction, bool execute, bool justDrop) => throw null; - public System.Threading.Tasks.Task ExecuteAsync(bool useStdOut, bool execute, bool justDrop, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public void Execute(System.Action scriptAction, bool execute, bool justDrop, System.IO.TextWriter exportOutput) => throw null; public System.Threading.Tasks.Task ExecuteAsync(bool useStdOut, bool execute, bool justDrop, System.Data.Common.DbConnection connection, System.IO.TextWriter exportOutput, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(System.Action scriptAction, bool execute, bool justDrop, System.Data.Common.DbConnection connection, System.IO.TextWriter exportOutput, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public System.Threading.Tasks.Task ExecuteAsync(bool useStdOut, bool execute, bool justDrop, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task ExecuteAsync(System.Action scriptAction, bool execute, bool justDrop, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public System.Threading.Tasks.Task ExecuteAsync(System.Action scriptAction, bool execute, bool justDrop, System.IO.TextWriter exportOutput, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public System.Threading.Tasks.Task ExecuteAsync(System.Action scriptAction, bool execute, bool justDrop, System.Data.Common.DbConnection connection, System.IO.TextWriter exportOutput, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public SchemaExport(NHibernate.Cfg.Configuration cfg, System.Collections.Generic.IDictionary configProperties) => throw null; - public SchemaExport(NHibernate.Cfg.Configuration cfg) => throw null; public NHibernate.Tool.hbm2ddl.SchemaExport SetDelimiter(string delimiter) => throw null; public NHibernate.Tool.hbm2ddl.SchemaExport SetOutputFile(string filename) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SchemaMetadataUpdater` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class SchemaMetadataUpdater { - public static void QuoteTableAndColumns(NHibernate.Cfg.Configuration configuration, NHibernate.Dialect.Dialect dialect) => throw null; public static void QuoteTableAndColumns(NHibernate.Cfg.Configuration configuration) => throw null; + public static void QuoteTableAndColumns(NHibernate.Cfg.Configuration configuration, NHibernate.Dialect.Dialect dialect) => throw null; public static void Update(NHibernate.Engine.ISessionFactoryImplementor sessionFactory) => throw null; public static void Update(NHibernate.Cfg.Configuration configuration, NHibernate.Dialect.Dialect dialect) => throw null; public static System.Threading.Tasks.Task UpdateAsync(NHibernate.Engine.ISessionFactoryImplementor sessionFactory, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task UpdateAsync(NHibernate.Cfg.Configuration configuration, NHibernate.Dialect.Dialect dialect, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SchemaUpdate` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SchemaUpdate { + public SchemaUpdate(NHibernate.Cfg.Configuration cfg) => throw null; + public SchemaUpdate(NHibernate.Cfg.Configuration cfg, System.Collections.Generic.IDictionary configProperties) => throw null; + public SchemaUpdate(NHibernate.Cfg.Configuration cfg, NHibernate.Cfg.Settings settings) => throw null; public System.Collections.Generic.IList Exceptions { get => throw null; } public void Execute(bool useStdOut, bool doUpdate) => throw null; public void Execute(System.Action scriptAction, bool doUpdate) => throw null; @@ -31040,77 +26861,61 @@ public class SchemaUpdate public System.Threading.Tasks.Task ExecuteAsync(System.Action scriptAction, bool doUpdate, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static void Main(string[] args) => throw null; public static System.Threading.Tasks.Task MainAsync(string[] args, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public SchemaUpdate(NHibernate.Cfg.Configuration cfg, System.Collections.Generic.IDictionary configProperties) => throw null; - public SchemaUpdate(NHibernate.Cfg.Configuration cfg, NHibernate.Cfg.Settings settings) => throw null; - public SchemaUpdate(NHibernate.Cfg.Configuration cfg) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SchemaValidator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SchemaValidator { - public static void Main(string[] args) => throw null; - public static System.Threading.Tasks.Task MainAsync(string[] args, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public SchemaValidator(NHibernate.Cfg.Configuration cfg) => throw null; public SchemaValidator(NHibernate.Cfg.Configuration cfg, System.Collections.Generic.IDictionary connectionProperties) => throw null; public SchemaValidator(NHibernate.Cfg.Configuration cfg, NHibernate.Cfg.Settings settings) => throw null; - public SchemaValidator(NHibernate.Cfg.Configuration cfg) => throw null; + public static void Main(string[] args) => throw null; + public static System.Threading.Tasks.Task MainAsync(string[] args, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public void Validate() => throw null; public System.Threading.Tasks.Task ValidateAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.ScriptSplitter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ScriptSplitter : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class ScriptSplitter : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public ScriptSplitter(string script) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public ScriptSplitter(string script) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SuppliedConnectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SuppliedConnectionHelper : NHibernate.Tool.hbm2ddl.IConnectionHelper { public System.Data.Common.DbConnection Connection { get => throw null; } + public SuppliedConnectionHelper(System.Data.Common.DbConnection connection) => throw null; public void Prepare() => throw null; public System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken) => throw null; public void Release() => throw null; - public SuppliedConnectionHelper(System.Data.Common.DbConnection connection) => throw null; } - - // Generated from `NHibernate.Tool.hbm2ddl.SuppliedConnectionProviderConnectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SuppliedConnectionProviderConnectionHelper : NHibernate.Tool.hbm2ddl.IConnectionHelper { public System.Data.Common.DbConnection Connection { get => throw null; } + public SuppliedConnectionProviderConnectionHelper(NHibernate.Connection.IConnectionProvider provider) => throw null; public void Prepare() => throw null; public System.Threading.Tasks.Task PrepareAsync(System.Threading.CancellationToken cancellationToken) => throw null; public void Release() => throw null; - public SuppliedConnectionProviderConnectionHelper(NHibernate.Connection.IConnectionProvider provider) => throw null; } - } } namespace Transaction { - // Generated from `NHibernate.Transaction.AdoNetTransactionFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AdoNetTransactionFactory : NHibernate.Transaction.ITransactionFactory { - public AdoNetTransactionFactory() => throw null; public virtual void Configure(System.Collections.Generic.IDictionary props) => throw null; public virtual NHibernate.ITransaction CreateTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; + public AdoNetTransactionFactory() => throw null; public virtual void EnlistInSystemTransactionIfNeeded(NHibernate.Engine.ISessionImplementor session) => throw null; public virtual void ExecuteWorkInIsolation(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Transaction.IIsolatedWork work, bool transacted) => throw null; public virtual System.Threading.Tasks.Task ExecuteWorkInIsolationAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Transaction.IIsolatedWork work, bool transacted, System.Threading.CancellationToken cancellationToken) => throw null; public virtual void ExplicitJoinSystemTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; public virtual bool IsInActiveSystemTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; } - - // Generated from `NHibernate.Transaction.AdoNetWithSystemTransactionFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AdoNetWithSystemTransactionFactory : NHibernate.Transaction.AdoNetTransactionFactory { - public AdoNetWithSystemTransactionFactory() => throw null; public override void Configure(System.Collections.Generic.IDictionary props) => throw null; protected virtual NHibernate.Transaction.ITransactionContext CreateAndEnlistMainContext(NHibernate.Engine.ISessionImplementor session, System.Transactions.Transaction transaction) => throw null; protected virtual NHibernate.Transaction.ITransactionContext CreateDependentContext(NHibernate.Engine.ISessionImplementor dependentSession, NHibernate.Transaction.ITransactionContext mainContext) => throw null; - // Generated from `NHibernate.Transaction.AdoNetWithSystemTransactionFactory+DependentContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DependentContext : System.IDisposable, NHibernate.Transaction.ITransactionContext + public AdoNetWithSystemTransactionFactory() => throw null; + public class DependentContext : NHibernate.Transaction.ITransactionContext, System.IDisposable { public virtual bool CanFlushOnSystemTransactionCompleted { get => throw null; } public DependentContext(NHibernate.Transaction.ITransactionContext mainTransactionContext) => throw null; @@ -31118,88 +26923,72 @@ public class DependentContext : System.IDisposable, NHibernate.Transaction.ITran protected virtual void Dispose(bool disposing) => throw null; public bool IsInActiveTransaction { get => throw null; } protected NHibernate.Transaction.ITransactionContext MainTransactionContext { get => throw null; } - public bool ShouldCloseSessionOnSystemTransactionCompleted { get => throw null; set => throw null; } + public bool ShouldCloseSessionOnSystemTransactionCompleted { get => throw null; set { } } public virtual void Wait() => throw null; } - - public override void EnlistInSystemTransactionIfNeeded(NHibernate.Engine.ISessionImplementor session) => throw null; public override void ExecuteWorkInIsolation(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Transaction.IIsolatedWork work, bool transacted) => throw null; public override System.Threading.Tasks.Task ExecuteWorkInIsolationAsync(NHibernate.Engine.ISessionImplementor session, NHibernate.Engine.Transaction.IIsolatedWork work, bool transacted, System.Threading.CancellationToken cancellationToken) => throw null; public override void ExplicitJoinSystemTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsInActiveSystemTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; protected virtual void JoinSystemTransaction(NHibernate.Engine.ISessionImplementor session, System.Transactions.Transaction transaction) => throw null; - protected int SystemTransactionCompletionLockTimeout { get => throw null; set => throw null; } - // Generated from `NHibernate.Transaction.AdoNetWithSystemTransactionFactory+SystemTransactionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SystemTransactionContext : System.Transactions.IEnlistmentNotification, System.IDisposable, NHibernate.Transaction.ITransactionContext + protected int SystemTransactionCompletionLockTimeout { get => throw null; } + public class SystemTransactionContext : NHibernate.Transaction.ITransactionContext, System.IDisposable, System.Transactions.IEnlistmentNotification { public virtual bool CanFlushOnSystemTransactionCompleted { get => throw null; } void System.Transactions.IEnlistmentNotification.Commit(System.Transactions.Enlistment enlistment) => throw null; protected virtual void CompleteTransaction(bool isCommitted) => throw null; + public SystemTransactionContext(NHibernate.Engine.ISessionImplementor session, System.Transactions.Transaction transaction, int systemTransactionCompletionLockTimeout, bool useConnectionOnSystemTransactionPrepare) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - protected internal System.Transactions.Transaction EnlistedTransaction { get => throw null; } + protected System.Transactions.Transaction EnlistedTransaction { get => throw null; } protected System.Transactions.TransactionStatus? GetTransactionStatus() => throw null; void System.Transactions.IEnlistmentNotification.InDoubt(System.Transactions.Enlistment enlistment) => throw null; - public bool IsInActiveTransaction { get => throw null; set => throw null; } + public bool IsInActiveTransaction { get => throw null; set { } } protected virtual void Lock() => throw null; public virtual void Prepare(System.Transactions.PreparingEnlistment preparingEnlistment) => throw null; protected virtual void ProcessSecondPhase(System.Transactions.Enlistment enlistment, bool? success) => throw null; void System.Transactions.IEnlistmentNotification.Rollback(System.Transactions.Enlistment enlistment) => throw null; - public bool ShouldCloseSessionOnSystemTransactionCompleted { get => throw null; set => throw null; } - public SystemTransactionContext(NHibernate.Engine.ISessionImplementor session, System.Transactions.Transaction transaction, int systemTransactionCompletionLockTimeout, bool useConnectionOnSystemTransactionPrepare) => throw null; + public bool ShouldCloseSessionOnSystemTransactionCompleted { get => throw null; set { } } protected virtual void Unlock() => throw null; public virtual void Wait() => throw null; } - - - protected bool UseConnectionOnSystemTransactionPrepare { get => throw null; set => throw null; } + protected bool UseConnectionOnSystemTransactionPrepare { get => throw null; } } - - // Generated from `NHibernate.Transaction.AdoTransaction` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AdoTransaction : System.IDisposable, NHibernate.ITransaction + public class AdoTransaction : NHibernate.ITransaction, System.IDisposable { - public AdoTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; - public void Begin(System.Data.IsolationLevel isolationLevel) => throw null; public void Begin() => throw null; + public void Begin(System.Data.IsolationLevel isolationLevel) => throw null; public void Commit() => throw null; public System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; + public AdoTransaction(NHibernate.Engine.ISessionImplementor session) => throw null; public void Dispose() => throw null; protected virtual void Dispose(bool isDisposing) => throw null; protected virtual System.Threading.Tasks.Task DisposeAsync(bool isDisposing, System.Threading.CancellationToken cancellationToken) => throw null; public void Enlist(System.Data.Common.DbCommand command) => throw null; public bool IsActive { get => throw null; } public System.Data.IsolationLevel IsolationLevel { get => throw null; } - public void RegisterSynchronization(NHibernate.Transaction.ITransactionCompletionSynchronization synchronization) => throw null; public void RegisterSynchronization(NHibernate.Transaction.ISynchronization sync) => throw null; + public void RegisterSynchronization(NHibernate.Transaction.ITransactionCompletionSynchronization synchronization) => throw null; public void Rollback() => throw null; public System.Threading.Tasks.Task RollbackAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public bool WasCommitted { get => throw null; } public bool WasRolledBack { get => throw null; } - // ERR: Stub generator didn't handle member: ~AdoTransaction } - - // Generated from `NHibernate.Transaction.AfterTransactionCompletes` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AfterTransactionCompletes : NHibernate.Transaction.ISynchronization { public void AfterCompletion(bool success) => throw null; - public AfterTransactionCompletes(System.Action whenCompleted) => throw null; public void BeforeCompletion() => throw null; + public AfterTransactionCompletes(System.Action whenCompleted) => throw null; } - - // Generated from `NHibernate.Transaction.ISynchronization` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ISynchronization { void AfterCompletion(bool success); void BeforeCompletion(); } - - // Generated from `NHibernate.Transaction.ITransactionCompletionSynchronization` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ITransactionCompletionSynchronization : NHibernate.Action.IBeforeTransactionCompletionProcess, NHibernate.Action.IAfterTransactionCompletionProcess { } - - // Generated from `NHibernate.Transaction.ITransactionContext` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ITransactionContext : System.IDisposable { bool CanFlushOnSystemTransactionCompleted { get; } @@ -31207,8 +26996,6 @@ public interface ITransactionContext : System.IDisposable bool ShouldCloseSessionOnSystemTransactionCompleted { get; set; } void Wait(); } - - // Generated from `NHibernate.Transaction.ITransactionFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ITransactionFactory { void Configure(System.Collections.Generic.IDictionary props); @@ -31219,35 +27006,50 @@ public interface ITransactionFactory void ExplicitJoinSystemTransaction(NHibernate.Engine.ISessionImplementor session); bool IsInActiveSystemTransaction(NHibernate.Engine.ISessionImplementor session); } - + } + public class TransactionException : NHibernate.HibernateException + { + public TransactionException(string message) => throw null; + public TransactionException(string message, System.Exception innerException) => throw null; + protected TransactionException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public static partial class TransactionExtensions + { + public static void RegisterSynchronization(this NHibernate.ITransaction transaction, NHibernate.Transaction.ITransactionCompletionSynchronization synchronization) => throw null; } namespace Transform { - // Generated from `NHibernate.Transform.AliasToBeanConstructorResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public abstract class AliasedTupleSubsetResultTransformer : NHibernate.Transform.ITupleSubsetResultTransformer, NHibernate.Transform.IResultTransformer + { + protected AliasedTupleSubsetResultTransformer() => throw null; + public bool[] IncludeInTransform(string[] aliases, int tupleLength) => throw null; + public abstract bool IsTransformedValueATupleElement(string[] aliases, int tupleLength); + public abstract System.Collections.IList TransformList(System.Collections.IList collection); + public abstract object TransformTuple(object[] tuple, string[] aliases); + } public class AliasToBeanConstructorResultTransformer : NHibernate.Transform.IResultTransformer { public AliasToBeanConstructorResultTransformer(System.Reflection.ConstructorInfo constructor) => throw null; - public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Transform.AliasToBeanConstructorResultTransformer other) => throw null; + public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public System.Collections.IList TransformList(System.Collections.IList collection) => throw null; public object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.AliasToBeanResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AliasToBeanResultTransformer : NHibernate.Transform.AliasedTupleSubsetResultTransformer, System.IEquatable { + protected System.Reflection.ConstructorInfo BeanConstructor { get => throw null; } public AliasToBeanResultTransformer(System.Type resultClass) => throw null; public override bool Equals(object obj) => throw null; public bool Equals(NHibernate.Transform.AliasToBeanResultTransformer other) => throw null; public override int GetHashCode() => throw null; public override bool IsTransformedValueATupleElement(string[] aliases, int tupleLength) => throw null; protected virtual void OnPropertyNotFound(string propertyName) => throw null; + protected System.Type ResultClass { get => throw null; } + protected void SetProperty(string alias, object value, object resultObj) => throw null; public override System.Collections.IList TransformList(System.Collections.IList collection) => throw null; public override object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.AliasToEntityMapResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AliasToEntityMapResultTransformer : NHibernate.Transform.AliasedTupleSubsetResultTransformer { public AliasToEntityMapResultTransformer() => throw null; @@ -31257,24 +27059,13 @@ public class AliasToEntityMapResultTransformer : NHibernate.Transform.AliasedTup public override System.Collections.IList TransformList(System.Collections.IList collection) => throw null; public override object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.AliasedTupleSubsetResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AliasedTupleSubsetResultTransformer : NHibernate.Transform.ITupleSubsetResultTransformer, NHibernate.Transform.IResultTransformer - { - protected AliasedTupleSubsetResultTransformer() => throw null; - public bool[] IncludeInTransform(string[] aliases, int tupleLength) => throw null; - public abstract bool IsTransformedValueATupleElement(string[] aliases, int tupleLength); - public abstract System.Collections.IList TransformList(System.Collections.IList collection); - public abstract object TransformTuple(object[] tuple, string[] aliases); - } - - // Generated from `NHibernate.Transform.CacheableResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CacheableResultTransformer : NHibernate.Transform.IResultTransformer { + public string[] AutoDiscoveredAliases { get => throw null; } public bool AutoDiscoverTypes { get => throw null; } - public static NHibernate.Transform.CacheableResultTransformer Create(NHibernate.Transform.IResultTransformer transformer, string[] aliases, bool[] includeInTuple, bool autoDiscoverTypes, NHibernate.SqlCommand.SqlString autoDiscoveredQuery, bool skipTransformer) => throw null; - public static NHibernate.Transform.CacheableResultTransformer Create(NHibernate.Transform.IResultTransformer transformer, string[] aliases, bool[] includeInTuple, bool autoDiscoverTypes, NHibernate.SqlCommand.SqlString autoDiscoveredQuery) => throw null; public static NHibernate.Transform.CacheableResultTransformer Create(NHibernate.Transform.IResultTransformer transformer, string[] aliases, bool[] includeInTuple) => throw null; + public static NHibernate.Transform.CacheableResultTransformer Create(NHibernate.Transform.IResultTransformer transformer, string[] aliases, bool[] includeInTuple, bool autoDiscoverTypes, NHibernate.SqlCommand.SqlString autoDiscoveredQuery) => throw null; + public static NHibernate.Transform.CacheableResultTransformer Create(NHibernate.Transform.IResultTransformer transformer, string[] aliases, bool[] includeInTuple, bool autoDiscoverTypes, NHibernate.SqlCommand.SqlString autoDiscoveredQuery, bool skipTransformer) => throw null; public override bool Equals(object o) => throw null; public NHibernate.Type.IType[] GetCachedResultTypes(NHibernate.Type.IType[] tupleResultTypes) => throw null; public override int GetHashCode() => throw null; @@ -31283,9 +27074,7 @@ public class CacheableResultTransformer : NHibernate.Transform.IResultTransforme public object TransformTuple(object[] tuple, string[] aliases) => throw null; public System.Collections.IList UntransformToTuples(System.Collections.IList results) => throw null; } - - // Generated from `NHibernate.Transform.DistinctRootEntityResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DistinctRootEntityResultTransformer : NHibernate.Transform.ITupleSubsetResultTransformer, NHibernate.Transform.IResultTransformer + public class DistinctRootEntityResultTransformer : NHibernate.Transform.IResultTransformer, NHibernate.Transform.ITupleSubsetResultTransformer { public DistinctRootEntityResultTransformer() => throw null; public override bool Equals(object obj) => throw null; @@ -31295,273 +27084,158 @@ public class DistinctRootEntityResultTransformer : NHibernate.Transform.ITupleSu public System.Collections.IList TransformList(System.Collections.IList list) => throw null; public object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.IResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IResultTransformer { System.Collections.IList TransformList(System.Collections.IList collection); object TransformTuple(object[] tuple, string[] aliases); } - - // Generated from `NHibernate.Transform.ITupleSubsetResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ITupleSubsetResultTransformer : NHibernate.Transform.IResultTransformer { bool[] IncludeInTransform(string[] aliases, int tupleLength); bool IsTransformedValueATupleElement(string[] aliases, int tupleLength); } - - // Generated from `NHibernate.Transform.PassThroughResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PassThroughResultTransformer : NHibernate.Transform.ITupleSubsetResultTransformer, NHibernate.Transform.IResultTransformer + public class PassThroughResultTransformer : NHibernate.Transform.IResultTransformer, NHibernate.Transform.ITupleSubsetResultTransformer { + public PassThroughResultTransformer() => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool[] IncludeInTransform(string[] aliases, int tupleLength) => throw null; public bool IsTransformedValueATupleElement(string[] aliases, int tupleLength) => throw null; - public PassThroughResultTransformer() => throw null; public System.Collections.IList TransformList(System.Collections.IList collection) => throw null; public object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.RootEntityResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class RootEntityResultTransformer : NHibernate.Transform.ITupleSubsetResultTransformer, NHibernate.Transform.IResultTransformer + public class RootEntityResultTransformer : NHibernate.Transform.IResultTransformer, NHibernate.Transform.ITupleSubsetResultTransformer { + public RootEntityResultTransformer() => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool[] IncludeInTransform(string[] aliases, int tupleLength) => throw null; public bool IsTransformedValueATupleElement(string[] aliases, int tupleLength) => throw null; - public RootEntityResultTransformer() => throw null; public System.Collections.IList TransformList(System.Collections.IList collection) => throw null; public object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.ToListResultTransformer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ToListResultTransformer : NHibernate.Transform.IResultTransformer { + public ToListResultTransformer() => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public ToListResultTransformer() => throw null; public System.Collections.IList TransformList(System.Collections.IList list) => throw null; public object TransformTuple(object[] tuple, string[] aliases) => throw null; } - - // Generated from `NHibernate.Transform.Transformers` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class Transformers { - public static NHibernate.Transform.IResultTransformer AliasToBean() => throw null; public static NHibernate.Transform.IResultTransformer AliasToBean(System.Type target) => throw null; - public static NHibernate.Transform.IResultTransformer AliasToBeanConstructor(System.Reflection.ConstructorInfo constructor) => throw null; - public static NHibernate.Transform.IResultTransformer AliasToEntityMap; - public static NHibernate.Transform.IResultTransformer DistinctRootEntity; - public static NHibernate.Transform.IResultTransformer PassThrough; - public static NHibernate.Transform.IResultTransformer RootEntity; - public static NHibernate.Transform.ToListResultTransformer ToList; - } - - } - namespace Tuple - { - // Generated from `NHibernate.Tuple.DynamicEntityInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynamicEntityInstantiator : NHibernate.Tuple.IInstantiator - { - public DynamicEntityInstantiator(NHibernate.Mapping.PersistentClass mappingInfo) => throw null; - public object Instantiate(object id) => throw null; - public object Instantiate() => throw null; - public bool IsInstance(object obj) => throw null; - public const string Key = default; - } - - // Generated from `NHibernate.Tuple.DynamicMapInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynamicMapInstantiator : NHibernate.Tuple.IInstantiator - { - public DynamicMapInstantiator(NHibernate.Mapping.PersistentClass mappingInfo) => throw null; - public DynamicMapInstantiator() => throw null; - protected virtual System.Collections.IDictionary GenerateMap() => throw null; - public object Instantiate(object id) => throw null; - public object Instantiate() => throw null; - public bool IsInstance(object obj) => throw null; - public const string KEY = default; - } - - // Generated from `NHibernate.Tuple.IInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IInstantiator - { - object Instantiate(object id); - object Instantiate(); - bool IsInstance(object obj); - } - - // Generated from `NHibernate.Tuple.ITuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface ITuplizer - { - object GetPropertyValue(object entity, int i); - object[] GetPropertyValues(object entity); - object Instantiate(); - bool IsInstance(object obj); - System.Type MappedClass { get; } - void SetPropertyValues(object entity, object[] values); - } - - // Generated from `NHibernate.Tuple.IdentifierProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentifierProperty : NHibernate.Tuple.Property - { - public bool HasIdentifierMapper { get => throw null; } - public NHibernate.Id.IIdentifierGenerator IdentifierGenerator { get => throw null; } - public IdentifierProperty(string name, NHibernate.Type.IType type, bool embedded, NHibernate.Engine.IdentifierValue unsavedValue, NHibernate.Id.IIdentifierGenerator identifierGenerator) : base(default(string), default(NHibernate.Type.IType)) => throw null; - public IdentifierProperty(NHibernate.Type.IType type, bool embedded, bool hasIdentifierMapper, NHibernate.Engine.IdentifierValue unsavedValue, NHibernate.Id.IIdentifierGenerator identifierGenerator) : base(default(string), default(NHibernate.Type.IType)) => throw null; - public bool IsEmbedded { get => throw null; } - public bool IsIdentifierAssignedByInsert { get => throw null; } - public bool IsVirtual { get => throw null; } - public NHibernate.Engine.IdentifierValue UnsavedValue { get => throw null; } - } - - // Generated from `NHibernate.Tuple.PocoInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PocoInstantiator : System.Runtime.Serialization.IDeserializationCallback, NHibernate.Tuple.IInstantiator - { - protected virtual object CreateInstance() => throw null; - public object Instantiate(object id) => throw null; - public object Instantiate() => throw null; - public virtual bool IsInstance(object obj) => throw null; - public void OnDeserialization(object sender) => throw null; - public PocoInstantiator(System.Type mappedClass, NHibernate.Bytecode.IInstantiationOptimizer optimizer, bool embeddedIdentifier) => throw null; - public PocoInstantiator(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Bytecode.IInstantiationOptimizer optimizer, NHibernate.Proxy.IProxyFactory proxyFactory, bool generateFieldInterceptionProxy) => throw null; - public PocoInstantiator(NHibernate.Mapping.Component component, NHibernate.Bytecode.IInstantiationOptimizer optimizer) => throw null; - public PocoInstantiator() => throw null; - public void SetOptimizer(NHibernate.Bytecode.IInstantiationOptimizer optimizer) => throw null; - } - - // Generated from `NHibernate.Tuple.Property` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class Property - { - public string Name { get => throw null; } - protected Property(string name, NHibernate.Type.IType type) => throw null; - public override string ToString() => throw null; - public NHibernate.Type.IType Type { get => throw null; } - } - - // Generated from `NHibernate.Tuple.PropertyFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class PropertyFactory - { - public static NHibernate.Tuple.IdentifierProperty BuildIdentifierProperty(NHibernate.Mapping.PersistentClass mappedEntity, NHibernate.Id.IIdentifierGenerator generator) => throw null; - public static NHibernate.Tuple.StandardProperty BuildStandardProperty(NHibernate.Mapping.Property property, bool lazyAvailable) => throw null; - public static NHibernate.Tuple.VersionProperty BuildVersionProperty(NHibernate.Mapping.Property property, bool lazyAvailable) => throw null; - public PropertyFactory() => throw null; - } - - // Generated from `NHibernate.Tuple.StandardProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StandardProperty : NHibernate.Tuple.Property - { - public NHibernate.Engine.CascadeStyle CascadeStyle { get => throw null; } - public NHibernate.FetchMode? FetchMode { get => throw null; } - public bool IsDirtyCheckable(bool hasUninitializedProperties) => throw null; - public bool IsDirtyCheckable() => throw null; - public bool IsInsertGenerated { get => throw null; } - public bool IsInsertable { get => throw null; } - public bool IsLazy { get => throw null; } - public bool IsNullable { get => throw null; } - public bool IsUpdateGenerated { get => throw null; } - public bool IsUpdateable { get => throw null; } - public bool IsVersionable { get => throw null; } - public StandardProperty(string name, NHibernate.Type.IType type, bool lazy, bool insertable, bool updateable, bool insertGenerated, bool updateGenerated, bool nullable, bool checkable, bool versionable, NHibernate.Engine.CascadeStyle cascadeStyle, NHibernate.FetchMode? fetchMode) : base(default(string), default(NHibernate.Type.IType)) => throw null; - } - - // Generated from `NHibernate.Tuple.VersionProperty` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class VersionProperty : NHibernate.Tuple.StandardProperty - { - public NHibernate.Engine.VersionValue UnsavedValue { get => throw null; } - public VersionProperty(string name, NHibernate.Type.IType type, bool lazy, bool insertable, bool updateable, bool insertGenerated, bool updateGenerated, bool nullable, bool checkable, bool versionable, NHibernate.Engine.CascadeStyle cascadeStyle, NHibernate.Engine.VersionValue unsavedValue) : base(default(string), default(NHibernate.Type.IType), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(NHibernate.Engine.CascadeStyle), default(NHibernate.FetchMode?)) => throw null; + public static NHibernate.Transform.IResultTransformer AliasToBean() => throw null; + public static NHibernate.Transform.IResultTransformer AliasToBeanConstructor(System.Reflection.ConstructorInfo constructor) => throw null; + public static NHibernate.Transform.IResultTransformer AliasToEntityMap; + public static NHibernate.Transform.IResultTransformer DistinctRootEntity; + public static NHibernate.Transform.IResultTransformer PassThrough; + public static NHibernate.Transform.IResultTransformer RootEntity; + public static NHibernate.Transform.ToListResultTransformer ToList; } - + } + public class TransientObjectException : NHibernate.HibernateException + { + public TransientObjectException(string message) => throw null; + protected TransientObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + namespace Tuple + { namespace Component { - // Generated from `NHibernate.Tuple.Component.AbstractComponentTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractComponentTuplizer : NHibernate.Tuple.ITuplizer, NHibernate.Tuple.Component.IComponentTuplizer + public abstract class AbstractComponentTuplizer : NHibernate.Tuple.Component.IComponentTuplizer, NHibernate.Tuple.ITuplizer { - protected internal AbstractComponentTuplizer(NHibernate.Mapping.Component component) => throw null; - protected internal abstract NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop); - protected internal abstract NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component); - protected internal abstract NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop); + protected abstract NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop); + protected abstract NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component); + protected abstract NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop); + protected AbstractComponentTuplizer(NHibernate.Mapping.Component component) => throw null; public virtual object GetParent(object component) => throw null; public virtual object GetPropertyValue(object component, int i) => throw null; public virtual object[] GetPropertyValues(object component) => throw null; + protected NHibernate.Properties.IGetter[] getters; + protected bool hasCustomAccessors; public virtual bool HasParentProperty { get => throw null; } public virtual object Instantiate() => throw null; + protected NHibernate.Tuple.IInstantiator instantiator; public virtual bool IsInstance(object obj) => throw null; public abstract System.Type MappedClass { get; } + protected int propertySpan; public virtual void SetParent(object component, object parent, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual void SetPropertyValues(object component, object[] values) => throw null; - protected internal NHibernate.Properties.IGetter[] getters; - protected internal bool hasCustomAccessors; - protected internal NHibernate.Tuple.IInstantiator instantiator; - protected internal int propertySpan; - protected internal NHibernate.Properties.ISetter[] setters; - } - - // Generated from `NHibernate.Tuple.Component.ComponentMetamodel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + protected NHibernate.Properties.ISetter[] setters; + } public class ComponentMetamodel { - public ComponentMetamodel(NHibernate.Mapping.Component component) => throw null; public NHibernate.Tuple.Component.IComponentTuplizer ComponentTuplizer { get => throw null; } + public ComponentMetamodel(NHibernate.Mapping.Component component) => throw null; public NHibernate.EntityMode EntityMode { get => throw null; } - public NHibernate.Tuple.StandardProperty GetProperty(string propertyName) => throw null; public NHibernate.Tuple.StandardProperty GetProperty(int index) => throw null; + public NHibernate.Tuple.StandardProperty GetProperty(string propertyName) => throw null; public int GetPropertyIndex(string propertyName) => throw null; public bool IsKey { get => throw null; } public NHibernate.Tuple.StandardProperty[] Properties { get => throw null; } public int PropertySpan { get => throw null; } public string Role { get => throw null; } } - - // Generated from `NHibernate.Tuple.Component.ComponentTuplizerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ComponentTuplizerFactory { public NHibernate.Tuple.Component.IComponentTuplizer BuildComponentTuplizer(string tuplizerImpl, NHibernate.Mapping.Component component) => throw null; public NHibernate.Tuple.Component.IComponentTuplizer BuildDefaultComponentTuplizer(NHibernate.EntityMode entityMode, NHibernate.Mapping.Component component) => throw null; public ComponentTuplizerFactory() => throw null; } - - // Generated from `NHibernate.Tuple.Component.DynamicMapComponentTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DynamicMapComponentTuplizer : NHibernate.Tuple.Component.AbstractComponentTuplizer { - protected internal override NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; - protected internal override NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component) => throw null; - protected internal override NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; + protected override NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; + protected override NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component) => throw null; + protected override NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; public DynamicMapComponentTuplizer(NHibernate.Mapping.Component component) : base(default(NHibernate.Mapping.Component)) => throw null; public override System.Type MappedClass { get => throw null; } } - - // Generated from `NHibernate.Tuple.Component.IComponentTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IComponentTuplizer : NHibernate.Tuple.ITuplizer { object GetParent(object component); bool HasParentProperty { get; } void SetParent(object component, object parent, NHibernate.Engine.ISessionFactoryImplementor factory); } - - // Generated from `NHibernate.Tuple.Component.PocoComponentTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PocoComponentTuplizer : NHibernate.Tuple.Component.AbstractComponentTuplizer { - protected internal override NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; - protected internal override NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component) => throw null; - protected internal override NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; + protected override NHibernate.Properties.IGetter BuildGetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; + protected override NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.Component component) => throw null; + protected override NHibernate.Properties.ISetter BuildSetter(NHibernate.Mapping.Component component, NHibernate.Mapping.Property prop) => throw null; protected void ClearOptimizerWhenUsingCustomAccessors() => throw null; + public PocoComponentTuplizer(NHibernate.Mapping.Component component) : base(default(NHibernate.Mapping.Component)) => throw null; public override object GetParent(object component) => throw null; public override object GetPropertyValue(object component, int i) => throw null; public override object[] GetPropertyValues(object component) => throw null; public override bool HasParentProperty { get => throw null; } public override System.Type MappedClass { get => throw null; } - public PocoComponentTuplizer(NHibernate.Mapping.Component component) : base(default(NHibernate.Mapping.Component)) => throw null; public override void SetParent(object component, object parent, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override void SetPropertyValues(object component, object[] values) => throw null; protected void SetReflectionOptimizer() => throw null; } - + } + public class DynamicEntityInstantiator : NHibernate.Tuple.IInstantiator + { + public DynamicEntityInstantiator(NHibernate.Mapping.PersistentClass mappingInfo) => throw null; + public object Instantiate(object id) => throw null; + public object Instantiate() => throw null; + public bool IsInstance(object obj) => throw null; + public static string Key; + } + public class DynamicMapInstantiator : NHibernate.Tuple.IInstantiator + { + public DynamicMapInstantiator() => throw null; + public DynamicMapInstantiator(NHibernate.Mapping.PersistentClass mappingInfo) => throw null; + protected virtual System.Collections.IDictionary GenerateMap() => throw null; + public object Instantiate(object id) => throw null; + public object Instantiate() => throw null; + public bool IsInstance(object obj) => throw null; + public static string KEY; } namespace Entity { - // Generated from `NHibernate.Tuple.Entity.AbstractEntityTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEntityTuplizer : NHibernate.Tuple.ITuplizer, NHibernate.Tuple.Entity.IEntityTuplizer + public abstract class AbstractEntityTuplizer : NHibernate.Tuple.Entity.IEntityTuplizer, NHibernate.Tuple.ITuplizer { - protected AbstractEntityTuplizer(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass mappingInfo) => throw null; public virtual void AfterInitialize(object entity, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual void AfterInitialize(object entity, NHibernate.Engine.ISessionImplementor session) => throw null; protected abstract NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.PersistentClass mappingInfo); @@ -31570,60 +27244,57 @@ public abstract class AbstractEntityTuplizer : NHibernate.Tuple.ITuplizer, NHibe protected abstract NHibernate.Proxy.IProxyFactory BuildProxyFactory(NHibernate.Mapping.PersistentClass mappingInfo, NHibernate.Properties.IGetter idGetter, NHibernate.Properties.ISetter idSetter); public abstract System.Type ConcreteProxyClass { get; } public object CreateProxy(object id, NHibernate.Engine.ISessionImplementor session) => throw null; + protected AbstractEntityTuplizer(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass mappingInfo) => throw null; protected NHibernate.Tuple.Entity.EntityMetamodel EntityMetamodel { get => throw null; } public abstract NHibernate.EntityMode EntityMode { get; } protected virtual string EntityName { get => throw null; } protected virtual object GetComponentValue(NHibernate.Type.ComponentType type, object component, string propertyPath) => throw null; public object GetIdentifier(object entity) => throw null; protected virtual object GetIdentifierPropertyValue(object entity) => throw null; - public virtual object GetPropertyValue(object entity, int i) => throw null; public object GetPropertyValue(object entity, string propertyPath) => throw null; + public virtual object GetPropertyValue(object entity, int i) => throw null; public virtual object[] GetPropertyValues(object entity) => throw null; public virtual object[] GetPropertyValuesToInsert(object entity, System.Collections.IDictionary mergeMap, NHibernate.Engine.ISessionImplementor session) => throw null; + protected NHibernate.Properties.IGetter[] getters; public object GetVersion(object entity) => throw null; + protected bool hasCustomAccessors; public bool HasProxy { get => throw null; } public virtual bool HasUninitializedLazyProperties(object entity) => throw null; + protected NHibernate.Properties.IGetter idGetter; + protected NHibernate.Properties.ISetter idSetter; public object Instantiate(object id) => throw null; public object Instantiate() => throw null; - protected virtual NHibernate.Tuple.IInstantiator Instantiator { get => throw null; set => throw null; } + protected virtual NHibernate.Tuple.IInstantiator Instantiator { get => throw null; set { } } public bool IsInstance(object obj) => throw null; public abstract bool IsInstrumented { get; } public virtual bool IsLifecycleImplementor { get => throw null; } public virtual bool IsValidatableImplementor { get => throw null; } public abstract System.Type MappedClass { get; } + protected int propertySpan; protected virtual NHibernate.Proxy.IProxyFactory ProxyFactory { get => throw null; } public void ResetIdentifier(object entity, object currentId, object currentVersion) => throw null; public void SetIdentifier(object entity, object id) => throw null; protected virtual void SetIdentifierPropertyValue(object entity, object value) => throw null; - public void SetPropertyValue(object entity, string propertyName, object value) => throw null; public virtual void SetPropertyValue(object entity, int i, object value) => throw null; + public void SetPropertyValue(object entity, string propertyName, object value) => throw null; public virtual void SetPropertyValues(object entity, object[] values) => throw null; + protected NHibernate.Properties.ISetter[] setters; protected virtual bool ShouldGetAllProperties(object entity) => throw null; protected virtual System.Collections.Generic.ISet SubclassEntityNames { get => throw null; } - protected NHibernate.Properties.IGetter[] getters; - protected bool hasCustomAccessors; - protected NHibernate.Properties.IGetter idGetter; - protected NHibernate.Properties.ISetter idSetter; - protected int propertySpan; - protected NHibernate.Properties.ISetter[] setters; } - - // Generated from `NHibernate.Tuple.Entity.BytecodeEnhancementMetadataNonPocoImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BytecodeEnhancementMetadataNonPocoImpl : NHibernate.Bytecode.IBytecodeEnhancementMetadata { public BytecodeEnhancementMetadataNonPocoImpl(string entityName) => throw null; public bool EnhancedForLazyLoading { get => throw null; } public string EntityName { get => throw null; } public NHibernate.Intercept.IFieldInterceptor ExtractInterceptor(object entity) => throw null; - public System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState) => throw null; public System.Collections.Generic.ISet GetUninitializedLazyProperties(object entity) => throw null; + public System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState) => throw null; public bool HasAnyUninitializedLazyProperties(object entity) => throw null; public NHibernate.Intercept.IFieldInterceptor InjectInterceptor(object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public NHibernate.Bytecode.LazyPropertiesMetadata LazyPropertiesMetadata { get => throw null; } public NHibernate.Bytecode.UnwrapProxyPropertiesMetadata UnwrapProxyPropertiesMetadata { get => throw null; } } - - // Generated from `NHibernate.Tuple.Entity.BytecodeEnhancementMetadataPocoImpl` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BytecodeEnhancementMetadataPocoImpl : NHibernate.Bytecode.IBytecodeEnhancementMetadata { public BytecodeEnhancementMetadataPocoImpl(string entityName, System.Type entityType, bool enhancedForLazyLoading, NHibernate.Bytecode.LazyPropertiesMetadata lazyPropertiesMetadata, NHibernate.Bytecode.UnwrapProxyPropertiesMetadata unwrapProxyPropertiesMetadata) => throw null; @@ -31631,15 +27302,13 @@ public class BytecodeEnhancementMetadataPocoImpl : NHibernate.Bytecode.IBytecode public string EntityName { get => throw null; } public NHibernate.Intercept.IFieldInterceptor ExtractInterceptor(object entity) => throw null; public static NHibernate.Bytecode.IBytecodeEnhancementMetadata From(NHibernate.Mapping.PersistentClass persistentClass, System.Collections.Generic.ICollection lazyPropertyDescriptors, System.Collections.Generic.ICollection unwrapProxyPropertyDescriptors) => throw null; - public System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState) => throw null; public System.Collections.Generic.ISet GetUninitializedLazyProperties(object entity) => throw null; + public System.Collections.Generic.ISet GetUninitializedLazyProperties(object[] entityState) => throw null; public bool HasAnyUninitializedLazyProperties(object entity) => throw null; public NHibernate.Intercept.IFieldInterceptor InjectInterceptor(object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public NHibernate.Bytecode.LazyPropertiesMetadata LazyPropertiesMetadata { get => throw null; } public NHibernate.Bytecode.UnwrapProxyPropertiesMetadata UnwrapProxyPropertiesMetadata { get => throw null; } } - - // Generated from `NHibernate.Tuple.Entity.DynamicMapEntityTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DynamicMapEntityTuplizer : NHibernate.Tuple.Entity.AbstractEntityTuplizer { protected override NHibernate.Tuple.IInstantiator BuildInstantiator(NHibernate.Mapping.PersistentClass mappingInfo) => throw null; @@ -31647,13 +27316,11 @@ public class DynamicMapEntityTuplizer : NHibernate.Tuple.Entity.AbstractEntityTu protected override NHibernate.Properties.ISetter BuildPropertySetter(NHibernate.Mapping.Property mappedProperty, NHibernate.Mapping.PersistentClass mappedEntity) => throw null; protected override NHibernate.Proxy.IProxyFactory BuildProxyFactory(NHibernate.Mapping.PersistentClass mappingInfo, NHibernate.Properties.IGetter idGetter, NHibernate.Properties.ISetter idSetter) => throw null; public override System.Type ConcreteProxyClass { get => throw null; } - internal DynamicMapEntityTuplizer(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass mappingInfo) : base(default(NHibernate.Tuple.Entity.EntityMetamodel), default(NHibernate.Mapping.PersistentClass)) => throw null; public override NHibernate.EntityMode EntityMode { get => throw null; } public override bool IsInstrumented { get => throw null; } public override System.Type MappedClass { get => throw null; } + internal DynamicMapEntityTuplizer() : base(default(NHibernate.Tuple.Entity.EntityMetamodel), default(NHibernate.Mapping.PersistentClass)) { } } - - // Generated from `NHibernate.Tuple.Entity.EntityMetamodel` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EntityMetamodel { public NHibernate.Bytecode.IBytecodeEnhancementMetadata BytecodeEnhancementMetadata { get => throw null; } @@ -31670,7 +27337,7 @@ public class EntityMetamodel public bool HasMutableProperties { get => throw null; } public bool HasNaturalIdentifier { get => throw null; } public bool HasNonIdentifierPropertyNamedId { get => throw null; } - public bool HasPocoRepresentation { get => throw null; set => throw null; } + public bool HasPocoRepresentation { get => throw null; } public bool HasSubclasses { get => throw null; } public bool HasUnwrapProxyForProperties { get => throw null; } public bool HasUpdateGeneratedValues { get => throw null; } @@ -31680,7 +27347,7 @@ public class EntityMetamodel public bool IsDynamicUpdate { get => throw null; } public bool IsExplicitPolymorphism { get => throw null; } public bool IsInherited { get => throw null; } - public bool IsLazy { get => throw null; set => throw null; } + public bool IsLazy { get => throw null; set { } } public bool IsMutable { get => throw null; } public bool IsPolymorphic { get => throw null; } public bool IsSelectBeforeUpdate { get => throw null; } @@ -31691,15 +27358,15 @@ public class EntityMetamodel public NHibernate.Engine.Versioning.OptimisticLock OptimisticLockMode { get => throw null; } public NHibernate.Tuple.StandardProperty[] Properties { get => throw null; } public bool[] PropertyCheckability { get => throw null; } - public NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get => throw null; } public bool[] PropertyInsertability { get => throw null; } + public NHibernate.Engine.ValueInclusion[] PropertyInsertGenerationInclusions { get => throw null; } public bool[] PropertyLaziness { get => throw null; } public string[] PropertyNames { get => throw null; } public bool[] PropertyNullability { get => throw null; } public int PropertySpan { get => throw null; } public NHibernate.Type.IType[] PropertyTypes { get => throw null; } - public NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get => throw null; } public bool[] PropertyUpdateability { get => throw null; } + public NHibernate.Engine.ValueInclusion[] PropertyUpdateGenerationInclusions { get => throw null; } public bool[] PropertyVersionability { get => throw null; } public string RootName { get => throw null; } public System.Type RootType { get => throw null; } @@ -31714,22 +27381,16 @@ public class EntityMetamodel public NHibernate.Tuple.VersionProperty VersionProperty { get => throw null; } public int VersionPropertyIndex { get => throw null; } } - - // Generated from `NHibernate.Tuple.Entity.EntityTuplizerExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EntityTuplizerExtensions + public static partial class EntityTuplizerExtensions { public static void AfterInitialize(this NHibernate.Tuple.Entity.IEntityTuplizer entityTuplizer, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; } - - // Generated from `NHibernate.Tuple.Entity.EntityTuplizerFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EntityTuplizerFactory { public NHibernate.Tuple.Entity.IEntityTuplizer BuildDefaultEntityTuplizer(NHibernate.EntityMode entityMode, NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass persistentClass) => throw null; public NHibernate.Tuple.Entity.IEntityTuplizer BuildEntityTuplizer(string className, NHibernate.Tuple.Entity.EntityMetamodel em, NHibernate.Mapping.PersistentClass pc) => throw null; public EntityTuplizerFactory() => throw null; } - - // Generated from `NHibernate.Tuple.Entity.IEntityTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IEntityTuplizer : NHibernate.Tuple.ITuplizer { void AfterInitialize(object entity, bool lazyPropertiesAreUnfetched, NHibernate.Engine.ISessionImplementor session); @@ -31747,19 +27408,15 @@ public interface IEntityTuplizer : NHibernate.Tuple.ITuplizer bool IsValidatableImplementor { get; } void ResetIdentifier(object entity, object currentId, object currentVersion); void SetIdentifier(object entity, object id); - void SetPropertyValue(object entity, string propertyName, object value); void SetPropertyValue(object entity, int i, object value); + void SetPropertyValue(object entity, string propertyName, object value); } - - // Generated from `NHibernate.Tuple.Entity.PocoEntityInstantiator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PocoEntityInstantiator : NHibernate.Tuple.PocoInstantiator { protected override object CreateInstance() => throw null; - public override bool IsInstance(object obj) => throw null; public PocoEntityInstantiator(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Bytecode.IInstantiationOptimizer optimizer, NHibernate.Proxy.IProxyFactory proxyFactory) => throw null; + public override bool IsInstance(object obj) => throw null; } - - // Generated from `NHibernate.Tuple.Entity.PocoEntityTuplizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PocoEntityTuplizer : NHibernate.Tuple.Entity.AbstractEntityTuplizer { public override void AfterInitialize(object entity, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -31770,6 +27427,7 @@ public class PocoEntityTuplizer : NHibernate.Tuple.Entity.AbstractEntityTuplizer protected virtual NHibernate.Proxy.IProxyFactory BuildProxyFactoryInternal(NHibernate.Mapping.PersistentClass @class, NHibernate.Properties.IGetter getter, NHibernate.Properties.ISetter setter) => throw null; protected void ClearOptimizerWhenUsingCustomAccessors() => throw null; public override System.Type ConcreteProxyClass { get => throw null; } + public PocoEntityTuplizer(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass mappedEntity) : base(default(NHibernate.Tuple.Entity.EntityMetamodel), default(NHibernate.Mapping.PersistentClass)) => throw null; public override NHibernate.EntityMode EntityMode { get => throw null; } protected override object GetIdentifierPropertyValue(object entity) => throw null; public override object GetPropertyValue(object entity, int i) => throw null; @@ -31780,28 +27438,96 @@ public class PocoEntityTuplizer : NHibernate.Tuple.Entity.AbstractEntityTuplizer public override bool IsLifecycleImplementor { get => throw null; } public override bool IsValidatableImplementor { get => throw null; } public override System.Type MappedClass { get => throw null; } - public PocoEntityTuplizer(NHibernate.Tuple.Entity.EntityMetamodel entityMetamodel, NHibernate.Mapping.PersistentClass mappedEntity) : base(default(NHibernate.Tuple.Entity.EntityMetamodel), default(NHibernate.Mapping.PersistentClass)) => throw null; protected override void SetIdentifierPropertyValue(object entity, object value) => throw null; public override void SetPropertyValue(object entity, int i, object value) => throw null; public override void SetPropertyValues(object entity, object[] values) => throw null; protected void SetReflectionOptimizer() => throw null; } - + } + public class IdentifierProperty : NHibernate.Tuple.Property + { + public IdentifierProperty(string name, NHibernate.Type.IType type, bool embedded, NHibernate.Engine.IdentifierValue unsavedValue, NHibernate.Id.IIdentifierGenerator identifierGenerator) : base(default(string), default(NHibernate.Type.IType)) => throw null; + public IdentifierProperty(NHibernate.Type.IType type, bool embedded, bool hasIdentifierMapper, NHibernate.Engine.IdentifierValue unsavedValue, NHibernate.Id.IIdentifierGenerator identifierGenerator) : base(default(string), default(NHibernate.Type.IType)) => throw null; + public bool HasIdentifierMapper { get => throw null; } + public NHibernate.Id.IIdentifierGenerator IdentifierGenerator { get => throw null; } + public bool IsEmbedded { get => throw null; } + public bool IsIdentifierAssignedByInsert { get => throw null; } + public bool IsVirtual { get => throw null; } + public NHibernate.Engine.IdentifierValue UnsavedValue { get => throw null; } + } + public interface IInstantiator + { + object Instantiate(object id); + object Instantiate(); + bool IsInstance(object obj); + } + public interface ITuplizer + { + object GetPropertyValue(object entity, int i); + object[] GetPropertyValues(object entity); + object Instantiate(); + bool IsInstance(object obj); + System.Type MappedClass { get; } + void SetPropertyValues(object entity, object[] values); + } + public class PocoInstantiator : NHibernate.Tuple.IInstantiator, System.Runtime.Serialization.IDeserializationCallback + { + protected virtual object CreateInstance() => throw null; + public PocoInstantiator() => throw null; + public PocoInstantiator(NHibernate.Mapping.Component component, NHibernate.Bytecode.IInstantiationOptimizer optimizer) => throw null; + public PocoInstantiator(NHibernate.Mapping.PersistentClass persistentClass, NHibernate.Bytecode.IInstantiationOptimizer optimizer, NHibernate.Proxy.IProxyFactory proxyFactory, bool generateFieldInterceptionProxy) => throw null; + public PocoInstantiator(System.Type mappedClass, NHibernate.Bytecode.IInstantiationOptimizer optimizer, bool embeddedIdentifier) => throw null; + public object Instantiate(object id) => throw null; + public object Instantiate() => throw null; + public virtual bool IsInstance(object obj) => throw null; + public void OnDeserialization(object sender) => throw null; + public void SetOptimizer(NHibernate.Bytecode.IInstantiationOptimizer optimizer) => throw null; + } + public abstract class Property + { + protected Property(string name, NHibernate.Type.IType type) => throw null; + public string Name { get => throw null; } + public override string ToString() => throw null; + public NHibernate.Type.IType Type { get => throw null; } + } + public class PropertyFactory + { + public static NHibernate.Tuple.IdentifierProperty BuildIdentifierProperty(NHibernate.Mapping.PersistentClass mappedEntity, NHibernate.Id.IIdentifierGenerator generator) => throw null; + public static NHibernate.Tuple.StandardProperty BuildStandardProperty(NHibernate.Mapping.Property property, bool lazyAvailable) => throw null; + public static NHibernate.Tuple.VersionProperty BuildVersionProperty(NHibernate.Mapping.Property property, bool lazyAvailable) => throw null; + public PropertyFactory() => throw null; + } + public class StandardProperty : NHibernate.Tuple.Property + { + public NHibernate.Engine.CascadeStyle CascadeStyle { get => throw null; } + public StandardProperty(string name, NHibernate.Type.IType type, bool lazy, bool insertable, bool updateable, bool insertGenerated, bool updateGenerated, bool nullable, bool checkable, bool versionable, NHibernate.Engine.CascadeStyle cascadeStyle, NHibernate.FetchMode? fetchMode) : base(default(string), default(NHibernate.Type.IType)) => throw null; + public NHibernate.FetchMode? FetchMode { get => throw null; } + public bool IsDirtyCheckable(bool hasUninitializedProperties) => throw null; + public bool IsDirtyCheckable() => throw null; + public bool IsInsertable { get => throw null; } + public bool IsInsertGenerated { get => throw null; } + public bool IsLazy { get => throw null; } + public bool IsNullable { get => throw null; } + public bool IsUpdateable { get => throw null; } + public bool IsUpdateGenerated { get => throw null; } + public bool IsVersionable { get => throw null; } + } + public class VersionProperty : NHibernate.Tuple.StandardProperty + { + public VersionProperty(string name, NHibernate.Type.IType type, bool lazy, bool insertable, bool updateable, bool insertGenerated, bool updateGenerated, bool nullable, bool checkable, bool versionable, NHibernate.Engine.CascadeStyle cascadeStyle, NHibernate.Engine.VersionValue unsavedValue) : base(default(string), default(NHibernate.Type.IType), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(bool), default(NHibernate.Engine.CascadeStyle), default(NHibernate.FetchMode?)) => throw null; + public NHibernate.Engine.VersionValue UnsavedValue { get => throw null; } } } namespace Type { - // Generated from `NHibernate.Type.AbstractBinaryType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractBinaryType : NHibernate.Type.MutableType, System.Collections.IComparer, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler + public abstract class AbstractBinaryType : NHibernate.Type.MutableType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, System.Collections.IComparer { - internal AbstractBinaryType(NHibernate.SqlTypes.BinarySqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal AbstractBinaryType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public System.Collections.IComparer Comparator { get => throw null; } public override int Compare(object x, object y) => throw null; public override object DeepCopyNotNull(object value) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override int GetHashCode(object x) => throw null; public override bool IsEqual(object x, object y) => throw null; public abstract override string Name { get; } @@ -31810,38 +27536,35 @@ public abstract class AbstractBinaryType : NHibernate.Type.MutableType, System.C public object Seed(NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal abstract object ToExternalFormat(System.Byte[] bytes); - protected internal abstract System.Byte[] ToInternalFormat(object bytes); + protected abstract object ToExternalFormat(byte[] bytes); + protected abstract byte[] ToInternalFormat(object bytes); public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; + internal AbstractBinaryType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.AbstractCharType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractCharType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public abstract class AbstractCharType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { public AbstractCharType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.AbstractDateTimeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractDateTimeType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.ICacheAssembler + public abstract class AbstractDateTimeType : NHibernate.Type.PrimitiveType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { - protected AbstractDateTimeType(NHibernate.SqlTypes.SqlType sqlTypeDateTime) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - protected AbstractDateTimeType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; protected virtual System.DateTime AdjustDateTime(System.DateTime dateValue) => throw null; public virtual System.Collections.IComparer Comparator { get => throw null; } + protected AbstractDateTimeType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + protected AbstractDateTimeType(NHibernate.SqlTypes.SqlType sqlTypeDateTime) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; protected virtual System.DateTime GetDateTime(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsEqual(object x, object y) => throw null; protected virtual System.DateTimeKind Kind { get => throw null; } @@ -31851,7 +27574,7 @@ public abstract class AbstractDateTimeType : NHibernate.Type.PrimitiveType, NHib public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } - public static System.DateTime Round(System.DateTime value, System.Int64 resolution) => throw null; + public static System.DateTime Round(System.DateTime value, long resolution) => throw null; public virtual object Seed(NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -31859,9 +27582,7 @@ public abstract class AbstractDateTimeType : NHibernate.Type.PrimitiveType, NHib public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.AbstractEnumType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractEnumType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public abstract class AbstractEnumType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { protected AbstractEnumType(NHibernate.SqlTypes.SqlType sqlType, System.Type enumType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } @@ -31870,21 +27591,19 @@ public abstract class AbstractEnumType : NHibernate.Type.PrimitiveType, NHiberna public override System.Type ReturnedClass { get => throw null; } public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.AbstractStringType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class AbstractStringType : NHibernate.Type.ImmutableType, NHibernate.UserTypes.IParameterizedType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public abstract class AbstractStringType : NHibernate.Type.ImmutableType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.UserTypes.IParameterizedType { + protected System.StringComparer Comparer { get => throw null; set { } } + public static string ComparerCultureParameterName; public AbstractStringType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - protected System.StringComparer Comparer { get => throw null; set => throw null; } - public const string ComparerCultureParameterName = default; - public static System.StringComparer DefaultComparer { get => throw null; set => throw null; } + public static System.StringComparer DefaultComparer { get => throw null; set { } } public override bool Equals(object obj) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override int GetHashCode(object x) => throw null; public override int GetHashCode() => throw null; - public const string IgnoreCaseParameterName = default; + public static string IgnoreCaseParameterName; public override bool IsEqual(object x, object y) => throw null; public string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type ReturnedClass { get => throw null; } @@ -31894,24 +27613,22 @@ public abstract class AbstractStringType : NHibernate.Type.ImmutableType, NHiber public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.AbstractType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class AbstractType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { - protected AbstractType() => throw null; public virtual object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public virtual System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public virtual void BeforeAssemble(object cached, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task BeforeAssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public virtual int Compare(object x, object y) => throw null; + protected AbstractType() => throw null; public abstract object DeepCopy(object val, NHibernate.Engine.ISessionFactoryImplementor factory); public virtual object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public virtual System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override bool Equals(object obj) => throw null; public abstract int GetColumnSpan(NHibernate.Engine.IMapping mapping); - public virtual int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public virtual int GetHashCode(object x) => throw null; public override int GetHashCode() => throw null; + public virtual int GetHashCode(object x) => throw null; + public virtual int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual NHibernate.Type.IType GetSemiResolvedType(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public virtual System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -31924,8 +27641,8 @@ public abstract class AbstractType : NHibernate.Type.IType, NHibernate.Type.ICac public virtual System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public abstract System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); public virtual bool IsEntityType { get => throw null; } - public virtual bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual bool IsEqual(object x, object y) => throw null; + public virtual bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual bool IsModified(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task IsModifiedAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public abstract bool IsMutable { get; } @@ -31952,24 +27669,17 @@ public abstract class AbstractType : NHibernate.Type.IType, NHibernate.Type.ICac public abstract bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping); public abstract string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory); } - - // Generated from `NHibernate.Type.AnsiCharType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AnsiCharType : NHibernate.Type.AbstractCharType { - internal AnsiCharType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string Name { get => throw null; } + internal AnsiCharType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.AnsiStringType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AnsiStringType : NHibernate.Type.AbstractStringType { - internal AnsiStringType(NHibernate.SqlTypes.AnsiStringSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal AnsiStringType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string Name { get => throw null; } + internal AnsiStringType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.AnyType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AnyType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAssociationType, NHibernate.Type.IAbstractComponentType + public class AnyType : NHibernate.Type.AbstractType, NHibernate.Type.IAbstractComponentType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAssociationType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -31987,8 +27697,8 @@ public class AnyType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHib public string GetOnCondition(string alias, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; public object GetPropertyValue(object component, int i, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task GetPropertyValueAsync(object component, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetPropertyValues(object component, NHibernate.Engine.ISessionImplementor session) => throw null; public object[] GetPropertyValues(object component) => throw null; + public object[] GetPropertyValues(object component, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task GetPropertyValuesAsync(object component, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public string[] GetReferencedColumns(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; @@ -32007,32 +27717,29 @@ public class AnyType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHib public override bool IsSame(object x, object y) => throw null; public string LHSPropertyName { get => throw null; } public override string Name { get => throw null; } - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - // Generated from `NHibernate.Type.AnyType+ObjectTypeCacheEntry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ObjectTypeCacheEntry + public sealed class ObjectTypeCacheEntry { - public string EntityName { get => throw null; set => throw null; } - public object Id { get => throw null; set => throw null; } public ObjectTypeCacheEntry() => throw null; + public string EntityName { get => throw null; set { } } + public object Id { get => throw null; set { } } } - - public string[] PropertyNames { get => throw null; } public bool[] PropertyNullability { get => throw null; } - public string RHSUniqueKeyPropertyName { get => throw null; } public bool ReferenceToPrimaryKey { get => throw null; } public override object Replace(object original, object current, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object current, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; public override object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } + public string RHSUniqueKeyPropertyName { get => throw null; } public override object SemiResolve(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task SemiResolveAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public void SetPropertyValues(object component, object[] values) => throw null; @@ -32042,17 +27749,15 @@ public class ObjectTypeCacheEntry public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public bool UseLHSPrimaryKey { get => throw null; } } - - // Generated from `NHibernate.Type.ArrayType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ArrayType : NHibernate.Type.CollectionType { public ArrayType(string role, string propertyRef, System.Type elementClass) : base(default(string), default(string)) => throw null; public override System.Collections.IEnumerable GetElementsIterator(object collection) => throw null; public override bool HasHolder() => throw null; public override object IndexOf(object collection, object element) => throw null; - protected internal override bool InitializeImmediately() => throw null; - public override object Instantiate(int anticipatedSize) => throw null; + protected override bool InitializeImmediately() => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override object InstantiateResult(object original) => throw null; public override bool IsArrayType { get => throw null; } public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -32063,34 +27768,27 @@ public class ArrayType : NHibernate.Type.CollectionType public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object array) => throw null; } - - // Generated from `NHibernate.Type.BinaryBlobType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BinaryBlobType : NHibernate.Type.BinaryType { public BinaryBlobType() => throw null; public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.BinaryType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class BinaryType : NHibernate.Type.AbstractBinaryType { - internal BinaryType() => throw null; public override int Compare(object x, object y) => throw null; public override string Name { get => throw null; } public override System.Type ReturnedClass { get => throw null; } - protected internal override object ToExternalFormat(System.Byte[] bytes) => throw null; - protected internal override System.Byte[] ToInternalFormat(object bytes) => throw null; + protected override object ToExternalFormat(byte[] bytes) => throw null; + protected override byte[] ToInternalFormat(object bytes) => throw null; } - - // Generated from `NHibernate.Type.BooleanType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class BooleanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class BooleanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { - public BooleanType(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public BooleanType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public BooleanType(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } @@ -32098,16 +27796,14 @@ public class BooleanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.ByteType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ByteType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class ByteType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { - public ByteType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public System.Collections.IComparer Comparator { get => throw null; } + public ByteType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32119,28 +27815,22 @@ public class ByteType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionT public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.CharBooleanType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class CharBooleanType : NHibernate.Type.BooleanType { protected CharBooleanType(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType sqlType) => throw null; protected abstract string FalseString { get; } - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override object StringToObject(string xml) => throw null; protected abstract string TrueString { get; } } - - // Generated from `NHibernate.Type.CharType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CharType : NHibernate.Type.AbstractCharType { - internal CharType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string Name { get => throw null; } + internal CharType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.ClassMetaType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ClassMetaType : NHibernate.Type.AbstractType { public ClassMetaType() => throw null; @@ -32165,9 +27855,7 @@ public class ClassMetaType : NHibernate.Type.AbstractType public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; } - - // Generated from `NHibernate.Type.CollectionType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAssociationType + public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate.Type.IAssociationType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { protected virtual void Add(object collection, object element) => throw null; protected virtual bool AreCollectionElementsEqual(System.Collections.IEnumerable original, System.Collections.IEnumerable target) => throw null; @@ -32176,9 +27864,9 @@ public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate. public override void BeforeAssemble(object oid, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task BeforeAssembleAsync(object oid, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; protected virtual void Clear(object collection) => throw null; - protected CollectionType(string role, string foreignKeyPropertyName) => throw null; public override int Compare(object x, object y) => throw null; public virtual bool Contains(object collection, object childObject, NHibernate.Engine.ISessionImplementor session) => throw null; + protected CollectionType(string role, string foreignKeyPropertyName) => throw null; public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32188,9 +27876,9 @@ public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate. public object GetCollection(object key, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public System.Threading.Tasks.Task GetCollectionAsync(object key, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override int GetColumnSpan(NHibernate.Engine.IMapping session) => throw null; - public NHibernate.Type.IType GetElementType(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual System.Collections.IEnumerable GetElementsIterator(object collection, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Collections.IEnumerable GetElementsIterator(object collection) => throw null; + public NHibernate.Type.IType GetElementType(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override int GetHashCode(object x) => throw null; public virtual object GetIdOfOwnerOrNull(object key, NHibernate.Engine.ISessionImplementor session) => throw null; public object GetKeyOfOwner(object owner, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -32201,40 +27889,40 @@ public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate. public override object Hydrate(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public virtual object IndexOf(object collection, object element) => throw null; - protected internal virtual bool InitializeImmediately() => throw null; - public abstract object Instantiate(int anticipatedSize); + protected virtual bool InitializeImmediately() => throw null; public abstract NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key); + public abstract object Instantiate(int anticipatedSize); public virtual object InstantiateResult(object original) => throw null; public bool IsAlwaysDirtyChecked { get => throw null; } public virtual bool IsArrayType { get => throw null; } public override bool IsAssociationType { get => throw null; } public override bool IsCollectionType { get => throw null; } - public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsDirty(object old, object current, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsEqual(object x, object y) => throw null; public override bool IsModified(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsModifiedAsync(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsMutable { get => throw null; } public string LHSPropertyName { get => throw null; } public override string Name { get => throw null; } - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public string RHSUniqueKeyPropertyName { get => throw null; } - protected internal virtual string RenderLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + protected virtual string RenderLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; public virtual object ReplaceElements(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task ReplaceElementsAsync(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override object ResolveIdentifier(object key, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task ResolveIdentifierAsync(object key, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public string RHSUniqueKeyPropertyName { get => throw null; } public virtual string Role { get => throw null; } public override object SemiResolve(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task SemiResolveAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32246,9 +27934,7 @@ public abstract class CollectionType : NHibernate.Type.AbstractType, NHibernate. public bool UseLHSPrimaryKey { get => throw null; } public abstract NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection); } - - // Generated from `NHibernate.Type.ComponentType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class ComponentType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAbstractComponentType + public class ComponentType : NHibernate.Type.AbstractType, NHibernate.Type.IAbstractComponentType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { public override object Assemble(object obj, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object obj, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32265,26 +27951,26 @@ public class ComponentType : NHibernate.Type.AbstractType, NHibernate.Type.IType public override int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override int GetHashCode(object x) => throw null; public int GetPropertyIndex(string name) => throw null; - public object GetPropertyValue(object component, int i, NHibernate.Engine.ISessionImplementor session) => throw null; public object GetPropertyValue(object component, int i) => throw null; + public object GetPropertyValue(object component, int i, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task GetPropertyValueAsync(object component, int i, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public object[] GetPropertyValues(object component, NHibernate.Engine.ISessionImplementor session) => throw null; public object[] GetPropertyValues(object component) => throw null; + public object[] GetPropertyValues(object component, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task GetPropertyValuesAsync(object component, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public virtual object Instantiate(object parent, NHibernate.Engine.ISessionImplementor session) => throw null; public object Instantiate() => throw null; + public virtual object Instantiate(object parent, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsCollectionType { get => throw null; } public override bool IsComponentType { get => throw null; } - public override bool IsDirty(object x, object y, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsDirty(object x, object y, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task IsDirtyAsync(object x, object y, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsDirty(object x, object y, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object x, object y, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task IsDirtyAsync(object x, object y, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public virtual bool IsEmbedded { get => throw null; } public override bool IsEntityType { get => throw null; } - public override bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override bool IsEqual(object x, object y) => throw null; + public override bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual bool IsMethodOf(System.Reflection.MethodBase method) => throw null; public override bool IsModified(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsModifiedAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32295,16 +27981,16 @@ public class ComponentType : NHibernate.Type.AbstractType, NHibernate.Type.IType public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int begin, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int begin, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int begin, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int begin, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int begin, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int begin, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public string[] PropertyNames { get => throw null; } public bool[] PropertyNullability { get => throw null; } - public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready) => throw null; - public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; + public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; public override object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } @@ -32316,9 +28002,7 @@ public class ComponentType : NHibernate.Type.AbstractType, NHibernate.Type.IType public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; } - - // Generated from `NHibernate.Type.CompositeCustomType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CompositeCustomType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAbstractComponentType + public class CompositeCustomType : NHibernate.Type.AbstractType, NHibernate.Type.IAbstractComponentType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32345,10 +28029,10 @@ public class CompositeCustomType : NHibernate.Type.AbstractType, NHibernate.Type public virtual bool IsMethodOf(System.Reflection.MethodBase method) => throw null; public override bool IsMutable { get => throw null; } public override string Name { get => throw null; } - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32365,50 +28049,42 @@ public class CompositeCustomType : NHibernate.Type.AbstractType, NHibernate.Type public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public NHibernate.UserTypes.ICompositeUserType UserType { get => throw null; } } - - // Generated from `NHibernate.Type.CultureInfoType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CultureInfoType : NHibernate.Type.ImmutableType, NHibernate.Type.ILiteralType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - internal CultureInfoType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; + internal CultureInfoType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.CurrencyType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CurrencyType : NHibernate.Type.DecimalType { public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.CustomCollectionType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class CustomCollectionType : NHibernate.Type.CollectionType { public override bool Contains(object collection, object entity, NHibernate.Engine.ISessionImplementor session) => throw null; public CustomCollectionType(System.Type userTypeClass, string role, string foreignKeyPropertyName) : base(default(string), default(string)) => throw null; public override System.Collections.IEnumerable GetElementsIterator(object collection) => throw null; public override object IndexOf(object collection, object entity) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override object ReplaceElements(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task ReplaceElementsAsync(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } public NHibernate.UserTypes.IUserCollectionType UserType { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.CustomType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class CustomType : NHibernate.Type.AbstractType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class CustomType : NHibernate.Type.AbstractType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32420,8 +28096,8 @@ public class CustomType : NHibernate.Type.AbstractType, NHibernate.Type.IVersion public override bool Equals(object obj) => throw null; public object FromStringValue(string xml) => throw null; public override int GetColumnSpan(NHibernate.Engine.IMapping session) => throw null; - public override int GetHashCode(object x) => throw null; public override int GetHashCode() => throw null; + public override int GetHashCode(object x) => throw null; public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsEqual(object x, object y) => throw null; @@ -32449,16 +28125,12 @@ public class CustomType : NHibernate.Type.AbstractType, NHibernate.Type.IVersion public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public NHibernate.UserTypes.IUserType UserType { get => throw null; } } - - // Generated from `NHibernate.Type.DateTime2Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTime2Type : NHibernate.Type.AbstractDateTimeType { - public DateTime2Type(NHibernate.SqlTypes.DateTime2SqlType sqlType) => throw null; public DateTime2Type() => throw null; + public DateTime2Type(NHibernate.SqlTypes.DateTime2SqlType sqlType) => throw null; public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.DateTimeNoMsType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTimeNoMsType : NHibernate.Type.AbstractDateTimeType { protected override System.DateTime AdjustDateTime(System.DateTime dateValue) => throw null; @@ -32469,17 +28141,15 @@ public class DateTimeNoMsType : NHibernate.Type.AbstractDateTimeType public override object Seed(NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Type.DateTimeOffsetType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DateTimeOffsetType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.ICacheAssembler + public class DateTimeOffsetType : NHibernate.Type.PrimitiveType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } - public DateTimeOffsetType(NHibernate.SqlTypes.DateTimeOffsetSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public DateTimeOffsetType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public DateTimeOffsetType(NHibernate.SqlTypes.DateTimeOffsetSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsEqual(object x, object y) => throw null; public override string Name { get => throw null; } public object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -32487,7 +28157,7 @@ public class DateTimeOffsetType : NHibernate.Type.PrimitiveType, NHibernate.Type public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } - public static System.DateTimeOffset Round(System.DateTimeOffset value, System.Int64 resolution) => throw null; + public static System.DateTimeOffset Round(System.DateTimeOffset value, long resolution) => throw null; public virtual object Seed(NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -32495,21 +28165,17 @@ public class DateTimeOffsetType : NHibernate.Type.PrimitiveType, NHibernate.Type public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.DateTimeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateTimeType : NHibernate.Type.AbstractDateTimeType { - public DateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; public DateTimeType() => throw null; + public DateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.DateType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DateType : NHibernate.Type.AbstractDateTimeType, NHibernate.UserTypes.IParameterizedType { protected override System.DateTime AdjustDateTime(System.DateTime dateValue) => throw null; public static System.DateTime BaseDateValue; - public const string BaseValueParameterName = default; + public static string BaseValueParameterName; public DateType() => throw null; public override object DefaultValue { get => throw null; } public override int GetHashCode(object x) => throw null; @@ -32520,8 +28186,6 @@ public class DateType : NHibernate.Type.AbstractDateTimeType, NHibernate.UserTyp public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.DbTimestampType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DbTimestampType : NHibernate.Type.AbstractDateTimeType { public DbTimestampType() => throw null; @@ -32535,16 +28199,14 @@ public class DbTimestampType : NHibernate.Type.AbstractDateTimeType protected virtual System.DateTime UsePreparedStatement(string timestampSelectString, NHibernate.Engine.ISessionImplementor session) => throw null; protected virtual System.Threading.Tasks.Task UsePreparedStatementAsync(string timestampSelectString, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Type.DecimalType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DecimalType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.IIdentifierType, NHibernate.Type.ICacheAssembler + public class DecimalType : NHibernate.Type.PrimitiveType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { - public DecimalType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public DecimalType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public DecimalType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } @@ -32552,8 +28214,6 @@ public class DecimalType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.DefaultCollectionTypeFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DefaultCollectionTypeFactory : NHibernate.Bytecode.ICollectionTypeFactory { public virtual NHibernate.Type.CollectionType Array(string role, string propertyRef, System.Type elementClass) => throw null; @@ -32568,56 +28228,52 @@ public class DefaultCollectionTypeFactory : NHibernate.Bytecode.ICollectionTypeF public virtual NHibernate.Type.CollectionType SortedList(string role, string propertyRef, System.Collections.Generic.IComparer comparer) => throw null; public virtual NHibernate.Type.CollectionType SortedSet(string role, string propertyRef, System.Collections.Generic.IComparer comparer) => throw null; } - - // Generated from `NHibernate.Type.DoubleType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class DoubleType : NHibernate.Type.PrimitiveType { - public override object DefaultValue { get => throw null; } - public DoubleType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public DoubleType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public DoubleType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; } - - // Generated from `NHibernate.Type.EmbeddedComponentType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EmbeddedComponentType : NHibernate.Type.ComponentType { public EmbeddedComponentType(NHibernate.Tuple.Component.ComponentMetamodel metamodel) : base(default(NHibernate.Tuple.Component.ComponentMetamodel)) => throw null; public override object Instantiate(object parent, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsEmbedded { get => throw null; } } - - // Generated from `NHibernate.Type.EntityType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public abstract class EntityType : NHibernate.Type.AbstractType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAssociationType + public abstract class EntityType : NHibernate.Type.AbstractType, NHibernate.Type.IAssociationType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { public override int Compare(object x, object y) => throw null; + protected EntityType(string entityName, string uniqueKeyPropertyName, bool eager, bool unwrapProxy) => throw null; public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected internal EntityType(string entityName, string uniqueKeyPropertyName, bool eager, bool unwrapProxy) => throw null; public abstract NHibernate.Type.ForeignKeyDirection ForeignKeyDirection { get; } public virtual string GetAssociatedEntityName(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public string GetAssociatedEntityName() => throw null; public NHibernate.Persister.Entity.IJoinable GetAssociatedJoinable(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - protected internal object GetIdentifier(object value, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal System.Threading.Tasks.Task GetIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected object GetIdentifier(object value, NHibernate.Engine.ISessionImplementor session) => throw null; + protected System.Threading.Tasks.Task GetIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public string GetIdentifierOrUniqueKeyPropertyName(NHibernate.Engine.IMapping factory) => throw null; public NHibernate.Type.IType GetIdentifierOrUniqueKeyType(NHibernate.Engine.IMapping factory) => throw null; public string GetOnCondition(string alias, NHibernate.Engine.ISessionFactoryImplementor factory, System.Collections.Generic.IDictionary enabledFilters) => throw null; public virtual int GetOwnerColumnSpan(NHibernate.Engine.IMapping session) => throw null; - protected internal object GetReferenceValue(object value, NHibernate.Engine.ISessionImplementor session) => throw null; - protected internal System.Threading.Tasks.Task GetReferenceValueAsync(object value, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected object GetReferenceValue(object value, NHibernate.Engine.ISessionImplementor session) => throw null; + protected object GetReferenceValue(object value, NHibernate.Engine.ISessionImplementor session, bool forbidDelayed) => throw null; + protected System.Threading.Tasks.Task GetReferenceValueAsync(object value, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + protected System.Threading.Tasks.Task GetReferenceValueAsync(object value, NHibernate.Engine.ISessionImplementor session, bool forbidDelayed, System.Threading.CancellationToken cancellationToken) => throw null; public override NHibernate.Type.IType GetSemiResolvedType(NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public abstract override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner); public abstract override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); public abstract bool IsAlwaysDirtyChecked { get; } public override bool IsAssociationType { get => throw null; } - public override bool IsEntityType { get => throw null; } + public override sealed bool IsEntityType { get => throw null; } public override bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual bool IsLogicalOneToOne() => throw null; public override bool IsMutable { get => throw null; } @@ -32631,36 +28287,34 @@ public abstract class EntityType : NHibernate.Type.AbstractType, NHibernate.Type public object LoadByUniqueKey(string entityName, string uniqueKeyPropertyName, object key, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task LoadByUniqueKeyAsync(string entityName, string uniqueKeyPropertyName, object key, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override string Name { get => throw null; } - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public virtual string PropertyName { get => throw null; } - public string RHSUniqueKeyPropertyName { get => throw null; } public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, System.Threading.CancellationToken cancellationToken) => throw null; - public override object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; protected object ResolveIdentifier(object id, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; protected System.Threading.Tasks.Task ResolveIdentifierAsync(object id, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } + public string RHSUniqueKeyPropertyName { get => throw null; } public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString() => throw null; - public abstract bool UseLHSPrimaryKey { get; } protected string uniqueKeyPropertyName; + public abstract bool UseLHSPrimaryKey { get; } } - - // Generated from `NHibernate.Type.EnumCharType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EnumCharType : NHibernate.Type.AbstractEnumType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public EnumCharType() : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public EnumCharType() : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object GetInstance(object code) => throw null; public virtual object GetValue(object instance) => throw null; public override string Name { get => throw null; } @@ -32669,43 +28323,35 @@ public class EnumCharType : NHibernate.Type.AbstractEnumType public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; } - - // Generated from `NHibernate.Type.EnumStringType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class EnumStringType : NHibernate.Type.AbstractEnumType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + protected EnumStringType(System.Type enumClass) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; + protected EnumStringType(System.Type enumClass, int length) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - protected EnumStringType(System.Type enumClass, int length) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; - protected EnumStringType(System.Type enumClass) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object GetInstance(object code) => throw null; public virtual object GetValue(object code) => throw null; - public const int MaxLengthForEnumString = default; + public static int MaxLengthForEnumString; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; } - - // Generated from `NHibernate.Type.EnumStringType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EnumStringType : NHibernate.Type.EnumStringType { public EnumStringType() : base(default(System.Type)) => throw null; public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.EnumType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class EnumType : NHibernate.Type.PersistentEnumType { public EnumType() : base(default(System.Type)) => throw null; public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.ForeignKeyDirection` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class ForeignKeyDirection { public abstract bool CascadeNow(NHibernate.Engine.CascadePoint cascadePoint); @@ -32713,49 +28359,41 @@ public abstract class ForeignKeyDirection public static NHibernate.Type.ForeignKeyDirection ForeignKeyFromParent; public static NHibernate.Type.ForeignKeyDirection ForeignKeyToParent; } - - // Generated from `NHibernate.Type.GenericBagType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericBagType : NHibernate.Type.CollectionType { protected override void Add(object collection, object element) => throw null; protected override bool AreCollectionElementsEqual(System.Collections.IEnumerable original, System.Collections.IEnumerable target) => throw null; protected override void Clear(object collection) => throw null; public GenericBagType(string role, string propertyRef) : base(default(string), default(string)) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override System.Type ReturnedClass { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.GenericIdentifierBagType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericIdentifierBagType : NHibernate.Type.CollectionType { protected override void Add(object collection, object element) => throw null; protected override bool AreCollectionElementsEqual(System.Collections.IEnumerable original, System.Collections.IEnumerable target) => throw null; protected override void Clear(object collection) => throw null; public GenericIdentifierBagType(string role, string propertyRef) : base(default(string), default(string)) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override object ReplaceElements(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task ReplaceElementsAsync(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.GenericListType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericListType : NHibernate.Type.CollectionType { protected override void Add(object collection, object element) => throw null; protected override void Clear(object collection) => throw null; public GenericListType(string role, string propertyRef) : base(default(string), default(string)) => throw null; public override object IndexOf(object collection, object element) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override System.Type ReturnedClass { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.GenericMapType<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericMapType : NHibernate.Type.CollectionType { protected override void Add(object collection, object element) => throw null; @@ -32764,66 +28402,54 @@ public class GenericMapType : NHibernate.Type.CollectionType public GenericMapType(string role, string propertyRef) : base(default(string), default(string)) => throw null; public override System.Collections.IEnumerable GetElementsIterator(object collection) => throw null; public override object IndexOf(object collection, object element) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override object ReplaceElements(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task ReplaceElementsAsync(object original, object target, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Type ReturnedClass { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.GenericOrderedSetType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericOrderedSetType : NHibernate.Type.GenericSetType { public GenericOrderedSetType(string role, string propertyRef) : base(default(string), default(string)) => throw null; public override object Instantiate(int anticipatedSize) => throw null; } - - // Generated from `NHibernate.Type.GenericSetType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericSetType : NHibernate.Type.CollectionType { protected override void Add(object collection, object element) => throw null; protected override bool AreCollectionElementsEqual(System.Collections.IEnumerable original, System.Collections.IEnumerable target) => throw null; protected override void Clear(object collection) => throw null; public GenericSetType(string role, string propertyRef) : base(default(string), default(string)) => throw null; - public override object Instantiate(int anticipatedSize) => throw null; public override NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister, object key) => throw null; + public override object Instantiate(int anticipatedSize) => throw null; public override System.Type ReturnedClass { get => throw null; } public override NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection) => throw null; } - - // Generated from `NHibernate.Type.GenericSortedDictionaryType<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericSortedDictionaryType : NHibernate.Type.GenericMapType { public System.Collections.Generic.IComparer Comparer { get => throw null; } public GenericSortedDictionaryType(string role, string propertyRef, System.Collections.Generic.IComparer comparer) : base(default(string), default(string)) => throw null; public override object Instantiate(int anticipatedSize) => throw null; } - - // Generated from `NHibernate.Type.GenericSortedListType<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericSortedListType : NHibernate.Type.GenericMapType { public System.Collections.Generic.IComparer Comparer { get => throw null; } public GenericSortedListType(string role, string propertyRef, System.Collections.Generic.IComparer comparer) : base(default(string), default(string)) => throw null; public override object Instantiate(int anticipatedSize) => throw null; } - - // Generated from `NHibernate.Type.GenericSortedSetType<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class GenericSortedSetType : NHibernate.Type.GenericSetType { public System.Collections.Generic.IComparer Comparer { get => throw null; } public GenericSortedSetType(string role, string propertyRef, System.Collections.Generic.IComparer comparer) : base(default(string), default(string)) => throw null; public override object Instantiate(int anticipatedSize) => throw null; } - - // Generated from `NHibernate.Type.GuidType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class GuidType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class GuidType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { + public GuidType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - public GuidType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } @@ -32831,8 +28457,6 @@ public class GuidType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NH public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.IAbstractComponentType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IAbstractComponentType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { NHibernate.Engine.CascadeStyle GetCascadeStyle(int i); @@ -32849,8 +28473,6 @@ public interface IAbstractComponentType : NHibernate.Type.IType, NHibernate.Type void SetPropertyValues(object component, object[] values); NHibernate.Type.IType[] Subtypes { get; } } - - // Generated from `NHibernate.Type.IAssociationType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IAssociationType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { NHibernate.Type.ForeignKeyDirection ForeignKeyDirection { get; } @@ -32862,8 +28484,6 @@ public interface IAssociationType : NHibernate.Type.IType, NHibernate.Type.ICach string RHSUniqueKeyPropertyName { get; } bool UseLHSPrimaryKey { get; } } - - // Generated from `NHibernate.Type.ICacheAssembler` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ICacheAssembler { object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner); @@ -32873,103 +28493,33 @@ public interface ICacheAssembler object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner); System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); } - - // Generated from `NHibernate.Type.IDiscriminatorType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IDiscriminatorType : NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.ICacheAssembler + public interface IDiscriminatorType : NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { } - - // Generated from `NHibernate.Type.IIdentifierType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IIdentifierType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { object StringToObject(string xml); } - - // Generated from `NHibernate.Type.ILiteralType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ILiteralType { string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect); } - - // Generated from `NHibernate.Type.IType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IType : NHibernate.Type.ICacheAssembler - { - int Compare(object x, object y); - object DeepCopy(object val, NHibernate.Engine.ISessionFactoryImplementor factory); - int GetColumnSpan(NHibernate.Engine.IMapping mapping); - int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory); - int GetHashCode(object x); - NHibernate.Type.IType GetSemiResolvedType(NHibernate.Engine.ISessionFactoryImplementor factory); - object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner); - System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); - bool IsAnyType { get; } - bool IsAssociationType { get; } - bool IsCollectionType { get; } - bool IsComponentType { get; } - bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session); - bool IsDirty(object old, object current, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - bool IsEntityType { get; } - bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory); - bool IsEqual(object x, object y); - bool IsModified(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task IsModifiedAsync(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - bool IsMutable { get; } - bool IsSame(object x, object y); - string Name { get; } - object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner); - object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner); - System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); - void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session); - void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection); - object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready); - System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken); - System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); - object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner); - System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); - System.Type ReturnedClass { get; } - object SemiResolve(object value, NHibernate.Engine.ISessionImplementor session, object owner); - System.Threading.Tasks.Task SemiResolveAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); - NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping); - bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping); - string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory); - } - - // Generated from `NHibernate.Type.IVersionType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IVersionType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler - { - System.Collections.IComparer Comparator { get; } - object FromStringValue(string xml); - object Next(object current, NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - object Seed(NHibernate.Engine.ISessionImplementor session); - System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); - } - - // Generated from `NHibernate.Type.ImmutableType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class ImmutableType : NHibernate.Type.NullableType { - public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; protected ImmutableType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public override bool IsMutable { get => throw null; } + public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override sealed bool IsMutable { get => throw null; } public override object Replace(object original, object current, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object current, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Type.Int16Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Int16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class Int16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public Int16Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - public Int16Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -32981,16 +28531,14 @@ public class Int16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersion public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.Int32Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Int32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class Int32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public Int32Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - public Int32Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33002,16 +28550,14 @@ public class Int32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersion public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.Int64Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class Int64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class Int64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public Int64Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - public Int64Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33023,38 +28569,90 @@ public class Int64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersion public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.LocalDateTimeNoMsType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public interface IType : NHibernate.Type.ICacheAssembler + { + int Compare(object x, object y); + object DeepCopy(object val, NHibernate.Engine.ISessionFactoryImplementor factory); + int GetColumnSpan(NHibernate.Engine.IMapping mapping); + int GetHashCode(object x); + int GetHashCode(object x, NHibernate.Engine.ISessionFactoryImplementor factory); + NHibernate.Type.IType GetSemiResolvedType(NHibernate.Engine.ISessionFactoryImplementor factory); + object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner); + System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); + bool IsAnyType { get; } + bool IsAssociationType { get; } + bool IsCollectionType { get; } + bool IsComponentType { get; } + bool IsDirty(object old, object current, NHibernate.Engine.ISessionImplementor session); + bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + bool IsEntityType { get; } + bool IsEqual(object x, object y); + bool IsEqual(object x, object y, NHibernate.Engine.ISessionFactoryImplementor factory); + bool IsModified(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task IsModifiedAsync(object oldHydratedState, object currentState, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + bool IsMutable { get; } + bool IsSame(object x, object y); + string Name { get; } + object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner); + object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner); + System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); + void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session); + void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready); + object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection); + System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken); + System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken); + object ResolveIdentifier(object value, NHibernate.Engine.ISessionImplementor session, object owner); + System.Threading.Tasks.Task ResolveIdentifierAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); + System.Type ReturnedClass { get; } + object SemiResolve(object value, NHibernate.Engine.ISessionImplementor session, object owner); + System.Threading.Tasks.Task SemiResolveAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken); + NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping); + bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping); + string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory); + } + public interface IVersionType : NHibernate.Type.IType, NHibernate.Type.ICacheAssembler + { + System.Collections.IComparer Comparator { get; } + object FromStringValue(string xml); + object Next(object current, NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + object Seed(NHibernate.Engine.ISessionImplementor session); + System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken); + } public class LocalDateTimeNoMsType : NHibernate.Type.DateTimeNoMsType { - protected override System.DateTimeKind Kind { get => throw null; } public LocalDateTimeNoMsType() => throw null; + protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.LocalDateTimeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class LocalDateTimeType : NHibernate.Type.DateTimeType { - protected override System.DateTimeKind Kind { get => throw null; } - public LocalDateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; public LocalDateTimeType() => throw null; + public LocalDateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; + protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.LocalDateType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class LocalDateType : NHibernate.Type.DateType { - protected override System.DateTimeKind Kind { get => throw null; } public LocalDateType() => throw null; + protected override System.DateTimeKind Kind { get => throw null; } } - - // Generated from `NHibernate.Type.ManyToOneType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ManyToOneType : NHibernate.Type.EntityType { public override object Assemble(object oid, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object oid, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override void BeforeAssemble(object oid, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task BeforeAssembleAsync(object oid, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public ManyToOneType(string className) : base(default(string), default(string), default(bool), default(bool)) => throw null; + public ManyToOneType(string className, bool lazy) : base(default(string), default(string), default(bool), default(bool)) => throw null; + public ManyToOneType(string entityName, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne) : base(default(string), default(string), default(bool), default(bool)) => throw null; + public ManyToOneType(string entityName, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne, string propertyName) : base(default(string), default(string), default(bool), default(bool)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override NHibernate.Type.ForeignKeyDirection ForeignKeyDirection { get => throw null; } @@ -33062,20 +28660,16 @@ public class ManyToOneType : NHibernate.Type.EntityType public override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsAlwaysDirtyChecked { get => throw null; } - public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsDirty(object old, object current, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsLogicalOneToOne() => throw null; public override bool IsModified(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsModifiedAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsNull(object owner, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsNullable { get => throw null; } public override bool IsOneToOne { get => throw null; } - public ManyToOneType(string entityName, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne, string propertyName) : base(default(string), default(string), default(bool), default(bool)) => throw null; - public ManyToOneType(string entityName, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne) : base(default(string), default(string), default(bool), default(bool)) => throw null; - public ManyToOneType(string className, bool lazy) : base(default(string), default(string), default(bool), default(bool)) => throw null; - public ManyToOneType(string className) : base(default(string), default(string), default(bool), default(bool)) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33085,16 +28679,14 @@ public class ManyToOneType : NHibernate.Type.EntityType public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override bool UseLHSPrimaryKey { get => throw null; } } - - // Generated from `NHibernate.Type.MetaType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class MetaType : NHibernate.Type.AbstractType { + public MetaType(System.Collections.Generic.IDictionary values, NHibernate.Type.IType baseType) => throw null; public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override int GetColumnSpan(NHibernate.Engine.IMapping mapping) => throw null; public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsMutable { get => throw null; } - public MetaType(System.Collections.Generic.IDictionary values, NHibernate.Type.IType baseType) => throw null; public override string Name { get => throw null; } public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; @@ -33111,53 +28703,49 @@ public class MetaType : NHibernate.Type.AbstractType public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; } - - // Generated from `NHibernate.Type.MutableType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class MutableType : NHibernate.Type.NullableType { + protected MutableType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DeepCopy(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public abstract object DeepCopyNotNull(object value); - public override bool IsMutable { get => throw null; } - protected MutableType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public override sealed bool IsMutable { get => throw null; } public override object Replace(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready) => throw null; public override System.Threading.Tasks.Task ReplaceAsync(object original, object target, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Type.NullableType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class NullableType : NHibernate.Type.AbstractType { + protected NullableType(NHibernate.SqlTypes.SqlType sqlType) => throw null; public override bool Equals(object obj) => throw null; public virtual object FromStringValue(string xml) => throw null; - public abstract object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session); public abstract object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session); - public override int GetColumnSpan(NHibernate.Engine.IMapping session) => throw null; + public abstract object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session); + public override sealed int GetColumnSpan(NHibernate.Engine.IMapping session) => throw null; public override int GetHashCode() => throw null; public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public virtual object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed object NullSafeGet(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; + public override sealed System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public override sealed System.Threading.Tasks.Task NullSafeGetAsync(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session) => throw null; - public override void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override sealed void NullSafeSet(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - protected NullableType(NHibernate.SqlTypes.SqlType sqlType) => throw null; + public override sealed System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public abstract void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session); public virtual NHibernate.SqlTypes.SqlType SqlType { get => throw null; } - public override NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping) => throw null; + public override sealed NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping) => throw null; public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public virtual string ToString(object val) => throw null; + public override string ToString() => throw null; } - - // Generated from `NHibernate.Type.OneToOneType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class OneToOneType : NHibernate.Type.EntityType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.IAssociationType + public class OneToOneType : NHibernate.Type.EntityType, NHibernate.Type.IAssociationType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public OneToOneType(string referencedEntityName, NHibernate.Type.ForeignKeyDirection foreignKeyType, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, string entityName, string propertyName) : base(default(string), default(string), default(bool), default(bool)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override NHibernate.Type.ForeignKeyDirection ForeignKeyDirection { get => throw null; } @@ -33166,10 +28754,10 @@ public class OneToOneType : NHibernate.Type.EntityType, NHibernate.Type.IType, N public override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsAlwaysDirtyChecked { get => throw null; } - public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsDirty(object old, object current, NHibernate.Engine.ISessionImplementor session) => throw null; - public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override bool IsDirty(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; + public override System.Threading.Tasks.Task IsDirtyAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsModified(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task IsModifiedAsync(object old, object current, bool[] checkable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override bool IsNull(object owner, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -33179,76 +28767,64 @@ public class OneToOneType : NHibernate.Type.EntityType, NHibernate.Type.IType, N public override void NullSafeSet(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand st, object value, int index, bool[] settable, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override System.Threading.Tasks.Task NullSafeSetAsync(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public OneToOneType(string referencedEntityName, NHibernate.Type.ForeignKeyDirection foreignKeyType, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, string entityName, string propertyName) : base(default(string), default(string), default(bool), default(bool)) => throw null; public override string PropertyName { get => throw null; } public override NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping) => throw null; public override bool[] ToColumnNullness(object value, NHibernate.Engine.IMapping mapping) => throw null; public override bool UseLHSPrimaryKey { get => throw null; } } - - // Generated from `NHibernate.Type.PersistentEnumType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class PersistentEnumType : NHibernate.Type.AbstractEnumType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public PersistentEnumType(System.Type enumClass) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override bool Equals(object obj) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public static NHibernate.Type.PersistentEnumType.IEnumConverter GetEnumCoverter(System.Type enumClass) => throw null; public override int GetHashCode() => throw null; public virtual object GetInstance(object code) => throw null; public virtual object GetValue(object code) => throw null; - // Generated from `NHibernate.Type.PersistentEnumType+IEnumConverter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IEnumConverter { NHibernate.SqlTypes.SqlType SqlType { get; } object ToEnumValue(object value); object ToObject(System.Type enumClass, object code); } - - public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; - public PersistentEnumType(System.Type enumClass) : base(default(NHibernate.SqlTypes.SqlType), default(System.Type)) => throw null; public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; } - - // Generated from `NHibernate.Type.PrimitiveType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public abstract class PrimitiveType : NHibernate.Type.ImmutableType, NHibernate.Type.ILiteralType { + protected PrimitiveType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public abstract object DefaultValue { get; } public abstract string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect); public abstract System.Type PrimitiveClass { get; } - protected PrimitiveType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.SByteType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SByteType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class SByteType : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { public System.Collections.IComparer Comparator { get => throw null; } + public SByteType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } - public SByteType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public virtual object Seed(NHibernate.Engine.ISessionImplementor session) => throw null; public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.SerializableType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SerializableType : NHibernate.Type.MutableType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; @@ -33256,7 +28832,7 @@ public class SerializableType : NHibernate.Type.MutableType public override object DeepCopyNotNull(object value) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public object FromBytes(System.Byte[] bytes) => throw null; + public object FromBytes(byte[] bytes) => throw null; public override object FromStringValue(string xml) => throw null; public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; @@ -33264,69 +28840,55 @@ public class SerializableType : NHibernate.Type.MutableType public override bool IsEqual(object x, object y) => throw null; public override string Name { get => throw null; } public override System.Type ReturnedClass { get => throw null; } - internal SerializableType(System.Type serializableClass, NHibernate.SqlTypes.BinarySqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal SerializableType(System.Type serializableClass) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal SerializableType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; + internal SerializableType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.SerializationException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SerializationException : NHibernate.HibernateException { - public SerializationException(string message, System.Exception e) => throw null; - public SerializationException(string message) => throw null; public SerializationException() => throw null; + public SerializationException(string message) => throw null; + public SerializationException(string message, System.Exception e) => throw null; protected SerializationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - - // Generated from `NHibernate.Type.SingleType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SingleType : NHibernate.Type.PrimitiveType { + public SingleType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public SingleType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type PrimitiveClass { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; - public SingleType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public SingleType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public object StringToObject(string xml) => throw null; } - - // Generated from `NHibernate.Type.SpecialOneToOneType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SpecialOneToOneType : NHibernate.Type.OneToOneType { + public SpecialOneToOneType(string referencedEntityName, NHibernate.Type.ForeignKeyDirection foreignKeyType, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, string entityName, string propertyName) : base(default(string), default(NHibernate.Type.ForeignKeyDirection), default(string), default(bool), default(bool), default(string), default(string)) => throw null; public override int GetColumnSpan(NHibernate.Engine.IMapping mapping) => throw null; public override int GetOwnerColumnSpan(NHibernate.Engine.IMapping mapping) => throw null; public override object Hydrate(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task HydrateAsync(System.Data.Common.DbDataReader rs, string[] names, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; - public SpecialOneToOneType(string referencedEntityName, NHibernate.Type.ForeignKeyDirection foreignKeyType, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, string entityName, string propertyName) : base(default(string), default(NHibernate.Type.ForeignKeyDirection), default(string), default(bool), default(bool), default(string), default(string)) => throw null; public override NHibernate.SqlTypes.SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping) => throw null; public override bool UseLHSPrimaryKey { get => throw null; } } - - // Generated from `NHibernate.Type.StringClobType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class StringClobType : NHibernate.Type.StringType { public override string Name { get => throw null; } } - - // Generated from `NHibernate.Type.StringType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class StringType : NHibernate.Type.AbstractStringType { public override string Name { get => throw null; } - internal StringType(NHibernate.SqlTypes.StringSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal StringType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + internal StringType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.TicksType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TicksType : NHibernate.Type.AbstractDateTimeType { + public TicksType() => throw null; public override object FromStringValue(string xml) => throw null; protected override System.DateTime GetDateTime(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } @@ -33335,19 +28897,18 @@ public class TicksType : NHibernate.Type.AbstractDateTimeType public override System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public TicksType() => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.TimeAsTimeSpanType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TimeAsTimeSpanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler { public System.Collections.IComparer Comparator { get => throw null; } + public TimeAsTimeSpanType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public TimeAsTimeSpanType(NHibernate.SqlTypes.TimeSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33358,20 +28919,17 @@ public class TimeAsTimeSpanType : NHibernate.Type.PrimitiveType, NHibernate.Type public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public TimeAsTimeSpanType(NHibernate.SqlTypes.TimeSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public TimeAsTimeSpanType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.TimeSpanType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TimeSpanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.ICacheAssembler + public class TimeSpanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { public System.Collections.IComparer Comparator { get => throw null; } + public TimeSpanType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33382,18 +28940,24 @@ public class TimeSpanType : NHibernate.Type.PrimitiveType, NHibernate.Type.IVers public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public TimeSpanType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.TimeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TimeType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.ICacheAssembler + public class TimestampType : NHibernate.Type.AbstractDateTimeType + { + public TimestampType() => throw null; + public override string Name { get => throw null; } + public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; + public override string ToString(object val) => throw null; + } + public class TimeType : NHibernate.Type.PrimitiveType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { + public TimeType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public TimeType(NHibernate.SqlTypes.TimeSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override int GetHashCode(object x) => throw null; public override bool IsEqual(object x, object y) => throw null; public override string Name { get => throw null; } @@ -33402,36 +28966,21 @@ public class TimeType : NHibernate.Type.PrimitiveType, NHibernate.Type.IType, NH public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public TimeType(NHibernate.SqlTypes.TimeSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public TimeType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; - public override string ToString(object val) => throw null; - } - - // Generated from `NHibernate.Type.TimestampType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class TimestampType : NHibernate.Type.AbstractDateTimeType - { - public override string Name { get => throw null; } - public TimestampType() => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; } - - // Generated from `NHibernate.Type.TrueFalseType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TrueFalseType : NHibernate.Type.CharBooleanType { - protected override string FalseString { get => throw null; } + protected override sealed string FalseString { get => throw null; } public override string Name { get => throw null; } - internal TrueFalseType() : base(default(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType)) => throw null; - protected override string TrueString { get => throw null; } + protected override sealed string TrueString { get => throw null; } + internal TrueFalseType() : base(default(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType)) { } } - - // Generated from `NHibernate.Type.TypeFactory` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class TypeFactory { public static NHibernate.Type.CollectionType Array(string role, string propertyRef, System.Type elementClass) => throw null; - public static NHibernate.Type.IType Basic(string name, System.Collections.Generic.IDictionary parameters) => throw null; public static NHibernate.Type.IType Basic(string name) => throw null; + public static NHibernate.Type.IType Basic(string name, System.Collections.Generic.IDictionary parameters) => throw null; public static void ClearCustomRegistrations() => throw null; public static NHibernate.Type.CollectionType CustomCollection(string typeName, System.Collections.Generic.IDictionary typeParameters, string role, string propertyRef) => throw null; public static string[] EmptyAliases; @@ -33446,43 +28995,35 @@ public static class TypeFactory public static NHibernate.Type.CollectionType GenericSortedSet(string role, string propertyRef, object comparer, System.Type elementClass) => throw null; public static NHibernate.Type.NullableType GetAnsiStringType(int length) => throw null; public static NHibernate.Type.NullableType GetBinaryType(int length) => throw null; - public static NHibernate.Type.NullableType GetDateTime2Type(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.Type.NullableType GetDateTimeOffsetType(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.Type.NullableType GetDateTimeType(System.Byte fractionalSecondsPrecision) => throw null; + public static NHibernate.Type.NullableType GetDateTime2Type(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.Type.NullableType GetDateTimeOffsetType(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.Type.NullableType GetDateTimeType(byte fractionalSecondsPrecision) => throw null; public static NHibernate.Type.IType GetDefaultTypeFor(System.Type type) => throw null; - public static NHibernate.Type.NullableType GetLocalDateTimeType(System.Byte fractionalSecondsPrecision) => throw null; - // Generated from `NHibernate.Type.TypeFactory+GetNullableTypeWithLengthOrScale` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public static NHibernate.Type.NullableType GetLocalDateTimeType(byte fractionalSecondsPrecision) => throw null; public delegate NHibernate.Type.NullableType GetNullableTypeWithLengthOrScale(int lengthOrScale); - - - // Generated from `NHibernate.Type.TypeFactory+GetNullableTypeWithPrecision` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public delegate NHibernate.Type.NullableType GetNullableTypeWithPrecision(System.Byte precision, System.Byte scale); - - - public static NHibernate.Type.NullableType GetSerializableType(int length) => throw null; - public static NHibernate.Type.NullableType GetSerializableType(System.Type serializableType, int length) => throw null; + public delegate NHibernate.Type.NullableType GetNullableTypeWithPrecision(byte precision, byte scale); public static NHibernate.Type.NullableType GetSerializableType(System.Type serializableType) => throw null; + public static NHibernate.Type.NullableType GetSerializableType(System.Type serializableType, int length) => throw null; + public static NHibernate.Type.NullableType GetSerializableType(int length) => throw null; public static NHibernate.Type.NullableType GetStringType(int length) => throw null; - public static NHibernate.Type.NullableType GetTimeAsTimeSpanType(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.Type.NullableType GetTimeType(System.Byte fractionalSecondsPrecision) => throw null; + public static NHibernate.Type.NullableType GetTimeAsTimeSpanType(byte fractionalSecondsPrecision) => throw null; + public static NHibernate.Type.NullableType GetTimeType(byte fractionalSecondsPrecision) => throw null; public static NHibernate.Type.NullableType GetTypeType(int length) => throw null; - public static NHibernate.Type.NullableType GetUtcDateTimeType(System.Byte fractionalSecondsPrecision) => throw null; - public static NHibernate.Type.IType HeuristicType(string typeName, System.Collections.Generic.IDictionary parameters, int? length) => throw null; - public static NHibernate.Type.IType HeuristicType(string typeName, System.Collections.Generic.IDictionary parameters) => throw null; + public static NHibernate.Type.NullableType GetUtcDateTimeType(byte fractionalSecondsPrecision) => throw null; public static NHibernate.Type.IType HeuristicType(string typeName) => throw null; public static NHibernate.Type.IType HeuristicType(System.Type type) => throw null; + public static NHibernate.Type.IType HeuristicType(string typeName, System.Collections.Generic.IDictionary parameters) => throw null; + public static NHibernate.Type.IType HeuristicType(string typeName, System.Collections.Generic.IDictionary parameters, int? length) => throw null; public static void InjectParameters(object type, System.Collections.Generic.IDictionary parameters) => throw null; + public static NHibernate.Type.EntityType ManyToOne(string persistentClass) => throw null; + public static NHibernate.Type.EntityType ManyToOne(string persistentClass, bool lazy) => throw null; public static NHibernate.Type.EntityType ManyToOne(string persistentClass, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne, string propertyName) => throw null; public static NHibernate.Type.EntityType ManyToOne(string persistentClass, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, bool ignoreNotFound, bool isLogicalOneToOne) => throw null; - public static NHibernate.Type.EntityType ManyToOne(string persistentClass, bool lazy) => throw null; - public static NHibernate.Type.EntityType ManyToOne(string persistentClass) => throw null; public static NHibernate.Type.EntityType OneToOne(string persistentClass, NHibernate.Type.ForeignKeyDirection foreignKeyType, string uniqueKeyPropertyName, bool lazy, bool unwrapProxy, string entityName, string propertyName) => throw null; - public static void RegisterType(System.Type systemType, NHibernate.Type.IType nhibernateType, System.Collections.Generic.IEnumerable aliases, NHibernate.Type.TypeFactory.GetNullableTypeWithPrecision ctorPrecision) => throw null; - public static void RegisterType(System.Type systemType, NHibernate.Type.IType nhibernateType, System.Collections.Generic.IEnumerable aliases, NHibernate.Type.TypeFactory.GetNullableTypeWithLengthOrScale ctorLengthOrScale) => throw null; public static void RegisterType(System.Type systemType, NHibernate.Type.IType nhibernateType, System.Collections.Generic.IEnumerable aliases) => throw null; + public static void RegisterType(System.Type systemType, NHibernate.Type.IType nhibernateType, System.Collections.Generic.IEnumerable aliases, NHibernate.Type.TypeFactory.GetNullableTypeWithLengthOrScale ctorLengthOrScale) => throw null; + public static void RegisterType(System.Type systemType, NHibernate.Type.IType nhibernateType, System.Collections.Generic.IEnumerable aliases, NHibernate.Type.TypeFactory.GetNullableTypeWithPrecision ctorPrecision) => throw null; } - - // Generated from `NHibernate.Type.TypeHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class TypeHelper { public static object[] Assemble(object[] row, NHibernate.Type.ICacheAssembler[] types, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; @@ -33501,15 +29042,13 @@ public static class TypeHelper public static int[] FindModified(NHibernate.Tuple.StandardProperty[] properties, object[] currentState, object[] previousState, bool[][] includeColumns, NHibernate.Engine.ISessionImplementor session) => throw null; public static System.Threading.Tasks.Task FindModifiedAsync(NHibernate.Tuple.StandardProperty[] properties, object[] currentState, object[] previousState, bool[][] includeColumns, bool anyUninitializedProperties, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task FindModifiedAsync(NHibernate.Tuple.StandardProperty[] properties, object[] currentState, object[] previousState, bool[][] includeColumns, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; - public static object[] Replace(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; public static object[] Replace(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready) => throw null; + public static object[] Replace(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; public static object[] ReplaceAssociations(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection) => throw null; public static System.Threading.Tasks.Task ReplaceAssociationsAsync(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; - public static System.Threading.Tasks.Task ReplaceAsync(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; public static System.Threading.Tasks.Task ReplaceAsync(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copiedAlready, System.Threading.CancellationToken cancellationToken) => throw null; + public static System.Threading.Tasks.Task ReplaceAsync(object[] original, object[] target, NHibernate.Type.IType[] types, NHibernate.Engine.ISessionImplementor session, object owner, System.Collections.IDictionary copyCache, NHibernate.Type.ForeignKeyDirection foreignKeyDirection, System.Threading.CancellationToken cancellationToken) => throw null; } - - // Generated from `NHibernate.Type.TypeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TypeType : NHibernate.Type.ImmutableType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; @@ -33517,26 +29056,24 @@ public class TypeType : NHibernate.Type.ImmutableType public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override NHibernate.SqlTypes.SqlType SqlType { get => throw null; } public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object value) => throw null; - internal TypeType(NHibernate.SqlTypes.StringSqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - internal TypeType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + internal TypeType() : base(default(NHibernate.SqlTypes.SqlType)) { } } - - // Generated from `NHibernate.Type.UInt16Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UInt16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class UInt16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public UInt16Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33547,17 +29084,15 @@ public class UInt16Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersio public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public UInt16Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.UInt32Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UInt32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class UInt32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public UInt32Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33568,17 +29103,15 @@ public class UInt32Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersio public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public UInt32Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.UInt64Type` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UInt64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersionType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class UInt64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType, NHibernate.Type.IVersionType { public System.Collections.IComparer Comparator { get => throw null; } + public UInt64Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DefaultValue { get => throw null; } public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public virtual object Next(object current, NHibernate.Engine.ISessionImplementor session) => throw null; public virtual System.Threading.Tasks.Task NextAsync(object current, NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; @@ -33589,19 +29122,18 @@ public class UInt64Type : NHibernate.Type.PrimitiveType, NHibernate.Type.IVersio public virtual System.Threading.Tasks.Task SeedAsync(NHibernate.Engine.ISessionImplementor session, System.Threading.CancellationToken cancellationToken) => throw null; public override void Set(System.Data.Common.DbCommand rs, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public object StringToObject(string xml) => throw null; - public UInt64Type() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.UriType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UriType : NHibernate.Type.ImmutableType, NHibernate.Type.IType, NHibernate.Type.ILiteralType, NHibernate.Type.IIdentifierType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.ICacheAssembler + public class UriType : NHibernate.Type.ImmutableType, NHibernate.Type.IDiscriminatorType, NHibernate.Type.IIdentifierType, NHibernate.Type.IType, NHibernate.Type.ICacheAssembler, NHibernate.Type.ILiteralType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public UriType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public UriType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override string Name { get => throw null; } public string ObjectToSQLString(object value, NHibernate.Dialect.Dialect dialect) => throw null; public override System.Type ReturnedClass { get => throw null; } @@ -33609,100 +29141,103 @@ public class UriType : NHibernate.Type.ImmutableType, NHibernate.Type.IType, NHi public object StringToObject(string xml) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; - public UriType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public UriType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.UtcDateTimeNoMsType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class UtcDateTimeNoMsType : NHibernate.Type.DateTimeNoMsType { + public UtcDateTimeNoMsType() => throw null; protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } - public UtcDateTimeNoMsType() => throw null; } - - // Generated from `NHibernate.Type.UtcDateTimeType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class UtcDateTimeType : NHibernate.Type.DateTimeType { + public UtcDateTimeType() => throw null; + public UtcDateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } - public UtcDateTimeType(NHibernate.SqlTypes.DateTimeSqlType sqlType) => throw null; - public UtcDateTimeType() => throw null; } - - // Generated from `NHibernate.Type.UtcDbTimestampType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class UtcDbTimestampType : NHibernate.Type.DbTimestampType { + public UtcDbTimestampType() => throw null; protected override string GetCurrentTimestampSelectString(NHibernate.Dialect.Dialect dialect) => throw null; protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } protected override bool SupportsCurrentTimestampSelection(NHibernate.Dialect.Dialect dialect) => throw null; - public UtcDbTimestampType() => throw null; } - - // Generated from `NHibernate.Type.UtcTicksType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class UtcTicksType : NHibernate.Type.TicksType { + public UtcTicksType() => throw null; protected override System.DateTimeKind Kind { get => throw null; } public override string Name { get => throw null; } - public UtcTicksType() => throw null; } - - // Generated from `NHibernate.Type.XDocType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class XDocType : NHibernate.Type.MutableType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public XDocType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public XDocType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DeepCopyNotNull(object value) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsEqual(object x, object y) => throw null; public override string Name { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; - public XDocType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public XDocType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.XmlDocType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class XmlDocType : NHibernate.Type.MutableType { public override object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task AssembleAsync(object cached, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; + public XmlDocType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; + public XmlDocType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; public override object DeepCopyNotNull(object value) => throw null; public override object Disassemble(object value, NHibernate.Engine.ISessionImplementor session, object owner) => throw null; public override System.Threading.Tasks.Task DisassembleAsync(object value, NHibernate.Engine.ISessionImplementor session, object owner, System.Threading.CancellationToken cancellationToken) => throw null; public override object FromStringValue(string xml) => throw null; - public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override object Get(System.Data.Common.DbDataReader rs, int index, NHibernate.Engine.ISessionImplementor session) => throw null; + public override object Get(System.Data.Common.DbDataReader rs, string name, NHibernate.Engine.ISessionImplementor session) => throw null; public override bool IsEqual(object x, object y) => throw null; public override string Name { get => throw null; } public override System.Type ReturnedClass { get => throw null; } public override void Set(System.Data.Common.DbCommand cmd, object value, int index, NHibernate.Engine.ISessionImplementor session) => throw null; public override string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory) => throw null; public override string ToString(object val) => throw null; - public XmlDocType(NHibernate.SqlTypes.SqlType sqlType) : base(default(NHibernate.SqlTypes.SqlType)) => throw null; - public XmlDocType() : base(default(NHibernate.SqlTypes.SqlType)) => throw null; } - - // Generated from `NHibernate.Type.YesNoType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class YesNoType : NHibernate.Type.CharBooleanType { - protected override string FalseString { get => throw null; } - public override string Name { get => throw null; } - protected override string TrueString { get => throw null; } public YesNoType() : base(default(NHibernate.SqlTypes.AnsiStringFixedLengthSqlType)) => throw null; + protected override sealed string FalseString { get => throw null; } + public override string Name { get => throw null; } + protected override sealed string TrueString { get => throw null; } } - + } + public class TypeMismatchException : NHibernate.HibernateException + { + public TypeMismatchException(string message) => throw null; + public TypeMismatchException(string message, System.Exception inner) => throw null; + protected TypeMismatchException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + public class UnresolvableObjectException : NHibernate.HibernateException + { + public UnresolvableObjectException(object identifier, System.Type clazz) => throw null; + public UnresolvableObjectException(object identifier, string entityName) => throw null; + public UnresolvableObjectException(string message, object identifier, System.Type clazz) => throw null; + public UnresolvableObjectException(string message, object identifier, string entityName) => throw null; + protected UnresolvableObjectException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Identifier { get => throw null; } + public override string Message { get => throw null; } + public System.Type PersistentClass { get => throw null; } + public static void ThrowIfNull(object o, object id, System.Type clazz) => throw null; + public static void ThrowIfNull(object o, object id, string entityName) => throw null; } namespace UserTypes { - // Generated from `NHibernate.UserTypes.ICompositeUserType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ICompositeUserType { object Assemble(object cached, NHibernate.Engine.ISessionImplementor session, object owner); @@ -33720,40 +29255,30 @@ public interface ICompositeUserType System.Type ReturnedClass { get; } void SetPropertyValue(object component, int property, object value); } - - // Generated from `NHibernate.UserTypes.IEnhancedUserType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IEnhancedUserType : NHibernate.UserTypes.IUserType { object FromXMLString(string xml); string ObjectToSQLString(object value); string ToXMLString(object value); } - - // Generated from `NHibernate.UserTypes.ILoggableUserType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface ILoggableUserType { string ToLoggableString(object value, NHibernate.Engine.ISessionFactoryImplementor factory); } - - // Generated from `NHibernate.UserTypes.IParameterizedType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IParameterizedType { void SetParameterValues(System.Collections.Generic.IDictionary parameters); } - - // Generated from `NHibernate.UserTypes.IUserCollectionType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IUserCollectionType { bool Contains(object collection, object entity); System.Collections.IEnumerable GetElements(object collection); object IndexOf(object collection, object entity); - object Instantiate(int anticipatedSize); NHibernate.Collection.IPersistentCollection Instantiate(NHibernate.Engine.ISessionImplementor session, NHibernate.Persister.Collection.ICollectionPersister persister); + object Instantiate(int anticipatedSize); object ReplaceElements(object original, object target, NHibernate.Persister.Collection.ICollectionPersister persister, object owner, System.Collections.IDictionary copyCache, NHibernate.Engine.ISessionImplementor session); NHibernate.Collection.IPersistentCollection Wrap(NHibernate.Engine.ISessionImplementor session, object collection); } - - // Generated from `NHibernate.UserTypes.IUserType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public interface IUserType { object Assemble(object cached, object owner); @@ -33768,42 +29293,36 @@ public interface IUserType System.Type ReturnedType { get; } NHibernate.SqlTypes.SqlType[] SqlTypes { get; } } - - // Generated from `NHibernate.UserTypes.IUserVersionType` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public interface IUserVersionType : System.Collections.IComparer, NHibernate.UserTypes.IUserType + public interface IUserVersionType : NHibernate.UserTypes.IUserType, System.Collections.IComparer { object Next(object current, NHibernate.Engine.ISessionImplementor session); object Seed(NHibernate.Engine.ISessionImplementor session); } - } namespace Util { - // Generated from `NHibernate.Util.ADOExceptionReporter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ADOExceptionReporter { - public const string DefaultExceptionMsg = default; - public static void LogExceptions(System.Exception ex, string message) => throw null; + public static string DefaultExceptionMsg; public static void LogExceptions(System.Exception ex) => throw null; + public static void LogExceptions(System.Exception ex, string message) => throw null; } - - // Generated from `NHibernate.Util.ArrayHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class ArrayHelper { - public static void AddAll(System.Collections.Generic.IDictionary to, System.Collections.Generic.IDictionary from) => throw null; - public static void AddAll(System.Collections.Generic.IList to, System.Collections.Generic.IList from) => throw null; public static void AddAll(System.Collections.IList to, System.Collections.IList from) => throw null; + public static void AddAll(System.Collections.Generic.IList to, System.Collections.Generic.IList from) => throw null; + public static void AddAll(System.Collections.Generic.IDictionary to, System.Collections.Generic.IDictionary from) => throw null; public static System.Collections.Generic.IDictionary AddOrOverride(this System.Collections.Generic.IDictionary destination, System.Collections.Generic.IDictionary sourceOverride) => throw null; public static bool ArrayEquals(T[] a, T[] b) => throw null; - public static bool ArrayEquals(System.Byte[] a, System.Byte[] b) => throw null; + public static bool ArrayEquals(byte[] a, byte[] b) => throw null; public static int ArrayGetHashCode(T[] array) => throw null; public static int CountTrue(bool[] array) => throw null; public static bool[] EmptyBoolArray { get => throw null; } public static int[] EmptyIntArray { get => throw null; } public static object[] EmptyObjectArray { get => throw null; } public static bool[] False; - public static void Fill(T[] array, T value) => throw null; public static T[] Fill(T value, int length) => throw null; + public static void Fill(T[] array, T value) => throw null; public static int[] GetBatchSizes(int maxBatchSize) => throw null; public static bool IsAllFalse(bool[] array) => throw null; public static bool IsAllNegative(int[] array) => throw null; @@ -33813,8 +29332,6 @@ public static class ArrayHelper public static string ToString(object[] array) => throw null; public static bool[] True; } - - // Generated from `NHibernate.Util.AssemblyQualifiedTypeName` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class AssemblyQualifiedTypeName { public string Assembly { get => throw null; } @@ -33825,43 +29342,35 @@ public class AssemblyQualifiedTypeName public override string ToString() => throw null; public string Type { get => throw null; } } - - // Generated from `NHibernate.Util.AsyncLock` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class AsyncLock + public sealed class AsyncLock { public AsyncLock() => throw null; public System.IDisposable Lock() => throw null; public System.Threading.Tasks.Task LockAsync() => throw null; } - - // Generated from `NHibernate.Util.CollectionHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class CollectionHelper { - public static bool BagEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool BagEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2) => throw null; - public static bool CollectionEquals(System.Collections.Generic.ICollection c1, System.Collections.Generic.ICollection c2) => throw null; + public static bool BagEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool CollectionEquals(System.Collections.ICollection c1, System.Collections.ICollection c2) => throw null; - public static System.Collections.Generic.IDictionary CreateCaseInsensitiveHashtable(System.Collections.Generic.IDictionary dictionary) => throw null; + public static bool CollectionEquals(System.Collections.Generic.ICollection c1, System.Collections.Generic.ICollection c2) => throw null; public static System.Collections.Generic.IDictionary CreateCaseInsensitiveHashtable() => throw null; - public static bool DictionaryEquals(System.Collections.Generic.IDictionary m1, System.Collections.Generic.IDictionary m2, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static bool DictionaryEquals(System.Collections.Generic.IDictionary m1, System.Collections.Generic.IDictionary m2) => throw null; + public static System.Collections.Generic.IDictionary CreateCaseInsensitiveHashtable(System.Collections.Generic.IDictionary dictionary) => throw null; public static bool DictionaryEquals(System.Collections.IDictionary a, System.Collections.IDictionary b) => throw null; + public static bool DictionaryEquals(System.Collections.Generic.IDictionary m1, System.Collections.Generic.IDictionary m2) => throw null; + public static bool DictionaryEquals(System.Collections.Generic.IDictionary m1, System.Collections.Generic.IDictionary m2, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static System.Collections.ICollection EmptyCollection; public static System.Collections.Generic.IDictionary EmptyDictionary() => throw null; public static System.Collections.IEnumerable EmptyEnumerable; - // Generated from `NHibernate.Util.CollectionHelper+EmptyEnumerableClass<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmptyEnumerableClass : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class EmptyEnumerableClass : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public EmptyEnumerableClass() => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; } - - public static System.Collections.IList EmptyList; public static System.Collections.IDictionary EmptyMap; - // Generated from `NHibernate.Util.CollectionHelper+EmptyMapClass<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EmptyMapClass : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> + public class EmptyMapClass : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(TKey key, TValue value) => throw null; public void Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -33871,40 +29380,34 @@ public class EmptyMapClass : System.Collections.IEnumerable, Syste public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } public EmptyMapClass() => throw null; - public System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } public bool Remove(TKey key) => throw null; public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public TValue this[TKey key] { get => throw null; set { } } public bool TryGetValue(TKey key, out TValue value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - - - public static int GetHashCode(System.Collections.Generic.IEnumerable coll, System.Collections.Generic.IEqualityComparer comparer) => throw null; - public static int GetHashCode(System.Collections.Generic.IEnumerable coll) => throw null; public static int GetHashCode(System.Collections.IEnumerable coll) => throw null; - public static bool SequenceEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2, System.Collections.Generic.IEqualityComparer comparer) => throw null; + public static int GetHashCode(System.Collections.Generic.IEnumerable coll) => throw null; + public static int GetHashCode(System.Collections.Generic.IEnumerable coll, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool SequenceEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2) => throw null; + public static bool SequenceEquals(System.Collections.Generic.IEnumerable c1, System.Collections.Generic.IEnumerable c2, System.Collections.Generic.IEqualityComparer comparer) => throw null; public static bool SetEquals(System.Collections.Generic.ISet s1, System.Collections.Generic.ISet s2) => throw null; } - - // Generated from `NHibernate.Util.CollectionPrinter` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class CollectionPrinter { - public static string ToString(System.Collections.IEnumerable elements) => throw null; public static string ToString(System.Collections.IDictionary dictionary) => throw null; public static string ToString(System.Collections.Generic.IDictionary dictionary) => throw null; + public static string ToString(System.Collections.IEnumerable elements) => throw null; } - - // Generated from `NHibernate.Util.DynamicComponent` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class DynamicComponent : System.Dynamic.DynamicObject, System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> + public sealed class DynamicComponent : System.Dynamic.DynamicObject, System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Runtime.Serialization.ISerializable, System.Runtime.Serialization.IDeserializationCallback { void System.Collections.IDictionary.Add(object key, object value) => throw null; - void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; + void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; void System.Collections.IDictionary.Clear() => throw null; void System.Collections.Generic.ICollection>.Clear() => throw null; bool System.Collections.IDictionary.Contains(object key) => throw null; @@ -33916,22 +29419,22 @@ public class DynamicComponent : System.Dynamic.DynamicObject, System.Runtime.Ser int System.Collections.Generic.ICollection>.Count { get => throw null; } public DynamicComponent() => throw null; public override System.Collections.Generic.IEnumerable GetDynamicMemberNames() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; System.Collections.IDictionaryEnumerator System.Collections.IDictionary.GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; bool System.Collections.IDictionary.IsFixedSize { get => throw null; } bool System.Collections.IDictionary.IsReadOnly { get => throw null; } bool System.Collections.Generic.ICollection>.IsReadOnly { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } - object System.Collections.IDictionary.this[object key] { get => throw null; set => throw null; } - object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set => throw null; } + object System.Collections.IDictionary.this[object key] { get => throw null; set { } } + object System.Collections.Generic.IDictionary.this[string key] { get => throw null; set { } } System.Collections.ICollection System.Collections.IDictionary.Keys { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Keys { get => throw null; } void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; void System.Collections.IDictionary.Remove(object key) => throw null; - bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; + bool System.Collections.Generic.IDictionary.Remove(string key) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } public override bool TryDeleteIndex(System.Dynamic.DeleteIndexBinder binder, object[] indexes) => throw null; public override bool TryDeleteMember(System.Dynamic.DeleteMemberBinder binder) => throw null; @@ -33944,52 +29447,40 @@ public class DynamicComponent : System.Dynamic.DynamicObject, System.Runtime.Ser System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } System.Collections.Generic.ICollection System.Collections.Generic.IDictionary.Values { get => throw null; } } - - // Generated from `NHibernate.Util.EnumerableExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class EnumerableExtensions + public static partial class EnumerableExtensions { public static bool Any(this System.Collections.IEnumerable source) => throw null; public static object First(this System.Collections.IEnumerable source) => throw null; public static object FirstOrNull(this System.Collections.IEnumerable source) => throw null; public static void ForEach(this System.Collections.Generic.IEnumerable query, System.Action method) => throw null; } - - // Generated from `NHibernate.Util.EnumeratorAdapter<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class EnumeratorAdapter : System.IDisposable, System.Collections.IEnumerator, System.Collections.Generic.IEnumerator + public class EnumeratorAdapter : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { + public EnumeratorAdapter(System.Collections.IEnumerator wrapped) => throw null; public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } public void Dispose() => throw null; - public EnumeratorAdapter(System.Collections.IEnumerator wrapped) => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; } - - // Generated from `NHibernate.Util.EqualsHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class EqualsHelper { public static bool Equals(object x, object y) => throw null; } - - // Generated from `NHibernate.Util.ExpressionsHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class ExpressionsHelper { public static System.Reflection.MemberInfo DecodeMemberAccessExpression(System.Linq.Expressions.Expression> expression) => throw null; } - - // Generated from `NHibernate.Util.FilterHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class FilterHelper + public sealed class FilterHelper { public FilterHelper(System.Collections.Generic.IDictionary filters, NHibernate.Dialect.Dialect dialect, NHibernate.Dialect.Function.SQLFunctionRegistry sqlFunctionRegistry) => throw null; public static System.Collections.Generic.IDictionary GetEnabledForManyToOne(System.Collections.Generic.IDictionary enabledFilters) => throw null; public bool IsAffectedBy(System.Collections.Generic.IDictionary enabledFilters) => throw null; - public void Render(System.Text.StringBuilder buffer, string defaultAlias, System.Collections.Generic.IDictionary propMap, System.Collections.Generic.IDictionary enabledFilters) => throw null; - public void Render(System.Text.StringBuilder buffer, string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; public string Render(string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public void Render(System.Text.StringBuilder buffer, string alias, System.Collections.Generic.IDictionary enabledFilters) => throw null; + public void Render(System.Text.StringBuilder buffer, string defaultAlias, System.Collections.Generic.IDictionary propMap, System.Collections.Generic.IDictionary enabledFilters) => throw null; } - - // Generated from `NHibernate.Util.IdentityMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentityMap : System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection + public sealed class IdentityMap : System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback { public void Add(object key, object val) => throw null; public void Clear() => throw null; @@ -33999,24 +29490,22 @@ public class IdentityMap : System.Runtime.Serialization.IDeserializationCallback public int Count { get => throw null; } public static System.Collections.ICollection Entries(System.Collections.IDictionary map) => throw null; public System.Collections.IList EntryList { get => throw null; } - public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; public static System.Collections.IDictionary Instantiate(int size) => throw null; public static System.Collections.IDictionary InstantiateSequenced(int size) => throw null; public static System.Collections.IDictionary Invert(System.Collections.IDictionary map) => throw null; public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } public System.Collections.ICollection Keys { get => throw null; } public void OnDeserialization(object sender) => throw null; public void Remove(object key) => throw null; public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - - // Generated from `NHibernate.Util.IdentitySet` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class IdentitySet : System.Collections.IEnumerable, System.Collections.Generic.ISet, System.Collections.Generic.IEnumerable, System.Collections.Generic.ICollection + public class IdentitySet : System.Collections.Generic.ISet, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { void System.Collections.Generic.ICollection.Add(object item) => throw null; public bool Add(object o) => throw null; @@ -34024,11 +29513,11 @@ public class IdentitySet : System.Collections.IEnumerable, System.Collections.Ge public bool Contains(object o) => throw null; public void CopyTo(object[] array, int index) => throw null; public int Count { get => throw null; } + public IdentitySet() => throw null; + public IdentitySet(System.Collections.Generic.IEnumerable members) => throw null; public void ExceptWith(System.Collections.Generic.IEnumerable other) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public IdentitySet(System.Collections.Generic.IEnumerable members) => throw null; - public IdentitySet() => throw null; public void IntersectWith(System.Collections.Generic.IEnumerable other) => throw null; public bool IsProperSubsetOf(System.Collections.Generic.IEnumerable other) => throw null; public bool IsProperSupersetOf(System.Collections.Generic.IEnumerable other) => throw null; @@ -34041,101 +29530,85 @@ public class IdentitySet : System.Collections.IEnumerable, System.Collections.Ge public void SymmetricExceptWith(System.Collections.Generic.IEnumerable other) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - - // Generated from `NHibernate.Util.JoinedEnumerable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class JoinedEnumerable : System.Collections.IEnumerable { - public System.Collections.IEnumerator GetEnumerator() => throw null; public JoinedEnumerable(System.Collections.IEnumerable[] enumerables) => throw null; - public JoinedEnumerable(System.Collections.IEnumerable first, System.Collections.IEnumerable second) => throw null; public JoinedEnumerable(System.Collections.Generic.IEnumerable enumerables) => throw null; + public JoinedEnumerable(System.Collections.IEnumerable first, System.Collections.IEnumerable second) => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; } - - // Generated from `NHibernate.Util.JoinedEnumerable<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class JoinedEnumerable : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class JoinedEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public System.Collections.IEnumerator GetEnumerator() => throw null; - System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; - public JoinedEnumerable(System.Collections.Generic.List> enumerables) => throw null; public JoinedEnumerable(System.Collections.Generic.IEnumerable[] enumerables) => throw null; + public JoinedEnumerable(System.Collections.Generic.List> enumerables) => throw null; public JoinedEnumerable(System.Collections.Generic.IEnumerable first, System.Collections.Generic.IEnumerable second) => throw null; + System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; } - - // Generated from `NHibernate.Util.LRUMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LRUMap : NHibernate.Util.SequencedHashMap - { - public override void Add(object key, object value) => throw null; - public override object this[object key] { get => throw null; set => throw null; } - public LRUMap(int capacity) => throw null; - public LRUMap() => throw null; - public int MaximumSize { get => throw null; set => throw null; } - protected void ProcessRemovedLRU(object key, object value) => throw null; - } - - // Generated from `NHibernate.Util.LinkedHashMap<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class LinkedHashMap : System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> + public class LinkedHashMap : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback { - public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public virtual void Add(TKey key, TValue value) => throw null; - // Generated from `NHibernate.Util.LinkedHashMap<,>+BackwardEnumerator<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - protected abstract class BackwardEnumerator : System.IDisposable, System.Collections.IEnumerator, System.Collections.Generic.IEnumerator + public void Add(System.Collections.Generic.KeyValuePair item) => throw null; + protected abstract class BackwardEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable { public BackwardEnumerator(NHibernate.Util.LinkedHashMap dictionary) => throw null; - public abstract T Current { get; } object System.Collections.IEnumerator.Current { get => throw null; } + public abstract T Current { get; } + protected NHibernate.Util.LinkedHashMap dictionary; public void Dispose() => throw null; public bool MoveNext() => throw null; public void Reset() => throw null; - protected NHibernate.Util.LinkedHashMap dictionary; - protected System.Int64 version; + protected long version; } - - public virtual void Clear() => throw null; - public virtual bool Contains(TKey key) => throw null; public bool Contains(System.Collections.Generic.KeyValuePair item) => throw null; + public virtual bool Contains(TKey key) => throw null; public virtual bool ContainsKey(TKey key) => throw null; public virtual bool ContainsValue(TValue value) => throw null; public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public virtual int Count { get => throw null; } - // Generated from `NHibernate.Util.LinkedHashMap<,>+Entry` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` + public LinkedHashMap() => throw null; + public LinkedHashMap(int capacity) => throw null; + public LinkedHashMap(System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; + public LinkedHashMap(int capacity, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; protected class Entry { public Entry(TKey key, TValue value) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public TKey Key { get => throw null; } - public NHibernate.Util.LinkedHashMap.Entry Next { get => throw null; set => throw null; } - public NHibernate.Util.LinkedHashMap.Entry Prev { get => throw null; set => throw null; } + public NHibernate.Util.LinkedHashMap.Entry Next { get => throw null; set { } } + public NHibernate.Util.LinkedHashMap.Entry Prev { get => throw null; set { } } public override string ToString() => throw null; - public TValue Value { get => throw null; set => throw null; } + public TValue Value { get => throw null; set { } } } - - public virtual TKey FirstKey { get => throw null; } public virtual TValue FirstValue { get => throw null; } public virtual System.Collections.IEnumerator GetEnumerator() => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; public virtual bool IsFixedSize { get => throw null; } public virtual bool IsReadOnly { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } public virtual System.Collections.Generic.ICollection Keys { get => throw null; } public virtual TKey LastKey { get => throw null; } public virtual TValue LastValue { get => throw null; } - public LinkedHashMap(int capacity, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - public LinkedHashMap(int capacity) => throw null; - public LinkedHashMap(System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; - public LinkedHashMap() => throw null; void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; public virtual bool Remove(TKey key) => throw null; public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public TValue this[TKey key] { get => throw null; set { } } public override string ToString() => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; public virtual System.Collections.Generic.ICollection Values { get => throw null; } } - - // Generated from `NHibernate.Util.NullableDictionary<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class NullableDictionary : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> where TKey : class + public class LRUMap : NHibernate.Util.SequencedHashMap + { + public override void Add(object key, object value) => throw null; + public LRUMap() => throw null; + public LRUMap(int capacity) => throw null; + public int MaximumSize { get => throw null; set { } } + protected void ProcessRemovedLRU(object key, object value) => throw null; + public override object this[object key] { get => throw null; set { } } + } + public class NullableDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable where TKey : class { public void Add(TKey key, TValue value) => throw null; public void Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -34144,49 +29617,41 @@ public class NullableDictionary : System.Collections.IEnumerable, public bool ContainsKey(TKey key) => throw null; public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } + public NullableDictionary() => throw null; + public NullableDictionary(System.Collections.Generic.IEqualityComparer comparer) => throw null; public System.Collections.Generic.IEnumerator> GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } - public NullableDictionary(System.Collections.Generic.IEqualityComparer comparer) => throw null; - public NullableDictionary() => throw null; public bool Remove(TKey key) => throw null; public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public TValue this[TKey key] { get => throw null; set { } } public bool TryGetValue(TKey key, out TValue value) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - - // Generated from `NHibernate.Util.ObjectHelpers` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class ObjectHelpers { public static string IdentityToString(object obj) => throw null; } - - // Generated from `NHibernate.Util.ParserException` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class ParserException : System.Exception { public ParserException(string message) => throw null; protected ParserException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; } - - // Generated from `NHibernate.Util.PropertiesHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class PropertiesHelper { public static bool GetBoolean(string property, System.Collections.Generic.IDictionary properties, bool defaultValue) => throw null; public static bool GetBoolean(string property, System.Collections.Generic.IDictionary properties) => throw null; - public static System.Byte? GetByte(string property, System.Collections.Generic.IDictionary properties, System.Byte? defaultValue) => throw null; + public static byte? GetByte(string property, System.Collections.Generic.IDictionary properties, byte? defaultValue) => throw null; public static TEnum GetEnum(string property, System.Collections.Generic.IDictionary properties, TEnum defaultValue) where TEnum : struct => throw null; public static int GetInt32(string property, System.Collections.Generic.IDictionary properties, int defaultValue) => throw null; - public static System.Int64 GetInt64(string property, System.Collections.Generic.IDictionary properties, System.Int64 defaultValue) => throw null; + public static long GetInt64(string property, System.Collections.Generic.IDictionary properties, long defaultValue) => throw null; public static string GetString(string property, System.Collections.Generic.IDictionary properties, string defaultValue) => throw null; public static System.Collections.Generic.IDictionary ToDictionary(string property, string delim, System.Collections.Generic.IDictionary properties) => throw null; } - - // Generated from `NHibernate.Util.ReflectHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class ReflectHelper { - public const System.Reflection.BindingFlags AnyVisibilityInstance = default; + public static System.Reflection.BindingFlags AnyVisibilityInstance; public static System.Type ClassForFullName(string classFullName) => throw null; public static System.Type ClassForFullNameOrNull(string classFullName) => throw null; public static System.Type ClassForName(string name) => throw null; @@ -34214,8 +29679,8 @@ public static class ReflectHelper public static bool IsPropertySet(System.Reflection.MethodInfo method) => throw null; public static bool OverridesEquals(System.Type clazz) => throw null; public static bool OverridesGetHashCode(System.Type clazz) => throw null; - public static System.Type ReflectedPropertyClass(string className, string name, string accessorName) => throw null; public static System.Type ReflectedPropertyClass(System.Type theClass, string name, string access) => throw null; + public static System.Type ReflectedPropertyClass(string className, string name, string accessorName) => throw null; public static NHibernate.Type.IType ReflectedPropertyType(System.Type theClass, string name, string access) => throw null; public static System.Collections.Generic.IDictionary ToTypeParameters(this object source) => throw null; public static System.Reflection.MethodInfo TryGetMethod(System.Type type, System.Reflection.MethodInfo method) => throw null; @@ -34224,17 +29689,13 @@ public static class ReflectHelper public static System.Type TypeFromAssembly(NHibernate.Util.AssemblyQualifiedTypeName name, bool throwOnError) => throw null; public static System.Exception UnwrapTargetInvocationException(System.Reflection.TargetInvocationException ex) => throw null; } - - // Generated from `NHibernate.Util.SafetyEnumerable<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SafetyEnumerable : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class SafetyEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public SafetyEnumerable(System.Collections.IEnumerable collection) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public SafetyEnumerable(System.Collections.IEnumerable collection) => throw null; } - - // Generated from `NHibernate.Util.SequencedHashMap` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SequencedHashMap : System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection + public class SequencedHashMap : System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback { public virtual void Add(object key, object value) => throw null; public virtual void Clear() => throw null; @@ -34243,6 +29704,12 @@ public class SequencedHashMap : System.Runtime.Serialization.IDeserializationCal public virtual bool ContainsValue(object value) => throw null; public virtual void CopyTo(System.Array array, int index) => throw null; public virtual int Count { get => throw null; } + public SequencedHashMap() => throw null; + public SequencedHashMap(int capacity) => throw null; + public SequencedHashMap(int capacity, float loadFactor) => throw null; + public SequencedHashMap(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; + public SequencedHashMap(System.Collections.IEqualityComparer equalityComparer) => throw null; + public SequencedHashMap(int capacity, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; public virtual object FirstKey { get => throw null; } public virtual object FirstValue { get => throw null; } public virtual System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; @@ -34250,94 +29717,75 @@ public class SequencedHashMap : System.Runtime.Serialization.IDeserializationCal public virtual bool IsFixedSize { get => throw null; } public virtual bool IsReadOnly { get => throw null; } public virtual bool IsSynchronized { get => throw null; } - public virtual object this[object o] { get => throw null; set => throw null; } public virtual System.Collections.ICollection Keys { get => throw null; } public virtual object LastKey { get => throw null; } public virtual object LastValue { get => throw null; } public void OnDeserialization(object sender) => throw null; public virtual void Remove(object key) => throw null; - public SequencedHashMap(int capacity, float loadFactor, System.Collections.IEqualityComparer equalityComparer) => throw null; - public SequencedHashMap(int capacity, float loadFactor) => throw null; - public SequencedHashMap(int capacity, System.Collections.IEqualityComparer equalityComparer) => throw null; - public SequencedHashMap(int capacity) => throw null; - public SequencedHashMap(System.Collections.IEqualityComparer equalityComparer) => throw null; - public SequencedHashMap() => throw null; public virtual object SyncRoot { get => throw null; } + public virtual object this[object o] { get => throw null; set { } } public override string ToString() => throw null; public virtual System.Collections.ICollection Values { get => throw null; } } - - // Generated from `NHibernate.Util.SerializationHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class SerializationHelper { - public static object Deserialize(System.Byte[] data) => throw null; - public static System.Byte[] Serialize(object obj) => throw null; - // Generated from `NHibernate.Util.SerializationHelper+SurrogateSelector` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SurrogateSelector : System.Runtime.Serialization.SurrogateSelector + public static object Deserialize(byte[] data) => throw null; + public static byte[] Serialize(object obj) => throw null; + public sealed class SurrogateSelector : System.Runtime.Serialization.SurrogateSelector { public override void AddSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context, System.Runtime.Serialization.ISerializationSurrogate surrogate) => throw null; + public SurrogateSelector() => throw null; public override System.Runtime.Serialization.ISerializationSurrogate GetSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context, out System.Runtime.Serialization.ISurrogateSelector selector) => throw null; public override void RemoveSurrogate(System.Type type, System.Runtime.Serialization.StreamingContext context) => throw null; - public SurrogateSelector() => throw null; } - - } - - // Generated from `NHibernate.Util.SimpleMRUCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SimpleMRUCache : System.Runtime.Serialization.IDeserializationCallback { public void Clear() => throw null; public int Count { get => throw null; } - public object this[object key] { get => throw null; } + public SimpleMRUCache() => throw null; + public SimpleMRUCache(int strongReferenceCount) => throw null; void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; public void Put(object key, object value) => throw null; - public SimpleMRUCache(int strongReferenceCount) => throw null; - public SimpleMRUCache() => throw null; + public object this[object key] { get => throw null; } } - - // Generated from `NHibernate.Util.SingletonEnumerable<>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class SingletonEnumerable : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public sealed class SingletonEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public SingletonEnumerable(T value) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public SingletonEnumerable(T value) => throw null; } - - // Generated from `NHibernate.Util.SoftLimitMRUCache` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class SoftLimitMRUCache : System.Runtime.Serialization.IDeserializationCallback { public void Clear() => throw null; public int Count { get => throw null; } - public object this[object key] { get => throw null; } + public SoftLimitMRUCache(int strongReferenceCount) => throw null; + public SoftLimitMRUCache() => throw null; void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; public void Put(object key, object value) => throw null; public int SoftCount { get => throw null; } - public SoftLimitMRUCache(int strongReferenceCount) => throw null; - public SoftLimitMRUCache() => throw null; + public object this[object key] { get => throw null; } } - - // Generated from `NHibernate.Util.StringHelper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public static class StringHelper { - public const int AliasTruncateLength = default; + public static int AliasTruncateLength; public static bool BooleanValue(string value) => throw null; - public const string ClosedParen = default; + public static string ClosedParen; public static string CollectionToString(System.Collections.IEnumerable keys) => throw null; - public const string Comma = default; - public const string CommaSpace = default; - public static int CountUnquoted(string str, System.Char character) => throw null; - public const System.Char Dot = default; + public static string Comma; + public static string CommaSpace; + public static int CountUnquoted(string str, char character) => throw null; + public static char Dot; public static bool EqualsCaseInsensitive(string a, string b) => throw null; public static int FirstIndexOfChar(string sqlString, string str, int startIndex) => throw null; - public static string GenerateAlias(string description, int unique) => throw null; public static string GenerateAlias(string description) => throw null; + public static string GenerateAlias(string description, int unique) => throw null; public static string GetClassname(string typeName) => throw null; public static string GetFullClassname(string typeName) => throw null; public static int IndexOfAnyNewLine(this string str, int startIndex, out int newLineLength) => throw null; - public static int IndexOfCaseInsensitive(string source, string value, int startIndex, int count) => throw null; - public static int IndexOfCaseInsensitive(string source, string value, int startIndex) => throw null; public static int IndexOfCaseInsensitive(string source, string value) => throw null; + public static int IndexOfCaseInsensitive(string source, string value, int startIndex) => throw null; + public static int IndexOfCaseInsensitive(string source, string value, int startIndex, int count) => throw null; public static string InternedIfPossible(string str) => throw null; public static bool IsAnyNewLine(this string str, int index, out int newLineLength) => throw null; public static bool IsBackticksEnclosed(string identifier) => throw null; @@ -34348,25 +29796,25 @@ public static class StringHelper public static int LastIndexOfLetter(string str) => throw null; public static string LinesToString(this string[] text) => throw null; public static string MoveAndToBeginning(string filter) => throw null; - public static string[] Multiply(string[] strings, string placeholder, string[] replacements) => throw null; public static string[] Multiply(string str, System.Collections.Generic.IEnumerable placeholders, System.Collections.Generic.IEnumerable replacements) => throw null; - public const string OpenParen = default; + public static string[] Multiply(string[] strings, string placeholder, string[] replacements) => throw null; + public static string OpenParen; public static string[] ParseFilterParameterName(string filterParameterName) => throw null; public static string[] Prefix(string[] columns, string prefix) => throw null; public static string PurgeBackticksEnclosing(string identifier) => throw null; public static string Qualifier(string qualifiedName) => throw null; - public static string[] Qualify(string prefix, string[] names) => throw null; public static string Qualify(string prefix, string name) => throw null; + public static string[] Qualify(string prefix, string[] names) => throw null; public static string Repeat(string str, int times) => throw null; - public static string Replace(string template, string placeholder, string replacement, bool wholeWords) => throw null; public static string Replace(string template, string placeholder, string replacement) => throw null; + public static string Replace(string template, string placeholder, string replacement, bool wholeWords) => throw null; public static string ReplaceOnce(string template, string placeholder, string replacement) => throw null; public static string ReplaceWholeWord(this string template, string placeholder, string replacement) => throw null; public static string Root(string qualifiedName) => throw null; - public const System.Char SingleQuote = default; - public static string[] Split(string separators, string list, bool include) => throw null; + public static char SingleQuote; public static string[] Split(string separators, string list) => throw null; - public const string SqlParameter = default; + public static string[] Split(string separators, string list, bool include) => throw null; + public static string SqlParameter; public static bool StartsWithCaseInsensitive(string source, string prefix) => throw null; public static string[] Suffix(string[] columns, string suffix) => throw null; public static string Suffix(string name, string suffix) => throw null; @@ -34374,26 +29822,22 @@ public static class StringHelper public static string ToString(object[] array) => throw null; public static string ToUpperCase(string str) => throw null; public static string Truncate(string str, int length) => throw null; - public const System.Char Underscore = default; - public static string Unqualify(string qualifiedName, string seperator) => throw null; + public static char Underscore; public static string Unqualify(string qualifiedName) => throw null; + public static string Unqualify(string qualifiedName, string seperator) => throw null; public static string UnqualifyEntityName(string entityName) => throw null; public static string Unroot(string qualifiedName) => throw null; - public const string WhiteSpace = default; + public static string WhiteSpace; } - - // Generated from `NHibernate.Util.StringTokenizer` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class StringTokenizer : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable + public class StringTokenizer : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { + public StringTokenizer(string str) => throw null; + public StringTokenizer(string str, string delim) => throw null; + public StringTokenizer(string str, string delim, bool returnDelims) => throw null; public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public StringTokenizer(string str, string delim, bool returnDelims) => throw null; - public StringTokenizer(string str, string delim) => throw null; - public StringTokenizer(string str) => throw null; } - - // Generated from `NHibernate.Util.TypeExtensions` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public static class TypeExtensions + public static partial class TypeExtensions { public static bool IsEnumerableOfT(this System.Type type) => throw null; public static bool IsNonPrimitive(this System.Type type) => throw null; @@ -34402,19 +29846,15 @@ public static class TypeExtensions public static bool IsPrimitive(this System.Type type) => throw null; public static System.Type NullableOf(this System.Type type) => throw null; } - - // Generated from `NHibernate.Util.TypeNameParser` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class TypeNameParser { + public TypeNameParser(string defaultNamespace, string defaultAssembly) => throw null; public NHibernate.Util.AssemblyQualifiedTypeName MakeGenericType(NHibernate.Util.AssemblyQualifiedTypeName qualifiedName, bool isArrayType, NHibernate.Util.AssemblyQualifiedTypeName[] typeArguments) => throw null; - public static NHibernate.Util.AssemblyQualifiedTypeName Parse(string type, string defaultNamespace, string defaultAssembly) => throw null; public static NHibernate.Util.AssemblyQualifiedTypeName Parse(string type) => throw null; + public static NHibernate.Util.AssemblyQualifiedTypeName Parse(string type, string defaultNamespace, string defaultAssembly) => throw null; public NHibernate.Util.AssemblyQualifiedTypeName ParseTypeName(string typeName) => throw null; - public TypeNameParser(string defaultNamespace, string defaultAssembly) => throw null; } - - // Generated from `NHibernate.Util.UnmodifiableDictionary<,>` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class UnmodifiableDictionary : System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection> + public class UnmodifiableDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(TKey key, TValue value) => throw null; public void Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -34423,65 +29863,67 @@ public class UnmodifiableDictionary : System.Collections.IEnumerab public bool ContainsKey(TKey key) => throw null; public void CopyTo(System.Collections.Generic.KeyValuePair[] array, int arrayIndex) => throw null; public int Count { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; + public UnmodifiableDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsReadOnly { get => throw null; } - public TValue this[TKey key] { get => throw null; set => throw null; } public System.Collections.Generic.ICollection Keys { get => throw null; } public bool Remove(TKey key) => throw null; public bool Remove(System.Collections.Generic.KeyValuePair item) => throw null; + public TValue this[TKey key] { get => throw null; set { } } public bool TryGetValue(TKey key, out TValue value) => throw null; - public UnmodifiableDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; public System.Collections.Generic.ICollection Values { get => throw null; } } - - // Generated from `NHibernate.Util.WeakEnumerator` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WeakEnumerator : System.Collections.IEnumerator, System.Collections.IDictionaryEnumerator + public class WeakEnumerator : System.Collections.IDictionaryEnumerator, System.Collections.IEnumerator { + public WeakEnumerator(System.Collections.IDictionaryEnumerator innerEnumerator) => throw null; public object Current { get => throw null; } public System.Collections.DictionaryEntry Entry { get => throw null; } public object Key { get => throw null; } public bool MoveNext() => throw null; public void Reset() => throw null; public object Value { get => throw null; } - public WeakEnumerator(System.Collections.IDictionaryEnumerator innerEnumerator) => throw null; } - - // Generated from `NHibernate.Util.WeakHashtable` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` - public class WeakHashtable : System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.ICollection + public class WeakHashtable : System.Collections.IDictionary, System.Collections.ICollection, System.Collections.IEnumerable { public void Add(object key, object value) => throw null; public void Clear() => throw null; public bool Contains(object key) => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public WeakHashtable() => throw null; public System.Collections.IDictionaryEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public bool IsFixedSize { get => throw null; } public bool IsReadOnly { get => throw null; } public bool IsSynchronized { get => throw null; } - public object this[object key] { get => throw null; set => throw null; } public System.Collections.ICollection Keys { get => throw null; } public void Remove(object key) => throw null; public void Scavenge() => throw null; public object SyncRoot { get => throw null; } + public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } - public WeakHashtable() => throw null; } - - // Generated from `NHibernate.Util.WeakRefWrapper` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class WeakRefWrapper : System.Runtime.Serialization.IDeserializationCallback { + public WeakRefWrapper(object target) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; public bool IsAlive { get => throw null; } public void OnDeserialization(object sender) => throw null; public object Target { get => throw null; } public static object Unwrap(object value) => throw null; - public WeakRefWrapper(object target) => throw null; public static NHibernate.Util.WeakRefWrapper Wrap(object value) => throw null; } - + } + public class WrongClassException : NHibernate.HibernateException, System.Runtime.Serialization.ISerializable + { + public WrongClassException(string message, object identifier, string entityName) => throw null; + protected WrongClassException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string EntityName { get => throw null; } + public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public object Identifier { get => throw null; } + public override string Message { get => throw null; } } } namespace System @@ -34490,13 +29932,11 @@ namespace Runtime { namespace CompilerServices { - // Generated from `System.Runtime.CompilerServices.IgnoresAccessChecksToAttribute` in `NHibernate, Version=5.3.0.0, Culture=neutral, PublicKeyToken=aa95f207798dfdb4` public class IgnoresAccessChecksToAttribute : System.Attribute { public string AssemblyName { get => throw null; } public IgnoresAccessChecksToAttribute(string assemblyName) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.csproj b/csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.csproj similarity index 93% rename from csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.csproj rename to csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.csproj index 67eefcd3d921..14414d503850 100644 --- a/csharp/ql/test/resources/stubs/NHibernate/5.3.8/NHibernate.csproj +++ b/csharp/ql/test/resources/stubs/NHibernate/5.4.6/NHibernate.csproj @@ -7,11 +7,11 @@ - - - + + + diff --git a/csharp/ql/test/resources/stubs/Remotion.Linq.EagerFetching/2.2.0/Remotion.Linq.EagerFetching.cs b/csharp/ql/test/resources/stubs/Remotion.Linq.EagerFetching/2.2.0/Remotion.Linq.EagerFetching.cs index 7f88424d24f0..00f1a2dd8963 100644 --- a/csharp/ql/test/resources/stubs/Remotion.Linq.EagerFetching/2.2.0/Remotion.Linq.EagerFetching.cs +++ b/csharp/ql/test/resources/stubs/Remotion.Linq.EagerFetching/2.2.0/Remotion.Linq.EagerFetching.cs @@ -1,127 +1,101 @@ // This file contains auto-generated code. - +// Generated from `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b`. namespace Remotion { namespace Linq { namespace EagerFetching { - // Generated from `Remotion.Linq.EagerFetching.FetchFilteringQueryModelVisitor` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class FetchFilteringQueryModelVisitor : Remotion.Linq.QueryModelVisitorBase { - protected FetchFilteringQueryModelVisitor() => throw null; - protected System.Collections.ObjectModel.ReadOnlyCollection FetchQueryModelBuilders { get => throw null; } public static Remotion.Linq.EagerFetching.FetchQueryModelBuilder[] RemoveFetchRequestsFromQueryModel(Remotion.Linq.QueryModel queryModel) => throw null; + protected FetchFilteringQueryModelVisitor() => throw null; public override void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + protected System.Collections.ObjectModel.ReadOnlyCollection FetchQueryModelBuilders { get => throw null; } } - - // Generated from `Remotion.Linq.EagerFetching.FetchManyRequest` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class FetchManyRequest : Remotion.Linq.EagerFetching.FetchRequestBase { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public FetchManyRequest(System.Reflection.MemberInfo relationMember) : base(default(System.Reflection.MemberInfo)) => throw null; protected override void ModifyFetchQueryModel(Remotion.Linq.QueryModel fetchQueryModel) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.FetchOneRequest` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class FetchOneRequest : Remotion.Linq.EagerFetching.FetchRequestBase { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public FetchOneRequest(System.Reflection.MemberInfo relationMember) : base(default(System.Reflection.MemberInfo)) => throw null; protected override void ModifyFetchQueryModel(Remotion.Linq.QueryModel fetchQueryModel) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.FetchQueryModelBuilder` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class FetchQueryModelBuilder + public sealed class FetchQueryModelBuilder { - public Remotion.Linq.EagerFetching.FetchQueryModelBuilder[] CreateInnerBuilders() => throw null; public FetchQueryModelBuilder(Remotion.Linq.EagerFetching.FetchRequestBase fetchRequest, Remotion.Linq.QueryModel queryModel, int resultOperatorPosition) => throw null; - public Remotion.Linq.EagerFetching.FetchRequestBase FetchRequest { get => throw null; set => throw null; } public Remotion.Linq.QueryModel GetOrCreateFetchQueryModel() => throw null; - public int ResultOperatorPosition { get => throw null; set => throw null; } - public Remotion.Linq.QueryModel SourceItemQueryModel { get => throw null; set => throw null; } + public Remotion.Linq.EagerFetching.FetchQueryModelBuilder[] CreateInnerBuilders() => throw null; + public Remotion.Linq.EagerFetching.FetchRequestBase FetchRequest { get => throw null; } + public Remotion.Linq.QueryModel SourceItemQueryModel { get => throw null; } + public int ResultOperatorPosition { get => throw null; } } - - // Generated from `Remotion.Linq.EagerFetching.FetchRequestBase` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class FetchRequestBase : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { - public virtual Remotion.Linq.QueryModel CreateFetchQueryModel(Remotion.Linq.QueryModel sourceItemQueryModel) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; protected FetchRequestBase(System.Reflection.MemberInfo relationMember) => throw null; + public virtual Remotion.Linq.QueryModel CreateFetchQueryModel(Remotion.Linq.QueryModel sourceItemQueryModel) => throw null; protected System.Linq.Expressions.Expression GetFetchedMemberExpression(System.Linq.Expressions.Expression source) => throw null; - public Remotion.Linq.EagerFetching.FetchRequestBase GetOrAddInnerFetchRequest(Remotion.Linq.EagerFetching.FetchRequestBase fetchRequest) => throw null; - public System.Collections.Generic.IEnumerable InnerFetchRequests { get => throw null; } protected abstract void ModifyFetchQueryModel(Remotion.Linq.QueryModel fetchQueryModel); - public System.Reflection.MemberInfo RelationMember { get => throw null; set => throw null; } + public Remotion.Linq.EagerFetching.FetchRequestBase GetOrAddInnerFetchRequest(Remotion.Linq.EagerFetching.FetchRequestBase fetchRequest) => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override string ToString() => throw null; + public System.Reflection.MemberInfo RelationMember { get => throw null; set { } } + public System.Collections.Generic.IEnumerable InnerFetchRequests { get => throw null; } } - - // Generated from `Remotion.Linq.EagerFetching.FetchRequestCollection` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class FetchRequestCollection + public sealed class FetchRequestCollection { + public Remotion.Linq.EagerFetching.FetchRequestBase GetOrAddFetchRequest(Remotion.Linq.EagerFetching.FetchRequestBase fetchRequest) => throw null; public FetchRequestCollection() => throw null; public System.Collections.Generic.IEnumerable FetchRequests { get => throw null; } - public Remotion.Linq.EagerFetching.FetchRequestBase GetOrAddFetchRequest(Remotion.Linq.EagerFetching.FetchRequestBase fetchRequest) => throw null; } - namespace Parsing { - // Generated from `Remotion.Linq.EagerFetching.Parsing.FetchExpressionNodeBase` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class FetchExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { protected FetchExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - public System.Reflection.MemberInfo RelationMember { get => throw null; set => throw null; } public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Reflection.MemberInfo RelationMember { get => throw null; } } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.FetchManyExpressionNode` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class FetchManyExpressionNode : Remotion.Linq.EagerFetching.Parsing.OuterFetchExpressionNodeBase { - protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; public FetchManyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; + protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.FetchOneExpressionNode` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class FetchOneExpressionNode : Remotion.Linq.EagerFetching.Parsing.OuterFetchExpressionNodeBase { - protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; public FetchOneExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; + protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.OuterFetchExpressionNodeBase` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class OuterFetchExpressionNodeBase : Remotion.Linq.EagerFetching.Parsing.FetchExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected OuterFetchExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; protected abstract Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest(); + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - protected OuterFetchExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.ThenFetchExpressionNodeBase` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class ThenFetchExpressionNodeBase : Remotion.Linq.EagerFetching.Parsing.FetchExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected ThenFetchExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; protected abstract Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest(); protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - protected ThenFetchExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.ThenFetchManyExpressionNode` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class ThenFetchManyExpressionNode : Remotion.Linq.EagerFetching.Parsing.ThenFetchExpressionNodeBase { - protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; public ThenFetchManyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; + protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; } - - // Generated from `Remotion.Linq.EagerFetching.Parsing.ThenFetchOneExpressionNode` in `Remotion.Linq.EagerFetching, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class ThenFetchOneExpressionNode : Remotion.Linq.EagerFetching.Parsing.ThenFetchExpressionNodeBase { - protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; public ThenFetchOneExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression relatedObjectSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression)) => throw null; + protected override Remotion.Linq.EagerFetching.FetchRequestBase CreateFetchRequest() => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/Remotion.Linq/2.2.0/Remotion.Linq.cs b/csharp/ql/test/resources/stubs/Remotion.Linq/2.2.0/Remotion.Linq.cs index 0aac343f24ca..adb17537fd22 100644 --- a/csharp/ql/test/resources/stubs/Remotion.Linq/2.2.0/Remotion.Linq.cs +++ b/csharp/ql/test/resources/stubs/Remotion.Linq/2.2.0/Remotion.Linq.cs @@ -1,1196 +1,1004 @@ // This file contains auto-generated code. - +// Generated from `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b`. namespace Remotion { namespace Linq { - // Generated from `Remotion.Linq.DefaultQueryProvider` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DefaultQueryProvider : Remotion.Linq.QueryProviderBase + public abstract class QueryProviderBase : System.Linq.IQueryProvider + { + protected QueryProviderBase(Remotion.Linq.Parsing.Structure.IQueryParser queryParser, Remotion.Linq.IQueryExecutor executor) => throw null; + public System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; + public abstract System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); + public virtual Remotion.Linq.Clauses.StreamedData.IStreamedData Execute(System.Linq.Expressions.Expression expression) => throw null; + TResult System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; + object System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; + public virtual Remotion.Linq.QueryModel GenerateQueryModel(System.Linq.Expressions.Expression expression) => throw null; + public Remotion.Linq.Parsing.Structure.IQueryParser QueryParser { get => throw null; } + public Remotion.Linq.IQueryExecutor Executor { get => throw null; } + public Remotion.Linq.Parsing.Structure.ExpressionTreeParser ExpressionTreeParser { get => throw null; } + } + public sealed class DefaultQueryProvider : Remotion.Linq.QueryProviderBase { - public override System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; public DefaultQueryProvider(System.Type queryableType, Remotion.Linq.Parsing.Structure.IQueryParser queryParser, Remotion.Linq.IQueryExecutor executor) : base(default(Remotion.Linq.Parsing.Structure.IQueryParser), default(Remotion.Linq.IQueryExecutor)) => throw null; + public override System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; public System.Type QueryableType { get => throw null; } } - - // Generated from `Remotion.Linq.IQueryExecutor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IQueryExecutor { - System.Collections.Generic.IEnumerable ExecuteCollection(Remotion.Linq.QueryModel queryModel); T ExecuteScalar(Remotion.Linq.QueryModel queryModel); T ExecuteSingle(Remotion.Linq.QueryModel queryModel, bool returnDefaultWhenEmpty); + System.Collections.Generic.IEnumerable ExecuteCollection(Remotion.Linq.QueryModel queryModel); } - - // Generated from `Remotion.Linq.IQueryModelVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IQueryModelVisitor { + void VisitQueryModel(Remotion.Linq.QueryModel queryModel); + void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel); void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index); - void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index); void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index); void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.GroupJoinClause groupJoinClause); - void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel); + void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index); + void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index); void VisitOrderByClause(Remotion.Linq.Clauses.OrderByClause orderByClause, Remotion.Linq.QueryModel queryModel, int index); void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index); - void VisitQueryModel(Remotion.Linq.QueryModel queryModel); - void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index); void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel); - void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index); + void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index); } - - // Generated from `Remotion.Linq.QueryModel` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class QueryModel + public abstract class QueryableBase : System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Collections.Generic.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Collections.IEnumerable { - public void Accept(Remotion.Linq.IQueryModelVisitor visitor) => throw null; - public System.Collections.ObjectModel.ObservableCollection BodyClauses { get => throw null; set => throw null; } - public Remotion.Linq.QueryModel Clone(Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping) => throw null; - public Remotion.Linq.QueryModel Clone() => throw null; - public Remotion.Linq.QueryModel ConvertToSubQuery(string itemName) => throw null; - public Remotion.Linq.Clauses.StreamedData.IStreamedData Execute(Remotion.Linq.IQueryExecutor executor) => throw null; - public string GetNewName(string prefix) => throw null; - public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo() => throw null; + protected QueryableBase(Remotion.Linq.Parsing.Structure.IQueryParser queryParser, Remotion.Linq.IQueryExecutor executor) => throw null; + protected QueryableBase(System.Linq.IQueryProvider provider) => throw null; + protected QueryableBase(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) => throw null; + public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; + System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; } + public System.Linq.IQueryProvider Provider { get => throw null; } + public System.Type ElementType { get => throw null; } + } + public sealed class QueryModel + { + public QueryModel(Remotion.Linq.Clauses.MainFromClause mainFromClause, Remotion.Linq.Clauses.SelectClause selectClause) => throw null; public System.Type GetResultType() => throw null; + public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo() => throw null; public Remotion.Linq.UniqueIdentifierGenerator GetUniqueIdentfierGenerator() => throw null; - public bool IsIdentityQuery() => throw null; - public Remotion.Linq.Clauses.MainFromClause MainFromClause { get => throw null; set => throw null; } - public QueryModel(Remotion.Linq.Clauses.MainFromClause mainFromClause, Remotion.Linq.Clauses.SelectClause selectClause) => throw null; - public System.Collections.ObjectModel.ObservableCollection ResultOperators { get => throw null; set => throw null; } - public System.Type ResultTypeOverride { get => throw null; set => throw null; } - public Remotion.Linq.Clauses.SelectClause SelectClause { get => throw null; set => throw null; } + public void Accept(Remotion.Linq.IQueryModelVisitor visitor) => throw null; public override string ToString() => throw null; + public Remotion.Linq.QueryModel Clone() => throw null; + public Remotion.Linq.QueryModel Clone(Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping) => throw null; public void TransformExpressions(System.Func transformation) => throw null; + public string GetNewName(string prefix) => throw null; + public Remotion.Linq.Clauses.StreamedData.IStreamedData Execute(Remotion.Linq.IQueryExecutor executor) => throw null; + public bool IsIdentityQuery() => throw null; + public Remotion.Linq.QueryModel ConvertToSubQuery(string itemName) => throw null; + public System.Type ResultTypeOverride { get => throw null; set { } } + public Remotion.Linq.Clauses.MainFromClause MainFromClause { get => throw null; set { } } + public Remotion.Linq.Clauses.SelectClause SelectClause { get => throw null; set { } } + public System.Collections.ObjectModel.ObservableCollection BodyClauses { get => throw null; } + public System.Collections.ObjectModel.ObservableCollection ResultOperators { get => throw null; } } - - // Generated from `Remotion.Linq.QueryModelBuilder` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class QueryModelBuilder + public sealed class QueryModelBuilder { public void AddClause(Remotion.Linq.Clauses.IClause clause) => throw null; public void AddResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator) => throw null; - public System.Collections.ObjectModel.ReadOnlyCollection BodyClauses { get => throw null; } public Remotion.Linq.QueryModel Build() => throw null; - public Remotion.Linq.Clauses.MainFromClause MainFromClause { get => throw null; set => throw null; } public QueryModelBuilder() => throw null; + public Remotion.Linq.Clauses.MainFromClause MainFromClause { get => throw null; } + public Remotion.Linq.Clauses.SelectClause SelectClause { get => throw null; } + public System.Collections.ObjectModel.ReadOnlyCollection BodyClauses { get => throw null; } public System.Collections.ObjectModel.ReadOnlyCollection ResultOperators { get => throw null; } - public Remotion.Linq.Clauses.SelectClause SelectClause { get => throw null; set => throw null; } } - - // Generated from `Remotion.Linq.QueryModelVisitorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class QueryModelVisitorBase : Remotion.Linq.IQueryModelVisitor { - protected QueryModelVisitorBase() => throw null; + public virtual void VisitQueryModel(Remotion.Linq.QueryModel queryModel) => throw null; + public virtual void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; public virtual void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - protected virtual void VisitBodyClauses(System.Collections.ObjectModel.ObservableCollection bodyClauses, Remotion.Linq.QueryModel queryModel) => throw null; - public virtual void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; public virtual void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; public virtual void VisitJoinClause(Remotion.Linq.Clauses.JoinClause joinClause, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.GroupJoinClause groupJoinClause) => throw null; - public virtual void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public virtual void VisitGroupJoinClause(Remotion.Linq.Clauses.GroupJoinClause groupJoinClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public virtual void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; public virtual void VisitOrderByClause(Remotion.Linq.Clauses.OrderByClause orderByClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; public virtual void VisitOrdering(Remotion.Linq.Clauses.Ordering ordering, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; - protected virtual void VisitOrderings(System.Collections.ObjectModel.ObservableCollection orderings, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause) => throw null; - public virtual void VisitQueryModel(Remotion.Linq.QueryModel queryModel) => throw null; + public virtual void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; public virtual void VisitResultOperator(Remotion.Linq.Clauses.ResultOperatorBase resultOperator, Remotion.Linq.QueryModel queryModel, int index) => throw null; + protected virtual void VisitBodyClauses(System.Collections.ObjectModel.ObservableCollection bodyClauses, Remotion.Linq.QueryModel queryModel) => throw null; + protected virtual void VisitOrderings(System.Collections.ObjectModel.ObservableCollection orderings, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause) => throw null; protected virtual void VisitResultOperators(System.Collections.ObjectModel.ObservableCollection resultOperators, Remotion.Linq.QueryModel queryModel) => throw null; - public virtual void VisitSelectClause(Remotion.Linq.Clauses.SelectClause selectClause, Remotion.Linq.QueryModel queryModel) => throw null; - public virtual void VisitWhereClause(Remotion.Linq.Clauses.WhereClause whereClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - } - - // Generated from `Remotion.Linq.QueryProviderBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class QueryProviderBase : System.Linq.IQueryProvider - { - public abstract System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression); - public System.Linq.IQueryable CreateQuery(System.Linq.Expressions.Expression expression) => throw null; - public virtual Remotion.Linq.Clauses.StreamedData.IStreamedData Execute(System.Linq.Expressions.Expression expression) => throw null; - object System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; - TResult System.Linq.IQueryProvider.Execute(System.Linq.Expressions.Expression expression) => throw null; - public Remotion.Linq.IQueryExecutor Executor { get => throw null; } - public Remotion.Linq.Parsing.Structure.ExpressionTreeParser ExpressionTreeParser { get => throw null; } - public virtual Remotion.Linq.QueryModel GenerateQueryModel(System.Linq.Expressions.Expression expression) => throw null; - public Remotion.Linq.Parsing.Structure.IQueryParser QueryParser { get => throw null; } - protected QueryProviderBase(Remotion.Linq.Parsing.Structure.IQueryParser queryParser, Remotion.Linq.IQueryExecutor executor) => throw null; - } - - // Generated from `Remotion.Linq.QueryableBase<>` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class QueryableBase : System.Linq.IQueryable, System.Linq.IQueryable, System.Linq.IOrderedQueryable, System.Linq.IOrderedQueryable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable - { - public System.Type ElementType { get => throw null; } - public System.Linq.Expressions.Expression Expression { get => throw null; set => throw null; } - public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; - System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; - public System.Linq.IQueryProvider Provider { get => throw null; } - protected QueryableBase(System.Linq.IQueryProvider provider, System.Linq.Expressions.Expression expression) => throw null; - protected QueryableBase(System.Linq.IQueryProvider provider) => throw null; - protected QueryableBase(Remotion.Linq.Parsing.Structure.IQueryParser queryParser, Remotion.Linq.IQueryExecutor executor) => throw null; + protected QueryModelVisitorBase() => throw null; } - - // Generated from `Remotion.Linq.UniqueIdentifierGenerator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class UniqueIdentifierGenerator + public sealed class UniqueIdentifierGenerator { public void AddKnownIdentifier(string identifier) => throw null; - public string GetUniqueIdentifier(string prefix) => throw null; public void Reset() => throw null; + public string GetUniqueIdentifier(string prefix) => throw null; public UniqueIdentifierGenerator() => throw null; } - namespace Clauses { - // Generated from `Remotion.Linq.Clauses.AdditionalFromClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AdditionalFromClause : Remotion.Linq.Clauses.FromClauseBase, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public interface IClause { - public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public AdditionalFromClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) : base(default(string), default(System.Type), default(System.Linq.Expressions.Expression)) => throw null; - public Remotion.Linq.Clauses.AdditionalFromClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + void TransformExpressions(System.Func transformation); } - - // Generated from `Remotion.Linq.Clauses.CloneContext` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CloneContext + public interface IQuerySource { - public CloneContext(Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping) => throw null; - public Remotion.Linq.Clauses.QuerySourceMapping QuerySourceMapping { get => throw null; set => throw null; } + string ItemName { get; } + System.Type ItemType { get; } } - - // Generated from `Remotion.Linq.Clauses.FromClauseBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class FromClauseBase : Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IFromClause, Remotion.Linq.Clauses.IClause + public interface IFromClause : Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IQuerySource { - public virtual void CopyFromSource(Remotion.Linq.Clauses.IFromClause source) => throw null; - internal FromClauseBase(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) => throw null; - public System.Linq.Expressions.Expression FromExpression { get => throw null; set => throw null; } - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public override string ToString() => throw null; - public virtual void TransformExpressions(System.Func transformation) => throw null; + void CopyFromSource(Remotion.Linq.Clauses.IFromClause source); + System.Linq.Expressions.Expression FromExpression { get; } } - - // Generated from `Remotion.Linq.Clauses.GroupJoinClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class GroupJoinClause : Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public abstract class FromClauseBase : Remotion.Linq.Clauses.IFromClause, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IQuerySource { - public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public Remotion.Linq.Clauses.GroupJoinClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public GroupJoinClause(string itemName, System.Type itemType, Remotion.Linq.Clauses.JoinClause joinClause) => throw null; - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public Remotion.Linq.Clauses.JoinClause JoinClause { get => throw null; set => throw null; } + public virtual void CopyFromSource(Remotion.Linq.Clauses.IFromClause source) => throw null; + public virtual void TransformExpressions(System.Func transformation) => throw null; public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; set { } } + public System.Linq.Expressions.Expression FromExpression { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.IBodyClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IBodyClause : Remotion.Linq.Clauses.IClause { void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index); Remotion.Linq.Clauses.IBodyClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext); } - - // Generated from `Remotion.Linq.Clauses.IClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IClause + public sealed class AdditionalFromClause : Remotion.Linq.Clauses.FromClauseBase, Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { - void TransformExpressions(System.Func transformation); + public AdditionalFromClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) => throw null; + public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public Remotion.Linq.Clauses.AdditionalFromClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; } - - // Generated from `Remotion.Linq.Clauses.IFromClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IFromClause : Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IClause + public sealed class CloneContext { - void CopyFromSource(Remotion.Linq.Clauses.IFromClause source); - System.Linq.Expressions.Expression FromExpression { get; } + public CloneContext(Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping) => throw null; + public Remotion.Linq.Clauses.QuerySourceMapping QuerySourceMapping { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.IQuerySource` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IQuerySource + public sealed class GroupJoinClause : Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { - string ItemName { get; } - System.Type ItemType { get; } + public GroupJoinClause(string itemName, System.Type itemType, Remotion.Linq.Clauses.JoinClause joinClause) => throw null; + public void TransformExpressions(System.Func transformation) => throw null; + public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public Remotion.Linq.Clauses.GroupJoinClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public override string ToString() => throw null; + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; set { } } + public Remotion.Linq.Clauses.JoinClause JoinClause { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.JoinClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class JoinClause : Remotion.Linq.Clauses.IQuerySource, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public sealed class JoinClause : Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IQuerySource { + public JoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression innerSequence, System.Linq.Expressions.Expression outerKeySelector, System.Linq.Expressions.Expression innerKeySelector) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.GroupJoinClause groupJoinClause) => throw null; public Remotion.Linq.Clauses.JoinClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression InnerKeySelector { get => throw null; set => throw null; } - public System.Linq.Expressions.Expression InnerSequence { get => throw null; set => throw null; } - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public JoinClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression innerSequence, System.Linq.Expressions.Expression outerKeySelector, System.Linq.Expressions.Expression innerKeySelector) => throw null; - public System.Linq.Expressions.Expression OuterKeySelector { get => throw null; set => throw null; } - public override string ToString() => throw null; public void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Type ItemType { get => throw null; set { } } + public string ItemName { get => throw null; set { } } + public System.Linq.Expressions.Expression InnerSequence { get => throw null; set { } } + public System.Linq.Expressions.Expression OuterKeySelector { get => throw null; set { } } + public System.Linq.Expressions.Expression InnerKeySelector { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.MainFromClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MainFromClause : Remotion.Linq.Clauses.FromClauseBase + public sealed class MainFromClause : Remotion.Linq.Clauses.FromClauseBase { + public MainFromClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel) => throw null; public Remotion.Linq.Clauses.MainFromClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public MainFromClause(string itemName, System.Type itemType, System.Linq.Expressions.Expression fromExpression) : base(default(string), default(System.Type), default(System.Linq.Expressions.Expression)) => throw null; } - - // Generated from `Remotion.Linq.Clauses.OrderByClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class OrderByClause : Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public sealed class OrderByClause : Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { + public OrderByClause() => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public void TransformExpressions(System.Func transformation) => throw null; public Remotion.Linq.Clauses.OrderByClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public OrderByClause() => throw null; - public System.Collections.ObjectModel.ObservableCollection Orderings { get => throw null; set => throw null; } public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; + public System.Collections.ObjectModel.ObservableCollection Orderings { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.Ordering` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class Ordering + public sealed class Ordering { + public Ordering(System.Linq.Expressions.Expression expression, Remotion.Linq.Clauses.OrderingDirection direction) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, Remotion.Linq.Clauses.OrderByClause orderByClause, int index) => throw null; public Remotion.Linq.Clauses.Ordering Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression Expression { get => throw null; set => throw null; } - public Ordering(System.Linq.Expressions.Expression expression, Remotion.Linq.Clauses.OrderingDirection direction) => throw null; - public Remotion.Linq.Clauses.OrderingDirection OrderingDirection { get => throw null; set => throw null; } - public override string ToString() => throw null; public void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Expression { get => throw null; set { } } + public Remotion.Linq.Clauses.OrderingDirection OrderingDirection { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.OrderingDirection` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public enum OrderingDirection { - Asc, - Desc, + Asc = 0, + Desc = 1, } - - // Generated from `Remotion.Linq.Clauses.QuerySourceMapping` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class QuerySourceMapping + public sealed class QuerySourceMapping { - public void AddMapping(Remotion.Linq.Clauses.IQuerySource querySource, System.Linq.Expressions.Expression expression) => throw null; public bool ContainsMapping(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; - public System.Linq.Expressions.Expression GetExpression(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; - public QuerySourceMapping() => throw null; + public void AddMapping(Remotion.Linq.Clauses.IQuerySource querySource, System.Linq.Expressions.Expression expression) => throw null; public void RemoveMapping(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; public void ReplaceMapping(Remotion.Linq.Clauses.IQuerySource querySource, System.Linq.Expressions.Expression expression) => throw null; + public System.Linq.Expressions.Expression GetExpression(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; + public QuerySourceMapping() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperatorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class ResultOperatorBase { - public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; - protected void CheckSequenceItemType(Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo inputInfo, System.Type expectedItemType) => throw null; - public abstract Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext); public abstract Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input); - protected T GetConstantValueFromExpression(string expressionName, System.Linq.Expressions.Expression expression) => throw null; public abstract Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo); + public abstract Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext); + public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public abstract void TransformExpressions(System.Func transformation); protected object InvokeExecuteMethod(System.Reflection.MethodInfo method, object input) => throw null; + protected T GetConstantValueFromExpression(string expressionName, System.Linq.Expressions.Expression expression) => throw null; + protected void CheckSequenceItemType(Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo inputInfo, System.Type expectedItemType) => throw null; protected ResultOperatorBase() => throw null; - public abstract void TransformExpressions(System.Func transformation); } - - // Generated from `Remotion.Linq.Clauses.SelectClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SelectClause : Remotion.Linq.Clauses.IClause + public sealed class SelectClause : Remotion.Linq.Clauses.IClause { + public SelectClause(System.Linq.Expressions.Expression selector) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel) => throw null; public Remotion.Linq.Clauses.SelectClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo GetOutputDataInfo() => throw null; - public SelectClause(System.Linq.Expressions.Expression selector) => throw null; - public System.Linq.Expressions.Expression Selector { get => throw null; set => throw null; } - public override string ToString() => throw null; public void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo GetOutputDataInfo() => throw null; + public System.Linq.Expressions.Expression Selector { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.WhereClause` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class WhereClause : Remotion.Linq.Clauses.IClause, Remotion.Linq.Clauses.IBodyClause + public sealed class WhereClause : Remotion.Linq.Clauses.IBodyClause, Remotion.Linq.Clauses.IClause { + public WhereClause(System.Linq.Expressions.Expression predicate) => throw null; public void Accept(Remotion.Linq.IQueryModelVisitor visitor, Remotion.Linq.QueryModel queryModel, int index) => throw null; + public void TransformExpressions(System.Func transformation) => throw null; public Remotion.Linq.Clauses.WhereClause Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; Remotion.Linq.Clauses.IBodyClause Remotion.Linq.Clauses.IBodyClause.Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression Predicate { get => throw null; set => throw null; } public override string ToString() => throw null; - public void TransformExpressions(System.Func transformation) => throw null; - public WhereClause(System.Linq.Expressions.Expression predicate) => throw null; + public System.Linq.Expressions.Expression Predicate { get => throw null; set { } } } - namespace ExpressionVisitors { - // Generated from `Remotion.Linq.Clauses.ExpressionVisitors.AccessorFindingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AccessorFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class AccessorFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.LambdaExpression FindAccessorLambda(System.Linq.Expressions.Expression searchedExpression, System.Linq.Expressions.Expression fullExpression, System.Linq.Expressions.ParameterExpression inputParameter) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - protected override System.Linq.Expressions.MemberAssignment VisitMemberAssignment(System.Linq.Expressions.MemberAssignment memberAssigment) => throw null; + protected override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; protected override System.Linq.Expressions.MemberBinding VisitMemberBinding(System.Linq.Expressions.MemberBinding memberBinding) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; + protected override System.Linq.Expressions.MemberAssignment VisitMemberAssignment(System.Linq.Expressions.MemberAssignment memberAssigment) => throw null; } - - // Generated from `Remotion.Linq.Clauses.ExpressionVisitors.CloningExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CloningExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class CloningExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression AdjustExpressionAfterCloning(System.Linq.Expressions.Expression expression, Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Clauses.ExpressionVisitors.ReferenceReplacingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ReferenceReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class ReferenceReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression ReplaceClauseReferences(System.Linq.Expressions.Expression expression, Remotion.Linq.Clauses.QuerySourceMapping querySourceMapping, bool throwOnUnmappedReferences) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Clauses.ExpressionVisitors.ReverseResolvingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ReverseResolvingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class ReverseResolvingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.LambdaExpression ReverseResolve(System.Linq.Expressions.Expression itemExpression, System.Linq.Expressions.Expression resolvedExpression) => throw null; public static System.Linq.Expressions.LambdaExpression ReverseResolveLambda(System.Linq.Expressions.Expression itemExpression, System.Linq.Expressions.LambdaExpression resolvedExpression, int parameterInsertionPosition) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; } - } namespace Expressions { - // Generated from `Remotion.Linq.Clauses.Expressions.IPartialEvaluationExceptionExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IPartialEvaluationExceptionExpressionVisitor { System.Linq.Expressions.Expression VisitPartialEvaluationException(Remotion.Linq.Clauses.Expressions.PartialEvaluationExceptionExpression partialEvaluationExceptionExpression); } - - // Generated from `Remotion.Linq.Clauses.Expressions.IVBSpecificExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IVBSpecificExpressionVisitor { System.Linq.Expressions.Expression VisitVBStringComparison(Remotion.Linq.Clauses.Expressions.VBStringComparisonExpression vbStringComparisonExpression); } - - // Generated from `Remotion.Linq.Clauses.Expressions.PartialEvaluationExceptionExpression` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class PartialEvaluationExceptionExpression : System.Linq.Expressions.Expression + public sealed class PartialEvaluationExceptionExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override bool CanReduce { get => throw null; } - public System.Linq.Expressions.Expression EvaluatedExpression { get => throw null; } - public System.Exception Exception { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public PartialEvaluationExceptionExpression(System.Exception exception, System.Linq.Expressions.Expression evaluatedExpression) => throw null; public override System.Linq.Expressions.Expression Reduce() => throw null; + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public override string ToString() => throw null; public override System.Type Type { get => throw null; } - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public System.Exception Exception { get => throw null; } + public System.Linq.Expressions.Expression EvaluatedExpression { get => throw null; } + public override bool CanReduce { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class QuerySourceReferenceExpression : System.Linq.Expressions.Expression + public sealed class QuerySourceReferenceExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public QuerySourceReferenceExpression(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; public override bool Equals(object obj) => throw null; public override int GetHashCode() => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public QuerySourceReferenceExpression(Remotion.Linq.Clauses.IQuerySource querySource) => throw null; - public Remotion.Linq.Clauses.IQuerySource ReferencedQuerySource { get => throw null; set => throw null; } public override string ToString() => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Type Type { get => throw null; } + public Remotion.Linq.Clauses.IQuerySource ReferencedQuerySource { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.Expressions.SubQueryExpression` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SubQueryExpression : System.Linq.Expressions.Expression + public sealed class SubQueryExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } - public Remotion.Linq.QueryModel QueryModel { get => throw null; set => throw null; } public SubQueryExpression(Remotion.Linq.QueryModel queryModel) => throw null; public override string ToString() => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } public override System.Type Type { get => throw null; } + public Remotion.Linq.QueryModel QueryModel { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.Expressions.VBStringComparisonExpression` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class VBStringComparisonExpression : System.Linq.Expressions.Expression + public sealed class VBStringComparisonExpression : System.Linq.Expressions.Expression { - protected internal override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; - public override bool CanReduce { get => throw null; } - public System.Linq.Expressions.Expression Comparison { get => throw null; } - public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public VBStringComparisonExpression(System.Linq.Expressions.Expression comparison, bool textCompare) => throw null; public override System.Linq.Expressions.Expression Reduce() => throw null; - public bool TextCompare { get => throw null; } + protected override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + protected override System.Linq.Expressions.Expression Accept(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; public override string ToString() => throw null; public override System.Type Type { get => throw null; } - public VBStringComparisonExpression(System.Linq.Expressions.Expression comparison, bool textCompare) => throw null; - protected internal override System.Linq.Expressions.Expression VisitChildren(System.Linq.Expressions.ExpressionVisitor visitor) => throw null; + public override System.Linq.Expressions.ExpressionType NodeType { get => throw null; } + public System.Linq.Expressions.Expression Comparison { get => throw null; } + public bool TextCompare { get => throw null; } + public override bool CanReduce { get => throw null; } } - } namespace ResultOperators { - // Generated from `Remotion.Linq.Clauses.ResultOperators.AggregateFromSeedResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AggregateFromSeedResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public abstract class ValueFromSequenceResultOperatorBase : Remotion.Linq.Clauses.ResultOperatorBase + { + public abstract Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence sequence); + public override sealed Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; + protected ValueFromSequenceResultOperatorBase() => throw null; + } + public sealed class AggregateFromSeedResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public AggregateFromSeedResultOperator(System.Linq.Expressions.Expression seed, System.Linq.Expressions.LambdaExpression func, System.Linq.Expressions.LambdaExpression optionalResultSelector) => throw null; - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteAggregateInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public System.Linq.Expressions.LambdaExpression Func { get => throw null; set => throw null; } public T GetConstantSeed() => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteAggregateInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public System.Linq.Expressions.LambdaExpression OptionalResultSelector { get => throw null; set => throw null; } - public System.Linq.Expressions.Expression Seed { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.LambdaExpression Func { get => throw null; set { } } + public System.Linq.Expressions.Expression Seed { get => throw null; set { } } + public System.Linq.Expressions.LambdaExpression OptionalResultSelector { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.AggregateResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AggregateResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class AggregateResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public AggregateResultOperator(System.Linq.Expressions.LambdaExpression func) => throw null; - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public System.Linq.Expressions.LambdaExpression Func { get => throw null; set => throw null; } + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.LambdaExpression Func { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.AllResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AllResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class AllResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public AllResultOperator(System.Linq.Expressions.Expression predicate) => throw null; - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public override void TransformExpressions(System.Func transformation) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public System.Linq.Expressions.Expression Predicate { get => throw null; set => throw null; } public override string ToString() => throw null; - public override void TransformExpressions(System.Func transformation) => throw null; + public System.Linq.Expressions.Expression Predicate { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.AnyResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AnyResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class AnyResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { - public AnyResultOperator() => throw null; - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public AnyResultOperator() => throw null; + } + public abstract class SequenceFromSequenceResultOperatorBase : Remotion.Linq.Clauses.ResultOperatorBase + { + public abstract Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input); + public override sealed Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; + protected SequenceFromSequenceResultOperatorBase() => throw null; + } + public abstract class SequenceTypePreservingResultOperatorBase : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase + { + public override sealed Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; + protected Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo inputSequenceInfo) => throw null; + protected SequenceTypePreservingResultOperatorBase() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AsQueryableResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class AsQueryableResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { public AsQueryableResultOperator() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - // Generated from `Remotion.Linq.Clauses.ResultOperators.AsQueryableResultOperator+ISupportedByIQueryModelVistor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` + public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; public interface ISupportedByIQueryModelVistor { } - - - public override string ToString() => throw null; - public override void TransformExpressions(System.Func transformation) => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.AverageResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AverageResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class AverageResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { - public AverageResultOperator() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public AverageResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.CastResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CastResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase + public sealed class CastResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase { - public System.Type CastItemType { get => throw null; set => throw null; } public CastResultOperator(System.Type castItemType) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Type CastItemType { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class ChoiceResultOperatorBase : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { protected ChoiceResultOperatorBase(bool returnDefaultWhenEmpty) => throw null; - public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; + public override sealed Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; protected Remotion.Linq.Clauses.StreamedData.StreamedValueInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo inputSequenceInfo) => throw null; - public bool ReturnDefaultWhenEmpty { get => throw null; set => throw null; } + public bool ReturnDefaultWhenEmpty { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ConcatResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ConcatResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource + public sealed class ConcatResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public ConcatResultOperator(string itemName, System.Type itemType, System.Linq.Expressions.Expression source2) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public System.Collections.IEnumerable GetConstantSource2() => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public System.Linq.Expressions.Expression Source2 { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; set { } } + public System.Linq.Expressions.Expression Source2 { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ContainsResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ContainsResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class ContainsResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public ContainsResultOperator(System.Linq.Expressions.Expression item) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public T GetConstantItem() => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public System.Linq.Expressions.Expression Item { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Item { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.CountResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CountResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class CountResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public CountResultOperator() => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public CountResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.DefaultIfEmptyResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DefaultIfEmptyResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class DefaultIfEmptyResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public DefaultIfEmptyResultOperator(System.Linq.Expressions.Expression optionalDefaultValue) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public object GetConstantOptionalDefaultValue() => throw null; - public System.Linq.Expressions.Expression OptionalDefaultValue { get => throw null; set => throw null; } - public override string ToString() => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression OptionalDefaultValue { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.DistinctResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DistinctResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class DistinctResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public DistinctResultOperator() => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public DistinctResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ExceptResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ExceptResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class ExceptResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { - public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public ExceptResultOperator(System.Linq.Expressions.Expression source2) => throw null; - public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public System.Collections.Generic.IEnumerable GetConstantSource2() => throw null; - public System.Linq.Expressions.Expression Source2 { get => throw null; set => throw null; } - public override string ToString() => throw null; + public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; + public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Source2 { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.FirstResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class FirstResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase + public sealed class FirstResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase { + public FirstResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public FirstResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.GroupResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class GroupResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource + public sealed class GroupResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource { + public GroupResultOperator(string itemName, System.Linq.Expressions.Expression keySelector, System.Linq.Expressions.Expression elementSelector) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression ElementSelector { get => throw null; set => throw null; } - public Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteGroupingInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public override void TransformExpressions(System.Func transformation) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; + public Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteGroupingInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public GroupResultOperator(string itemName, System.Linq.Expressions.Expression keySelector, System.Linq.Expressions.Expression elementSelector) => throw null; - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; } - public System.Linq.Expressions.Expression KeySelector { get => throw null; set => throw null; } public override string ToString() => throw null; - public override void TransformExpressions(System.Func transformation) => throw null; + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; } + public System.Linq.Expressions.Expression KeySelector { get => throw null; set { } } + public System.Linq.Expressions.Expression ElementSelector { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.IntersectResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class IntersectResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class IntersectResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { + public IntersectResultOperator(System.Linq.Expressions.Expression source2) => throw null; + public System.Collections.Generic.IEnumerable GetConstantSource2() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public System.Collections.Generic.IEnumerable GetConstantSource2() => throw null; - public IntersectResultOperator(System.Linq.Expressions.Expression source2) => throw null; - public System.Linq.Expressions.Expression Source2 { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Source2 { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.LastResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class LastResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase + public sealed class LastResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase { + public LastResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public LastResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.LongCountResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class LongCountResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class LongCountResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public LongCountResultOperator() => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public LongCountResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.MaxResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MaxResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase + public sealed class MaxResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase { + public MaxResultOperator() : base(default(bool)) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public MaxResultOperator() : base(default(bool)) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.MinResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MinResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase + public sealed class MinResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase { + public MinResultOperator() : base(default(bool)) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public MinResultOperator() : base(default(bool)) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.OfTypeResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class OfTypeResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase + public sealed class OfTypeResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase { + public OfTypeResultOperator(System.Type searchedItemType) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public OfTypeResultOperator(System.Type searchedItemType) => throw null; - public System.Type SearchedItemType { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Type SearchedItemType { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ReverseResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ReverseResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class ReverseResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public ReverseResultOperator() => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public ReverseResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class SequenceFromSequenceResultOperatorBase : Remotion.Linq.Clauses.ResultOperatorBase - { - public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; - public abstract Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input); - protected SequenceFromSequenceResultOperatorBase() => throw null; - } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class SequenceTypePreservingResultOperatorBase : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase - { - public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - protected Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo inputSequenceInfo) => throw null; - protected SequenceTypePreservingResultOperatorBase() => throw null; - } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.SingleResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SingleResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase + public sealed class SingleResultOperator : Remotion.Linq.Clauses.ResultOperators.ChoiceResultOperatorBase { + public SingleResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public SingleResultOperator(bool returnDefaultWhenEmpty) : base(default(bool)) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.SkipResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SkipResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class SkipResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { + public SkipResultOperator(System.Linq.Expressions.Expression count) => throw null; + public int GetConstantCount() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression Count { get => throw null; set => throw null; } public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public int GetConstantCount() => throw null; - public SkipResultOperator(System.Linq.Expressions.Expression count) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Count { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.SumResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SumResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase + public sealed class SumResultOperator : Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase { public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public SumResultOperator() => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public SumResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.TakeResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class TakeResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase + public sealed class TakeResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceTypePreservingResultOperatorBase { + public TakeResultOperator(System.Linq.Expressions.Expression count) => throw null; + public int GetConstantCount() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; - public System.Linq.Expressions.Expression Count { get => throw null; set => throw null; } public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public int GetConstantCount() => throw null; - public TakeResultOperator(System.Linq.Expressions.Expression count) => throw null; - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; + public override string ToString() => throw null; + public System.Linq.Expressions.Expression Count { get => throw null; set { } } } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.UnionResultOperator` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class UnionResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource + public sealed class UnionResultOperator : Remotion.Linq.Clauses.ResultOperators.SequenceFromSequenceResultOperatorBase, Remotion.Linq.Clauses.IQuerySource { + public UnionResultOperator(string itemName, System.Type itemType, System.Linq.Expressions.Expression source2) => throw null; + public System.Collections.IEnumerable GetConstantSource2() => throw null; public override Remotion.Linq.Clauses.ResultOperatorBase Clone(Remotion.Linq.Clauses.CloneContext cloneContext) => throw null; public override Remotion.Linq.Clauses.StreamedData.StreamedSequence ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence input) => throw null; - public System.Collections.IEnumerable GetConstantSource2() => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo GetOutputDataInfo(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo inputInfo) => throw null; - public string ItemName { get => throw null; set => throw null; } - public System.Type ItemType { get => throw null; set => throw null; } - public System.Linq.Expressions.Expression Source2 { get => throw null; set => throw null; } - public override string ToString() => throw null; public override void TransformExpressions(System.Func transformation) => throw null; - public UnionResultOperator(string itemName, System.Type itemType, System.Linq.Expressions.Expression source2) => throw null; - } - - // Generated from `Remotion.Linq.Clauses.ResultOperators.ValueFromSequenceResultOperatorBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class ValueFromSequenceResultOperatorBase : Remotion.Linq.Clauses.ResultOperatorBase - { - public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.IStreamedData input) => throw null; - public abstract Remotion.Linq.Clauses.StreamedData.StreamedValue ExecuteInMemory(Remotion.Linq.Clauses.StreamedData.StreamedSequence sequence); - protected ValueFromSequenceResultOperatorBase() => throw null; + public override string ToString() => throw null; + public string ItemName { get => throw null; set { } } + public System.Type ItemType { get => throw null; set { } } + public System.Linq.Expressions.Expression Source2 { get => throw null; set { } } } - } namespace StreamedData { - // Generated from `Remotion.Linq.Clauses.StreamedData.IStreamedData` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IStreamedData { Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo DataInfo { get; } object Value { get; } } - - // Generated from `Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IStreamedDataInfo : System.IEquatable { + Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor); Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo AdjustDataType(System.Type dataType); System.Type DataType { get; } - Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor); } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedScalarValueInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class StreamedScalarValueInfo : Remotion.Linq.Clauses.StreamedData.StreamedValueInfo + public abstract class StreamedValueInfo : Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo, System.IEquatable { - protected override Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType) => throw null; + public abstract Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor); + protected abstract Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType); + public virtual Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo AdjustDataType(System.Type dataType) => throw null; + public override sealed bool Equals(object obj) => throw null; + public virtual bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; + public override int GetHashCode() => throw null; + public System.Type DataType { get => throw null; } + } + public sealed class StreamedScalarValueInfo : Remotion.Linq.Clauses.StreamedData.StreamedValueInfo + { + public StreamedScalarValueInfo(System.Type dataType) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; + protected override Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType) => throw null; public object ExecuteScalarQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; - public StreamedScalarValueInfo(System.Type dataType) : base(default(System.Type)) => throw null; } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedSequence` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class StreamedSequence : Remotion.Linq.Clauses.StreamedData.IStreamedData + public sealed class StreamedSequence : Remotion.Linq.Clauses.StreamedData.IStreamedData { - public Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo DataInfo { get => throw null; set => throw null; } - Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo Remotion.Linq.Clauses.StreamedData.IStreamedData.DataInfo { get => throw null; } - public System.Collections.Generic.IEnumerable GetTypedSequence() => throw null; - public System.Collections.IEnumerable Sequence { get => throw null; set => throw null; } public StreamedSequence(System.Collections.IEnumerable sequence, Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo streamedSequenceInfo) => throw null; + public System.Collections.Generic.IEnumerable GetTypedSequence() => throw null; + public Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo DataInfo { get => throw null; } object Remotion.Linq.Clauses.StreamedData.IStreamedData.Value { get => throw null; } + Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo Remotion.Linq.Clauses.StreamedData.IStreamedData.DataInfo { get => throw null; } + public System.Collections.IEnumerable Sequence { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedSequenceInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class StreamedSequenceInfo : System.IEquatable, Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo + public sealed class StreamedSequenceInfo : Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo, System.IEquatable { + public StreamedSequenceInfo(System.Type dataType, System.Linq.Expressions.Expression itemExpression) => throw null; public Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo AdjustDataType(System.Type dataType) => throw null; - public System.Type DataType { get => throw null; set => throw null; } - public override bool Equals(object obj) => throw null; - public bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; - public System.Collections.IEnumerable ExecuteCollectionQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; public Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; + public System.Collections.IEnumerable ExecuteCollectionQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; + public override sealed bool Equals(object obj) => throw null; + public bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; public override int GetHashCode() => throw null; - public System.Linq.Expressions.Expression ItemExpression { get => throw null; set => throw null; } - public System.Type ResultItemType { get => throw null; set => throw null; } - public StreamedSequenceInfo(System.Type dataType, System.Linq.Expressions.Expression itemExpression) => throw null; + public System.Type ResultItemType { get => throw null; } + public System.Linq.Expressions.Expression ItemExpression { get => throw null; } + public System.Type DataType { get => throw null; } } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedSingleValueInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class StreamedSingleValueInfo : Remotion.Linq.Clauses.StreamedData.StreamedValueInfo + public sealed class StreamedSingleValueInfo : Remotion.Linq.Clauses.StreamedData.StreamedValueInfo { - protected override Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType) => throw null; - public override bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; + public StreamedSingleValueInfo(System.Type dataType, bool returnDefaultWhenEmpty) => throw null; public override Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; + protected override Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType) => throw null; public object ExecuteSingleQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor) => throw null; + public override bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; public override int GetHashCode() => throw null; public bool ReturnDefaultWhenEmpty { get => throw null; } - public StreamedSingleValueInfo(System.Type dataType, bool returnDefaultWhenEmpty) : base(default(System.Type)) => throw null; } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedValue` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class StreamedValue : Remotion.Linq.Clauses.StreamedData.IStreamedData + public sealed class StreamedValue : Remotion.Linq.Clauses.StreamedData.IStreamedData { - public Remotion.Linq.Clauses.StreamedData.StreamedValueInfo DataInfo { get => throw null; set => throw null; } - Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo Remotion.Linq.Clauses.StreamedData.IStreamedData.DataInfo { get => throw null; } - public T GetTypedValue() => throw null; public StreamedValue(object value, Remotion.Linq.Clauses.StreamedData.StreamedValueInfo streamedValueInfo) => throw null; - public object Value { get => throw null; set => throw null; } - } - - // Generated from `Remotion.Linq.Clauses.StreamedData.StreamedValueInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class StreamedValueInfo : System.IEquatable, Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo - { - public virtual Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo AdjustDataType(System.Type dataType) => throw null; - protected abstract Remotion.Linq.Clauses.StreamedData.StreamedValueInfo CloneWithNewDataType(System.Type dataType); - public System.Type DataType { get => throw null; set => throw null; } - public virtual bool Equals(Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo obj) => throw null; - public override bool Equals(object obj) => throw null; - public abstract Remotion.Linq.Clauses.StreamedData.IStreamedData ExecuteQueryModel(Remotion.Linq.QueryModel queryModel, Remotion.Linq.IQueryExecutor executor); - public override int GetHashCode() => throw null; - internal StreamedValueInfo(System.Type dataType) => throw null; + public T GetTypedValue() => throw null; + public Remotion.Linq.Clauses.StreamedData.StreamedValueInfo DataInfo { get => throw null; } + public object Value { get => throw null; } + Remotion.Linq.Clauses.StreamedData.IStreamedDataInfo Remotion.Linq.Clauses.StreamedData.IStreamedData.DataInfo { get => throw null; } } - } } namespace Parsing { - // Generated from `Remotion.Linq.Parsing.ParserException` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class ParserException : System.Exception - { - } - - // Generated from `Remotion.Linq.Parsing.RelinqExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class RelinqExpressionVisitor : System.Linq.Expressions.ExpressionVisitor { public static System.Collections.Generic.IEnumerable AdjustArgumentsForNewExpression(System.Collections.Generic.IList arguments, System.Collections.Generic.IList members) => throw null; + protected override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; protected RelinqExpressionVisitor() => throw null; - protected internal override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal virtual System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ThrowingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` + public abstract class ParserException : System.Exception + { + } public abstract class ThrowingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { + protected abstract System.Exception CreateUnhandledItemException(T unhandledItem, string visitMethod); + public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; + protected virtual System.Linq.Expressions.Expression VisitUnknownStandardExpression(System.Linq.Expressions.Expression expression, string visitMethod, System.Func baseBehavior) => throw null; + protected virtual TResult VisitUnhandledItem(TItem unhandledItem, string visitMethod, System.Func baseBehavior) where TItem : TResult => throw null; + protected override System.Linq.Expressions.Expression VisitExtension(System.Linq.Expressions.Expression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitExtension(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; - protected System.Linq.Expressions.CatchBlock BaseVisitCatchBlock(System.Linq.Expressions.CatchBlock expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitConditional(System.Linq.Expressions.ConditionalExpression arg) => throw null; + protected override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitConditional(System.Linq.Expressions.ConditionalExpression arg) => throw null; + protected override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitLambda(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitDebugInfo(System.Linq.Expressions.DebugInfoExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitDefault(System.Linq.Expressions.DefaultExpression expression) => throw null; - protected System.Linq.Expressions.ElementInit BaseVisitElementInit(System.Linq.Expressions.ElementInit elementInit) => throw null; - protected System.Linq.Expressions.Expression BaseVisitExtension(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitGoto(System.Linq.Expressions.GotoExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitIndex(System.Linq.Expressions.IndexExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitLabel(System.Linq.Expressions.LabelExpression expression) => throw null; - protected System.Linq.Expressions.LabelTarget BaseVisitLabelTarget(System.Linq.Expressions.LabelTarget expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitLambda(System.Linq.Expressions.Expression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitLoop(System.Linq.Expressions.LoopExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; - protected System.Linq.Expressions.MemberAssignment BaseVisitMemberAssignment(System.Linq.Expressions.MemberAssignment memberAssigment) => throw null; - protected System.Linq.Expressions.MemberBinding BaseVisitMemberBinding(System.Linq.Expressions.MemberBinding expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; - protected System.Linq.Expressions.MemberListBinding BaseVisitMemberListBinding(System.Linq.Expressions.MemberListBinding listBinding) => throw null; - protected System.Linq.Expressions.MemberMemberBinding BaseVisitMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding binding) => throw null; - protected System.Linq.Expressions.Expression BaseVisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitRuntimeVariables(System.Linq.Expressions.RuntimeVariablesExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitRuntimeVariables(System.Linq.Expressions.RuntimeVariablesExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitSwitch(System.Linq.Expressions.SwitchExpression expression) => throw null; - protected System.Linq.Expressions.SwitchCase BaseVisitSwitchCase(System.Linq.Expressions.SwitchCase expression) => throw null; + protected override System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression expression) => throw null; protected System.Linq.Expressions.Expression BaseVisitTry(System.Linq.Expressions.TryExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; - protected System.Linq.Expressions.Expression BaseVisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; - protected abstract System.Exception CreateUnhandledItemException(T unhandledItem, string visitMethod); - protected ThrowingExpressionVisitor() => throw null; - public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; - protected override System.Linq.Expressions.CatchBlock VisitCatchBlock(System.Linq.Expressions.CatchBlock expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression expression) => throw null; + protected override System.Linq.Expressions.MemberBinding VisitMemberBinding(System.Linq.Expressions.MemberBinding expression) => throw null; + protected System.Linq.Expressions.MemberBinding BaseVisitMemberBinding(System.Linq.Expressions.MemberBinding expression) => throw null; protected override System.Linq.Expressions.ElementInit VisitElementInit(System.Linq.Expressions.ElementInit elementInit) => throw null; - protected internal override System.Linq.Expressions.Expression VisitExtension(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression expression) => throw null; - protected override System.Linq.Expressions.LabelTarget VisitLabelTarget(System.Linq.Expressions.LabelTarget expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; + protected System.Linq.Expressions.ElementInit BaseVisitElementInit(System.Linq.Expressions.ElementInit elementInit) => throw null; protected override System.Linq.Expressions.MemberAssignment VisitMemberAssignment(System.Linq.Expressions.MemberAssignment memberAssigment) => throw null; - protected override System.Linq.Expressions.MemberBinding VisitMemberBinding(System.Linq.Expressions.MemberBinding expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; - protected override System.Linq.Expressions.MemberListBinding VisitMemberListBinding(System.Linq.Expressions.MemberListBinding listBinding) => throw null; + protected System.Linq.Expressions.MemberAssignment BaseVisitMemberAssignment(System.Linq.Expressions.MemberAssignment memberAssigment) => throw null; protected override System.Linq.Expressions.MemberMemberBinding VisitMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding binding) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitRuntimeVariables(System.Linq.Expressions.RuntimeVariablesExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression expression) => throw null; + protected System.Linq.Expressions.MemberMemberBinding BaseVisitMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding binding) => throw null; + protected override System.Linq.Expressions.MemberListBinding VisitMemberListBinding(System.Linq.Expressions.MemberListBinding listBinding) => throw null; + protected System.Linq.Expressions.MemberListBinding BaseVisitMemberListBinding(System.Linq.Expressions.MemberListBinding listBinding) => throw null; + protected override System.Linq.Expressions.CatchBlock VisitCatchBlock(System.Linq.Expressions.CatchBlock expression) => throw null; + protected System.Linq.Expressions.CatchBlock BaseVisitCatchBlock(System.Linq.Expressions.CatchBlock expression) => throw null; + protected override System.Linq.Expressions.LabelTarget VisitLabelTarget(System.Linq.Expressions.LabelTarget expression) => throw null; + protected System.Linq.Expressions.LabelTarget BaseVisitLabelTarget(System.Linq.Expressions.LabelTarget expression) => throw null; protected override System.Linq.Expressions.SwitchCase VisitSwitchCase(System.Linq.Expressions.SwitchCase expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; - protected virtual TResult VisitUnhandledItem(TItem unhandledItem, string visitMethod, System.Func baseBehavior) where TItem : TResult => throw null; - protected virtual System.Linq.Expressions.Expression VisitUnknownStandardExpression(System.Linq.Expressions.Expression expression, string visitMethod, System.Func baseBehavior) => throw null; + protected System.Linq.Expressions.SwitchCase BaseVisitSwitchCase(System.Linq.Expressions.SwitchCase expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected System.Linq.Expressions.Expression BaseVisitQuerySourceReference(Remotion.Linq.Clauses.Expressions.QuerySourceReferenceExpression expression) => throw null; + protected ThrowingExpressionVisitor() => throw null; } - - // Generated from `Remotion.Linq.Parsing.TupleExpressionBuilder` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public static class TupleExpressionBuilder { public static System.Linq.Expressions.Expression AggregateExpressionsIntoTuple(System.Collections.Generic.IEnumerable expressions) => throw null; public static System.Collections.Generic.IEnumerable GetExpressionsFromTuple(System.Linq.Expressions.Expression tupleExpression) => throw null; } - namespace ExpressionVisitors { - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.MultiReplacingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MultiReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class MultiReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression Replace(System.Collections.Generic.IDictionary expressionMapping, System.Linq.Expressions.Expression sourceTree) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.PartialEvaluatingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class PartialEvaluatingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class PartialEvaluatingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression EvaluateIndependentSubtrees(System.Linq.Expressions.Expression expressionTree, Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter evaluatableExpressionFilter) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.ReplacingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class ReplacingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression Replace(System.Linq.Expressions.Expression replacedExpression, System.Linq.Expressions.Expression replacementExpression, System.Linq.Expressions.Expression sourceTree) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.SubQueryFindingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SubQueryFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class SubQueryFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree, Remotion.Linq.Parsing.Structure.INodeTypeProvider nodeTypeProvider) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TransformingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class TransformingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class TransformingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression Transform(System.Linq.Expressions.Expression expression, Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider tranformationProvider) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TransparentIdentifierRemovingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class TransparentIdentifierRemovingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor + public sealed class TransparentIdentifierRemovingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor { public static System.Linq.Expressions.Expression ReplaceTransparentIdentifiers(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression memberExpression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression memberExpression) => throw null; + protected override System.Linq.Expressions.Expression VisitSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression expression) => throw null; } - namespace MemberBindings { - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.FieldInfoBinding` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class FieldInfoBinding : Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding - { - public FieldInfoBinding(System.Reflection.FieldInfo boundMember, System.Linq.Expressions.Expression associatedExpression) : base(default(System.Reflection.MemberInfo), default(System.Linq.Expressions.Expression)) => throw null; - public override bool MatchesReadAccess(System.Reflection.MemberInfo member) => throw null; - } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public abstract class MemberBinding { - public System.Linq.Expressions.Expression AssociatedExpression { get => throw null; } public static Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding Bind(System.Reflection.MemberInfo boundMember, System.Linq.Expressions.Expression associatedExpression) => throw null; - public System.Reflection.MemberInfo BoundMember { get => throw null; } - public abstract bool MatchesReadAccess(System.Reflection.MemberInfo member); public MemberBinding(System.Reflection.MemberInfo boundMember, System.Linq.Expressions.Expression associatedExpression) => throw null; + public abstract bool MatchesReadAccess(System.Reflection.MemberInfo member); + public System.Reflection.MemberInfo BoundMember { get => throw null; } + public System.Linq.Expressions.Expression AssociatedExpression { get => throw null; } + } + public class FieldInfoBinding : Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding + { + public FieldInfoBinding(System.Reflection.FieldInfo boundMember, System.Linq.Expressions.Expression associatedExpression) : base(default(System.Reflection.MemberInfo), default(System.Linq.Expressions.Expression)) => throw null; + public override bool MatchesReadAccess(System.Reflection.MemberInfo member) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MethodInfoBinding` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class MethodInfoBinding : Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding { - public override bool MatchesReadAccess(System.Reflection.MemberInfo readMember) => throw null; public MethodInfoBinding(System.Reflection.MethodInfo boundMember, System.Linq.Expressions.Expression associatedExpression) : base(default(System.Reflection.MemberInfo), default(System.Linq.Expressions.Expression)) => throw null; + public override bool MatchesReadAccess(System.Reflection.MemberInfo readMember) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.PropertyInfoBinding` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class PropertyInfoBinding : Remotion.Linq.Parsing.ExpressionVisitors.MemberBindings.MemberBinding { - public override bool MatchesReadAccess(System.Reflection.MemberInfo member) => throw null; public PropertyInfoBinding(System.Reflection.PropertyInfo boundMember, System.Linq.Expressions.Expression associatedExpression) : base(default(System.Reflection.MemberInfo), default(System.Linq.Expressions.Expression)) => throw null; + public override bool MatchesReadAccess(System.Reflection.MemberInfo member) => throw null; } - } namespace Transformation { - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformation` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public delegate System.Linq.Expressions.Expression ExpressionTransformation(System.Linq.Expressions.Expression expression); - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformerRegistry` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` + public interface IExpressionTranformationProvider + { + System.Collections.Generic.IEnumerable GetTransformations(System.Linq.Expressions.Expression expression); + } public class ExpressionTransformerRegistry : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider { public static Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformerRegistry CreateDefault() => throw null; - public ExpressionTransformerRegistry() => throw null; public Remotion.Linq.Parsing.ExpressionVisitors.Transformation.ExpressionTransformation[] GetAllTransformations(System.Linq.Expressions.ExpressionType expressionType) => throw null; public System.Collections.Generic.IEnumerable GetTransformations(System.Linq.Expressions.Expression expression) => throw null; public void Register(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer transformer) where T : System.Linq.Expressions.Expression => throw null; + public ExpressionTransformerRegistry() => throw null; public int RegisteredTransformerCount { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IExpressionTranformationProvider - { - System.Collections.Generic.IEnumerable GetTransformations(System.Linq.Expressions.Expression expression); - } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer<>` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IExpressionTransformer where T : System.Linq.Expressions.Expression { - System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get; } System.Linq.Expressions.Expression Transform(T expression); + System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get; } } - namespace PredefinedTransformations { - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.AttributeEvaluatingExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class AttributeEvaluatingExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.Expression expression) => throw null; public AttributeEvaluatingExpressionTransformer() => throw null; - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.AttributeEvaluatingExpressionTransformer+IMethodCallExpressionTransformerAttribute` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } public interface IMethodCallExpressionTransformerAttribute { Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer GetExpressionTransformer(System.Linq.Expressions.MethodCallExpression expression); } - - - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.Expression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.DictionaryEntryNewExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DictionaryEntryNewExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MemberAddingNewExpressionTransformerBase + public abstract class MemberAddingNewExpressionTransformerBase : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer + { + protected abstract bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments); + protected abstract System.Reflection.MemberInfo[] GetMembers(System.Reflection.ConstructorInfo constructorInfo, System.Collections.ObjectModel.ReadOnlyCollection arguments); + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.NewExpression expression) => throw null; + protected System.Reflection.MemberInfo GetMemberForNewExpression(System.Type instantiatedType, string propertyName) => throw null; + protected MemberAddingNewExpressionTransformerBase() => throw null; + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } + } + public class DictionaryEntryNewExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MemberAddingNewExpressionTransformerBase { - protected override bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; - public DictionaryEntryNewExpressionTransformer() => throw null; protected override System.Reflection.MemberInfo[] GetMembers(System.Reflection.ConstructorInfo constructorInfo, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; + protected override bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; + public DictionaryEntryNewExpressionTransformer() => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.InvocationOfLambdaExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class InvocationOfLambdaExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.InvocationExpression expression) => throw null; public InvocationOfLambdaExpressionTransformer() => throw null; public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.InvocationExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.KeyValuePairNewExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class KeyValuePairNewExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MemberAddingNewExpressionTransformerBase { - protected override bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; protected override System.Reflection.MemberInfo[] GetMembers(System.Reflection.ConstructorInfo constructorInfo, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; + protected override bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; public KeyValuePairNewExpressionTransformer() => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MemberAddingNewExpressionTransformerBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class MemberAddingNewExpressionTransformerBase : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer - { - protected abstract bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments); - protected System.Reflection.MemberInfo GetMemberForNewExpression(System.Type instantiatedType, string propertyName) => throw null; - protected abstract System.Reflection.MemberInfo[] GetMembers(System.Reflection.ConstructorInfo constructorInfo, System.Collections.ObjectModel.ReadOnlyCollection arguments); - protected MemberAddingNewExpressionTransformerBase() => throw null; - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.NewExpression expression) => throw null; - } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MethodCallExpressionTransformerAttribute` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class MethodCallExpressionTransformerAttribute : System.Attribute, Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.AttributeEvaluatingExpressionTransformer.IMethodCallExpressionTransformerAttribute { - public Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer GetExpressionTransformer(System.Linq.Expressions.MethodCallExpression expression) => throw null; public MethodCallExpressionTransformerAttribute(System.Type transformerType) => throw null; + public Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer GetExpressionTransformer(System.Linq.Expressions.MethodCallExpression expression) => throw null; public System.Type TransformerType { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.NullableValueTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class NullableValueTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { + public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.MemberExpression expression) => throw null; public NullableValueTransformer() => throw null; public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } - public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.MemberExpression expression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.TupleNewExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class TupleNewExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.MemberAddingNewExpressionTransformerBase { protected override bool CanAddMembers(System.Type instantiatedType, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; protected override System.Reflection.MemberInfo[] GetMembers(System.Reflection.ConstructorInfo constructorInfo, System.Collections.ObjectModel.ReadOnlyCollection arguments) => throw null; public TupleNewExpressionTransformer() => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.VBCompareStringExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class VBCompareStringExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.BinaryExpression expression) => throw null; public VBCompareStringExpressionTransformer() => throw null; + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.Transformation.PredefinedTransformations.VBInformationIsNothingExpressionTransformer` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class VBInformationIsNothingExpressionTransformer : Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTransformer { - public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } public System.Linq.Expressions.Expression Transform(System.Linq.Expressions.MethodCallExpression expression) => throw null; public VBInformationIsNothingExpressionTransformer() => throw null; + public System.Linq.Expressions.ExpressionType[] SupportedExpressionTypes { get => throw null; } } - } } namespace TreeEvaluation { - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.EvaluatableExpressionFilterBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` + public interface IEvaluatableExpressionFilter + { + bool IsEvaluatableBinary(System.Linq.Expressions.BinaryExpression node); + bool IsEvaluatableConditional(System.Linq.Expressions.ConditionalExpression node); + bool IsEvaluatableConstant(System.Linq.Expressions.ConstantExpression node); + bool IsEvaluatableElementInit(System.Linq.Expressions.ElementInit node); + bool IsEvaluatableInvocation(System.Linq.Expressions.InvocationExpression node); + bool IsEvaluatableLambda(System.Linq.Expressions.LambdaExpression node); + bool IsEvaluatableListInit(System.Linq.Expressions.ListInitExpression node); + bool IsEvaluatableMember(System.Linq.Expressions.MemberExpression node); + bool IsEvaluatableMemberAssignment(System.Linq.Expressions.MemberAssignment node); + bool IsEvaluatableMemberInit(System.Linq.Expressions.MemberInitExpression node); + bool IsEvaluatableMemberListBinding(System.Linq.Expressions.MemberListBinding node); + bool IsEvaluatableMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding node); + bool IsEvaluatableMethodCall(System.Linq.Expressions.MethodCallExpression node); + bool IsEvaluatableNew(System.Linq.Expressions.NewExpression node); + bool IsEvaluatableNewArray(System.Linq.Expressions.NewArrayExpression node); + bool IsEvaluatableTypeBinary(System.Linq.Expressions.TypeBinaryExpression node); + bool IsEvaluatableUnary(System.Linq.Expressions.UnaryExpression node); + bool IsEvaluatableBlock(System.Linq.Expressions.BlockExpression node); + bool IsEvaluatableCatchBlock(System.Linq.Expressions.CatchBlock node); + bool IsEvaluatableDebugInfo(System.Linq.Expressions.DebugInfoExpression node); + bool IsEvaluatableDefault(System.Linq.Expressions.DefaultExpression node); + bool IsEvaluatableGoto(System.Linq.Expressions.GotoExpression node); + bool IsEvaluatableIndex(System.Linq.Expressions.IndexExpression node); + bool IsEvaluatableLabel(System.Linq.Expressions.LabelExpression node); + bool IsEvaluatableLabelTarget(System.Linq.Expressions.LabelTarget node); + bool IsEvaluatableLoop(System.Linq.Expressions.LoopExpression node); + bool IsEvaluatableSwitch(System.Linq.Expressions.SwitchExpression node); + bool IsEvaluatableSwitchCase(System.Linq.Expressions.SwitchCase node); + bool IsEvaluatableTry(System.Linq.Expressions.TryExpression node); + } public abstract class EvaluatableExpressionFilterBase : Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter { protected EvaluatableExpressionFilterBase() => throw null; public virtual bool IsEvaluatableBinary(System.Linq.Expressions.BinaryExpression node) => throw null; - public virtual bool IsEvaluatableBlock(System.Linq.Expressions.BlockExpression node) => throw null; - public virtual bool IsEvaluatableCatchBlock(System.Linq.Expressions.CatchBlock node) => throw null; public virtual bool IsEvaluatableConditional(System.Linq.Expressions.ConditionalExpression node) => throw null; public virtual bool IsEvaluatableConstant(System.Linq.Expressions.ConstantExpression node) => throw null; - public virtual bool IsEvaluatableDebugInfo(System.Linq.Expressions.DebugInfoExpression node) => throw null; - public virtual bool IsEvaluatableDefault(System.Linq.Expressions.DefaultExpression node) => throw null; public virtual bool IsEvaluatableElementInit(System.Linq.Expressions.ElementInit node) => throw null; - public virtual bool IsEvaluatableGoto(System.Linq.Expressions.GotoExpression node) => throw null; - public virtual bool IsEvaluatableIndex(System.Linq.Expressions.IndexExpression node) => throw null; public virtual bool IsEvaluatableInvocation(System.Linq.Expressions.InvocationExpression node) => throw null; - public virtual bool IsEvaluatableLabel(System.Linq.Expressions.LabelExpression node) => throw null; - public virtual bool IsEvaluatableLabelTarget(System.Linq.Expressions.LabelTarget node) => throw null; public virtual bool IsEvaluatableLambda(System.Linq.Expressions.LambdaExpression node) => throw null; public virtual bool IsEvaluatableListInit(System.Linq.Expressions.ListInitExpression node) => throw null; - public virtual bool IsEvaluatableLoop(System.Linq.Expressions.LoopExpression node) => throw null; public virtual bool IsEvaluatableMember(System.Linq.Expressions.MemberExpression node) => throw null; public virtual bool IsEvaluatableMemberAssignment(System.Linq.Expressions.MemberAssignment node) => throw null; public virtual bool IsEvaluatableMemberInit(System.Linq.Expressions.MemberInitExpression node) => throw null; @@ -1199,756 +1007,592 @@ public abstract class EvaluatableExpressionFilterBase : Remotion.Linq.Parsing.Ex public virtual bool IsEvaluatableMethodCall(System.Linq.Expressions.MethodCallExpression node) => throw null; public virtual bool IsEvaluatableNew(System.Linq.Expressions.NewExpression node) => throw null; public virtual bool IsEvaluatableNewArray(System.Linq.Expressions.NewArrayExpression node) => throw null; + public virtual bool IsEvaluatableTypeBinary(System.Linq.Expressions.TypeBinaryExpression node) => throw null; + public virtual bool IsEvaluatableUnary(System.Linq.Expressions.UnaryExpression node) => throw null; + public virtual bool IsEvaluatableBlock(System.Linq.Expressions.BlockExpression node) => throw null; + public virtual bool IsEvaluatableCatchBlock(System.Linq.Expressions.CatchBlock node) => throw null; + public virtual bool IsEvaluatableDebugInfo(System.Linq.Expressions.DebugInfoExpression node) => throw null; + public virtual bool IsEvaluatableDefault(System.Linq.Expressions.DefaultExpression node) => throw null; + public virtual bool IsEvaluatableGoto(System.Linq.Expressions.GotoExpression node) => throw null; + public virtual bool IsEvaluatableIndex(System.Linq.Expressions.IndexExpression node) => throw null; + public virtual bool IsEvaluatableLabel(System.Linq.Expressions.LabelExpression node) => throw null; + public virtual bool IsEvaluatableLabelTarget(System.Linq.Expressions.LabelTarget node) => throw null; + public virtual bool IsEvaluatableLoop(System.Linq.Expressions.LoopExpression node) => throw null; public virtual bool IsEvaluatableSwitch(System.Linq.Expressions.SwitchExpression node) => throw null; public virtual bool IsEvaluatableSwitchCase(System.Linq.Expressions.SwitchCase node) => throw null; public virtual bool IsEvaluatableTry(System.Linq.Expressions.TryExpression node) => throw null; - public virtual bool IsEvaluatableTypeBinary(System.Linq.Expressions.TypeBinaryExpression node) => throw null; - public virtual bool IsEvaluatableUnary(System.Linq.Expressions.UnaryExpression node) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.EvaluatableTreeFindingExpressionVisitor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class EvaluatableTreeFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor, Remotion.Linq.Clauses.Expressions.IPartialEvaluationExceptionExpressionVisitor + public sealed class EvaluatableTreeFindingExpressionVisitor : Remotion.Linq.Parsing.RelinqExpressionVisitor, Remotion.Linq.Clauses.Expressions.IPartialEvaluationExceptionExpressionVisitor { public static Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.PartialEvaluationInfo Analyze(System.Linq.Expressions.Expression expressionTree, Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter evaluatableExpressionFilter) => throw null; public override System.Linq.Expressions.Expression Visit(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; - protected override System.Linq.Expressions.CatchBlock VisitCatchBlock(System.Linq.Expressions.CatchBlock node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitBinary(System.Linq.Expressions.BinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConditional(System.Linq.Expressions.ConditionalExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitConstant(System.Linq.Expressions.ConstantExpression expression) => throw null; protected override System.Linq.Expressions.ElementInit VisitElementInit(System.Linq.Expressions.ElementInit node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression expression) => throw null; - protected override System.Linq.Expressions.LabelTarget VisitLabelTarget(System.Linq.Expressions.LabelTarget node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitInvocation(System.Linq.Expressions.InvocationExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLambda(System.Linq.Expressions.Expression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMember(System.Linq.Expressions.MemberExpression expression) => throw null; protected override System.Linq.Expressions.MemberAssignment VisitMemberAssignment(System.Linq.Expressions.MemberAssignment node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitMemberInit(System.Linq.Expressions.MemberInitExpression expression) => throw null; protected override System.Linq.Expressions.MemberListBinding VisitMemberListBinding(System.Linq.Expressions.MemberListBinding node) => throw null; + protected override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; protected override System.Linq.Expressions.MemberMemberBinding VisitMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitMethodCall(System.Linq.Expressions.MethodCallExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; - public System.Linq.Expressions.Expression VisitPartialEvaluationException(Remotion.Linq.Clauses.Expressions.PartialEvaluationExceptionExpression partialEvaluationExceptionExpression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitListInit(System.Linq.Expressions.ListInitExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitNew(System.Linq.Expressions.NewExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitParameter(System.Linq.Expressions.ParameterExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitNewArray(System.Linq.Expressions.NewArrayExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitBlock(System.Linq.Expressions.BlockExpression expression) => throw null; + protected override System.Linq.Expressions.CatchBlock VisitCatchBlock(System.Linq.Expressions.CatchBlock node) => throw null; + protected override System.Linq.Expressions.Expression VisitDebugInfo(System.Linq.Expressions.DebugInfoExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitDefault(System.Linq.Expressions.DefaultExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitGoto(System.Linq.Expressions.GotoExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitIndex(System.Linq.Expressions.IndexExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitLabel(System.Linq.Expressions.LabelExpression expression) => throw null; + protected override System.Linq.Expressions.LabelTarget VisitLabelTarget(System.Linq.Expressions.LabelTarget node) => throw null; + protected override System.Linq.Expressions.Expression VisitLoop(System.Linq.Expressions.LoopExpression expression) => throw null; + protected override System.Linq.Expressions.Expression VisitSwitch(System.Linq.Expressions.SwitchExpression expression) => throw null; protected override System.Linq.Expressions.SwitchCase VisitSwitchCase(System.Linq.Expressions.SwitchCase node) => throw null; - protected internal override System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitTypeBinary(System.Linq.Expressions.TypeBinaryExpression expression) => throw null; - protected internal override System.Linq.Expressions.Expression VisitUnary(System.Linq.Expressions.UnaryExpression expression) => throw null; - } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IEvaluatableExpressionFilter - { - bool IsEvaluatableBinary(System.Linq.Expressions.BinaryExpression node); - bool IsEvaluatableBlock(System.Linq.Expressions.BlockExpression node); - bool IsEvaluatableCatchBlock(System.Linq.Expressions.CatchBlock node); - bool IsEvaluatableConditional(System.Linq.Expressions.ConditionalExpression node); - bool IsEvaluatableConstant(System.Linq.Expressions.ConstantExpression node); - bool IsEvaluatableDebugInfo(System.Linq.Expressions.DebugInfoExpression node); - bool IsEvaluatableDefault(System.Linq.Expressions.DefaultExpression node); - bool IsEvaluatableElementInit(System.Linq.Expressions.ElementInit node); - bool IsEvaluatableGoto(System.Linq.Expressions.GotoExpression node); - bool IsEvaluatableIndex(System.Linq.Expressions.IndexExpression node); - bool IsEvaluatableInvocation(System.Linq.Expressions.InvocationExpression node); - bool IsEvaluatableLabel(System.Linq.Expressions.LabelExpression node); - bool IsEvaluatableLabelTarget(System.Linq.Expressions.LabelTarget node); - bool IsEvaluatableLambda(System.Linq.Expressions.LambdaExpression node); - bool IsEvaluatableListInit(System.Linq.Expressions.ListInitExpression node); - bool IsEvaluatableLoop(System.Linq.Expressions.LoopExpression node); - bool IsEvaluatableMember(System.Linq.Expressions.MemberExpression node); - bool IsEvaluatableMemberAssignment(System.Linq.Expressions.MemberAssignment node); - bool IsEvaluatableMemberInit(System.Linq.Expressions.MemberInitExpression node); - bool IsEvaluatableMemberListBinding(System.Linq.Expressions.MemberListBinding node); - bool IsEvaluatableMemberMemberBinding(System.Linq.Expressions.MemberMemberBinding node); - bool IsEvaluatableMethodCall(System.Linq.Expressions.MethodCallExpression node); - bool IsEvaluatableNew(System.Linq.Expressions.NewExpression node); - bool IsEvaluatableNewArray(System.Linq.Expressions.NewArrayExpression node); - bool IsEvaluatableSwitch(System.Linq.Expressions.SwitchExpression node); - bool IsEvaluatableSwitchCase(System.Linq.Expressions.SwitchCase node); - bool IsEvaluatableTry(System.Linq.Expressions.TryExpression node); - bool IsEvaluatableTypeBinary(System.Linq.Expressions.TypeBinaryExpression node); - bool IsEvaluatableUnary(System.Linq.Expressions.UnaryExpression node); + protected override System.Linq.Expressions.Expression VisitTry(System.Linq.Expressions.TryExpression expression) => throw null; + public System.Linq.Expressions.Expression VisitPartialEvaluationException(Remotion.Linq.Clauses.Expressions.PartialEvaluationExceptionExpression partialEvaluationExceptionExpression) => throw null; } - - // Generated from `Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.PartialEvaluationInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class PartialEvaluationInfo { public void AddEvaluatableExpression(System.Linq.Expressions.Expression expression) => throw null; - public int Count { get => throw null; } public bool IsEvaluatableExpression(System.Linq.Expressions.Expression expression) => throw null; public PartialEvaluationInfo() => throw null; + public int Count { get => throw null; } } - } } namespace Structure { - // Generated from `Remotion.Linq.Parsing.Structure.ExpressionTreeParser` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ExpressionTreeParser + public sealed class ExpressionTreeParser { public static Remotion.Linq.Parsing.Structure.ExpressionTreeParser CreateDefault() => throw null; public static Remotion.Linq.Parsing.Structure.NodeTypeProviders.CompoundNodeTypeProvider CreateDefaultNodeTypeProvider() => throw null; public static Remotion.Linq.Parsing.Structure.ExpressionTreeProcessors.CompoundExpressionTreeProcessor CreateDefaultProcessor(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider tranformationProvider, Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter evaluatableExpressionFilter = default(Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter)) => throw null; public ExpressionTreeParser(Remotion.Linq.Parsing.Structure.INodeTypeProvider nodeTypeProvider, Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor processor) => throw null; + public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode ParseTree(System.Linq.Expressions.Expression expressionTree) => throw null; public System.Linq.Expressions.MethodCallExpression GetQueryOperatorExpression(System.Linq.Expressions.Expression expression) => throw null; public Remotion.Linq.Parsing.Structure.INodeTypeProvider NodeTypeProvider { get => throw null; } - public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode ParseTree(System.Linq.Expressions.Expression expressionTree) => throw null; public Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor Processor { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IExpressionTreeProcessor { System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree); } - - // Generated from `Remotion.Linq.Parsing.Structure.INodeTypeProvider` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface INodeTypeProvider { - System.Type GetNodeType(System.Reflection.MethodInfo method); bool IsRegistered(System.Reflection.MethodInfo method); + System.Type GetNodeType(System.Reflection.MethodInfo method); } - - // Generated from `Remotion.Linq.Parsing.Structure.IQueryParser` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public interface IQueryParser { Remotion.Linq.QueryModel GetParsedQuery(System.Linq.Expressions.Expression expressionTreeRoot); } - - // Generated from `Remotion.Linq.Parsing.Structure.MethodCallExpressionParser` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MethodCallExpressionParser + public sealed class MethodCallExpressionParser { public MethodCallExpressionParser(Remotion.Linq.Parsing.Structure.INodeTypeProvider nodeTypeProvider) => throw null; public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Parse(string associatedIdentifier, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode source, System.Collections.Generic.IEnumerable arguments, System.Linq.Expressions.MethodCallExpression expressionToParse) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.QueryParser` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class QueryParser : Remotion.Linq.Parsing.Structure.IQueryParser + public sealed class QueryParser : Remotion.Linq.Parsing.Structure.IQueryParser { public static Remotion.Linq.Parsing.Structure.QueryParser CreateDefault() => throw null; - public Remotion.Linq.Parsing.Structure.ExpressionTreeParser ExpressionTreeParser { get => throw null; } + public QueryParser(Remotion.Linq.Parsing.Structure.ExpressionTreeParser expressionTreeParser) => throw null; public Remotion.Linq.QueryModel GetParsedQuery(System.Linq.Expressions.Expression expressionTreeRoot) => throw null; + public Remotion.Linq.Parsing.Structure.ExpressionTreeParser ExpressionTreeParser { get => throw null; } public Remotion.Linq.Parsing.Structure.INodeTypeProvider NodeTypeProvider { get => throw null; } public Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor Processor { get => throw null; } - public QueryParser(Remotion.Linq.Parsing.Structure.ExpressionTreeParser expressionTreeParser) => throw null; } - namespace ExpressionTreeProcessors { - // Generated from `Remotion.Linq.Parsing.Structure.ExpressionTreeProcessors.CompoundExpressionTreeProcessor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CompoundExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor + public sealed class CompoundExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor { public CompoundExpressionTreeProcessor(System.Collections.Generic.IEnumerable innerProcessors) => throw null; - public System.Collections.Generic.IList InnerProcessors { get => throw null; } public System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree) => throw null; + public System.Collections.Generic.IList InnerProcessors { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.ExpressionTreeProcessors.NullExpressionTreeProcessor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class NullExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor + public sealed class NullExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor { - public NullExpressionTreeProcessor() => throw null; public System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree) => throw null; + public NullExpressionTreeProcessor() => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.ExpressionTreeProcessors.PartialEvaluatingExpressionTreeProcessor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class PartialEvaluatingExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor + public sealed class PartialEvaluatingExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor { - public Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter Filter { get => throw null; } public PartialEvaluatingExpressionTreeProcessor(Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter filter) => throw null; public System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree) => throw null; + public Remotion.Linq.Parsing.ExpressionVisitors.TreeEvaluation.IEvaluatableExpressionFilter Filter { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.ExpressionTreeProcessors.TransformingExpressionTreeProcessor` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class TransformingExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor + public sealed class TransformingExpressionTreeProcessor : Remotion.Linq.Parsing.Structure.IExpressionTreeProcessor { + public TransformingExpressionTreeProcessor(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider provider) => throw null; public System.Linq.Expressions.Expression Process(System.Linq.Expressions.Expression expressionTree) => throw null; public Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider Provider { get => throw null; } - public TransformingExpressionTreeProcessor(Remotion.Linq.Parsing.ExpressionVisitors.Transformation.IExpressionTranformationProvider provider) => throw null; } - } namespace IntermediateModel { - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AggregateExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AggregateExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public interface IExpressionNode { + System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); + Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); + Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get; } + string AssociatedIdentifier { get; } + } + public abstract class MethodCallExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + { + protected MethodCallExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) => throw null; + public abstract System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); + protected abstract void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); + public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected virtual Remotion.Linq.QueryModel WrapQueryModelAfterEndOfQuery(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected virtual void SetResultTypeOverride(Remotion.Linq.QueryModel queryModel) => throw null; + protected System.NotSupportedException CreateResolveNotSupportedException() => throw null; + protected System.NotSupportedException CreateOutputParameterNotSupportedException() => throw null; + public string AssociatedIdentifier { get => throw null; } + public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get => throw null; } + public System.Type NodeResultType { get => throw null; } + } + public abstract class ResultOperatorExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + { + protected ResultOperatorExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + protected abstract Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override sealed Remotion.Linq.QueryModel WrapQueryModelAfterEndOfQuery(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.MethodCallExpression ParsedExpression { get => throw null; } + } + public sealed class AggregateExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + { + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public AggregateExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression func) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.LambdaExpression Func { get => throw null; } public System.Linq.Expressions.LambdaExpression GetResolvedFunc(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression Func { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AggregateFromSeedExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AggregateFromSeedExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class AggregateFromSeedExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public AggregateFromSeedExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression seed, System.Linq.Expressions.LambdaExpression func, System.Linq.Expressions.LambdaExpression optionalResultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.LambdaExpression Func { get => throw null; } public System.Linq.Expressions.LambdaExpression GetResolvedFunc(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression OptionalResultSelector { get => throw null; } public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression Seed { get => throw null; } + public System.Linq.Expressions.LambdaExpression Func { get => throw null; } + public System.Linq.Expressions.LambdaExpression OptionalResultSelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AllExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AllExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class AllExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public AllExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression predicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression GetResolvedPredicate(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression Predicate { get => throw null; } public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression Predicate { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AnyExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AnyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class AnyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public AnyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public AnyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AsQueryableExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AsQueryableExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class AsQueryableExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public AsQueryableExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public AsQueryableExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.AverageExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class AverageExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class AverageExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public AverageExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public AverageExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.CastExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CastExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class CastExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public CastExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - public System.Type CastItemType { get => throw null; } - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public CastExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Type CastItemType { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public struct ClauseGenerationContext { - public void AddContextInfo(Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode node, object contextInfo) => throw null; public ClauseGenerationContext(Remotion.Linq.Parsing.Structure.INodeTypeProvider nodeTypeProvider) => throw null; - // Stub generator skipped constructor - public int Count { get => throw null; } + public void AddContextInfo(Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode node, object contextInfo) => throw null; public object GetContextInfo(Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode node) => throw null; public Remotion.Linq.Parsing.Structure.INodeTypeProvider NodeTypeProvider { get => throw null; } + public int Count { get => throw null; } + } + public interface IQuerySourceExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + { } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ConcatExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ConcatExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceSetOperationExpressionNodeBase + public abstract class QuerySourceSetOperationExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + { + protected QuerySourceSetOperationExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override sealed System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected abstract Remotion.Linq.Clauses.ResultOperatorBase CreateSpecificResultOperator(); + protected override sealed Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression Source2 { get => throw null; } + public System.Type ItemType { get => throw null; } + } + public sealed class ConcatExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceSetOperationExpressionNodeBase { + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public ConcatExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.Expression)) => throw null; protected override Remotion.Linq.Clauses.ResultOperatorBase CreateSpecificResultOperator() => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ContainsExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ContainsExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class ContainsExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public static System.Collections.Generic.IEnumerable GetSupportedMethodNames() => throw null; public ContainsExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression item) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethodNames() => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public System.Linq.Expressions.Expression Item { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.CountExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CountExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class CountExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public CountExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public CountExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.DefaultIfEmptyExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DefaultIfEmptyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class DefaultIfEmptyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public DefaultIfEmptyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression optionalDefaultValue) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.Expression OptionalDefaultValue { get => throw null; } + public DefaultIfEmptyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression optionalDefaultValue) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression OptionalDefaultValue { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.DistinctExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class DistinctExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class DistinctExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public DistinctExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public DistinctExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ExceptExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ExceptExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class ExceptExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public ExceptExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public ExceptExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression Source2 { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ExpressionNodeInstantiationException` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ExpressionNodeInstantiationException : System.Exception + public sealed class ExpressionNodeInstantiationException : System.Exception { } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ExpressionResolver` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ExpressionResolver + public sealed class ExpressionResolver { - public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode CurrentNode { get => throw null; } public ExpressionResolver(Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode currentNode) => throw null; public System.Linq.Expressions.Expression GetResolvedExpression(System.Linq.Expressions.Expression unresolvedExpression, System.Linq.Expressions.ParameterExpression parameterToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode CurrentNode { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.FirstExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class FirstExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class FirstExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public FirstExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public FirstExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.GroupByExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class GroupByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class GroupByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedOptionalElementSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public GroupByExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector, System.Linq.Expressions.LambdaExpression optionalElementSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression GetResolvedOptionalElementSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } public System.Linq.Expressions.LambdaExpression OptionalElementSelector { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.GroupByWithResultSelectorExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class GroupByWithResultSelectorExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class GroupByWithResultSelectorExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public string AssociatedIdentifier { get => throw null; } public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public GroupByWithResultSelectorExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector, System.Linq.Expressions.LambdaExpression elementSelectorOrResultSelector, System.Linq.Expressions.LambdaExpression resultSelectorOrNull) => throw null; public System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression Selector { get => throw null; } + public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get => throw null; } + public string AssociatedIdentifier { get => throw null; } + public System.Linq.Expressions.Expression Selector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.GroupJoinExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class GroupJoinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class GroupJoinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedResultSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public GroupJoinExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression innerSequence, System.Linq.Expressions.LambdaExpression outerKeySelector, System.Linq.Expressions.LambdaExpression innerKeySelector, System.Linq.Expressions.LambdaExpression resultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; - public System.Linq.Expressions.LambdaExpression InnerKeySelector { get => throw null; } - public System.Linq.Expressions.Expression InnerSequence { get => throw null; } + public System.Linq.Expressions.Expression GetResolvedResultSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public Remotion.Linq.Parsing.Structure.IntermediateModel.JoinExpressionNode JoinExpressionNode { get => throw null; } - public System.Linq.Expressions.LambdaExpression OuterKeySelector { get => throw null; } public System.Linq.Expressions.MethodCallExpression ParsedExpression { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression InnerSequence { get => throw null; } + public System.Linq.Expressions.LambdaExpression OuterKeySelector { get => throw null; } + public System.Linq.Expressions.LambdaExpression InnerKeySelector { get => throw null; } public System.Linq.Expressions.LambdaExpression ResultSelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IExpressionNode + public sealed class IntersectExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); - string AssociatedIdentifier { get; } - System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); - Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get; } - } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public interface IQuerySourceExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode - { - } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.IntersectExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class IntersectExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase - { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public IntersectExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression Source2 { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.JoinExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class JoinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class JoinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public Remotion.Linq.Clauses.JoinClause CreateJoinClause(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedInnerKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public JoinExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression innerSequence, System.Linq.Expressions.LambdaExpression outerKeySelector, System.Linq.Expressions.LambdaExpression innerKeySelector, System.Linq.Expressions.LambdaExpression resultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; public System.Linq.Expressions.Expression GetResolvedOuterKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression GetResolvedInnerKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression GetResolvedResultSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression InnerKeySelector { get => throw null; } + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public Remotion.Linq.Clauses.JoinClause CreateJoinClause(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression InnerSequence { get => throw null; } - public JoinExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression innerSequence, System.Linq.Expressions.LambdaExpression outerKeySelector, System.Linq.Expressions.LambdaExpression innerKeySelector, System.Linq.Expressions.LambdaExpression resultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; public System.Linq.Expressions.LambdaExpression OuterKeySelector { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression InnerKeySelector { get => throw null; } public System.Linq.Expressions.LambdaExpression ResultSelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.LastExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class LastExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class LastExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public LastExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.LongCountExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class LongCountExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class LongCountExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public LongCountExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MainSourceExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MainSourceExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class MainSourceExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public string AssociatedIdentifier { get => throw null; } public MainSourceExpressionNode(string associatedIdentifier, System.Linq.Expressions.Expression expression) => throw null; - public System.Linq.Expressions.Expression ParsedExpression { get => throw null; } + public System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Type QuerySourceElementType { get => throw null; } public System.Type QuerySourceType { get => throw null; } - public System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression ParsedExpression { get => throw null; } + public string AssociatedIdentifier { get => throw null; } public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MaxExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MaxExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class MaxExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public MaxExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class MethodCallExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode - { - public Remotion.Linq.QueryModel Apply(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - protected abstract void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); - public string AssociatedIdentifier { get => throw null; } - protected System.NotSupportedException CreateOutputParameterNotSupportedException() => throw null; - protected System.NotSupportedException CreateResolveNotSupportedException() => throw null; - protected MethodCallExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) => throw null; - public System.Type NodeResultType { get => throw null; } - public abstract System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); - protected virtual void SetResultTypeOverride(Remotion.Linq.QueryModel queryModel) => throw null; - public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get => throw null; } - protected virtual Remotion.Linq.QueryModel WrapQueryModelAfterEndOfQuery(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeFactory` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public static class MethodCallExpressionNodeFactory { public static Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode CreateExpressionNode(System.Type nodeType, Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, object[] additionalConstructorParameters) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public struct MethodCallExpressionParseInfo { - public string AssociatedIdentifier { get => throw null; } public MethodCallExpressionParseInfo(string associatedIdentifier, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode source, System.Linq.Expressions.MethodCallExpression parsedExpression) => throw null; - // Stub generator skipped constructor - public System.Linq.Expressions.MethodCallExpression ParsedExpression { get => throw null; } + public string AssociatedIdentifier { get => throw null; } public Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode Source { get => throw null; } + public System.Linq.Expressions.MethodCallExpression ParsedExpression { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.MinExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class MinExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public MinExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.OfTypeExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class OfTypeExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class OfTypeExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public OfTypeExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Type SearchedItemType { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.OrderByDescendingExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class OrderByDescendingExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class OrderByDescendingExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } public OrderByDescendingExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.OrderByExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class OrderByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class OrderByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } public OrderByExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceExpressionNodeUtility` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public static class QuerySourceExpressionNodeUtility { - public static Remotion.Linq.Clauses.IQuerySource GetQuerySourceForNode(Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode node, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext context) => throw null; public static System.Linq.Expressions.Expression ReplaceParameterWithReference(Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode referencedNode, System.Linq.Expressions.ParameterExpression parameterToReplace, System.Linq.Expressions.Expression expression, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext context) => throw null; + public static Remotion.Linq.Clauses.IQuerySource GetQuerySourceForNode(Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode node, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext context) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceSetOperationExpressionNodeBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class QuerySourceSetOperationExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode - { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - protected abstract Remotion.Linq.Clauses.ResultOperatorBase CreateSpecificResultOperator(); - public System.Type ItemType { get => throw null; } - protected QuerySourceSetOperationExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression Source2 { get => throw null; } - } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ResolvedExpressionCache<>` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ResolvedExpressionCache where T : System.Linq.Expressions.Expression + public sealed class ResolvedExpressionCache where T : System.Linq.Expressions.Expression { - public T GetOrCreate(System.Func generator) => throw null; public ResolvedExpressionCache(Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode currentNode) => throw null; + public T GetOrCreate(System.Func generator) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public abstract class ResultOperatorExpressionNodeBase : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase - { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - protected abstract Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext); - public System.Linq.Expressions.MethodCallExpression ParsedExpression { get => throw null; } - protected ResultOperatorExpressionNodeBase(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; - protected override Remotion.Linq.QueryModel WrapQueryModelAfterEndOfQuery(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ReverseExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ReverseExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class ReverseExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public ReverseExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.SelectExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SelectExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class SelectExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public SelectExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression selector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.LambdaExpression Selector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.SelectManyExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SelectManyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode + public sealed class SelectManyExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase, Remotion.Linq.Parsing.Structure.IntermediateModel.IQuerySourceExpressionNode, Remotion.Linq.Parsing.Structure.IntermediateModel.IExpressionNode { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.LambdaExpression CollectionSelector { get => throw null; } + public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; + public SelectManyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression collectionSelector, System.Linq.Expressions.LambdaExpression resultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; public System.Linq.Expressions.Expression GetResolvedCollectionSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public System.Linq.Expressions.Expression GetResolvedResultSelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression CollectionSelector { get => throw null; } public System.Linq.Expressions.LambdaExpression ResultSelector { get => throw null; } - public SelectManyExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression collectionSelector, System.Linq.Expressions.LambdaExpression resultSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.SingleExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SingleExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class SingleExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public SingleExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalPredicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.SkipExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SkipExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class SkipExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public System.Linq.Expressions.Expression Count { get => throw null; } - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public SkipExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression count) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression Count { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.SumExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class SumExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class SumExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public SumExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression optionalSelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.TakeExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class TakeExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase + public sealed class TakeExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.ResultOperatorExpressionNodeBase { - public System.Linq.Expressions.Expression Count { get => throw null; } - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public TakeExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression count) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.LambdaExpression), default(System.Linq.Expressions.LambdaExpression)) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateResultOperator(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.Expression Count { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ThenByDescendingExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ThenByDescendingExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class ThenByDescendingExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public ThenByDescendingExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.ThenByExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class ThenByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class ThenByExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public ThenByExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression keySelector) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedKeySelector(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression KeySelector { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.UnionExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class UnionExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceSetOperationExpressionNodeBase + public sealed class UnionExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.QuerySourceSetOperationExpressionNodeBase { - protected override Remotion.Linq.Clauses.ResultOperatorBase CreateSpecificResultOperator() => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; public UnionExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.Expression source2) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo), default(System.Linq.Expressions.Expression)) => throw null; + protected override Remotion.Linq.Clauses.ResultOperatorBase CreateSpecificResultOperator() => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.IntermediateModel.WhereExpressionNode` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class WhereExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase + public sealed class WhereExpressionNode : Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionNodeBase { - protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; - public System.Linq.Expressions.Expression GetResolvedPredicate(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public static System.Collections.Generic.IEnumerable GetSupportedMethods() => throw null; - public System.Linq.Expressions.LambdaExpression Predicate { get => throw null; } - public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; public WhereExpressionNode(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo parseInfo, System.Linq.Expressions.LambdaExpression predicate) : base(default(Remotion.Linq.Parsing.Structure.IntermediateModel.MethodCallExpressionParseInfo)) => throw null; + public System.Linq.Expressions.Expression GetResolvedPredicate(Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public override System.Linq.Expressions.Expression Resolve(System.Linq.Expressions.ParameterExpression inputParameter, System.Linq.Expressions.Expression expressionToBeResolved, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + protected override void ApplyNodeSpecificSemantics(Remotion.Linq.QueryModel queryModel, Remotion.Linq.Parsing.Structure.IntermediateModel.ClauseGenerationContext clauseGenerationContext) => throw null; + public System.Linq.Expressions.LambdaExpression Predicate { get => throw null; } } - } namespace NodeTypeProviders { - // Generated from `Remotion.Linq.Parsing.Structure.NodeTypeProviders.CompoundNodeTypeProvider` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class CompoundNodeTypeProvider : Remotion.Linq.Parsing.Structure.INodeTypeProvider + public sealed class CompoundNodeTypeProvider : Remotion.Linq.Parsing.Structure.INodeTypeProvider { public CompoundNodeTypeProvider(System.Collections.Generic.IEnumerable innerProviders) => throw null; + public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; public System.Collections.Generic.IList InnerProviders { get => throw null; } - public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; } - - // Generated from `Remotion.Linq.Parsing.Structure.NodeTypeProviders.MethodInfoBasedNodeTypeRegistry` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MethodInfoBasedNodeTypeRegistry : Remotion.Linq.Parsing.Structure.INodeTypeProvider + public sealed class MethodInfoBasedNodeTypeRegistry : Remotion.Linq.Parsing.Structure.INodeTypeProvider { public static Remotion.Linq.Parsing.Structure.NodeTypeProviders.MethodInfoBasedNodeTypeRegistry CreateFromRelinqAssembly() => throw null; - public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; public static System.Reflection.MethodInfo GetRegisterableMethodDefinition(System.Reflection.MethodInfo method, bool throwOnAmbiguousMatch) => throw null; + public void Register(System.Collections.Generic.IEnumerable methods, System.Type nodeType) => throw null; public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; + public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; public MethodInfoBasedNodeTypeRegistry() => throw null; - public void Register(System.Collections.Generic.IEnumerable methods, System.Type nodeType) => throw null; public int RegisteredMethodInfoCount { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.NodeTypeProviders.MethodNameBasedNodeTypeRegistry` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class MethodNameBasedNodeTypeRegistry : Remotion.Linq.Parsing.Structure.INodeTypeProvider + public sealed class MethodNameBasedNodeTypeRegistry : Remotion.Linq.Parsing.Structure.INodeTypeProvider { public static Remotion.Linq.Parsing.Structure.NodeTypeProviders.MethodNameBasedNodeTypeRegistry CreateFromRelinqAssembly() => throw null; - public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; + public void Register(System.Collections.Generic.IEnumerable registrationInfo, System.Type nodeType) => throw null; public bool IsRegistered(System.Reflection.MethodInfo method) => throw null; + public System.Type GetNodeType(System.Reflection.MethodInfo method) => throw null; public MethodNameBasedNodeTypeRegistry() => throw null; - public void Register(System.Collections.Generic.IEnumerable registrationInfo, System.Type nodeType) => throw null; public int RegisteredNamesCount { get => throw null; } } - - // Generated from `Remotion.Linq.Parsing.Structure.NodeTypeProviders.NameBasedRegistrationInfo` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` - public class NameBasedRegistrationInfo + public sealed class NameBasedRegistrationInfo { - public System.Func Filter { get => throw null; } - public string Name { get => throw null; } public NameBasedRegistrationInfo(string name, System.Func filter) => throw null; + public string Name { get => throw null; } + public System.Func Filter { get => throw null; } } - } } } namespace Transformations { - // Generated from `Remotion.Linq.Transformations.SubQueryFromClauseFlattener` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public class SubQueryFromClauseFlattener : Remotion.Linq.QueryModelVisitorBase { - protected virtual void CheckFlattenable(Remotion.Linq.QueryModel subQueryModel) => throw null; + public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; + public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; protected virtual void FlattenSubQuery(Remotion.Linq.Clauses.Expressions.SubQueryExpression subQueryExpression, Remotion.Linq.Clauses.IFromClause fromClause, Remotion.Linq.QueryModel queryModel, int destinationIndex) => throw null; + protected virtual void CheckFlattenable(Remotion.Linq.QueryModel subQueryModel) => throw null; protected void InsertBodyClauses(System.Collections.ObjectModel.ObservableCollection bodyClauses, Remotion.Linq.QueryModel destinationQueryModel, int destinationIndex) => throw null; public SubQueryFromClauseFlattener() => throw null; - public override void VisitAdditionalFromClause(Remotion.Linq.Clauses.AdditionalFromClause fromClause, Remotion.Linq.QueryModel queryModel, int index) => throw null; - public override void VisitMainFromClause(Remotion.Linq.Clauses.MainFromClause fromClause, Remotion.Linq.QueryModel queryModel) => throw null; } - } namespace Utilities { - // Generated from `Remotion.Linq.Utilities.ItemTypeReflectionUtility` in `Remotion.Linq, Version=2.2.0.0, Culture=neutral, PublicKeyToken=fee00910d6e5f53b` public static class ItemTypeReflectionUtility { public static bool TryGetItemTypeOfClosedGenericIEnumerable(System.Type possibleEnumerableType, out System.Type itemType) => throw null; } - } } } diff --git a/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/4.4.1/System.Configuration.ConfigurationManager.cs b/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/6.0.0/System.Configuration.ConfigurationManager.cs similarity index 67% rename from csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/4.4.1/System.Configuration.ConfigurationManager.cs rename to csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/6.0.0/System.Configuration.ConfigurationManager.cs index 556165b5ed14..41e6e60ef248 100644 --- a/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/4.4.1/System.Configuration.ConfigurationManager.cs +++ b/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/6.0.0/System.Configuration.ConfigurationManager.cs @@ -1,105 +1,78 @@ // This file contains auto-generated code. - +// Generated from `System.Configuration.ConfigurationManager, Version=6.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. namespace System { - // Generated from `System.UriIdnScope` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public enum UriIdnScope - { - All, - AllExceptIntranet, - None, - } - namespace Configuration { - // Generated from `System.Configuration.AppSettingsReader` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class AppSettingsReader - { - public AppSettingsReader() => throw null; - public object GetValue(string key, System.Type type) => throw null; - } - - // Generated from `System.Configuration.AppSettingsSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class AppSettingsSection : System.Configuration.ConfigurationSection - { - public AppSettingsSection() => throw null; - protected override void DeserializeElement(System.Xml.XmlReader reader, bool serializeCollectionKey) => throw null; - public string File { get => throw null; set => throw null; } - protected override object GetRuntimeObject() => throw null; - protected override bool IsModified() => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - protected override void Reset(System.Configuration.ConfigurationElement parentSection) => throw null; - protected override string SerializeSection(System.Configuration.ConfigurationElement parentElement, string name, System.Configuration.ConfigurationSaveMode saveMode) => throw null; - public System.Configuration.KeyValueConfigurationCollection Settings { get => throw null; } - } - - // Generated from `System.Configuration.ApplicationScopedSettingAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ApplicationScopedSettingAttribute : System.Configuration.SettingAttribute + public sealed class ApplicationScopedSettingAttribute : System.Configuration.SettingAttribute { public ApplicationScopedSettingAttribute() => throw null; } - - // Generated from `System.Configuration.ApplicationSettingsBase` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ApplicationSettingsBase : System.Configuration.SettingsBase, System.ComponentModel.INotifyPropertyChanged { + public override System.Configuration.SettingsContext Context { get => throw null; } + protected ApplicationSettingsBase() => throw null; + protected ApplicationSettingsBase(System.ComponentModel.IComponent owner) => throw null; protected ApplicationSettingsBase(string settingsKey) => throw null; protected ApplicationSettingsBase(System.ComponentModel.IComponent owner, string settingsKey) => throw null; - protected ApplicationSettingsBase(System.ComponentModel.IComponent owner) => throw null; - protected ApplicationSettingsBase() => throw null; - public override System.Configuration.SettingsContext Context { get => throw null; } public object GetPreviousVersion(string propertyName) => throw null; - public override object this[string propertyName] { get => throw null; set => throw null; } protected virtual void OnPropertyChanged(object sender, System.ComponentModel.PropertyChangedEventArgs e) => throw null; protected virtual void OnSettingChanging(object sender, System.Configuration.SettingChangingEventArgs e) => throw null; protected virtual void OnSettingsLoaded(object sender, System.Configuration.SettingsLoadedEventArgs e) => throw null; protected virtual void OnSettingsSaving(object sender, System.ComponentModel.CancelEventArgs e) => throw null; public override System.Configuration.SettingsPropertyCollection Properties { get => throw null; } - public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; + public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } public override System.Configuration.SettingsPropertyValueCollection PropertyValues { get => throw null; } public override System.Configuration.SettingsProviderCollection Providers { get => throw null; } public void Reload() => throw null; public void Reset() => throw null; public override void Save() => throw null; - public event System.Configuration.SettingChangingEventHandler SettingChanging; - public string SettingsKey { get => throw null; set => throw null; } - public event System.Configuration.SettingsLoadedEventHandler SettingsLoaded; - public event System.Configuration.SettingsSavingEventHandler SettingsSaving; + public event System.Configuration.SettingChangingEventHandler SettingChanging { add { } remove { } } + public string SettingsKey { get => throw null; set { } } + public event System.Configuration.SettingsLoadedEventHandler SettingsLoaded { add { } remove { } } + public event System.Configuration.SettingsSavingEventHandler SettingsSaving { add { } remove { } } + public override object this[string propertyName] { get => throw null; set { } } public virtual void Upgrade() => throw null; } - - // Generated from `System.Configuration.ApplicationSettingsGroup` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ApplicationSettingsGroup : System.Configuration.ConfigurationSectionGroup + public sealed class ApplicationSettingsGroup : System.Configuration.ConfigurationSectionGroup { public ApplicationSettingsGroup() => throw null; } - - // Generated from `System.Configuration.CallbackValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class CallbackValidator : System.Configuration.ConfigurationValidatorBase + public class AppSettingsReader + { + public AppSettingsReader() => throw null; + public object GetValue(string key, System.Type type) => throw null; + } + public sealed class AppSettingsSection : System.Configuration.ConfigurationSection + { + public AppSettingsSection() => throw null; + protected override void DeserializeElement(System.Xml.XmlReader reader, bool serializeCollectionKey) => throw null; + public string File { get => throw null; set { } } + protected override object GetRuntimeObject() => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + protected override void Reset(System.Configuration.ConfigurationElement parentSection) => throw null; + public System.Configuration.KeyValueConfigurationCollection Settings { get => throw null; } + } + public sealed class CallbackValidator : System.Configuration.ConfigurationValidatorBase { - public CallbackValidator(System.Type type, System.Configuration.ValidatorCallback callback) => throw null; public override bool CanValidate(System.Type type) => throw null; + public CallbackValidator(System.Type type, System.Configuration.ValidatorCallback callback) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.CallbackValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class CallbackValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class CallbackValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { - public string CallbackMethodName { get => throw null; set => throw null; } + public string CallbackMethodName { get => throw null; set { } } public CallbackValidatorAttribute() => throw null; - public System.Type Type { get => throw null; set => throw null; } + public System.Type Type { get => throw null; set { } } public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.ClientSettingsSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ClientSettingsSection : System.Configuration.ConfigurationSection + public sealed class ClientSettingsSection : System.Configuration.ConfigurationSection { public ClientSettingsSection() => throw null; protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public System.Configuration.SettingElementCollection Settings { get => throw null; } } - - // Generated from `System.Configuration.CommaDelimitedStringCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class CommaDelimitedStringCollection : System.Collections.Specialized.StringCollection + public sealed class CommaDelimitedStringCollection : System.Collections.Specialized.StringCollection { public void Add(string value) => throw null; public void AddRange(string[] range) => throw null; @@ -109,44 +82,21 @@ public class CommaDelimitedStringCollection : System.Collections.Specialized.Str public void Insert(int index, string value) => throw null; public bool IsModified { get => throw null; } public bool IsReadOnly { get => throw null; } - public string this[int index] { get => throw null; set => throw null; } public void Remove(string value) => throw null; public void SetReadOnly() => throw null; + public string this[int index] { get => throw null; set { } } public override string ToString() => throw null; } - - // Generated from `System.Configuration.CommaDelimitedStringCollectionConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class CommaDelimitedStringCollectionConverter : System.Configuration.ConfigurationConverterBase + public sealed class CommaDelimitedStringCollectionConverter : System.Configuration.ConfigurationConverterBase { - public CommaDelimitedStringCollectionConverter() => throw null; public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; + public CommaDelimitedStringCollectionConverter() => throw null; } - - // Generated from `System.Configuration.ConfigXmlDocument` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigXmlDocument : System.Xml.XmlDocument, System.Configuration.Internal.IConfigErrorInfo - { - public ConfigXmlDocument() => throw null; - public override System.Xml.XmlAttribute CreateAttribute(string prefix, string localName, string namespaceUri) => throw null; - public override System.Xml.XmlCDataSection CreateCDataSection(string data) => throw null; - public override System.Xml.XmlComment CreateComment(string data) => throw null; - public override System.Xml.XmlElement CreateElement(string prefix, string localName, string namespaceUri) => throw null; - public override System.Xml.XmlSignificantWhitespace CreateSignificantWhitespace(string data) => throw null; - public override System.Xml.XmlText CreateTextNode(string text) => throw null; - public override System.Xml.XmlWhitespace CreateWhitespace(string data) => throw null; - string System.Configuration.Internal.IConfigErrorInfo.Filename { get => throw null; } - public string Filename { get => throw null; } - public int LineNumber { get => throw null; } - int System.Configuration.Internal.IConfigErrorInfo.LineNumber { get => throw null; } - public override void Load(string filename) => throw null; - public void LoadSingleElement(string filename, System.Xml.XmlTextReader sourceReader) => throw null; - } - - // Generated from `System.Configuration.Configuration` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class Configuration + public sealed class Configuration { public System.Configuration.AppSettingsSection AppSettings { get => throw null; } - public System.Func AssemblyStringTransformer { get => throw null; set => throw null; } + public System.Func AssemblyStringTransformer { get => throw null; set { } } public System.Configuration.ConnectionStringsSection ConnectionStrings { get => throw null; } public System.Configuration.ContextInformation EvaluationContext { get => throw null; } public string FilePath { get => throw null; } @@ -154,58 +104,48 @@ public class Configuration public System.Configuration.ConfigurationSectionGroup GetSectionGroup(string sectionGroupName) => throw null; public bool HasFile { get => throw null; } public System.Configuration.ConfigurationLocationCollection Locations { get => throw null; } - public bool NamespaceDeclared { get => throw null; set => throw null; } + public bool NamespaceDeclared { get => throw null; set { } } public System.Configuration.ConfigurationSectionGroup RootSectionGroup { get => throw null; } - public void Save(System.Configuration.ConfigurationSaveMode saveMode, bool forceSaveAll) => throw null; - public void Save(System.Configuration.ConfigurationSaveMode saveMode) => throw null; public void Save() => throw null; - public void SaveAs(string filename, System.Configuration.ConfigurationSaveMode saveMode, bool forceSaveAll) => throw null; - public void SaveAs(string filename, System.Configuration.ConfigurationSaveMode saveMode) => throw null; + public void Save(System.Configuration.ConfigurationSaveMode saveMode) => throw null; + public void Save(System.Configuration.ConfigurationSaveMode saveMode, bool forceSaveAll) => throw null; public void SaveAs(string filename) => throw null; + public void SaveAs(string filename, System.Configuration.ConfigurationSaveMode saveMode) => throw null; + public void SaveAs(string filename, System.Configuration.ConfigurationSaveMode saveMode, bool forceSaveAll) => throw null; public System.Configuration.ConfigurationSectionGroupCollection SectionGroups { get => throw null; } public System.Configuration.ConfigurationSectionCollection Sections { get => throw null; } - public System.Runtime.Versioning.FrameworkName TargetFramework { get => throw null; set => throw null; } - public System.Func TypeStringTransformer { get => throw null; set => throw null; } + public System.Runtime.Versioning.FrameworkName TargetFramework { get => throw null; set { } } + public System.Func TypeStringTransformer { get => throw null; set { } } } - - // Generated from `System.Configuration.ConfigurationAllowDefinition` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum ConfigurationAllowDefinition { - Everywhere, - MachineOnly, - MachineToApplication, - MachineToWebRoot, + MachineOnly = 0, + MachineToWebRoot = 100, + MachineToApplication = 200, + Everywhere = 300, } - - // Generated from `System.Configuration.ConfigurationAllowExeDefinition` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum ConfigurationAllowExeDefinition { - MachineOnly, - MachineToApplication, - MachineToLocalUser, - MachineToRoamingUser, + MachineOnly = 0, + MachineToApplication = 100, + MachineToRoamingUser = 200, + MachineToLocalUser = 300, } - - // Generated from `System.Configuration.ConfigurationCollectionAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationCollectionAttribute : System.Attribute + public sealed class ConfigurationCollectionAttribute : System.Attribute { - public string AddItemName { get => throw null; set => throw null; } - public string ClearItemsName { get => throw null; set => throw null; } - public System.Configuration.ConfigurationElementCollectionType CollectionType { get => throw null; set => throw null; } + public string AddItemName { get => throw null; set { } } + public string ClearItemsName { get => throw null; set { } } + public System.Configuration.ConfigurationElementCollectionType CollectionType { get => throw null; set { } } public ConfigurationCollectionAttribute(System.Type itemType) => throw null; public System.Type ItemType { get => throw null; } - public string RemoveItemName { get => throw null; set => throw null; } + public string RemoveItemName { get => throw null; set { } } } - - // Generated from `System.Configuration.ConfigurationConverterBase` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ConfigurationConverterBase : System.ComponentModel.TypeConverter { public override bool CanConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Type type) => throw null; public override bool CanConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Type type) => throw null; protected ConfigurationConverterBase() => throw null; } - - // Generated from `System.Configuration.ConfigurationElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ConfigurationElement { protected ConfigurationElement() => throw null; @@ -223,14 +163,12 @@ public abstract class ConfigurationElement protected virtual void InitializeDefault() => throw null; protected virtual bool IsModified() => throw null; public virtual bool IsReadOnly() => throw null; - protected object this[string propertyName] { get => throw null; set => throw null; } - protected object this[System.Configuration.ConfigurationProperty prop] { get => throw null; set => throw null; } protected virtual void ListErrors(System.Collections.IList errorList) => throw null; public System.Configuration.ConfigurationLockCollection LockAllAttributesExcept { get => throw null; } public System.Configuration.ConfigurationLockCollection LockAllElementsExcept { get => throw null; } public System.Configuration.ConfigurationLockCollection LockAttributes { get => throw null; } public System.Configuration.ConfigurationLockCollection LockElements { get => throw null; } - public bool LockItem { get => throw null; set => throw null; } + public bool LockItem { get => throw null; set { } } protected virtual bool OnDeserializeUnrecognizedAttribute(string name, string value) => throw null; protected virtual bool OnDeserializeUnrecognizedElement(string elementName, System.Xml.XmlReader reader) => throw null; protected virtual object OnRequiredPropertyNotFound(string name) => throw null; @@ -243,16 +181,16 @@ public abstract class ConfigurationElement protected virtual bool SerializeToXmlElement(System.Xml.XmlWriter writer, string elementName) => throw null; protected void SetPropertyValue(System.Configuration.ConfigurationProperty prop, object value, bool ignoreLocks) => throw null; protected virtual void SetReadOnly() => throw null; + protected object this[System.Configuration.ConfigurationProperty prop] { get => throw null; set { } } + protected object this[string propertyName] { get => throw null; set { } } protected virtual void Unmerge(System.Configuration.ConfigurationElement sourceElement, System.Configuration.ConfigurationElement parentElement, System.Configuration.ConfigurationSaveMode saveMode) => throw null; } - - // Generated from `System.Configuration.ConfigurationElementCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public abstract class ConfigurationElementCollection : System.Configuration.ConfigurationElement, System.Collections.IEnumerable, System.Collections.ICollection + public abstract class ConfigurationElementCollection : System.Configuration.ConfigurationElement, System.Collections.ICollection, System.Collections.IEnumerable { - protected string AddElementName { get => throw null; set => throw null; } + protected string AddElementName { get => throw null; set { } } + protected virtual void BaseAdd(System.Configuration.ConfigurationElement element) => throw null; protected void BaseAdd(System.Configuration.ConfigurationElement element, bool throwIfExists) => throw null; protected virtual void BaseAdd(int index, System.Configuration.ConfigurationElement element) => throw null; - protected virtual void BaseAdd(System.Configuration.ConfigurationElement element) => throw null; protected void BaseClear() => throw null; protected System.Configuration.ConfigurationElement BaseGet(object key) => throw null; protected System.Configuration.ConfigurationElement BaseGet(int index) => throw null; @@ -262,17 +200,17 @@ public abstract class ConfigurationElementCollection : System.Configuration.Conf protected bool BaseIsRemoved(object key) => throw null; protected void BaseRemove(object key) => throw null; protected void BaseRemoveAt(int index) => throw null; - protected string ClearElementName { get => throw null; set => throw null; } + protected string ClearElementName { get => throw null; set { } } public virtual System.Configuration.ConfigurationElementCollectionType CollectionType { get => throw null; } - protected ConfigurationElementCollection(System.Collections.IComparer comparer) => throw null; - protected ConfigurationElementCollection() => throw null; void System.Collections.ICollection.CopyTo(System.Array arr, int index) => throw null; public void CopyTo(System.Configuration.ConfigurationElement[] array, int index) => throw null; public int Count { get => throw null; } protected virtual System.Configuration.ConfigurationElement CreateNewElement(string elementName) => throw null; protected abstract System.Configuration.ConfigurationElement CreateNewElement(); + protected ConfigurationElementCollection() => throw null; + protected ConfigurationElementCollection(System.Collections.IComparer comparer) => throw null; protected virtual string ElementName { get => throw null; } - public bool EmitClear { get => throw null; set => throw null; } + public bool EmitClear { get => throw null; set { } } public override bool Equals(object compareTo) => throw null; protected abstract object GetElementKey(System.Configuration.ConfigurationElement element); public System.Collections.IEnumerator GetEnumerator() => throw null; @@ -283,7 +221,7 @@ public abstract class ConfigurationElementCollection : System.Configuration.Conf public override bool IsReadOnly() => throw null; public bool IsSynchronized { get => throw null; } protected override bool OnDeserializeUnrecognizedElement(string elementName, System.Xml.XmlReader reader) => throw null; - protected string RemoveElementName { get => throw null; set => throw null; } + protected string RemoveElementName { get => throw null; set { } } protected override void Reset(System.Configuration.ConfigurationElement parentElement) => throw null; protected override void ResetModified() => throw null; protected override bool SerializeElement(System.Xml.XmlWriter writer, bool serializeCollectionKey) => throw null; @@ -292,60 +230,51 @@ public abstract class ConfigurationElementCollection : System.Configuration.Conf protected virtual bool ThrowOnDuplicate { get => throw null; } protected override void Unmerge(System.Configuration.ConfigurationElement sourceElement, System.Configuration.ConfigurationElement parentElement, System.Configuration.ConfigurationSaveMode saveMode) => throw null; } - - // Generated from `System.Configuration.ConfigurationElementCollectionType` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum ConfigurationElementCollectionType { - AddRemoveClearMap, - AddRemoveClearMapAlternate, - BasicMap, - BasicMapAlternate, + BasicMap = 0, + AddRemoveClearMap = 1, + BasicMapAlternate = 2, + AddRemoveClearMapAlternate = 3, } - - // Generated from `System.Configuration.ConfigurationElementProperty` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationElementProperty + public sealed class ConfigurationElementProperty { public ConfigurationElementProperty(System.Configuration.ConfigurationValidatorBase validator) => throw null; public System.Configuration.ConfigurationValidatorBase Validator { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationErrorsException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationErrorsException : System.Configuration.ConfigurationException { - public override string BareMessage { get => throw null; } + public ConfigurationErrorsException(string message, System.Exception inner, string filename, int line) => throw null; + public ConfigurationErrorsException() => throw null; + public ConfigurationErrorsException(string message) => throw null; + public ConfigurationErrorsException(string message, System.Exception inner) => throw null; public ConfigurationErrorsException(string message, string filename, int line) => throw null; - public ConfigurationErrorsException(string message, System.Xml.XmlReader reader) => throw null; public ConfigurationErrorsException(string message, System.Xml.XmlNode node) => throw null; - public ConfigurationErrorsException(string message, System.Exception inner, string filename, int line) => throw null; - public ConfigurationErrorsException(string message, System.Exception inner, System.Xml.XmlReader reader) => throw null; public ConfigurationErrorsException(string message, System.Exception inner, System.Xml.XmlNode node) => throw null; - public ConfigurationErrorsException(string message, System.Exception inner) => throw null; - public ConfigurationErrorsException(string message) => throw null; - public ConfigurationErrorsException() => throw null; + public ConfigurationErrorsException(string message, System.Xml.XmlReader reader) => throw null; + public ConfigurationErrorsException(string message, System.Exception inner, System.Xml.XmlReader reader) => throw null; protected ConfigurationErrorsException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public System.Collections.ICollection Errors { get => throw null; } public override string Filename { get => throw null; } - public static string GetFilename(System.Xml.XmlReader reader) => throw null; public static string GetFilename(System.Xml.XmlNode node) => throw null; - public static int GetLineNumber(System.Xml.XmlReader reader) => throw null; + public static string GetFilename(System.Xml.XmlReader reader) => throw null; public static int GetLineNumber(System.Xml.XmlNode node) => throw null; + public static int GetLineNumber(System.Xml.XmlReader reader) => throw null; public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public override int Line { get => throw null; } public override string Message { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationException : System.SystemException { public virtual string BareMessage { get => throw null; } - public ConfigurationException(string message, string filename, int line) => throw null; + protected ConfigurationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ConfigurationException() => throw null; + public ConfigurationException(string message) => throw null; + public ConfigurationException(string message, System.Exception inner) => throw null; public ConfigurationException(string message, System.Xml.XmlNode node) => throw null; - public ConfigurationException(string message, System.Exception inner, string filename, int line) => throw null; public ConfigurationException(string message, System.Exception inner, System.Xml.XmlNode node) => throw null; - public ConfigurationException(string message, System.Exception inner) => throw null; - public ConfigurationException(string message) => throw null; - public ConfigurationException() => throw null; - protected ConfigurationException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public ConfigurationException(string message, string filename, int line) => throw null; + public ConfigurationException(string message, System.Exception inner, string filename, int line) => throw null; public virtual string Filename { get => throw null; } public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public static string GetXmlNodeFilename(System.Xml.XmlNode node) => throw null; @@ -353,31 +282,23 @@ public class ConfigurationException : System.SystemException public virtual int Line { get => throw null; } public override string Message { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationFileMap` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationFileMap : System.ICloneable { public virtual object Clone() => throw null; - public ConfigurationFileMap(string machineConfigFilename) => throw null; public ConfigurationFileMap() => throw null; - public string MachineConfigFilename { get => throw null; set => throw null; } + public ConfigurationFileMap(string machineConfigFilename) => throw null; + public string MachineConfigFilename { get => throw null; set { } } } - - // Generated from `System.Configuration.ConfigurationLocation` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationLocation { public System.Configuration.Configuration OpenConfiguration() => throw null; public string Path { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationLocationCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationLocationCollection : System.Collections.ReadOnlyCollectionBase { public System.Configuration.ConfigurationLocation this[int index] { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationLockCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationLockCollection : System.Collections.IEnumerable, System.Collections.ICollection + public sealed class ConfigurationLockCollection : System.Collections.ICollection, System.Collections.IEnumerable { public void Add(string name) => throw null; public string AttributeList { get => throw null; } @@ -395,31 +316,27 @@ public class ConfigurationLockCollection : System.Collections.IEnumerable, Syste public void SetFromList(string attributeList) => throw null; public object SyncRoot { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationManager` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public static class ConfigurationManager { public static System.Collections.Specialized.NameValueCollection AppSettings { get => throw null; } public static System.Configuration.ConnectionStringSettingsCollection ConnectionStrings { get => throw null; } public static object GetSection(string sectionName) => throw null; - public static System.Configuration.Configuration OpenExeConfiguration(string exePath) => throw null; public static System.Configuration.Configuration OpenExeConfiguration(System.Configuration.ConfigurationUserLevel userLevel) => throw null; + public static System.Configuration.Configuration OpenExeConfiguration(string exePath) => throw null; public static System.Configuration.Configuration OpenMachineConfiguration() => throw null; - public static System.Configuration.Configuration OpenMappedExeConfiguration(System.Configuration.ExeConfigurationFileMap fileMap, System.Configuration.ConfigurationUserLevel userLevel, bool preLoad) => throw null; public static System.Configuration.Configuration OpenMappedExeConfiguration(System.Configuration.ExeConfigurationFileMap fileMap, System.Configuration.ConfigurationUserLevel userLevel) => throw null; + public static System.Configuration.Configuration OpenMappedExeConfiguration(System.Configuration.ExeConfigurationFileMap fileMap, System.Configuration.ConfigurationUserLevel userLevel, bool preLoad) => throw null; public static System.Configuration.Configuration OpenMappedMachineConfiguration(System.Configuration.ConfigurationFileMap fileMap) => throw null; public static void RefreshSection(string sectionName) => throw null; } - - // Generated from `System.Configuration.ConfigurationProperty` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationProperty + public sealed class ConfigurationProperty { + public System.ComponentModel.TypeConverter Converter { get => throw null; } + public ConfigurationProperty(string name, System.Type type) => throw null; + public ConfigurationProperty(string name, System.Type type, object defaultValue) => throw null; public ConfigurationProperty(string name, System.Type type, object defaultValue, System.Configuration.ConfigurationPropertyOptions options) => throw null; - public ConfigurationProperty(string name, System.Type type, object defaultValue, System.ComponentModel.TypeConverter typeConverter, System.Configuration.ConfigurationValidatorBase validator, System.Configuration.ConfigurationPropertyOptions options, string description) => throw null; public ConfigurationProperty(string name, System.Type type, object defaultValue, System.ComponentModel.TypeConverter typeConverter, System.Configuration.ConfigurationValidatorBase validator, System.Configuration.ConfigurationPropertyOptions options) => throw null; - public ConfigurationProperty(string name, System.Type type, object defaultValue) => throw null; - public ConfigurationProperty(string name, System.Type type) => throw null; - public System.ComponentModel.TypeConverter Converter { get => throw null; } + public ConfigurationProperty(string name, System.Type type, object defaultValue, System.ComponentModel.TypeConverter typeConverter, System.Configuration.ConfigurationValidatorBase validator, System.Configuration.ConfigurationPropertyOptions options, string description) => throw null; public object DefaultValue { get => throw null; } public string Description { get => throw null; } public bool IsAssemblyStringTransformationRequired { get => throw null; } @@ -432,58 +349,48 @@ public class ConfigurationProperty public System.Type Type { get => throw null; } public System.Configuration.ConfigurationValidatorBase Validator { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationPropertyAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationPropertyAttribute : System.Attribute + public sealed class ConfigurationPropertyAttribute : System.Attribute { public ConfigurationPropertyAttribute(string name) => throw null; - public object DefaultValue { get => throw null; set => throw null; } - public bool IsDefaultCollection { get => throw null; set => throw null; } - public bool IsKey { get => throw null; set => throw null; } - public bool IsRequired { get => throw null; set => throw null; } + public object DefaultValue { get => throw null; set { } } + public bool IsDefaultCollection { get => throw null; set { } } + public bool IsKey { get => throw null; set { } } + public bool IsRequired { get => throw null; set { } } public string Name { get => throw null; } - public System.Configuration.ConfigurationPropertyOptions Options { get => throw null; set => throw null; } + public System.Configuration.ConfigurationPropertyOptions Options { get => throw null; set { } } } - - // Generated from `System.Configuration.ConfigurationPropertyCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationPropertyCollection : System.Collections.IEnumerable, System.Collections.ICollection + public class ConfigurationPropertyCollection : System.Collections.ICollection, System.Collections.IEnumerable { public void Add(System.Configuration.ConfigurationProperty property) => throw null; public void Clear() => throw null; - public ConfigurationPropertyCollection() => throw null; public bool Contains(string name) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public void CopyTo(System.Configuration.ConfigurationProperty[] array, int index) => throw null; public int Count { get => throw null; } + public ConfigurationPropertyCollection() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public System.Configuration.ConfigurationProperty this[string name] { get => throw null; } public bool Remove(string name) => throw null; public object SyncRoot { get => throw null; } + public System.Configuration.ConfigurationProperty this[string name] { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationPropertyOptions` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` [System.Flags] public enum ConfigurationPropertyOptions { - IsAssemblyStringTransformationRequired, - IsDefaultCollection, - IsKey, - IsRequired, - IsTypeStringTransformationRequired, - IsVersionCheckRequired, - None, + None = 0, + IsDefaultCollection = 1, + IsRequired = 2, + IsKey = 4, + IsTypeStringTransformationRequired = 8, + IsAssemblyStringTransformationRequired = 16, + IsVersionCheckRequired = 32, } - - // Generated from `System.Configuration.ConfigurationSaveMode` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum ConfigurationSaveMode { - Full, - Minimal, - Modified, + Modified = 0, + Minimal = 1, + Full = 2, } - - // Generated from `System.Configuration.ConfigurationSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ConfigurationSection : System.Configuration.ConfigurationElement { protected ConfigurationSection() => throw null; @@ -497,32 +404,25 @@ public abstract class ConfigurationSection : System.Configuration.ConfigurationE protected virtual bool ShouldSerializePropertyInTargetVersion(System.Configuration.ConfigurationProperty property, string propertyName, System.Runtime.Versioning.FrameworkName targetFramework, System.Configuration.ConfigurationElement parentConfigurationElement) => throw null; protected virtual bool ShouldSerializeSectionInTargetVersion(System.Runtime.Versioning.FrameworkName targetFramework) => throw null; } - - // Generated from `System.Configuration.ConfigurationSectionCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationSectionCollection : System.Collections.Specialized.NameObjectCollectionBase + public sealed class ConfigurationSectionCollection : System.Collections.Specialized.NameObjectCollectionBase { public void Add(string name, System.Configuration.ConfigurationSection section) => throw null; public void Clear() => throw null; public void CopyTo(System.Configuration.ConfigurationSection[] array, int index) => throw null; - public override int Count { get => throw null; } - public System.Configuration.ConfigurationSection Get(string name) => throw null; public System.Configuration.ConfigurationSection Get(int index) => throw null; + public System.Configuration.ConfigurationSection Get(string name) => throw null; public override System.Collections.IEnumerator GetEnumerator() => throw null; public string GetKey(int index) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Configuration.ConfigurationSection this[string name] { get => throw null; } - public System.Configuration.ConfigurationSection this[int index] { get => throw null; } - public override System.Collections.Specialized.NameObjectCollectionBase.KeysCollection Keys { get => throw null; } public void Remove(string name) => throw null; public void RemoveAt(int index) => throw null; + public System.Configuration.ConfigurationSection this[string name] { get => throw null; } + public System.Configuration.ConfigurationSection this[int index] { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationSectionGroup` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationSectionGroup { public ConfigurationSectionGroup() => throw null; - public void ForceDeclaration(bool force) => throw null; public void ForceDeclaration() => throw null; + public void ForceDeclaration(bool force) => throw null; public bool IsDeclarationRequired { get => throw null; } public bool IsDeclared { get => throw null; } public string Name { get => throw null; } @@ -530,110 +430,104 @@ public class ConfigurationSectionGroup public System.Configuration.ConfigurationSectionGroupCollection SectionGroups { get => throw null; } public System.Configuration.ConfigurationSectionCollection Sections { get => throw null; } protected virtual bool ShouldSerializeSectionGroupInTargetVersion(System.Runtime.Versioning.FrameworkName targetFramework) => throw null; - public string Type { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } } - - // Generated from `System.Configuration.ConfigurationSectionGroupCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationSectionGroupCollection : System.Collections.Specialized.NameObjectCollectionBase + public sealed class ConfigurationSectionGroupCollection : System.Collections.Specialized.NameObjectCollectionBase { public void Add(string name, System.Configuration.ConfigurationSectionGroup sectionGroup) => throw null; public void Clear() => throw null; public void CopyTo(System.Configuration.ConfigurationSectionGroup[] array, int index) => throw null; - public override int Count { get => throw null; } - public System.Configuration.ConfigurationSectionGroup Get(string name) => throw null; public System.Configuration.ConfigurationSectionGroup Get(int index) => throw null; + public System.Configuration.ConfigurationSectionGroup Get(string name) => throw null; public override System.Collections.IEnumerator GetEnumerator() => throw null; public string GetKey(int index) => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public System.Configuration.ConfigurationSectionGroup this[string name] { get => throw null; } - public System.Configuration.ConfigurationSectionGroup this[int index] { get => throw null; } - public override System.Collections.Specialized.NameObjectCollectionBase.KeysCollection Keys { get => throw null; } public void Remove(string name) => throw null; public void RemoveAt(int index) => throw null; + public System.Configuration.ConfigurationSectionGroup this[string name] { get => throw null; } + public System.Configuration.ConfigurationSectionGroup this[int index] { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationSettings` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConfigurationSettings + public sealed class ConfigurationSettings { public static System.Collections.Specialized.NameValueCollection AppSettings { get => throw null; } public static object GetConfig(string sectionName) => throw null; } - - // Generated from `System.Configuration.ConfigurationUserLevel` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum ConfigurationUserLevel { - None, - PerUserRoaming, - PerUserRoamingAndLocal, + None = 0, + PerUserRoaming = 10, + PerUserRoamingAndLocal = 20, } - - // Generated from `System.Configuration.ConfigurationValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ConfigurationValidatorAttribute : System.Attribute { - public ConfigurationValidatorAttribute(System.Type validator) => throw null; protected ConfigurationValidatorAttribute() => throw null; + public ConfigurationValidatorAttribute(System.Type validator) => throw null; public virtual System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } public System.Type ValidatorType { get => throw null; } } - - // Generated from `System.Configuration.ConfigurationValidatorBase` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ConfigurationValidatorBase { public virtual bool CanValidate(System.Type type) => throw null; protected ConfigurationValidatorBase() => throw null; public abstract void Validate(object value); } - - // Generated from `System.Configuration.ConnectionStringSettings` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConnectionStringSettings : System.Configuration.ConfigurationElement + public sealed class ConfigXmlDocument : System.Xml.XmlDocument, System.Configuration.Internal.IConfigErrorInfo { - public string ConnectionString { get => throw null; set => throw null; } - public ConnectionStringSettings(string name, string connectionString, string providerName) => throw null; - public ConnectionStringSettings(string name, string connectionString) => throw null; + public override System.Xml.XmlAttribute CreateAttribute(string prefix, string localName, string namespaceUri) => throw null; + public override System.Xml.XmlCDataSection CreateCDataSection(string data) => throw null; + public override System.Xml.XmlComment CreateComment(string data) => throw null; + public override System.Xml.XmlElement CreateElement(string prefix, string localName, string namespaceUri) => throw null; + public override System.Xml.XmlSignificantWhitespace CreateSignificantWhitespace(string data) => throw null; + public override System.Xml.XmlText CreateTextNode(string text) => throw null; + public override System.Xml.XmlWhitespace CreateWhitespace(string data) => throw null; + public ConfigXmlDocument() => throw null; + public string Filename { get => throw null; } + string System.Configuration.Internal.IConfigErrorInfo.Filename { get => throw null; } + int System.Configuration.Internal.IConfigErrorInfo.LineNumber { get => throw null; } + public int LineNumber { get => throw null; } + public override void Load(string filename) => throw null; + public void LoadSingleElement(string filename, System.Xml.XmlTextReader sourceReader) => throw null; + } + public sealed class ConnectionStringSettings : System.Configuration.ConfigurationElement + { + public string ConnectionString { get => throw null; set { } } public ConnectionStringSettings() => throw null; - public string Name { get => throw null; set => throw null; } + public ConnectionStringSettings(string name, string connectionString) => throw null; + public ConnectionStringSettings(string name, string connectionString, string providerName) => throw null; + public string Name { get => throw null; set { } } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public string ProviderName { get => throw null; set => throw null; } + public string ProviderName { get => throw null; set { } } public override string ToString() => throw null; } - - // Generated from `System.Configuration.ConnectionStringSettingsCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConnectionStringSettingsCollection : System.Configuration.ConfigurationElementCollection + public sealed class ConnectionStringSettingsCollection : System.Configuration.ConfigurationElementCollection { public void Add(System.Configuration.ConnectionStringSettings settings) => throw null; protected override void BaseAdd(int index, System.Configuration.ConfigurationElement element) => throw null; public void Clear() => throw null; - public ConnectionStringSettingsCollection() => throw null; protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public ConnectionStringSettingsCollection() => throw null; protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; public int IndexOf(System.Configuration.ConnectionStringSettings settings) => throw null; - public System.Configuration.ConnectionStringSettings this[string name] { get => throw null; } - public System.Configuration.ConnectionStringSettings this[int index] { get => throw null; set => throw null; } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public void Remove(string name) => throw null; public void Remove(System.Configuration.ConnectionStringSettings settings) => throw null; + public void Remove(string name) => throw null; public void RemoveAt(int index) => throw null; + public System.Configuration.ConnectionStringSettings this[int index] { get => throw null; set { } } + public System.Configuration.ConnectionStringSettings this[string name] { get => throw null; } } - - // Generated from `System.Configuration.ConnectionStringsSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ConnectionStringsSection : System.Configuration.ConfigurationSection + public sealed class ConnectionStringsSection : System.Configuration.ConfigurationSection { public System.Configuration.ConnectionStringSettingsCollection ConnectionStrings { get => throw null; } public ConnectionStringsSection() => throw null; protected override object GetRuntimeObject() => throw null; protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } } - - // Generated from `System.Configuration.ContextInformation` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ContextInformation + public sealed class ContextInformation { public object GetSection(string sectionName) => throw null; public object HostingContext { get => throw null; } public bool IsMachineLevel { get => throw null; } } - - // Generated from `System.Configuration.DefaultSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class DefaultSection : System.Configuration.ConfigurationSection + public sealed class DefaultSection : System.Configuration.ConfigurationSection { public DefaultSection() => throw null; protected override void DeserializeSection(System.Xml.XmlReader xmlReader) => throw null; @@ -643,23 +537,17 @@ public class DefaultSection : System.Configuration.ConfigurationSection protected override void ResetModified() => throw null; protected override string SerializeSection(System.Configuration.ConfigurationElement parentSection, string name, System.Configuration.ConfigurationSaveMode saveMode) => throw null; } - - // Generated from `System.Configuration.DefaultSettingValueAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class DefaultSettingValueAttribute : System.Attribute + public sealed class DefaultSettingValueAttribute : System.Attribute { public DefaultSettingValueAttribute(string value) => throw null; public string Value { get => throw null; } } - - // Generated from `System.Configuration.DefaultValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class DefaultValidator : System.Configuration.ConfigurationValidatorBase + public sealed class DefaultValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; public DefaultValidator() => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.DictionarySectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class DictionarySectionHandler : System.Configuration.IConfigurationSectionHandler { public virtual object Create(object parent, object context, System.Xml.XmlNode section) => throw null; @@ -667,19 +555,15 @@ public class DictionarySectionHandler : System.Configuration.IConfigurationSecti protected virtual string KeyAttributeName { get => throw null; } protected virtual string ValueAttributeName { get => throw null; } } - - // Generated from `System.Configuration.DpapiProtectedConfigurationProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class DpapiProtectedConfigurationProvider : System.Configuration.ProtectedConfigurationProvider + public sealed class DpapiProtectedConfigurationProvider : System.Configuration.ProtectedConfigurationProvider { - public override System.Xml.XmlNode Decrypt(System.Xml.XmlNode encryptedNode) => throw null; public DpapiProtectedConfigurationProvider() => throw null; + public override System.Xml.XmlNode Decrypt(System.Xml.XmlNode encryptedNode) => throw null; public override System.Xml.XmlNode Encrypt(System.Xml.XmlNode node) => throw null; public override void Initialize(string name, System.Collections.Specialized.NameValueCollection configurationValues) => throw null; public bool UseMachineProtection { get => throw null; } } - - // Generated from `System.Configuration.ElementInformation` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ElementInformation + public sealed class ElementInformation { public System.Collections.ICollection Errors { get => throw null; } public bool IsCollection { get => throw null; } @@ -691,271 +575,392 @@ public class ElementInformation public System.Type Type { get => throw null; } public System.Configuration.ConfigurationValidatorBase Validator { get => throw null; } } - - // Generated from `System.Configuration.ExeConfigurationFileMap` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ExeConfigurationFileMap : System.Configuration.ConfigurationFileMap + public sealed class ExeConfigurationFileMap : System.Configuration.ConfigurationFileMap { public override object Clone() => throw null; - public string ExeConfigFilename { get => throw null; set => throw null; } - public ExeConfigurationFileMap(string machineConfigFileName) => throw null; public ExeConfigurationFileMap() => throw null; - public string LocalUserConfigFilename { get => throw null; set => throw null; } - public string RoamingUserConfigFilename { get => throw null; set => throw null; } + public ExeConfigurationFileMap(string machineConfigFileName) => throw null; + public string ExeConfigFilename { get => throw null; set { } } + public string LocalUserConfigFilename { get => throw null; set { } } + public string RoamingUserConfigFilename { get => throw null; set { } } } - - // Generated from `System.Configuration.ExeContext` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ExeContext + public sealed class ExeContext { public string ExePath { get => throw null; } public System.Configuration.ConfigurationUserLevel UserLevel { get => throw null; } } - - // Generated from `System.Configuration.GenericEnumConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class GenericEnumConverter : System.Configuration.ConfigurationConverterBase + public sealed class GenericEnumConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public GenericEnumConverter(System.Type typeEnum) => throw null; } - - // Generated from `System.Configuration.IApplicationSettingsProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public interface IApplicationSettingsProvider { System.Configuration.SettingsPropertyValue GetPreviousVersion(System.Configuration.SettingsContext context, System.Configuration.SettingsProperty property); void Reset(System.Configuration.SettingsContext context); void Upgrade(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties); } - - // Generated from `System.Configuration.IConfigurationSectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public interface IConfigurationSectionHandler { object Create(object parent, object configContext, System.Xml.XmlNode section); } - - // Generated from `System.Configuration.IConfigurationSystem` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public interface IConfigurationSystem { object GetConfig(string configKey); void Init(); } - - // Generated from `System.Configuration.IPersistComponentSettings` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IPersistComponentSettings - { - void LoadComponentSettings(); - void ResetComponentSettings(); - void SaveComponentSettings(); - bool SaveSettings { get; set; } - string SettingsKey { get; set; } - } - - // Generated from `System.Configuration.ISettingsProviderService` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface ISettingsProviderService - { - System.Configuration.SettingsProvider GetSettingsProvider(System.Configuration.SettingsProperty property); - } - - // Generated from `System.Configuration.IdnElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class IdnElement : System.Configuration.ConfigurationElement + public sealed class IdnElement : System.Configuration.ConfigurationElement { - public System.UriIdnScope Enabled { get => throw null; set => throw null; } public IdnElement() => throw null; + public System.UriIdnScope Enabled { get => throw null; set { } } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } } - - // Generated from `System.Configuration.IgnoreSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class IgnoreSection : System.Configuration.ConfigurationSection + public sealed class IgnoreSection : System.Configuration.ConfigurationSection { - protected override void DeserializeSection(System.Xml.XmlReader xmlReader) => throw null; public IgnoreSection() => throw null; + protected override void DeserializeSection(System.Xml.XmlReader xmlReader) => throw null; protected override bool IsModified() => throw null; protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } protected override void Reset(System.Configuration.ConfigurationElement parentSection) => throw null; protected override void ResetModified() => throw null; protected override string SerializeSection(System.Configuration.ConfigurationElement parentSection, string name, System.Configuration.ConfigurationSaveMode saveMode) => throw null; } - - // Generated from `System.Configuration.IgnoreSectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class IgnoreSectionHandler : System.Configuration.IConfigurationSectionHandler { public virtual object Create(object parent, object configContext, System.Xml.XmlNode section) => throw null; public IgnoreSectionHandler() => throw null; } - - // Generated from `System.Configuration.InfiniteIntConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class InfiniteIntConverter : System.Configuration.ConfigurationConverterBase + public sealed class InfiniteIntConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public InfiniteIntConverter() => throw null; } - - // Generated from `System.Configuration.InfiniteTimeSpanConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class InfiniteTimeSpanConverter : System.Configuration.ConfigurationConverterBase + public sealed class InfiniteTimeSpanConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public InfiniteTimeSpanConverter() => throw null; } - - // Generated from `System.Configuration.IntegerValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class IntegerValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; - public IntegerValidator(int minValue, int maxValue, bool rangeIsExclusive, int resolution) => throw null; - public IntegerValidator(int minValue, int maxValue, bool rangeIsExclusive) => throw null; public IntegerValidator(int minValue, int maxValue) => throw null; + public IntegerValidator(int minValue, int maxValue, bool rangeIsExclusive) => throw null; + public IntegerValidator(int minValue, int maxValue, bool rangeIsExclusive, int resolution) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.IntegerValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class IntegerValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class IntegerValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { - public bool ExcludeRange { get => throw null; set => throw null; } public IntegerValidatorAttribute() => throw null; - public int MaxValue { get => throw null; set => throw null; } - public int MinValue { get => throw null; set => throw null; } - public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } - } - - // Generated from `System.Configuration.IriParsingElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class IriParsingElement : System.Configuration.ConfigurationElement - { - public bool Enabled { get => throw null; set => throw null; } - public IriParsingElement() => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - } - - // Generated from `System.Configuration.KeyValueConfigurationCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class KeyValueConfigurationCollection : System.Configuration.ConfigurationElementCollection - { - public void Add(string key, string value) => throw null; - public void Add(System.Configuration.KeyValueConfigurationElement keyValue) => throw null; - public string[] AllKeys { get => throw null; } - public void Clear() => throw null; - protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; - protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; - public System.Configuration.KeyValueConfigurationElement this[string key] { get => throw null; } - public KeyValueConfigurationCollection() => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public void Remove(string key) => throw null; - protected override bool ThrowOnDuplicate { get => throw null; } - } - - // Generated from `System.Configuration.KeyValueConfigurationElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class KeyValueConfigurationElement : System.Configuration.ConfigurationElement - { - protected override void Init() => throw null; - public string Key { get => throw null; } - public KeyValueConfigurationElement(string key, string value) => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public string Value { get => throw null; set => throw null; } - } - - // Generated from `System.Configuration.LocalFileSettingsProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class LocalFileSettingsProvider : System.Configuration.SettingsProvider, System.Configuration.IApplicationSettingsProvider - { - public override string ApplicationName { get => throw null; set => throw null; } - public System.Configuration.SettingsPropertyValue GetPreviousVersion(System.Configuration.SettingsContext context, System.Configuration.SettingsProperty property) => throw null; - public override System.Configuration.SettingsPropertyValueCollection GetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties) => throw null; - public override void Initialize(string name, System.Collections.Specialized.NameValueCollection values) => throw null; - public LocalFileSettingsProvider() => throw null; - public void Reset(System.Configuration.SettingsContext context) => throw null; - public override void SetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyValueCollection values) => throw null; - public void Upgrade(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties) => throw null; - } - - // Generated from `System.Configuration.LongValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class LongValidator : System.Configuration.ConfigurationValidatorBase - { - public override bool CanValidate(System.Type type) => throw null; - public LongValidator(System.Int64 minValue, System.Int64 maxValue, bool rangeIsExclusive, System.Int64 resolution) => throw null; - public LongValidator(System.Int64 minValue, System.Int64 maxValue, bool rangeIsExclusive) => throw null; - public LongValidator(System.Int64 minValue, System.Int64 maxValue) => throw null; - public override void Validate(object value) => throw null; - } - - // Generated from `System.Configuration.LongValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class LongValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute - { - public bool ExcludeRange { get => throw null; set => throw null; } - public LongValidatorAttribute() => throw null; - public System.Int64 MaxValue { get => throw null; set => throw null; } - public System.Int64 MinValue { get => throw null; set => throw null; } + public bool ExcludeRange { get => throw null; set { } } + public int MaxValue { get => throw null; set { } } + public int MinValue { get => throw null; set { } } public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.NameValueConfigurationCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class NameValueConfigurationCollection : System.Configuration.ConfigurationElementCollection - { - public void Add(System.Configuration.NameValueConfigurationElement nameValue) => throw null; - public string[] AllKeys { get => throw null; } - public void Clear() => throw null; - protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; - protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; - public System.Configuration.NameValueConfigurationElement this[string name] { get => throw null; set => throw null; } - public NameValueConfigurationCollection() => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public void Remove(string name) => throw null; - public void Remove(System.Configuration.NameValueConfigurationElement nameValue) => throw null; - } - - // Generated from `System.Configuration.NameValueConfigurationElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class NameValueConfigurationElement : System.Configuration.ConfigurationElement - { - public string Name { get => throw null; } - public NameValueConfigurationElement(string name, string value) => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public string Value { get => throw null; set => throw null; } - } - - // Generated from `System.Configuration.NameValueFileSectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class NameValueFileSectionHandler : System.Configuration.IConfigurationSectionHandler - { - public object Create(object parent, object configContext, System.Xml.XmlNode section) => throw null; - public NameValueFileSectionHandler() => throw null; - } - - // Generated from `System.Configuration.NameValueSectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class NameValueSectionHandler : System.Configuration.IConfigurationSectionHandler - { - public object Create(object parent, object context, System.Xml.XmlNode section) => throw null; - protected virtual string KeyAttributeName { get => throw null; } - public NameValueSectionHandler() => throw null; - protected virtual string ValueAttributeName { get => throw null; } - } - - // Generated from `System.Configuration.NoSettingsVersionUpgradeAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class NoSettingsVersionUpgradeAttribute : System.Attribute + namespace Internal { - public NoSettingsVersionUpgradeAttribute() => throw null; + public class DelegatingConfigHost : System.Configuration.Internal.IInternalConfigHost + { + public virtual object CreateConfigurationContext(string configPath, string locationSubPath) => throw null; + public virtual object CreateDeprecatedConfigContext(string configPath) => throw null; + protected DelegatingConfigHost() => throw null; + public virtual string DecryptSection(string encryptedXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection) => throw null; + public virtual void DeleteStream(string streamName) => throw null; + public virtual string EncryptSection(string clearTextXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection) => throw null; + public virtual string GetConfigPathFromLocationSubPath(string configPath, string locationSubPath) => throw null; + public virtual System.Type GetConfigType(string typeName, bool throwOnError) => throw null; + public virtual string GetConfigTypeName(System.Type t) => throw null; + public virtual void GetRestrictedPermissions(System.Configuration.Internal.IInternalConfigRecord configRecord, out System.Security.PermissionSet permissionSet, out bool isHostReady) => throw null; + public virtual string GetStreamName(string configPath) => throw null; + public virtual string GetStreamNameForConfigSource(string streamName, string configSource) => throw null; + public virtual object GetStreamVersion(string streamName) => throw null; + public virtual bool HasLocalConfig { get => throw null; } + public virtual bool HasRoamingConfig { get => throw null; } + protected System.Configuration.Internal.IInternalConfigHost Host { get => throw null; set { } } + public virtual System.IDisposable Impersonate() => throw null; + public virtual void Init(System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitParams) => throw null; + public virtual void InitForConfiguration(ref string locationSubPath, out string configPath, out string locationConfigPath, System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitConfigurationParams) => throw null; + public virtual bool IsAboveApplication(string configPath) => throw null; + public virtual bool IsAppConfigHttp { get => throw null; } + public virtual bool IsConfigRecordRequired(string configPath) => throw null; + public virtual bool IsDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition) => throw null; + public virtual bool IsFile(string streamName) => throw null; + public virtual bool IsFullTrustSectionWithoutAptcaAllowed(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; + public virtual bool IsInitDelayed(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; + public virtual bool IsLocationApplicable(string configPath) => throw null; + public virtual bool IsRemote { get => throw null; } + public virtual bool IsSecondaryRoot(string configPath) => throw null; + public virtual bool IsTrustedConfigPath(string configPath) => throw null; + public virtual System.IO.Stream OpenStreamForRead(string streamName) => throw null; + public virtual System.IO.Stream OpenStreamForRead(string streamName, bool assertPermissions) => throw null; + public virtual System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext) => throw null; + public virtual System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext, bool assertPermissions) => throw null; + public virtual bool PrefetchAll(string configPath, string streamName) => throw null; + public virtual bool PrefetchSection(string sectionGroupName, string sectionName) => throw null; + public virtual void RefreshConfigPaths() => throw null; + public virtual void RequireCompleteInit(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; + public virtual object StartMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback) => throw null; + public virtual void StopMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback) => throw null; + public virtual bool SupportsChangeNotifications { get => throw null; } + public virtual bool SupportsLocation { get => throw null; } + public virtual bool SupportsPath { get => throw null; } + public virtual bool SupportsRefresh { get => throw null; } + public virtual void VerifyDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition, System.Configuration.Internal.IConfigErrorInfo errorInfo) => throw null; + public virtual void WriteCompleted(string streamName, bool success, object writeContext) => throw null; + public virtual void WriteCompleted(string streamName, bool success, object writeContext, bool assertPermissions) => throw null; + } + public interface IConfigErrorInfo + { + string Filename { get; } + int LineNumber { get; } + } + public interface IConfigSystem + { + System.Configuration.Internal.IInternalConfigHost Host { get; } + void Init(System.Type typeConfigHost, params object[] hostInitParams); + System.Configuration.Internal.IInternalConfigRoot Root { get; } + } + public interface IConfigurationManagerHelper + { + void EnsureNetConfigLoaded(); + } + public interface IConfigurationManagerInternal + { + string ApplicationConfigUri { get; } + string ExeLocalConfigDirectory { get; } + string ExeLocalConfigPath { get; } + string ExeProductName { get; } + string ExeProductVersion { get; } + string ExeRoamingConfigDirectory { get; } + string ExeRoamingConfigPath { get; } + string MachineConfigPath { get; } + bool SetConfigurationSystemInProgress { get; } + bool SupportsUserConfig { get; } + string UserConfigFilename { get; } + } + public interface IInternalConfigClientHost + { + string GetExeConfigPath(); + string GetLocalUserConfigPath(); + string GetRoamingUserConfigPath(); + bool IsExeConfig(string configPath); + bool IsLocalUserConfig(string configPath); + bool IsRoamingUserConfig(string configPath); + } + public interface IInternalConfigConfigurationFactory + { + System.Configuration.Configuration Create(System.Type typeConfigHost, params object[] hostInitConfigurationParams); + string NormalizeLocationSubPath(string subPath, System.Configuration.Internal.IConfigErrorInfo errorInfo); + } + public interface IInternalConfigHost + { + object CreateConfigurationContext(string configPath, string locationSubPath); + object CreateDeprecatedConfigContext(string configPath); + string DecryptSection(string encryptedXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection); + void DeleteStream(string streamName); + string EncryptSection(string clearTextXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection); + string GetConfigPathFromLocationSubPath(string configPath, string locationSubPath); + System.Type GetConfigType(string typeName, bool throwOnError); + string GetConfigTypeName(System.Type t); + void GetRestrictedPermissions(System.Configuration.Internal.IInternalConfigRecord configRecord, out System.Security.PermissionSet permissionSet, out bool isHostReady); + string GetStreamName(string configPath); + string GetStreamNameForConfigSource(string streamName, string configSource); + object GetStreamVersion(string streamName); + System.IDisposable Impersonate(); + void Init(System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitParams); + void InitForConfiguration(ref string locationSubPath, out string configPath, out string locationConfigPath, System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitConfigurationParams); + bool IsAboveApplication(string configPath); + bool IsConfigRecordRequired(string configPath); + bool IsDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition); + bool IsFile(string streamName); + bool IsFullTrustSectionWithoutAptcaAllowed(System.Configuration.Internal.IInternalConfigRecord configRecord); + bool IsInitDelayed(System.Configuration.Internal.IInternalConfigRecord configRecord); + bool IsLocationApplicable(string configPath); + bool IsRemote { get; } + bool IsSecondaryRoot(string configPath); + bool IsTrustedConfigPath(string configPath); + System.IO.Stream OpenStreamForRead(string streamName); + System.IO.Stream OpenStreamForRead(string streamName, bool assertPermissions); + System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext); + System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext, bool assertPermissions); + bool PrefetchAll(string configPath, string streamName); + bool PrefetchSection(string sectionGroupName, string sectionName); + void RequireCompleteInit(System.Configuration.Internal.IInternalConfigRecord configRecord); + object StartMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback); + void StopMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback); + bool SupportsChangeNotifications { get; } + bool SupportsLocation { get; } + bool SupportsPath { get; } + bool SupportsRefresh { get; } + void VerifyDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition, System.Configuration.Internal.IConfigErrorInfo errorInfo); + void WriteCompleted(string streamName, bool success, object writeContext); + void WriteCompleted(string streamName, bool success, object writeContext, bool assertPermissions); + } + public interface IInternalConfigRecord + { + string ConfigPath { get; } + object GetLkgSection(string configKey); + object GetSection(string configKey); + bool HasInitErrors { get; } + void RefreshSection(string configKey); + void Remove(); + string StreamName { get; } + void ThrowIfInitErrors(); + } + public interface IInternalConfigRoot + { + event System.Configuration.Internal.InternalConfigEventHandler ConfigChanged { add { } remove { } } + event System.Configuration.Internal.InternalConfigEventHandler ConfigRemoved { add { } remove { } } + System.Configuration.Internal.IInternalConfigRecord GetConfigRecord(string configPath); + object GetSection(string section, string configPath); + string GetUniqueConfigPath(string configPath); + System.Configuration.Internal.IInternalConfigRecord GetUniqueConfigRecord(string configPath); + void Init(System.Configuration.Internal.IInternalConfigHost host, bool isDesignTime); + bool IsDesignTime { get; } + void RemoveConfig(string configPath); + } + public interface IInternalConfigSettingsFactory + { + void CompleteInit(); + void SetConfigurationSystem(System.Configuration.Internal.IInternalConfigSystem internalConfigSystem, bool initComplete); + } + public interface IInternalConfigSystem + { + object GetSection(string configKey); + void RefreshConfig(string sectionName); + bool SupportsUserConfig { get; } + } + public sealed class InternalConfigEventArgs : System.EventArgs + { + public string ConfigPath { get => throw null; set { } } + public InternalConfigEventArgs(string configPath) => throw null; + } + public delegate void InternalConfigEventHandler(object sender, System.Configuration.Internal.InternalConfigEventArgs e); + public delegate void StreamChangeCallback(string streamName); + } + public interface IPersistComponentSettings + { + void LoadComponentSettings(); + void ResetComponentSettings(); + void SaveComponentSettings(); + bool SaveSettings { get; set; } + string SettingsKey { get; set; } + } + public sealed class IriParsingElement : System.Configuration.ConfigurationElement + { + public IriParsingElement() => throw null; + public bool Enabled { get => throw null; set { } } + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + } + public interface ISettingsProviderService + { + System.Configuration.SettingsProvider GetSettingsProvider(System.Configuration.SettingsProperty property); + } + public class KeyValueConfigurationCollection : System.Configuration.ConfigurationElementCollection + { + public void Add(System.Configuration.KeyValueConfigurationElement keyValue) => throw null; + public void Add(string key, string value) => throw null; + public string[] AllKeys { get => throw null; } + public void Clear() => throw null; + protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public KeyValueConfigurationCollection() => throw null; + protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + public void Remove(string key) => throw null; + public System.Configuration.KeyValueConfigurationElement this[string key] { get => throw null; } + protected override bool ThrowOnDuplicate { get => throw null; } + } + public class KeyValueConfigurationElement : System.Configuration.ConfigurationElement + { + public KeyValueConfigurationElement(string key, string value) => throw null; + protected override void Init() => throw null; + public string Key { get => throw null; } + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + public string Value { get => throw null; set { } } + } + public class LocalFileSettingsProvider : System.Configuration.SettingsProvider, System.Configuration.IApplicationSettingsProvider + { + public override string ApplicationName { get => throw null; set { } } + public LocalFileSettingsProvider() => throw null; + public System.Configuration.SettingsPropertyValue GetPreviousVersion(System.Configuration.SettingsContext context, System.Configuration.SettingsProperty property) => throw null; + public override System.Configuration.SettingsPropertyValueCollection GetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties) => throw null; + public override void Initialize(string name, System.Collections.Specialized.NameValueCollection values) => throw null; + public void Reset(System.Configuration.SettingsContext context) => throw null; + public override void SetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyValueCollection values) => throw null; + public void Upgrade(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties) => throw null; + } + public class LongValidator : System.Configuration.ConfigurationValidatorBase + { + public override bool CanValidate(System.Type type) => throw null; + public LongValidator(long minValue, long maxValue) => throw null; + public LongValidator(long minValue, long maxValue, bool rangeIsExclusive) => throw null; + public LongValidator(long minValue, long maxValue, bool rangeIsExclusive, long resolution) => throw null; + public override void Validate(object value) => throw null; + } + public sealed class LongValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + { + public LongValidatorAttribute() => throw null; + public bool ExcludeRange { get => throw null; set { } } + public long MaxValue { get => throw null; set { } } + public long MinValue { get => throw null; set { } } + public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } + } + public sealed class NameValueConfigurationCollection : System.Configuration.ConfigurationElementCollection + { + public void Add(System.Configuration.NameValueConfigurationElement nameValue) => throw null; + public string[] AllKeys { get => throw null; } + public void Clear() => throw null; + protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public NameValueConfigurationCollection() => throw null; + protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + public void Remove(System.Configuration.NameValueConfigurationElement nameValue) => throw null; + public void Remove(string name) => throw null; + public System.Configuration.NameValueConfigurationElement this[string name] { get => throw null; set { } } + } + public sealed class NameValueConfigurationElement : System.Configuration.ConfigurationElement + { + public NameValueConfigurationElement(string name, string value) => throw null; + public string Name { get => throw null; } + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + public string Value { get => throw null; set { } } + } + public class NameValueFileSectionHandler : System.Configuration.IConfigurationSectionHandler + { + public object Create(object parent, object configContext, System.Xml.XmlNode section) => throw null; + public NameValueFileSectionHandler() => throw null; + } + public class NameValueSectionHandler : System.Configuration.IConfigurationSectionHandler + { + public object Create(object parent, object context, System.Xml.XmlNode section) => throw null; + public NameValueSectionHandler() => throw null; + protected virtual string KeyAttributeName { get => throw null; } + protected virtual string ValueAttributeName { get => throw null; } + } + public sealed class NoSettingsVersionUpgradeAttribute : System.Attribute + { + public NoSettingsVersionUpgradeAttribute() => throw null; } - - // Generated from `System.Configuration.OverrideMode` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum OverrideMode { - Allow, - Deny, - Inherit, + Inherit = 0, + Allow = 1, + Deny = 2, } - - // Generated from `System.Configuration.PositiveTimeSpanValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class PositiveTimeSpanValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; public PositiveTimeSpanValidator() => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.PositiveTimeSpanValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class PositiveTimeSpanValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class PositiveTimeSpanValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { public PositiveTimeSpanValidatorAttribute() => throw null; public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.PropertyInformation` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class PropertyInformation + public sealed class PropertyInformation { public System.ComponentModel.TypeConverter Converter { get => throw null; } public object DefaultValue { get => throw null; } @@ -969,350 +974,302 @@ public class PropertyInformation public string Source { get => throw null; } public System.Type Type { get => throw null; } public System.Configuration.ConfigurationValidatorBase Validator { get => throw null; } - public object Value { get => throw null; set => throw null; } + public object Value { get => throw null; set { } } public System.Configuration.PropertyValueOrigin ValueOrigin { get => throw null; } } - - // Generated from `System.Configuration.PropertyInformationCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class PropertyInformationCollection : System.Collections.Specialized.NameObjectCollectionBase + public sealed class PropertyInformationCollection : System.Collections.Specialized.NameObjectCollectionBase { public void CopyTo(System.Configuration.PropertyInformation[] array, int index) => throw null; public override System.Collections.IEnumerator GetEnumerator() => throw null; - public override void GetObjectData(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public System.Configuration.PropertyInformation this[string propertyName] { get => throw null; } } - - // Generated from `System.Configuration.PropertyValueOrigin` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum PropertyValueOrigin { - Default, - Inherited, - SetHere, + Default = 0, + Inherited = 1, + SetHere = 2, } - - // Generated from `System.Configuration.ProtectedConfiguration` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public static class ProtectedConfiguration { - public const string DataProtectionProviderName = default; + public static string DataProtectionProviderName; public static string DefaultProvider { get => throw null; } - public const string ProtectedDataSectionName = default; + public static string ProtectedDataSectionName; public static System.Configuration.ProtectedConfigurationProviderCollection Providers { get => throw null; } - public const string RsaProviderName = default; + public static string RsaProviderName; } - - // Generated from `System.Configuration.ProtectedConfigurationProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class ProtectedConfigurationProvider : System.Configuration.Provider.ProviderBase { + protected ProtectedConfigurationProvider() => throw null; public abstract System.Xml.XmlNode Decrypt(System.Xml.XmlNode encryptedNode); public abstract System.Xml.XmlNode Encrypt(System.Xml.XmlNode node); - protected ProtectedConfigurationProvider() => throw null; } - - // Generated from `System.Configuration.ProtectedConfigurationProviderCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ProtectedConfigurationProviderCollection : System.Configuration.Provider.ProviderCollection { public override void Add(System.Configuration.Provider.ProviderBase provider) => throw null; - public System.Configuration.ProtectedConfigurationProvider this[string name] { get => throw null; } public ProtectedConfigurationProviderCollection() => throw null; + public System.Configuration.ProtectedConfigurationProvider this[string name] { get => throw null; } } - - // Generated from `System.Configuration.ProtectedConfigurationSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ProtectedConfigurationSection : System.Configuration.ConfigurationSection + public sealed class ProtectedConfigurationSection : System.Configuration.ConfigurationSection { - public string DefaultProvider { get => throw null; set => throw null; } - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public ProtectedConfigurationSection() => throw null; + public string DefaultProvider { get => throw null; set { } } + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public System.Configuration.ProviderSettingsCollection Providers { get => throw null; } } - - // Generated from `System.Configuration.ProtectedProviderSettings` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class ProtectedProviderSettings : System.Configuration.ConfigurationElement { - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public ProtectedProviderSettings() => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public System.Configuration.ProviderSettingsCollection Providers { get => throw null; } } - - // Generated from `System.Configuration.ProviderSettings` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ProviderSettings : System.Configuration.ConfigurationElement + namespace Provider + { + public abstract class ProviderBase + { + protected ProviderBase() => throw null; + public virtual string Description { get => throw null; } + public virtual void Initialize(string name, System.Collections.Specialized.NameValueCollection config) => throw null; + public virtual string Name { get => throw null; } + } + public class ProviderCollection : System.Collections.ICollection, System.Collections.IEnumerable + { + public virtual void Add(System.Configuration.Provider.ProviderBase provider) => throw null; + public void Clear() => throw null; + void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; + public void CopyTo(System.Configuration.Provider.ProviderBase[] array, int index) => throw null; + public int Count { get => throw null; } + public ProviderCollection() => throw null; + public System.Collections.IEnumerator GetEnumerator() => throw null; + public bool IsSynchronized { get => throw null; } + public void Remove(string name) => throw null; + public void SetReadOnly() => throw null; + public object SyncRoot { get => throw null; } + public System.Configuration.Provider.ProviderBase this[string name] { get => throw null; } + } + public class ProviderException : System.Exception + { + public ProviderException() => throw null; + public ProviderException(string message) => throw null; + public ProviderException(string message, System.Exception innerException) => throw null; + protected ProviderException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + } + } + public sealed class ProviderSettings : System.Configuration.ConfigurationElement { + public ProviderSettings() => throw null; + public ProviderSettings(string name, string type) => throw null; protected override bool IsModified() => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } protected override bool OnDeserializeUnrecognizedAttribute(string name, string value) => throw null; public System.Collections.Specialized.NameValueCollection Parameters { get => throw null; } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public ProviderSettings(string name, string type) => throw null; - public ProviderSettings() => throw null; protected override void Reset(System.Configuration.ConfigurationElement parentElement) => throw null; - public string Type { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } protected override void Unmerge(System.Configuration.ConfigurationElement sourceElement, System.Configuration.ConfigurationElement parentElement, System.Configuration.ConfigurationSaveMode saveMode) => throw null; } - - // Generated from `System.Configuration.ProviderSettingsCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ProviderSettingsCollection : System.Configuration.ConfigurationElementCollection + public sealed class ProviderSettingsCollection : System.Configuration.ConfigurationElementCollection { public void Add(System.Configuration.ProviderSettings provider) => throw null; public void Clear() => throw null; protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public ProviderSettingsCollection() => throw null; protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; - public System.Configuration.ProviderSettings this[string key] { get => throw null; } - public System.Configuration.ProviderSettings this[int index] { get => throw null; set => throw null; } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public ProviderSettingsCollection() => throw null; public void Remove(string name) => throw null; + public System.Configuration.ProviderSettings this[string key] { get => throw null; } + public System.Configuration.ProviderSettings this[int index] { get => throw null; set { } } } - - // Generated from `System.Configuration.RegexStringValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class RegexStringValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; public RegexStringValidator(string regex) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.RegexStringValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class RegexStringValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class RegexStringValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { - public string Regex { get => throw null; } public RegexStringValidatorAttribute(string regex) => throw null; + public string Regex { get => throw null; } public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.RsaProtectedConfigurationProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class RsaProtectedConfigurationProvider : System.Configuration.ProtectedConfigurationProvider + public sealed class RsaProtectedConfigurationProvider : System.Configuration.ProtectedConfigurationProvider { public void AddKey(int keySize, bool exportable) => throw null; public string CspProviderName { get => throw null; } + public RsaProtectedConfigurationProvider() => throw null; public override System.Xml.XmlNode Decrypt(System.Xml.XmlNode encryptedNode) => throw null; public void DeleteKey() => throw null; public override System.Xml.XmlNode Encrypt(System.Xml.XmlNode node) => throw null; public void ExportKey(string xmlFileName, bool includePrivateParameters) => throw null; public void ImportKey(string xmlFileName, bool exportable) => throw null; - public override void Initialize(string name, System.Collections.Specialized.NameValueCollection configurationValues) => throw null; public string KeyContainerName { get => throw null; } - public RsaProtectedConfigurationProvider() => throw null; public System.Security.Cryptography.RSAParameters RsaPublicKey { get => throw null; } public bool UseFIPS { get => throw null; } public bool UseMachineContainer { get => throw null; } public bool UseOAEP { get => throw null; } } - - // Generated from `System.Configuration.SchemeSettingElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SchemeSettingElement : System.Configuration.ConfigurationElement + public sealed class SchemeSettingElement : System.Configuration.ConfigurationElement { + public SchemeSettingElement() => throw null; public System.GenericUriParserOptions GenericUriParserOptions { get => throw null; } public string Name { get => throw null; } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public SchemeSettingElement() => throw null; } - - // Generated from `System.Configuration.SchemeSettingElementCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SchemeSettingElementCollection : System.Configuration.ConfigurationElementCollection + public sealed class SchemeSettingElementCollection : System.Configuration.ConfigurationElementCollection { public override System.Configuration.ConfigurationElementCollectionType CollectionType { get => throw null; } protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public SchemeSettingElementCollection() => throw null; protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; public int IndexOf(System.Configuration.SchemeSettingElement element) => throw null; - public System.Configuration.SchemeSettingElement this[string name] { get => throw null; } public System.Configuration.SchemeSettingElement this[int index] { get => throw null; } - public SchemeSettingElementCollection() => throw null; + public System.Configuration.SchemeSettingElement this[string name] { get => throw null; } } - - // Generated from `System.Configuration.SectionInformation` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SectionInformation + public sealed class SectionInformation { - public System.Configuration.ConfigurationAllowDefinition AllowDefinition { get => throw null; set => throw null; } - public System.Configuration.ConfigurationAllowExeDefinition AllowExeDefinition { get => throw null; set => throw null; } - public bool AllowLocation { get => throw null; set => throw null; } - public bool AllowOverride { get => throw null; set => throw null; } - public string ConfigSource { get => throw null; set => throw null; } - public void ForceDeclaration(bool force) => throw null; + public System.Configuration.ConfigurationAllowDefinition AllowDefinition { get => throw null; set { } } + public System.Configuration.ConfigurationAllowExeDefinition AllowExeDefinition { get => throw null; set { } } + public bool AllowLocation { get => throw null; set { } } + public bool AllowOverride { get => throw null; set { } } + public string ConfigSource { get => throw null; set { } } public void ForceDeclaration() => throw null; - public bool ForceSave { get => throw null; set => throw null; } + public void ForceDeclaration(bool force) => throw null; + public bool ForceSave { get => throw null; set { } } public System.Configuration.ConfigurationSection GetParentSection() => throw null; public string GetRawXml() => throw null; - public bool InheritInChildApplications { get => throw null; set => throw null; } + public bool InheritInChildApplications { get => throw null; set { } } public bool IsDeclarationRequired { get => throw null; } public bool IsDeclared { get => throw null; } public bool IsLocked { get => throw null; } public bool IsProtected { get => throw null; } public string Name { get => throw null; } - public System.Configuration.OverrideMode OverrideMode { get => throw null; set => throw null; } - public System.Configuration.OverrideMode OverrideModeDefault { get => throw null; set => throw null; } + public System.Configuration.OverrideMode OverrideMode { get => throw null; set { } } + public System.Configuration.OverrideMode OverrideModeDefault { get => throw null; set { } } public System.Configuration.OverrideMode OverrideModeEffective { get => throw null; } - public void ProtectSection(string protectionProvider) => throw null; public System.Configuration.ProtectedConfigurationProvider ProtectionProvider { get => throw null; } - public bool RequirePermission { get => throw null; set => throw null; } - public bool RestartOnExternalChanges { get => throw null; set => throw null; } + public void ProtectSection(string protectionProvider) => throw null; + public bool RequirePermission { get => throw null; set { } } + public bool RestartOnExternalChanges { get => throw null; set { } } public void RevertToParent() => throw null; public string SectionName { get => throw null; } public void SetRawXml(string rawXml) => throw null; - public string Type { get => throw null; set => throw null; } + public string Type { get => throw null; set { } } public void UnprotectSection() => throw null; } - - // Generated from `System.Configuration.SettingAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingAttribute : System.Attribute { public SettingAttribute() => throw null; } - - // Generated from `System.Configuration.SettingChangingEventArgs` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingChangingEventArgs : System.ComponentModel.CancelEventArgs { - public object NewValue { get => throw null; } public SettingChangingEventArgs(string settingName, string settingClass, string settingKey, object newValue, bool cancel) => throw null; + public object NewValue { get => throw null; } public string SettingClass { get => throw null; } public string SettingKey { get => throw null; } public string SettingName { get => throw null; } } - - // Generated from `System.Configuration.SettingChangingEventHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public delegate void SettingChangingEventHandler(object sender, System.Configuration.SettingChangingEventArgs e); - - // Generated from `System.Configuration.SettingElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingElement : System.Configuration.ConfigurationElement + public sealed class SettingElement : System.Configuration.ConfigurationElement { + public SettingElement() => throw null; + public SettingElement(string name, System.Configuration.SettingsSerializeAs serializeAs) => throw null; public override bool Equals(object settings) => throw null; public override int GetHashCode() => throw null; - public string Name { get => throw null; set => throw null; } + public string Name { get => throw null; set { } } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - public System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; set => throw null; } - public SettingElement(string name, System.Configuration.SettingsSerializeAs serializeAs) => throw null; - public SettingElement() => throw null; - public System.Configuration.SettingValueElement Value { get => throw null; set => throw null; } + public System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; set { } } + public System.Configuration.SettingValueElement Value { get => throw null; set { } } } - - // Generated from `System.Configuration.SettingElementCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingElementCollection : System.Configuration.ConfigurationElementCollection + public sealed class SettingElementCollection : System.Configuration.ConfigurationElementCollection { public void Add(System.Configuration.SettingElement element) => throw null; public void Clear() => throw null; public override System.Configuration.ConfigurationElementCollectionType CollectionType { get => throw null; } protected override System.Configuration.ConfigurationElement CreateNewElement() => throw null; + public SettingElementCollection() => throw null; protected override string ElementName { get => throw null; } public System.Configuration.SettingElement Get(string elementKey) => throw null; protected override object GetElementKey(System.Configuration.ConfigurationElement element) => throw null; public void Remove(System.Configuration.SettingElement element) => throw null; - public SettingElementCollection() => throw null; - } - - // Generated from `System.Configuration.SettingValueElement` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingValueElement : System.Configuration.ConfigurationElement - { - protected override void DeserializeElement(System.Xml.XmlReader reader, bool serializeCollectionKey) => throw null; - public override bool Equals(object settingValue) => throw null; - public override int GetHashCode() => throw null; - protected override bool IsModified() => throw null; - protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } - protected override void Reset(System.Configuration.ConfigurationElement parentElement) => throw null; - protected override void ResetModified() => throw null; - protected override bool SerializeToXmlElement(System.Xml.XmlWriter writer, string elementName) => throw null; - public SettingValueElement() => throw null; - protected override void Unmerge(System.Configuration.ConfigurationElement sourceElement, System.Configuration.ConfigurationElement parentElement, System.Configuration.ConfigurationSaveMode saveMode) => throw null; - public System.Xml.XmlNode ValueXml { get => throw null; set => throw null; } } - - // Generated from `System.Configuration.SettingsAttributeDictionary` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsAttributeDictionary : System.Collections.Hashtable { - public SettingsAttributeDictionary(System.Configuration.SettingsAttributeDictionary attributes) => throw null; public SettingsAttributeDictionary() => throw null; + public SettingsAttributeDictionary(System.Configuration.SettingsAttributeDictionary attributes) => throw null; + protected SettingsAttributeDictionary(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - - // Generated from `System.Configuration.SettingsBase` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class SettingsBase { public virtual System.Configuration.SettingsContext Context { get => throw null; } + protected SettingsBase() => throw null; public void Initialize(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection properties, System.Configuration.SettingsProviderCollection providers) => throw null; public bool IsSynchronized { get => throw null; } - public virtual object this[string propertyName] { get => throw null; set => throw null; } public virtual System.Configuration.SettingsPropertyCollection Properties { get => throw null; } public virtual System.Configuration.SettingsPropertyValueCollection PropertyValues { get => throw null; } public virtual System.Configuration.SettingsProviderCollection Providers { get => throw null; } public virtual void Save() => throw null; - protected SettingsBase() => throw null; public static System.Configuration.SettingsBase Synchronized(System.Configuration.SettingsBase settingsBase) => throw null; + public virtual object this[string propertyName] { get => throw null; set { } } } - - // Generated from `System.Configuration.SettingsContext` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsContext : System.Collections.Hashtable { public SettingsContext() => throw null; + protected SettingsContext(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - - // Generated from `System.Configuration.SettingsDescriptionAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsDescriptionAttribute : System.Attribute + public sealed class SettingsDescriptionAttribute : System.Attribute { - public string Description { get => throw null; } public SettingsDescriptionAttribute(string description) => throw null; + public string Description { get => throw null; } } - - // Generated from `System.Configuration.SettingsGroupDescriptionAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsGroupDescriptionAttribute : System.Attribute + public sealed class SettingsGroupDescriptionAttribute : System.Attribute { - public string Description { get => throw null; } public SettingsGroupDescriptionAttribute(string description) => throw null; + public string Description { get => throw null; } } - - // Generated from `System.Configuration.SettingsGroupNameAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsGroupNameAttribute : System.Attribute + public sealed class SettingsGroupNameAttribute : System.Attribute { - public string GroupName { get => throw null; } public SettingsGroupNameAttribute(string groupName) => throw null; + public string GroupName { get => throw null; } } - - // Generated from `System.Configuration.SettingsLoadedEventArgs` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsLoadedEventArgs : System.EventArgs { - public System.Configuration.SettingsProvider Provider { get => throw null; } public SettingsLoadedEventArgs(System.Configuration.SettingsProvider provider) => throw null; + public System.Configuration.SettingsProvider Provider { get => throw null; } } - - // Generated from `System.Configuration.SettingsLoadedEventHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public delegate void SettingsLoadedEventHandler(object sender, System.Configuration.SettingsLoadedEventArgs e); - - // Generated from `System.Configuration.SettingsManageability` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum SettingsManageability { - Roaming, + Roaming = 0, } - - // Generated from `System.Configuration.SettingsManageabilityAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsManageabilityAttribute : System.Attribute + public sealed class SettingsManageabilityAttribute : System.Attribute { - public System.Configuration.SettingsManageability Manageability { get => throw null; } public SettingsManageabilityAttribute(System.Configuration.SettingsManageability manageability) => throw null; + public System.Configuration.SettingsManageability Manageability { get => throw null; } } - - // Generated from `System.Configuration.SettingsProperty` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsProperty { public virtual System.Configuration.SettingsAttributeDictionary Attributes { get => throw null; } - public virtual object DefaultValue { get => throw null; set => throw null; } - public virtual bool IsReadOnly { get => throw null; set => throw null; } - public virtual string Name { get => throw null; set => throw null; } - public virtual System.Type PropertyType { get => throw null; set => throw null; } - public virtual System.Configuration.SettingsProvider Provider { get => throw null; set => throw null; } - public virtual System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; set => throw null; } - public SettingsProperty(string name, System.Type propertyType, System.Configuration.SettingsProvider provider, bool isReadOnly, object defaultValue, System.Configuration.SettingsSerializeAs serializeAs, System.Configuration.SettingsAttributeDictionary attributes, bool throwOnErrorDeserializing, bool throwOnErrorSerializing) => throw null; public SettingsProperty(string name) => throw null; + public SettingsProperty(string name, System.Type propertyType, System.Configuration.SettingsProvider provider, bool isReadOnly, object defaultValue, System.Configuration.SettingsSerializeAs serializeAs, System.Configuration.SettingsAttributeDictionary attributes, bool throwOnErrorDeserializing, bool throwOnErrorSerializing) => throw null; public SettingsProperty(System.Configuration.SettingsProperty propertyToCopy) => throw null; - public bool ThrowOnErrorDeserializing { get => throw null; set => throw null; } - public bool ThrowOnErrorSerializing { get => throw null; set => throw null; } + public virtual object DefaultValue { get => throw null; set { } } + public virtual bool IsReadOnly { get => throw null; set { } } + public virtual string Name { get => throw null; set { } } + public virtual System.Type PropertyType { get => throw null; set { } } + public virtual System.Configuration.SettingsProvider Provider { get => throw null; set { } } + public virtual System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; set { } } + public bool ThrowOnErrorDeserializing { get => throw null; set { } } + public bool ThrowOnErrorSerializing { get => throw null; set { } } } - - // Generated from `System.Configuration.SettingsPropertyCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsPropertyCollection : System.ICloneable, System.Collections.IEnumerable, System.Collections.ICollection + public class SettingsPropertyCollection : System.Collections.IEnumerable, System.ICloneable, System.Collections.ICollection { public void Add(System.Configuration.SettingsProperty property) => throw null; public void Clear() => throw null; public object Clone() => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public SettingsPropertyCollection() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public System.Configuration.SettingsProperty this[string name] { get => throw null; } protected virtual void OnAdd(System.Configuration.SettingsProperty property) => throw null; protected virtual void OnAddComplete(System.Configuration.SettingsProperty property) => throw null; protected virtual void OnClear() => throw null; @@ -1321,507 +1278,235 @@ public class SettingsPropertyCollection : System.ICloneable, System.Collections. protected virtual void OnRemoveComplete(System.Configuration.SettingsProperty property) => throw null; public void Remove(string name) => throw null; public void SetReadOnly() => throw null; - public SettingsPropertyCollection() => throw null; public object SyncRoot { get => throw null; } + public System.Configuration.SettingsProperty this[string name] { get => throw null; } } - - // Generated from `System.Configuration.SettingsPropertyIsReadOnlyException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsPropertyIsReadOnlyException : System.Exception { - public SettingsPropertyIsReadOnlyException(string message, System.Exception innerException) => throw null; public SettingsPropertyIsReadOnlyException(string message) => throw null; - public SettingsPropertyIsReadOnlyException() => throw null; + public SettingsPropertyIsReadOnlyException(string message, System.Exception innerException) => throw null; protected SettingsPropertyIsReadOnlyException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SettingsPropertyIsReadOnlyException() => throw null; } - - // Generated from `System.Configuration.SettingsPropertyNotFoundException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsPropertyNotFoundException : System.Exception { - public SettingsPropertyNotFoundException(string message, System.Exception innerException) => throw null; public SettingsPropertyNotFoundException(string message) => throw null; - public SettingsPropertyNotFoundException() => throw null; + public SettingsPropertyNotFoundException(string message, System.Exception innerException) => throw null; protected SettingsPropertyNotFoundException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SettingsPropertyNotFoundException() => throw null; } - - // Generated from `System.Configuration.SettingsPropertyValue` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsPropertyValue { - public bool Deserialized { get => throw null; set => throw null; } - public bool IsDirty { get => throw null; set => throw null; } + public SettingsPropertyValue(System.Configuration.SettingsProperty property) => throw null; + public bool Deserialized { get => throw null; set { } } + public bool IsDirty { get => throw null; set { } } public string Name { get => throw null; } public System.Configuration.SettingsProperty Property { get => throw null; } - public object PropertyValue { get => throw null; set => throw null; } - public object SerializedValue { get => throw null; set => throw null; } - public SettingsPropertyValue(System.Configuration.SettingsProperty property) => throw null; + public object PropertyValue { get => throw null; set { } } + public object SerializedValue { get => throw null; set { } } public bool UsingDefaultValue { get => throw null; } } - - // Generated from `System.Configuration.SettingsPropertyValueCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsPropertyValueCollection : System.ICloneable, System.Collections.IEnumerable, System.Collections.ICollection + public class SettingsPropertyValueCollection : System.Collections.IEnumerable, System.ICloneable, System.Collections.ICollection { public void Add(System.Configuration.SettingsPropertyValue property) => throw null; public void Clear() => throw null; public object Clone() => throw null; public void CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } + public SettingsPropertyValueCollection() => throw null; public System.Collections.IEnumerator GetEnumerator() => throw null; public bool IsSynchronized { get => throw null; } - public System.Configuration.SettingsPropertyValue this[string name] { get => throw null; } public void Remove(string name) => throw null; public void SetReadOnly() => throw null; - public SettingsPropertyValueCollection() => throw null; public object SyncRoot { get => throw null; } + public System.Configuration.SettingsPropertyValue this[string name] { get => throw null; } } - - // Generated from `System.Configuration.SettingsPropertyWrongTypeException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsPropertyWrongTypeException : System.Exception { - public SettingsPropertyWrongTypeException(string message, System.Exception innerException) => throw null; public SettingsPropertyWrongTypeException(string message) => throw null; - public SettingsPropertyWrongTypeException() => throw null; + public SettingsPropertyWrongTypeException(string message, System.Exception innerException) => throw null; protected SettingsPropertyWrongTypeException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public SettingsPropertyWrongTypeException() => throw null; } - - // Generated from `System.Configuration.SettingsProvider` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public abstract class SettingsProvider : System.Configuration.Provider.ProviderBase { public abstract string ApplicationName { get; set; } + protected SettingsProvider() => throw null; public abstract System.Configuration.SettingsPropertyValueCollection GetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyCollection collection); public abstract void SetPropertyValues(System.Configuration.SettingsContext context, System.Configuration.SettingsPropertyValueCollection collection); - protected SettingsProvider() => throw null; } - - // Generated from `System.Configuration.SettingsProviderAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsProviderAttribute : System.Attribute + public sealed class SettingsProviderAttribute : System.Attribute { - public string ProviderTypeName { get => throw null; } public SettingsProviderAttribute(string providerTypeName) => throw null; public SettingsProviderAttribute(System.Type providerType) => throw null; + public string ProviderTypeName { get => throw null; } } - - // Generated from `System.Configuration.SettingsProviderCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SettingsProviderCollection : System.Configuration.Provider.ProviderCollection { public override void Add(System.Configuration.Provider.ProviderBase provider) => throw null; - public System.Configuration.SettingsProvider this[string name] { get => throw null; } public SettingsProviderCollection() => throw null; + public System.Configuration.SettingsProvider this[string name] { get => throw null; } } - - // Generated from `System.Configuration.SettingsSavingEventHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public delegate void SettingsSavingEventHandler(object sender, System.ComponentModel.CancelEventArgs e); - - // Generated from `System.Configuration.SettingsSerializeAs` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum SettingsSerializeAs { - Binary, - ProviderSpecific, - String, - Xml, + String = 0, + Xml = 1, + Binary = 2, + ProviderSpecific = 3, } - - // Generated from `System.Configuration.SettingsSerializeAsAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SettingsSerializeAsAttribute : System.Attribute + public sealed class SettingsSerializeAsAttribute : System.Attribute { - public System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; } public SettingsSerializeAsAttribute(System.Configuration.SettingsSerializeAs serializeAs) => throw null; + public System.Configuration.SettingsSerializeAs SerializeAs { get => throw null; } + } + public sealed class SettingValueElement : System.Configuration.ConfigurationElement + { + public SettingValueElement() => throw null; + protected override void DeserializeElement(System.Xml.XmlReader reader, bool serializeCollectionKey) => throw null; + public override bool Equals(object settingValue) => throw null; + public override int GetHashCode() => throw null; + protected override bool IsModified() => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } + protected override void Reset(System.Configuration.ConfigurationElement parentElement) => throw null; + protected override void ResetModified() => throw null; + protected override bool SerializeToXmlElement(System.Xml.XmlWriter writer, string elementName) => throw null; + protected override void Unmerge(System.Configuration.ConfigurationElement sourceElement, System.Configuration.ConfigurationElement parentElement, System.Configuration.ConfigurationSaveMode saveMode) => throw null; + public System.Xml.XmlNode ValueXml { get => throw null; set { } } } - - // Generated from `System.Configuration.SingleTagSectionHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class SingleTagSectionHandler : System.Configuration.IConfigurationSectionHandler { public virtual object Create(object parent, object context, System.Xml.XmlNode section) => throw null; public SingleTagSectionHandler() => throw null; } - - // Generated from `System.Configuration.SpecialSetting` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public enum SpecialSetting { - ConnectionString, - WebServiceUrl, + ConnectionString = 0, + WebServiceUrl = 1, } - - // Generated from `System.Configuration.SpecialSettingAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SpecialSettingAttribute : System.Attribute + public sealed class SpecialSettingAttribute : System.Attribute { - public System.Configuration.SpecialSetting SpecialSetting { get => throw null; } public SpecialSettingAttribute(System.Configuration.SpecialSetting specialSetting) => throw null; + public System.Configuration.SpecialSetting SpecialSetting { get => throw null; } } - - // Generated from `System.Configuration.StringValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class StringValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; - public StringValidator(int minLength, int maxLength, string invalidCharacters) => throw null; - public StringValidator(int minLength, int maxLength) => throw null; public StringValidator(int minLength) => throw null; + public StringValidator(int minLength, int maxLength) => throw null; + public StringValidator(int minLength, int maxLength, string invalidCharacters) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.StringValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class StringValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class StringValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { - public string InvalidCharacters { get => throw null; set => throw null; } - public int MaxLength { get => throw null; set => throw null; } - public int MinLength { get => throw null; set => throw null; } public StringValidatorAttribute() => throw null; + public string InvalidCharacters { get => throw null; set { } } + public int MaxLength { get => throw null; set { } } + public int MinLength { get => throw null; set { } } public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.SubclassTypeValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SubclassTypeValidator : System.Configuration.ConfigurationValidatorBase + public sealed class SubclassTypeValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; public SubclassTypeValidator(System.Type baseClass) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.SubclassTypeValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class SubclassTypeValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class SubclassTypeValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { public System.Type BaseClass { get => throw null; } public SubclassTypeValidatorAttribute(System.Type baseClass) => throw null; public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.TimeSpanMinutesConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class TimeSpanMinutesConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public TimeSpanMinutesConverter() => throw null; } - - // Generated from `System.Configuration.TimeSpanMinutesOrInfiniteConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class TimeSpanMinutesOrInfiniteConverter : System.Configuration.TimeSpanMinutesConverter + public sealed class TimeSpanMinutesOrInfiniteConverter : System.Configuration.TimeSpanMinutesConverter { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public TimeSpanMinutesOrInfiniteConverter() => throw null; } - - // Generated from `System.Configuration.TimeSpanSecondsConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class TimeSpanSecondsConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public TimeSpanSecondsConverter() => throw null; } - - // Generated from `System.Configuration.TimeSpanSecondsOrInfiniteConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class TimeSpanSecondsOrInfiniteConverter : System.Configuration.TimeSpanSecondsConverter + public sealed class TimeSpanSecondsOrInfiniteConverter : System.Configuration.TimeSpanSecondsConverter { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public TimeSpanSecondsOrInfiniteConverter() => throw null; } - - // Generated from `System.Configuration.TimeSpanValidator` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public class TimeSpanValidator : System.Configuration.ConfigurationValidatorBase { public override bool CanValidate(System.Type type) => throw null; - public TimeSpanValidator(System.TimeSpan minValue, System.TimeSpan maxValue, bool rangeIsExclusive, System.Int64 resolutionInSeconds) => throw null; - public TimeSpanValidator(System.TimeSpan minValue, System.TimeSpan maxValue, bool rangeIsExclusive) => throw null; public TimeSpanValidator(System.TimeSpan minValue, System.TimeSpan maxValue) => throw null; + public TimeSpanValidator(System.TimeSpan minValue, System.TimeSpan maxValue, bool rangeIsExclusive) => throw null; + public TimeSpanValidator(System.TimeSpan minValue, System.TimeSpan maxValue, bool rangeIsExclusive, long resolutionInSeconds) => throw null; public override void Validate(object value) => throw null; } - - // Generated from `System.Configuration.TimeSpanValidatorAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class TimeSpanValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute + public sealed class TimeSpanValidatorAttribute : System.Configuration.ConfigurationValidatorAttribute { - public bool ExcludeRange { get => throw null; set => throw null; } + public TimeSpanValidatorAttribute() => throw null; + public bool ExcludeRange { get => throw null; set { } } public System.TimeSpan MaxValue { get => throw null; } - public string MaxValueString { get => throw null; set => throw null; } + public string MaxValueString { get => throw null; set { } } public System.TimeSpan MinValue { get => throw null; } - public string MinValueString { get => throw null; set => throw null; } - public const string TimeSpanMaxValue = default; - public const string TimeSpanMinValue = default; - public TimeSpanValidatorAttribute() => throw null; + public string MinValueString { get => throw null; set { } } + public static string TimeSpanMaxValue; + public static string TimeSpanMinValue; public override System.Configuration.ConfigurationValidatorBase ValidatorInstance { get => throw null; } } - - // Generated from `System.Configuration.TypeNameConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class TypeNameConverter : System.Configuration.ConfigurationConverterBase + public sealed class TypeNameConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public TypeNameConverter() => throw null; } - - // Generated from `System.Configuration.UriSection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class UriSection : System.Configuration.ConfigurationSection + public sealed class UriSection : System.Configuration.ConfigurationSection { + public UriSection() => throw null; public System.Configuration.IdnElement Idn { get => throw null; } public System.Configuration.IriParsingElement IriParsing { get => throw null; } protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } public System.Configuration.SchemeSettingElementCollection SchemeSettings { get => throw null; } - public UriSection() => throw null; } - - // Generated from `System.Configuration.UserScopedSettingAttribute` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class UserScopedSettingAttribute : System.Configuration.SettingAttribute + public sealed class UserScopedSettingAttribute : System.Configuration.SettingAttribute { public UserScopedSettingAttribute() => throw null; } - - // Generated from `System.Configuration.UserSettingsGroup` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class UserSettingsGroup : System.Configuration.ConfigurationSectionGroup + public sealed class UserSettingsGroup : System.Configuration.ConfigurationSectionGroup { public UserSettingsGroup() => throw null; } - - // Generated from `System.Configuration.ValidatorCallback` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` public delegate void ValidatorCallback(object value); - - // Generated from `System.Configuration.WhiteSpaceTrimStringConverter` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class WhiteSpaceTrimStringConverter : System.Configuration.ConfigurationConverterBase + public sealed class WhiteSpaceTrimStringConverter : System.Configuration.ConfigurationConverterBase { public override object ConvertFrom(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object data) => throw null; public override object ConvertTo(System.ComponentModel.ITypeDescriptorContext ctx, System.Globalization.CultureInfo ci, object value, System.Type type) => throw null; public WhiteSpaceTrimStringConverter() => throw null; } - - namespace Internal - { - // Generated from `System.Configuration.Internal.DelegatingConfigHost` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class DelegatingConfigHost : System.Configuration.Internal.IInternalConfigHost - { - public virtual object CreateConfigurationContext(string configPath, string locationSubPath) => throw null; - public virtual object CreateDeprecatedConfigContext(string configPath) => throw null; - public virtual string DecryptSection(string encryptedXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection) => throw null; - protected DelegatingConfigHost() => throw null; - public virtual void DeleteStream(string streamName) => throw null; - public virtual string EncryptSection(string clearTextXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection) => throw null; - public virtual string GetConfigPathFromLocationSubPath(string configPath, string locationSubPath) => throw null; - public virtual System.Type GetConfigType(string typeName, bool throwOnError) => throw null; - public virtual string GetConfigTypeName(System.Type t) => throw null; - public virtual string GetStreamName(string configPath) => throw null; - public virtual string GetStreamNameForConfigSource(string streamName, string configSource) => throw null; - public virtual object GetStreamVersion(string streamName) => throw null; - protected System.Configuration.Internal.IInternalConfigHost Host { get => throw null; set => throw null; } - public virtual System.IDisposable Impersonate() => throw null; - public virtual void Init(System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitParams) => throw null; - public virtual void InitForConfiguration(ref string locationSubPath, out string configPath, out string locationConfigPath, System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitConfigurationParams) => throw null; - public virtual bool IsAboveApplication(string configPath) => throw null; - public virtual bool IsConfigRecordRequired(string configPath) => throw null; - public virtual bool IsDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition) => throw null; - public virtual bool IsFile(string streamName) => throw null; - public virtual bool IsFullTrustSectionWithoutAptcaAllowed(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; - public virtual bool IsInitDelayed(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; - public virtual bool IsLocationApplicable(string configPath) => throw null; - public virtual bool IsRemote { get => throw null; } - public virtual bool IsSecondaryRoot(string configPath) => throw null; - public virtual bool IsTrustedConfigPath(string configPath) => throw null; - public virtual System.IO.Stream OpenStreamForRead(string streamName, bool assertPermissions) => throw null; - public virtual System.IO.Stream OpenStreamForRead(string streamName) => throw null; - public virtual System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext, bool assertPermissions) => throw null; - public virtual System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext) => throw null; - public virtual bool PrefetchAll(string configPath, string streamName) => throw null; - public virtual bool PrefetchSection(string sectionGroupName, string sectionName) => throw null; - public virtual void RequireCompleteInit(System.Configuration.Internal.IInternalConfigRecord configRecord) => throw null; - public virtual object StartMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback) => throw null; - public virtual void StopMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback) => throw null; - public virtual bool SupportsChangeNotifications { get => throw null; } - public virtual bool SupportsLocation { get => throw null; } - public virtual bool SupportsPath { get => throw null; } - public virtual bool SupportsRefresh { get => throw null; } - public virtual void VerifyDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition, System.Configuration.Internal.IConfigErrorInfo errorInfo) => throw null; - public virtual void WriteCompleted(string streamName, bool success, object writeContext, bool assertPermissions) => throw null; - public virtual void WriteCompleted(string streamName, bool success, object writeContext) => throw null; - } - - // Generated from `System.Configuration.Internal.IConfigErrorInfo` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IConfigErrorInfo - { - string Filename { get; } - int LineNumber { get; } - } - - // Generated from `System.Configuration.Internal.IConfigSystem` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IConfigSystem - { - System.Configuration.Internal.IInternalConfigHost Host { get; } - void Init(System.Type typeConfigHost, params object[] hostInitParams); - System.Configuration.Internal.IInternalConfigRoot Root { get; } - } - - // Generated from `System.Configuration.Internal.IConfigurationManagerHelper` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IConfigurationManagerHelper - { - void EnsureNetConfigLoaded(); - } - - // Generated from `System.Configuration.Internal.IConfigurationManagerInternal` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IConfigurationManagerInternal - { - string ApplicationConfigUri { get; } - string ExeLocalConfigDirectory { get; } - string ExeLocalConfigPath { get; } - string ExeProductName { get; } - string ExeProductVersion { get; } - string ExeRoamingConfigDirectory { get; } - string ExeRoamingConfigPath { get; } - string MachineConfigPath { get; } - bool SetConfigurationSystemInProgress { get; } - bool SupportsUserConfig { get; } - string UserConfigFilename { get; } - } - - // Generated from `System.Configuration.Internal.IInternalConfigClientHost` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigClientHost - { - string GetExeConfigPath(); - string GetLocalUserConfigPath(); - string GetRoamingUserConfigPath(); - bool IsExeConfig(string configPath); - bool IsLocalUserConfig(string configPath); - bool IsRoamingUserConfig(string configPath); - } - - // Generated from `System.Configuration.Internal.IInternalConfigConfigurationFactory` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigConfigurationFactory - { - System.Configuration.Configuration Create(System.Type typeConfigHost, params object[] hostInitConfigurationParams); - string NormalizeLocationSubPath(string subPath, System.Configuration.Internal.IConfigErrorInfo errorInfo); - } - - // Generated from `System.Configuration.Internal.IInternalConfigHost` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigHost - { - object CreateConfigurationContext(string configPath, string locationSubPath); - object CreateDeprecatedConfigContext(string configPath); - string DecryptSection(string encryptedXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection); - void DeleteStream(string streamName); - string EncryptSection(string clearTextXml, System.Configuration.ProtectedConfigurationProvider protectionProvider, System.Configuration.ProtectedConfigurationSection protectedConfigSection); - string GetConfigPathFromLocationSubPath(string configPath, string locationSubPath); - System.Type GetConfigType(string typeName, bool throwOnError); - string GetConfigTypeName(System.Type t); - string GetStreamName(string configPath); - string GetStreamNameForConfigSource(string streamName, string configSource); - object GetStreamVersion(string streamName); - System.IDisposable Impersonate(); - void Init(System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitParams); - void InitForConfiguration(ref string locationSubPath, out string configPath, out string locationConfigPath, System.Configuration.Internal.IInternalConfigRoot configRoot, params object[] hostInitConfigurationParams); - bool IsAboveApplication(string configPath); - bool IsConfigRecordRequired(string configPath); - bool IsDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition); - bool IsFile(string streamName); - bool IsFullTrustSectionWithoutAptcaAllowed(System.Configuration.Internal.IInternalConfigRecord configRecord); - bool IsInitDelayed(System.Configuration.Internal.IInternalConfigRecord configRecord); - bool IsLocationApplicable(string configPath); - bool IsRemote { get; } - bool IsSecondaryRoot(string configPath); - bool IsTrustedConfigPath(string configPath); - System.IO.Stream OpenStreamForRead(string streamName, bool assertPermissions); - System.IO.Stream OpenStreamForRead(string streamName); - System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext, bool assertPermissions); - System.IO.Stream OpenStreamForWrite(string streamName, string templateStreamName, ref object writeContext); - bool PrefetchAll(string configPath, string streamName); - bool PrefetchSection(string sectionGroupName, string sectionName); - void RequireCompleteInit(System.Configuration.Internal.IInternalConfigRecord configRecord); - object StartMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback); - void StopMonitoringStreamForChanges(string streamName, System.Configuration.Internal.StreamChangeCallback callback); - bool SupportsChangeNotifications { get; } - bool SupportsLocation { get; } - bool SupportsPath { get; } - bool SupportsRefresh { get; } - void VerifyDefinitionAllowed(string configPath, System.Configuration.ConfigurationAllowDefinition allowDefinition, System.Configuration.ConfigurationAllowExeDefinition allowExeDefinition, System.Configuration.Internal.IConfigErrorInfo errorInfo); - void WriteCompleted(string streamName, bool success, object writeContext, bool assertPermissions); - void WriteCompleted(string streamName, bool success, object writeContext); - } - - // Generated from `System.Configuration.Internal.IInternalConfigRecord` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigRecord - { - string ConfigPath { get; } - object GetLkgSection(string configKey); - object GetSection(string configKey); - bool HasInitErrors { get; } - void RefreshSection(string configKey); - void Remove(); - string StreamName { get; } - void ThrowIfInitErrors(); - } - - // Generated from `System.Configuration.Internal.IInternalConfigRoot` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigRoot - { - event System.Configuration.Internal.InternalConfigEventHandler ConfigChanged; - event System.Configuration.Internal.InternalConfigEventHandler ConfigRemoved; - System.Configuration.Internal.IInternalConfigRecord GetConfigRecord(string configPath); - object GetSection(string section, string configPath); - string GetUniqueConfigPath(string configPath); - System.Configuration.Internal.IInternalConfigRecord GetUniqueConfigRecord(string configPath); - void Init(System.Configuration.Internal.IInternalConfigHost host, bool isDesignTime); - bool IsDesignTime { get; } - void RemoveConfig(string configPath); - } - - // Generated from `System.Configuration.Internal.IInternalConfigSettingsFactory` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigSettingsFactory - { - void CompleteInit(); - void SetConfigurationSystem(System.Configuration.Internal.IInternalConfigSystem internalConfigSystem, bool initComplete); - } - - // Generated from `System.Configuration.Internal.IInternalConfigSystem` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public interface IInternalConfigSystem - { - object GetSection(string configKey); - void RefreshConfig(string sectionName); - bool SupportsUserConfig { get; } - } - - // Generated from `System.Configuration.Internal.InternalConfigEventArgs` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class InternalConfigEventArgs : System.EventArgs - { - public string ConfigPath { get => throw null; set => throw null; } - public InternalConfigEventArgs(string configPath) => throw null; - } - - // Generated from `System.Configuration.Internal.InternalConfigEventHandler` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public delegate void InternalConfigEventHandler(object sender, System.Configuration.Internal.InternalConfigEventArgs e); - - // Generated from `System.Configuration.Internal.StreamChangeCallback` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public delegate void StreamChangeCallback(string streamName); - - } - namespace Provider + } + namespace Drawing + { + namespace Configuration { - // Generated from `System.Configuration.Provider.ProviderBase` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public abstract class ProviderBase - { - public virtual string Description { get => throw null; } - public virtual void Initialize(string name, System.Collections.Specialized.NameValueCollection config) => throw null; - public virtual string Name { get => throw null; } - protected ProviderBase() => throw null; - } - - // Generated from `System.Configuration.Provider.ProviderCollection` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ProviderCollection : System.Collections.IEnumerable, System.Collections.ICollection - { - public virtual void Add(System.Configuration.Provider.ProviderBase provider) => throw null; - public void Clear() => throw null; - void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; - public void CopyTo(System.Configuration.Provider.ProviderBase[] array, int index) => throw null; - public int Count { get => throw null; } - public System.Collections.IEnumerator GetEnumerator() => throw null; - public bool IsSynchronized { get => throw null; } - public System.Configuration.Provider.ProviderBase this[string name] { get => throw null; } - public ProviderCollection() => throw null; - public void Remove(string name) => throw null; - public void SetReadOnly() => throw null; - public object SyncRoot { get => throw null; } - } - - // Generated from `System.Configuration.Provider.ProviderException` in `System.Configuration.ConfigurationManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51` - public class ProviderException : System.Exception + public sealed class SystemDrawingSection : System.Configuration.ConfigurationSection { - public ProviderException(string message, System.Exception innerException) => throw null; - public ProviderException(string message) => throw null; - public ProviderException() => throw null; - protected ProviderException(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; + public string BitmapSuffix { get => throw null; set { } } + public SystemDrawingSection() => throw null; + protected override System.Configuration.ConfigurationPropertyCollection Properties { get => throw null; } } - } } + public enum UriIdnScope + { + None = 0, + AllExceptIntranet = 1, + All = 2, + } } diff --git a/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/4.4.1/System.Configuration.ConfigurationManager.csproj b/csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/6.0.0/System.Configuration.ConfigurationManager.csproj similarity index 100% rename from csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/4.4.1/System.Configuration.ConfigurationManager.csproj rename to csharp/ql/test/resources/stubs/System.Configuration.ConfigurationManager/6.0.0/System.Configuration.ConfigurationManager.csproj From 04c4e739ac5181544d4fb3053ca2bcbf58d0b9bd Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Thu, 21 Sep 2023 12:50:17 +0200 Subject: [PATCH 09/12] Address review comments --- .../Program.cs | 2 +- .../StubGenerator.cs | 51 ++++++++----------- .../StubVisitor.cs | 22 ++++---- csharp/extractor/Semmle.Util/MemoizedFunc.cs | 21 +++----- 4 files changed, 38 insertions(+), 58 deletions(-) diff --git a/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs index 7155e8ddc81e..8160bfdd3ae0 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.DependencyStubGenerator/Program.cs @@ -2,7 +2,7 @@ using Semmle.Extraction.CSharp.StubGenerator; using Semmle.Util.Logging; -var logger = new ConsoleLogger(Verbosity.Info); +var logger = new ConsoleLogger(Verbosity.Info, logThreadId: false); using var dependencyManager = new DependencyManager(".", DependencyOptions.Default, logger); StubGenerator.GenerateStubs(logger, dependencyManager.ReferenceFiles, "codeql_csharp_stubs"); diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs index 64ffc0e9a7b1..0b62ead8619b 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs @@ -27,11 +27,12 @@ public static void GenerateStubs(ILogger logger, IEnumerable referencesP var threads = EnvironmentVariables.GetDefaultNumberOfThreads(); using var references = new BlockingCollection<(MetadataReference Reference, string Path)>(); - var referenceResolveTasks = GetResolvedReferenceTasks(referencesPaths, references); - Parallel.Invoke( - new ParallelOptions { MaxDegreeOfParallelism = threads }, - referenceResolveTasks.ToArray()); + Parallel.ForEach(referencesPaths, new ParallelOptions { MaxDegreeOfParallelism = threads }, path => + { + var reference = MetadataReference.CreateFromFile(path); + references.Add((reference, path)); + }); logger.Log(Severity.Info, $"Generating stubs for {references.Count} assemblies."); @@ -41,43 +42,33 @@ public static void GenerateStubs(ILogger logger, IEnumerable referencesP references.Select(tuple => tuple.Item1), new CSharpCompilationOptions(OutputKind.ConsoleApplication, allowUnsafe: true)); - var referenceStubTasks = references.Select(@ref => (Action)(() => StubReference(compilation, outputPath, @ref.Reference, @ref.Path))); - Parallel.Invoke( - new ParallelOptions { MaxDegreeOfParallelism = threads }, - referenceStubTasks.ToArray()); + Parallel.ForEach(references, new ParallelOptions { MaxDegreeOfParallelism = threads }, @ref => + { + StubReference(logger, compilation, outputPath, @ref.Reference, @ref.Path); + }); stopWatch.Stop(); logger.Log(Severity.Info, $"Stub generation took {stopWatch.Elapsed}."); } - private static IEnumerable GetResolvedReferenceTasks(IEnumerable referencePaths, BlockingCollection<(MetadataReference, string)> references) + private static void StubReference(ILogger logger, CSharpCompilation compilation, string outputPath, MetadataReference reference, string path) { - return referencePaths.Select(path => () => - { - var reference = MetadataReference.CreateFromFile(path); - references.Add((reference, path)); - }); - } + if (compilation.GetAssemblyOrModuleSymbol(reference) is not IAssemblySymbol assembly) + return; - private static void StubReference(CSharpCompilation compilation, string outputPath, MetadataReference reference, string path) - { - if (compilation.GetAssemblyOrModuleSymbol(reference) is IAssemblySymbol assembly) - { - var logger = new ConsoleLogger(Verbosity.Info); - using var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); - using var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); + using var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); + using var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); - writer.WriteLine("// This file contains auto-generated code."); - writer.WriteLine($"// Generated from `{assembly.Identity}`."); + writer.WriteLine("// This file contains auto-generated code."); + writer.WriteLine($"// Generated from `{assembly.Identity}`."); - var visitor = new StubVisitor(assembly, writer); + var visitor = new StubVisitor(assembly, writer); - visitor.StubAttributes(assembly.GetAttributes(), "assembly: "); + visitor.StubAttributes(assembly.GetAttributes(), "assembly: "); - foreach (var module in assembly.Modules) - { - module.GlobalNamespace.Accept(new StubVisitor(assembly, writer)); - } + foreach (var module in assembly.Modules) + { + module.GlobalNamespace.Accept(visitor); } } } diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs index 6cb93eb65b97..8e709e162c65 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs @@ -36,7 +36,7 @@ private bool IsRelevantNamedType(INamedTypeSymbol symbol) => IsRelevantBaseType(symbol) && SymbolEqualityComparer.Default.Equals(symbol.ContainingAssembly, assembly); - private bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace[symbol]; + private bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace.Invoke(symbol); private void StubExplicitInterface(ISymbol symbol, ISymbol? explicitInterfaceSymbol, bool writeName = true) { @@ -109,7 +109,7 @@ private void StubAccessibility(Accessibility accessibility) case Accessibility.Internal: stubWriter.Write("internal "); break; - case Accessibility.ProtectedAndInternal or Accessibility.ProtectedOrInternal: + case Accessibility.ProtectedAndInternal: stubWriter.Write("protected internal "); break; default: @@ -156,7 +156,7 @@ private void StubModifiers(ISymbol symbol, bool skipAccessibility = false) stubWriter.Write("extern "); } - public void StubTypedConstant(TypedConstant c) + private void StubTypedConstant(TypedConstant c) { switch (c.Kind) { @@ -221,7 +221,9 @@ private void StubAttribute(AttributeData a, string prefix) if (!attributeAllowList.Contains(qualifiedName)) return; - stubWriter.Write($"[{prefix}{qualifiedName.AsSpan(0, @class.GetQualifiedName().Length - 9)}"); + if (qualifiedName.EndsWith("Attribute")) + qualifiedName = qualifiedName[..^9]; + stubWriter.Write($"[{prefix}{qualifiedName}"); if (a.ConstructorArguments.Any()) { stubWriter.Write("("); @@ -295,12 +297,8 @@ private static bool IsUnsafe(ITypeSymbol symbol) => "volatile", "while" }; - private static string EscapeIdentifier(string identifier) - { - if (keywords.Contains(identifier)) - return "@" + identifier; - return identifier; - } + private static string EscapeIdentifier(string identifier) => + keywords.Contains(identifier) ? "@" + identifier : identifier; public override void VisitField(IFieldSymbol symbol) { @@ -739,7 +737,7 @@ public override void VisitNamedType(INamedTypeSymbol symbol) else { var seenCtor = false; - foreach (var childSymbol in symbol.GetMembers()) + foreach (var childSymbol in symbol.GetMembers().OrderBy(m => m.GetName())) { seenCtor |= childSymbol is IMethodSymbol method && method.MethodKind == MethodKind.Constructor; childSymbol.Accept(this); @@ -768,7 +766,7 @@ public override void VisitNamespace(INamespaceSymbol symbol) if (!isGlobal) stubWriter.WriteLine($"namespace {symbol.Name} {{"); - foreach (var childSymbol in symbol.GetMembers()) + foreach (var childSymbol in symbol.GetMembers().OrderBy(m => m.GetName())) { childSymbol.Accept(this); } diff --git a/csharp/extractor/Semmle.Util/MemoizedFunc.cs b/csharp/extractor/Semmle.Util/MemoizedFunc.cs index 1db2c89b1e06..f2018df8bb71 100644 --- a/csharp/extractor/Semmle.Util/MemoizedFunc.cs +++ b/csharp/extractor/Semmle.Util/MemoizedFunc.cs @@ -14,17 +14,14 @@ public MemoizedFunc(Func f) this.f = f; } - public T2 this[T1 s] + public T2 Invoke(T1 s) { - get + if (!cache.TryGetValue(s, out var t)) { - if (!cache.TryGetValue(s, out var t)) - { - t = f(s); - cache[s] = t; - } - return t; + t = f(s); + cache[s] = t; } + return t; } } @@ -38,11 +35,5 @@ public ConcurrentMemoizedFunc(Func f) this.f = f; } - public T2 this[T1 s] - { - get - { - return cache.GetOrAdd(s, f); - } - } + public T2 Invoke(T1 s) => cache.GetOrAdd(s, f); } \ No newline at end of file From 4805e2a47b6b622705f4e122f5a953cdce080499 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Thu, 21 Sep 2023 14:01:15 +0200 Subject: [PATCH 10/12] Address more review comments --- .../StubGenerator.cs | 17 +- .../StubVisitor.cs | 285 +++++++++--------- 2 files changed, 160 insertions(+), 142 deletions(-) diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs index 0b62ead8619b..8f4e51572a7d 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs @@ -56,13 +56,20 @@ private static void StubReference(ILogger logger, CSharpCompilation compilation, if (compilation.GetAssemblyOrModuleSymbol(reference) is not IAssemblySymbol assembly) return; - using var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); - using var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); + Func makeWriter = () => + { + var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); + var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); + return writer; + }; + + using var visitor = new StubVisitor(assembly, makeWriter); - writer.WriteLine("// This file contains auto-generated code."); - writer.WriteLine($"// Generated from `{assembly.Identity}`."); + if (!assembly.Modules.Any(m => visitor.IsRelevantNamespace(m.GlobalNamespace))) + return; - var visitor = new StubVisitor(assembly, writer); + visitor.StubWriter.WriteLine("// This file contains auto-generated code."); + visitor.StubWriter.WriteLine($"// Generated from `{assembly.Identity}`."); visitor.StubAttributes(assembly.GetAttributes(), "assembly: "); diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs index 8e709e162c65..831d6d04081b 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs @@ -8,16 +8,17 @@ namespace Semmle.Extraction.CSharp.StubGenerator; -internal sealed class StubVisitor : SymbolVisitor +internal sealed class StubVisitor : SymbolVisitor, IDisposable { private readonly IAssemblySymbol assembly; - private readonly TextWriter stubWriter; + private readonly Lazy stubWriterLazy; + public TextWriter StubWriter => stubWriterLazy.Value; private readonly MemoizedFunc isRelevantNamespace; - public StubVisitor(IAssemblySymbol assembly, TextWriter stubWriter) + public StubVisitor(IAssemblySymbol assembly, Func makeStubWriter) { this.assembly = assembly; - this.stubWriter = stubWriter; + this.stubWriterLazy = new(makeStubWriter); this.isRelevantNamespace = new(symbol => symbol.GetTypeMembers().Any(IsRelevantNamedType) || symbol.GetNamespaceMembers().Any(IsRelevantNamespace)); @@ -36,7 +37,7 @@ private bool IsRelevantNamedType(INamedTypeSymbol symbol) => IsRelevantBaseType(symbol) && SymbolEqualityComparer.Default.Equals(symbol.ContainingAssembly, assembly); - private bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace.Invoke(symbol); + public bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace.Invoke(symbol); private void StubExplicitInterface(ISymbol symbol, ISymbol? explicitInterfaceSymbol, bool writeName = true) { @@ -85,14 +86,14 @@ t2 is IPointerTypeSymbol pointer2 && explicitInterfaceType = symbol.ContainingType.Interfaces.First(i => ContainsTupleType(i) && EqualsModuloTupleElementNames(i, explicitInterfaceSymbol.ContainingType)); } - stubWriter.Write(explicitInterfaceType.GetQualifiedName()); - stubWriter.Write('.'); + StubWriter.Write(explicitInterfaceType.GetQualifiedName()); + StubWriter.Write('.'); if (writeName) - stubWriter.Write(explicitInterfaceSymbol.GetName()); + StubWriter.Write(explicitInterfaceSymbol.GetName()); } else if (writeName) { - stubWriter.Write(symbol.GetName()); + StubWriter.Write(symbol.GetName()); } } @@ -101,19 +102,19 @@ private void StubAccessibility(Accessibility accessibility) switch (accessibility) { case Accessibility.Public: - stubWriter.Write("public "); + StubWriter.Write("public "); break; case Accessibility.Protected or Accessibility.ProtectedOrInternal: - stubWriter.Write("protected "); + StubWriter.Write("protected "); break; case Accessibility.Internal: - stubWriter.Write("internal "); + StubWriter.Write("internal "); break; case Accessibility.ProtectedAndInternal: - stubWriter.Write("protected internal "); + StubWriter.Write("protected internal "); break; default: - stubWriter.Write($"/* TODO: {accessibility} */"); + StubWriter.Write($"/* TODO: {accessibility} */"); break; } } @@ -137,23 +138,23 @@ private void StubModifiers(ISymbol symbol, bool skipAccessibility = false) // exclude non-static interface members (symbol.ContainingType is not INamedTypeSymbol containingType || containingType.TypeKind != TypeKind.Interface || symbol.IsStatic)) { - stubWriter.Write("abstract "); + StubWriter.Write("abstract "); } } - if (symbol.IsStatic) - stubWriter.Write("static "); + if (symbol.IsStatic && !(symbol is IFieldSymbol field && field.IsConst)) + StubWriter.Write("static "); if (symbol.IsVirtual) - stubWriter.Write("virtual "); + StubWriter.Write("virtual "); if (symbol.IsOverride) - stubWriter.Write("override "); + StubWriter.Write("override "); if (symbol.IsSealed) { if (!(symbol is INamedTypeSymbol type && (type.TypeKind == TypeKind.Enum || type.TypeKind == TypeKind.Delegate || type.TypeKind == TypeKind.Struct))) - stubWriter.Write("sealed "); + StubWriter.Write("sealed "); } if (symbol.IsExtern) - stubWriter.Write("extern "); + StubWriter.Write("extern "); } private void StubTypedConstant(TypedConstant c) @@ -163,47 +164,47 @@ private void StubTypedConstant(TypedConstant c) case TypedConstantKind.Primitive: if (c.Value is string s) { - stubWriter.Write($"\"{s}\""); + StubWriter.Write($"\"{s}\""); } else if (c.Value is char ch) { - stubWriter.Write($"'{ch}'"); + StubWriter.Write($"'{ch}'"); } else if (c.Value is bool b) { - stubWriter.Write(b ? "true" : "false"); + StubWriter.Write(b ? "true" : "false"); } else if (c.Value is int i) { - stubWriter.Write(i); + StubWriter.Write(i); } else if (c.Value is long l) { - stubWriter.Write(l); + StubWriter.Write(l); } else if (c.Value is float f) { - stubWriter.Write(f); + StubWriter.Write(f); } else if (c.Value is double d) { - stubWriter.Write(d); + StubWriter.Write(d); } else { - stubWriter.Write("throw null"); + StubWriter.Write("throw null"); } break; case TypedConstantKind.Enum: - stubWriter.Write("throw null"); + StubWriter.Write("throw null"); break; case TypedConstantKind.Array: - stubWriter.Write("new []{"); + StubWriter.Write("new []{"); WriteCommaSep(c.Values, StubTypedConstant); - stubWriter.Write("}"); + StubWriter.Write("}"); break; default: - stubWriter.Write($"/* TODO: {c.Kind} */ throw null"); + StubWriter.Write($"/* TODO: {c.Kind} */ throw null"); break; } } @@ -223,14 +224,14 @@ private void StubAttribute(AttributeData a, string prefix) if (qualifiedName.EndsWith("Attribute")) qualifiedName = qualifiedName[..^9]; - stubWriter.Write($"[{prefix}{qualifiedName}"); + StubWriter.Write($"[{prefix}{qualifiedName}"); if (a.ConstructorArguments.Any()) { - stubWriter.Write("("); + StubWriter.Write("("); WriteCommaSep(a.ConstructorArguments, StubTypedConstant); - stubWriter.Write(")"); + StubWriter.Write(")"); } - stubWriter.WriteLine("]"); + StubWriter.WriteLine("]"); } public void StubAttributes(IEnumerable a, string prefix = "") @@ -246,18 +247,23 @@ private void StubEvent(IEventSymbol symbol, IEventSymbol? explicitInterfaceSymbo StubAttributes(symbol.GetAttributes()); StubModifiers(symbol, explicitInterfaceSymbol is not null); - stubWriter.Write("event "); - stubWriter.Write(symbol.Type.GetQualifiedName()); - stubWriter.Write(" "); + StubWriter.Write("event "); + StubWriter.Write(symbol.Type.GetQualifiedName()); + StubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol); - stubWriter.Write(" { "); - if (symbol.AddMethod is not null) - stubWriter.Write("add {} "); - if (symbol.RemoveMethod is not null) - stubWriter.Write("remove {} "); - stubWriter.WriteLine("}"); + if (explicitInterfaceSymbol is null) + { + StubWriter.WriteLine(";"); + } + else + { + StubWriter.Write(" { "); + StubWriter.Write("add {} "); + StubWriter.Write("remove {} "); + StubWriter.WriteLine("}"); + } } private static T[] FilterExplicitInterfaceImplementations(IEnumerable explicitInterfaceImplementations) where T : ISymbol => @@ -309,15 +315,20 @@ public override void VisitField(IFieldSymbol symbol) StubModifiers(symbol); + if (symbol.IsConst) + StubWriter.Write("const "); + if (IsUnsafe(symbol.Type)) { - stubWriter.Write("unsafe "); + StubWriter.Write("unsafe "); } - stubWriter.Write(symbol.Type.GetQualifiedName()); - stubWriter.Write(" "); - stubWriter.Write(EscapeIdentifier(symbol.Name)); - stubWriter.WriteLine(";"); + StubWriter.Write(symbol.Type.GetQualifiedName()); + StubWriter.Write(" "); + StubWriter.Write(EscapeIdentifier(symbol.Name)); + if (symbol.IsConst) + StubWriter.Write(" = default"); + StubWriter.WriteLine(";"); } private void WriteCommaSep(IEnumerable items, Action writeItem) @@ -327,7 +338,7 @@ private void WriteCommaSep(IEnumerable items, Action writeItem) { if (!first) { - stubWriter.Write(", "); + StubWriter.Write(", "); } writeItem(item); first = false; @@ -336,7 +347,7 @@ private void WriteCommaSep(IEnumerable items, Action writeItem) private void WriteStringCommaSep(IEnumerable items, Func writeItem) { - WriteCommaSep(items, item => stubWriter.Write(writeItem(item))); + WriteCommaSep(items, item => StubWriter.Write(writeItem(item))); } private void StubTypeParameters(IEnumerable typeParameters) @@ -344,9 +355,9 @@ private void StubTypeParameters(IEnumerable typeParameters if (!typeParameters.Any()) return; - stubWriter.Write('<'); + StubWriter.Write('<'); WriteStringCommaSep(typeParameters, typeParameter => typeParameter.Name); - stubWriter.Write('>'); + StubWriter.Write('>'); } private void StubTypeParameterConstraints(IEnumerable typeParameters) @@ -366,11 +377,11 @@ void WriteTypeParameterConstraint(Action a) { if (firstTypeParameterConstraint) { - stubWriter.Write($" where {typeParameter.Name} : "); + StubWriter.Write($" where {typeParameter.Name} : "); } else { - stubWriter.Write(", "); + StubWriter.Write(", "); } a(); firstTypeParameterConstraint = false; @@ -378,14 +389,14 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasReferenceTypeConstraint) { - WriteTypeParameterConstraint(() => stubWriter.Write("class")); + WriteTypeParameterConstraint(() => StubWriter.Write("class")); } if (typeParameter.HasValueTypeConstraint && !typeParameter.HasUnmanagedTypeConstraint && !typeParameter.ConstraintTypes.Any(t => t.GetQualifiedName() is "System.Enum")) { - WriteTypeParameterConstraint(() => stubWriter.Write("struct")); + WriteTypeParameterConstraint(() => StubWriter.Write("struct")); } if (inheritsConstraints) @@ -393,7 +404,7 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasUnmanagedTypeConstraint) { - WriteTypeParameterConstraint(() => stubWriter.Write("unmanaged")); + WriteTypeParameterConstraint(() => StubWriter.Write("unmanaged")); } var constraintTypes = typeParameter.ConstraintTypes.Select(t => t.GetQualifiedName()).Where(s => s is not "").ToArray(); @@ -407,7 +418,7 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasConstructorConstraint) { - WriteTypeParameterConstraint(() => stubWriter.Write("new()")); + WriteTypeParameterConstraint(() => StubWriter.Write("new()")); } } } @@ -445,7 +456,7 @@ void WriteTypeParameterConstraint(Action a) c.DeclaredAccessibility == Accessibility.ProtectedOrInternal || containingTypes.Contains(c.ContainingType) ). - OrderBy(c => c.Parameters.Length).FirstOrDefault(); + MinBy(c => c.Parameters.Length); return baseCtor?.Parameters.Length > 0 ? baseCtor : null; } @@ -467,30 +478,30 @@ private void StubParameters(ICollection parameters) case RefKind.None: break; case RefKind.Ref: - stubWriter.Write("ref "); + StubWriter.Write("ref "); break; case RefKind.Out: - stubWriter.Write("out "); + StubWriter.Write("out "); break; case RefKind.In: - stubWriter.Write("in "); + StubWriter.Write("in "); break; default: - stubWriter.Write($"/* TODO: {parameter.RefKind} */"); + StubWriter.Write($"/* TODO: {parameter.RefKind} */"); break; } if (parameter.IsParams) - stubWriter.Write("params "); + StubWriter.Write("params "); - stubWriter.Write(parameter.Type.GetQualifiedName()); - stubWriter.Write(" "); - stubWriter.Write(EscapeIdentifier(parameter.Name)); + StubWriter.Write(parameter.Type.GetQualifiedName()); + StubWriter.Write(" "); + StubWriter.Write(EscapeIdentifier(parameter.Name)); if (parameter.HasExplicitDefaultValue) { - stubWriter.Write(" = "); - stubWriter.Write($"default({parameter.Type.GetQualifiedName()})"); + StubWriter.Write(" = "); + StubWriter.Write($"default({parameter.Type.GetQualifiedName()})"); } }); } @@ -515,93 +526,88 @@ private void StubMethod(IMethodSymbol symbol, IMethodSymbol? explicitInterfaceSy if (IsUnsafe(symbol.ReturnType) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) { - stubWriter.Write("unsafe "); - } - - if (explicitInterfaceSymbol is null && symbol.DeclaredAccessibility == Accessibility.Private) - { - stubWriter.Write("public "); + StubWriter.Write("unsafe "); } if (methodKind == MethodKind.Constructor) { - stubWriter.Write(symbol.ContainingType.Name); + StubWriter.Write(symbol.ContainingType.Name); } else if (methodKind == MethodKind.Conversion) { if (!symbol.TryGetOperatorSymbol(out var operatorName)) { - stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + StubWriter.WriteLine($"/* TODO: {symbol.Name} */"); return; } switch (operatorName) { case "explicit conversion": - stubWriter.Write("explicit operator "); + StubWriter.Write("explicit operator "); break; case "checked explicit conversion": - stubWriter.Write("explicit operator checked "); + StubWriter.Write("explicit operator checked "); break; case "implicit conversion": - stubWriter.Write("implicit operator "); + StubWriter.Write("implicit operator "); break; case "checked implicit conversion": - stubWriter.Write("implicit operator checked "); + StubWriter.Write("implicit operator checked "); break; default: - stubWriter.Write($"/* TODO: {symbol.Name} */"); + StubWriter.Write($"/* TODO: {symbol.Name} */"); break; } - stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + StubWriter.Write(symbol.ReturnType.GetQualifiedName()); } else if (methodKind == MethodKind.UserDefinedOperator) { if (!symbol.TryGetOperatorSymbol(out var operatorName)) { - stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + StubWriter.WriteLine($"/* TODO: {symbol.Name} */"); return; } - stubWriter.Write(symbol.ReturnType.GetQualifiedName()); - stubWriter.Write(" "); + StubWriter.Write(symbol.ReturnType.GetQualifiedName()); + StubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); - stubWriter.Write("operator "); - stubWriter.Write(operatorName); + StubWriter.Write("operator "); + StubWriter.Write(operatorName); } else { - stubWriter.Write(symbol.ReturnType.GetQualifiedName()); - stubWriter.Write(" "); + StubWriter.Write(symbol.ReturnType.GetQualifiedName()); + StubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol); StubTypeParameters(symbol.TypeParameters); } - stubWriter.Write("("); + StubWriter.Write("("); if (symbol.IsExtensionMethod) { - stubWriter.Write("this "); + StubWriter.Write("this "); } StubParameters(symbol.Parameters); - stubWriter.Write(")"); + StubWriter.Write(")"); if (baseCtor is not null) { - stubWriter.Write(" : base("); + StubWriter.Write(" : base("); WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); - stubWriter.Write(")"); + StubWriter.Write(")"); } StubTypeParameterConstraints(symbol.TypeParameters); if (symbol.IsAbstract) - stubWriter.WriteLine(";"); + StubWriter.WriteLine(";"); else - stubWriter.WriteLine(" => throw null;"); + StubWriter.WriteLine(" => throw null;"); } public override void VisitMethod(IMethodSymbol symbol) @@ -648,18 +654,18 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (IsUnsafe(invokeMethod.ReturnType) || invokeMethod.Parameters.Any(p => IsUnsafe(p.Type))) { - stubWriter.Write("unsafe "); + StubWriter.Write("unsafe "); } - stubWriter.Write("delegate "); - stubWriter.Write(invokeMethod.ReturnType.GetQualifiedName()); - stubWriter.Write($" {symbol.Name}"); + StubWriter.Write("delegate "); + StubWriter.Write(invokeMethod.ReturnType.GetQualifiedName()); + StubWriter.Write($" {symbol.Name}"); StubTypeParameters(symbol.TypeParameters); - stubWriter.Write("("); + StubWriter.Write("("); StubParameters(invokeMethod.Parameters); - stubWriter.Write(")"); + StubWriter.Write(")"); StubTypeParameterConstraints(symbol.TypeParameters); - stubWriter.WriteLine(";"); + StubWriter.WriteLine(";"); return; } @@ -671,29 +677,29 @@ public override void VisitNamedType(INamedTypeSymbol symbol) // certain classes, such as `Microsoft.Extensions.Logging.LoggingBuilderExtensions` // exist in multiple assemblies, so make them partial if (symbol.IsStatic && symbol.Name.EndsWith("Extensions")) - stubWriter.Write("partial "); - stubWriter.Write("class "); + StubWriter.Write("partial "); + StubWriter.Write("class "); break; case TypeKind.Enum: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - stubWriter.Write("enum "); + StubWriter.Write("enum "); break; case TypeKind.Interface: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - stubWriter.Write("interface "); + StubWriter.Write("interface "); break; case TypeKind.Struct: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - stubWriter.Write("struct "); + StubWriter.Write("struct "); break; default: return; } - stubWriter.Write(symbol.Name); + StubWriter.Write(symbol.Name); StubTypeParameters(symbol.TypeParameters); @@ -701,13 +707,13 @@ public override void VisitNamedType(INamedTypeSymbol symbol) { if (symbol.EnumUnderlyingType is INamedTypeSymbol enumBase && enumBase.SpecialType != SpecialType.System_Int32) { - stubWriter.Write(" : "); - stubWriter.Write(enumBase.GetQualifiedName()); + StubWriter.Write(" : "); + StubWriter.Write(enumBase.GetQualifiedName()); } } else { - var bases = symbol.Interfaces.Where(IsRelevantBaseType).ToList(); + var bases = symbol.Interfaces.Where(IsRelevantBaseType).OrderBy(i => i.GetName()).ToList(); if (GetBaseType(symbol) is INamedTypeSymbol @base && IsRelevantBaseType(@base)) { bases.Insert(0, @base); @@ -715,23 +721,23 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (bases.Any()) { - stubWriter.Write(" : "); + StubWriter.Write(" : "); WriteStringCommaSep(bases, b => b.GetQualifiedName()); } } StubTypeParameterConstraints(symbol.TypeParameters); - stubWriter.WriteLine(" {"); + StubWriter.WriteLine(" {"); if (symbol.TypeKind == TypeKind.Enum) { foreach (var field in symbol.GetMembers().OfType().Where(field => field.ConstantValue is not null)) { - stubWriter.Write(field.Name); - stubWriter.Write(" = "); - stubWriter.Write(field.ConstantValue); - stubWriter.WriteLine(","); + StubWriter.Write(field.Name); + StubWriter.Write(" = "); + StubWriter.Write(field.ConstantValue); + StubWriter.WriteLine(","); } } else @@ -745,13 +751,13 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (!seenCtor && GetBaseConstructor(symbol) is IMethodSymbol baseCtor) { - stubWriter.Write($"internal {symbol.Name}() : base("); + StubWriter.Write($"internal {symbol.Name}() : base("); WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); - stubWriter.WriteLine(") {}"); + StubWriter.WriteLine(") {}"); } } - stubWriter.WriteLine("}"); + StubWriter.WriteLine("}"); } public override void VisitNamespace(INamespaceSymbol symbol) @@ -764,7 +770,7 @@ public override void VisitNamespace(INamespaceSymbol symbol) var isGlobal = symbol.IsGlobalNamespace; if (!isGlobal) - stubWriter.WriteLine($"namespace {symbol.Name} {{"); + StubWriter.WriteLine($"namespace {symbol.Name} {{"); foreach (var childSymbol in symbol.GetMembers().OrderBy(m => m.GetName())) { @@ -772,7 +778,7 @@ public override void VisitNamespace(INamespaceSymbol symbol) } if (!isGlobal) - stubWriter.WriteLine("}"); + StubWriter.WriteLine("}"); } private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInterfaceSymbol) @@ -781,7 +787,7 @@ private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInter { var name = symbol.GetName(useMetadataName: true); if (name is not "Item" && explicitInterfaceSymbol is null) - stubWriter.WriteLine($"[System.Runtime.CompilerServices.IndexerName(\"{name}\")]"); + StubWriter.WriteLine($"[System.Runtime.CompilerServices.IndexerName(\"{name}\")]"); } StubAttributes(symbol.GetAttributes()); @@ -789,30 +795,30 @@ private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInter if (IsUnsafe(symbol.Type) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) { - stubWriter.Write("unsafe "); + StubWriter.Write("unsafe "); } - stubWriter.Write(symbol.Type.GetQualifiedName()); - stubWriter.Write(" "); + StubWriter.Write(symbol.Type.GetQualifiedName()); + StubWriter.Write(" "); if (symbol.Parameters.Any()) { StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); - stubWriter.Write("this["); + StubWriter.Write("this["); StubParameters(symbol.Parameters); - stubWriter.Write("]"); + StubWriter.Write("]"); } else { StubExplicitInterface(symbol, explicitInterfaceSymbol); } - stubWriter.Write(" { "); + StubWriter.Write(" { "); if (symbol.GetMethod is not null) - stubWriter.Write(symbol.IsAbstract ? "get; " : "get => throw null; "); + StubWriter.Write(symbol.IsAbstract ? "get; " : "get => throw null; "); if (symbol.SetMethod is not null) - stubWriter.Write(symbol.IsAbstract ? "set; " : "set {} "); - stubWriter.WriteLine("}"); + StubWriter.Write(symbol.IsAbstract ? "set; " : "set {} "); + StubWriter.WriteLine("}"); } public override void VisitProperty(IPropertySymbol symbol) @@ -830,4 +836,9 @@ public override void VisitProperty(IPropertySymbol symbol) if (explicitInterfaceImplementations.Length == 0) StubProperty(symbol, null); } + + public void Dispose() + { + StubWriter.Dispose(); + } } \ No newline at end of file From f07d02be96775d05d19ca89f1330871e8d2f2285 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Thu, 21 Sep 2023 14:30:48 +0200 Subject: [PATCH 11/12] Regenerate stubs --- .../Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs | 26 +- ....AspNetCore.Authentication.Abstractions.cs | 2 +- ...osoft.AspNetCore.Authentication.Cookies.cs | 4 +- .../Microsoft.AspNetCore.Authentication.cs | 6 +- ...oft.AspNetCore.Components.Authorization.cs | 2 +- .../Microsoft.AspNetCore.Components.Forms.cs | 6 +- .../Microsoft.AspNetCore.Components.Server.cs | 2 +- .../Microsoft.AspNetCore.Components.Web.cs | 2 +- .../Microsoft.AspNetCore.Components.cs | 10 +- ...oft.AspNetCore.Connections.Abstractions.cs | 4 +- .../Microsoft.AspNetCore.Cors.cs | 6 +- ...rosoft.AspNetCore.Cryptography.Internal.cs | 2 - ...ft.AspNetCore.DataProtection.Extensions.cs | 2 +- .../Microsoft.AspNetCore.DataProtection.cs | 4 +- .../Microsoft.AspNetCore.Diagnostics.cs | 2 +- .../Microsoft.AspNetCore.Html.Abstractions.cs | 4 +- .../Microsoft.AspNetCore.Http.Abstractions.cs | 138 +++---- .../Microsoft.AspNetCore.Http.Features.cs | 4 +- .../Microsoft.AspNetCore.Http.Results.cs | 68 ++-- .../Microsoft.AspNetCore.Http.cs | 24 +- .../Microsoft.AspNetCore.Identity.cs | 2 +- .../Microsoft.AspNetCore.Mvc.Abstractions.cs | 14 +- .../Microsoft.AspNetCore.Mvc.Core.cs | 130 +++---- ...icrosoft.AspNetCore.Mvc.Formatters.Json.cs | 2 - ...Microsoft.AspNetCore.Mvc.Formatters.Xml.cs | 6 +- .../Microsoft.AspNetCore.Mvc.Localization.cs | 2 +- .../Microsoft.AspNetCore.Mvc.Razor.cs | 4 +- .../Microsoft.AspNetCore.Mvc.RazorPages.cs | 28 +- .../Microsoft.AspNetCore.Mvc.ViewFeatures.cs | 36 +- .../Microsoft.AspNetCore.Razor.cs | 10 +- .../Microsoft.AspNetCore.Routing.cs | 52 +-- .../Microsoft.AspNetCore.Server.HttpSys.cs | 2 +- .../Microsoft.AspNetCore.Server.IIS.cs | 2 +- ...rosoft.AspNetCore.Server.IISIntegration.cs | 6 +- ...icrosoft.AspNetCore.Server.Kestrel.Core.cs | 2 +- .../Microsoft.AspNetCore.SignalR.Common.cs | 14 +- .../Microsoft.AspNetCore.SignalR.Core.cs | 2 +- .../Microsoft.AspNetCore.SignalR.cs | 2 +- .../Microsoft.AspNetCore.WebUtilities.cs | 10 +- .../Microsoft.AspNetCore.cs | 4 +- .../Microsoft.Extensions.Caching.Memory.cs | 2 +- ...nsions.DependencyInjection.Abstractions.cs | 4 +- .../Microsoft.Extensions.Features.cs | 2 +- ...osoft.Extensions.FileProviders.Physical.cs | 2 +- ...crosoft.Extensions.Hosting.Abstractions.cs | 2 +- .../Microsoft.Extensions.Hosting.cs | 2 +- .../Microsoft.Extensions.Identity.Core.cs | 38 +- .../Microsoft.Extensions.Identity.Stores.cs | 6 +- ...crosoft.Extensions.Logging.Abstractions.cs | 4 +- .../Microsoft.Extensions.Logging.Console.cs | 8 +- .../Microsoft.Extensions.Logging.Debug.cs | 2 +- .../Microsoft.Extensions.Logging.EventLog.cs | 2 +- ...icrosoft.Extensions.Logging.EventSource.cs | 10 +- ...icrosoft.Extensions.Logging.TraceSource.cs | 2 +- .../Microsoft.Extensions.Logging.cs | 2 +- .../Microsoft.Extensions.Options.cs | 2 +- .../Microsoft.Extensions.Primitives.cs | 6 +- .../Microsoft.JSInterop.cs | 12 +- .../Microsoft.Net.Http.Headers.cs | 4 +- .../System.Diagnostics.EventLog.cs | 4 +- .../System.Security.Cryptography.Xml.cs | 82 ++-- .../Microsoft.VisualBasic.Core.cs | 224 +++++------ .../Microsoft.VisualBasic.cs | 2 - .../System.AppContext.cs | 2 - .../Microsoft.NETCore.App/System.Buffers.cs | 2 - .../System.Collections.Concurrent.cs | 12 +- .../System.Collections.Immutable.cs | 30 +- .../System.Collections.NonGeneric.cs | 8 +- .../System.Collections.Specialized.cs | 10 +- .../System.Collections.cs | 56 +-- .../System.ComponentModel.DataAnnotations.cs | 2 - .../System.ComponentModel.EventBasedAsync.cs | 6 +- .../System.ComponentModel.Primitives.cs | 4 +- .../System.ComponentModel.TypeConverter.cs | 72 ++-- .../System.Configuration.cs | 2 - .../Microsoft.NETCore.App/System.Console.cs | 2 +- .../Microsoft.NETCore.App/System.Core.cs | 2 - .../System.Data.Common.cs | 108 +++--- .../System.Data.DataSetExtensions.cs | 2 - .../Microsoft.NETCore.App/System.Data.cs | 2 - .../System.Diagnostics.Contracts.cs | 2 +- .../System.Diagnostics.Debug.cs | 2 - .../System.Diagnostics.DiagnosticSource.cs | 10 +- .../System.Diagnostics.Process.cs | 6 +- .../System.Diagnostics.StackTrace.cs | 4 +- .../System.Diagnostics.Tools.cs | 2 - .../System.Diagnostics.TraceSource.cs | 6 +- .../System.Diagnostics.Tracing.cs | 6 +- .../Microsoft.NETCore.App/System.Drawing.cs | 2 - .../System.Dynamic.Runtime.cs | 2 - .../System.Globalization.Calendars.cs | 2 - .../System.Globalization.Extensions.cs | 2 - .../System.Globalization.cs | 2 - .../System.IO.Compression.FileSystem.cs | 2 - .../System.IO.FileSystem.Primitives.cs | 2 - .../System.IO.FileSystem.Watcher.cs | 10 +- .../System.IO.FileSystem.cs | 2 - .../Microsoft.NETCore.App/System.IO.Pipes.cs | 2 +- .../System.IO.UnmanagedMemoryStream.cs | 2 - .../Microsoft.NETCore.App/System.IO.cs | 2 - .../System.Linq.Expressions.cs | 4 +- .../System.Linq.Queryable.cs | 2 +- .../Microsoft.NETCore.App/System.Memory.cs | 4 +- .../Microsoft.NETCore.App/System.Net.Http.cs | 6 +- .../Microsoft.NETCore.App/System.Net.Mail.cs | 34 +- .../System.Net.NetworkInformation.cs | 4 +- .../Microsoft.NETCore.App/System.Net.Ping.cs | 2 +- .../System.Net.Primitives.cs | 14 +- .../System.Net.Requests.cs | 42 +-- .../System.Net.ServicePoint.cs | 4 +- .../System.Net.Sockets.cs | 2 +- .../System.Net.WebClient.cs | 24 +- .../System.Net.WebProxy.cs | 2 +- .../Microsoft.NETCore.App/System.Net.cs | 2 - .../Microsoft.NETCore.App/System.Numerics.cs | 2 - .../System.ObjectModel.cs | 18 +- .../System.Reflection.Emit.cs | 2 +- .../System.Reflection.Extensions.cs | 2 - .../System.Reflection.Metadata.cs | 68 ++-- .../System.Reflection.cs | 2 - .../System.Resources.Reader.cs | 2 - .../System.Resources.ResourceManager.cs | 2 - .../System.Runtime.CompilerServices.Unsafe.cs | 2 - .../System.Runtime.Extensions.cs | 2 - .../System.Runtime.Handles.cs | 2 - ...time.InteropServices.RuntimeInformation.cs | 2 - .../System.Runtime.InteropServices.cs | 6 +- .../System.Runtime.Loader.cs | 6 +- .../System.Runtime.Numerics.cs | 4 +- .../System.Runtime.Serialization.cs | 2 - .../Microsoft.NETCore.App/System.Runtime.cs | 352 +++++++++--------- .../System.Security.Claims.cs | 168 ++++----- ...System.Security.Cryptography.Algorithms.cs | 2 - .../System.Security.Cryptography.Cng.cs | 2 - .../System.Security.Cryptography.Csp.cs | 2 - .../System.Security.Cryptography.Encoding.cs | 2 - .../System.Security.Cryptography.OpenSsl.cs | 2 - ...System.Security.Cryptography.Primitives.cs | 2 - ....Security.Cryptography.X509Certificates.cs | 2 - .../System.Security.Cryptography.cs | 58 +-- .../System.Security.Principal.Windows.cs | 4 +- .../System.Security.Principal.cs | 2 - .../System.Security.SecureString.cs | 2 - .../Microsoft.NETCore.App/System.Security.cs | 2 - .../System.ServiceModel.Web.cs | 2 - .../System.ServiceProcess.cs | 2 - .../System.Text.Encoding.Extensions.cs | 2 +- .../System.Text.Encoding.cs | 2 - .../Microsoft.NETCore.App/System.Text.Json.cs | 6 +- .../System.Text.RegularExpressions.cs | 6 +- .../System.Threading.Tasks.Dataflow.cs | 14 +- .../System.Threading.Tasks.Extensions.cs | 2 - .../System.Threading.Tasks.cs | 2 - .../System.Threading.Timer.cs | 2 - .../Microsoft.NETCore.App/System.Threading.cs | 2 +- .../System.Transactions.Local.cs | 4 +- .../System.Transactions.cs | 2 - .../System.ValueTuple.cs | 2 - .../Microsoft.NETCore.App/System.Web.cs | 2 - .../Microsoft.NETCore.App/System.Windows.cs | 2 - .../Microsoft.NETCore.App/System.Xml.Linq.cs | 2 - .../System.Xml.ReaderWriter.cs | 34 +- .../System.Xml.Serialization.cs | 2 - .../System.Xml.XDocument.cs | 4 +- .../System.Xml.XmlDocument.cs | 2 - .../System.Xml.XmlSerializer.cs | 10 +- .../Microsoft.NETCore.App/System.Xml.cs | 2 - .../Microsoft.NETCore.App/System.cs | 2 - .../Microsoft.NETCore.App/WindowsBase.cs | 2 - .../Microsoft.NETCore.App/mscorlib.cs | 2 - .../Microsoft.NETCore.App/netstandard.cs | 2 - 171 files changed, 1166 insertions(+), 1288 deletions(-) diff --git a/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs b/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs index 910a1ac3b0e8..7e5b33273166 100644 --- a/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs +++ b/csharp/ql/test/resources/stubs/Newtonsoft.Json/13.0.3/Newtonsoft.Json.cs @@ -563,7 +563,7 @@ public class JsonSerializer public T Deserialize(Newtonsoft.Json.JsonReader reader) => throw null; public object Deserialize(Newtonsoft.Json.JsonReader reader, System.Type objectType) => throw null; public virtual System.Collections.IEqualityComparer EqualityComparer { get => throw null; set { } } - public virtual event System.EventHandler Error { add { } remove { } } + public virtual event System.EventHandler Error; public virtual Newtonsoft.Json.FloatFormatHandling FloatFormatHandling { get => throw null; set { } } public virtual Newtonsoft.Json.FloatParseHandling FloatParseHandling { get => throw null; set { } } public virtual Newtonsoft.Json.Formatting Formatting { get => throw null; set { } } @@ -803,7 +803,7 @@ public class JsonValidatingReader : Newtonsoft.Json.JsonReader, Newtonsoft.Json. public Newtonsoft.Json.JsonReader Reader { get => throw null; } public Newtonsoft.Json.Schema.JsonSchema Schema { get => throw null; set { } } public override Newtonsoft.Json.JsonToken TokenType { get => throw null; } - public event Newtonsoft.Json.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event Newtonsoft.Json.Schema.ValidationEventHandler ValidationEventHandler; public override object Value { get => throw null; } public override System.Type ValueType { get => throw null; } } @@ -998,7 +998,7 @@ public interface IJEnumerable : System.Collections.Generic.IEnumerable, Sy { Newtonsoft.Json.Linq.IJEnumerable this[object key] { get; } } - public class JArray : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + public class JArray : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { public void Add(Newtonsoft.Json.Linq.JToken item) => throw null; protected override System.Collections.Generic.IList ChildrenTokens { get => throw null; } @@ -1047,14 +1047,14 @@ public class JConstructor : Newtonsoft.Json.Linq.JContainer public override void WriteTo(Newtonsoft.Json.JsonWriter writer, params Newtonsoft.Json.JsonConverter[] converters) => throw null; public override System.Threading.Tasks.Task WriteToAsync(Newtonsoft.Json.JsonWriter writer, System.Threading.CancellationToken cancellationToken, params Newtonsoft.Json.JsonConverter[] converters) => throw null; } - public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.ComponentModel.ITypedList, System.ComponentModel.IBindingList, System.Collections.ICollection, System.Collections.IList, System.Collections.Specialized.INotifyCollectionChanged + public abstract class JContainer : Newtonsoft.Json.Linq.JToken, System.ComponentModel.IBindingList, System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Specialized.INotifyCollectionChanged, System.ComponentModel.ITypedList { public virtual void Add(object content) => throw null; void System.Collections.Generic.ICollection.Add(Newtonsoft.Json.Linq.JToken item) => throw null; int System.Collections.IList.Add(object value) => throw null; public void AddFirst(object content) => throw null; void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; - public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } remove { } } + public event System.ComponentModel.AddingNewEventHandler AddingNew; object System.ComponentModel.IBindingList.AddNew() => throw null; bool System.ComponentModel.IBindingList.AllowEdit { get => throw null; } bool System.ComponentModel.IBindingList.AllowNew { get => throw null; } @@ -1064,7 +1064,7 @@ public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } rem protected abstract System.Collections.Generic.IList ChildrenTokens { get; } void System.Collections.Generic.ICollection.Clear() => throw null; void System.Collections.IList.Clear() => throw null; - public event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } + public event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; bool System.Collections.Generic.ICollection.Contains(Newtonsoft.Json.Linq.JToken item) => throw null; bool System.Collections.IList.Contains(object value) => throw null; void System.Collections.Generic.ICollection.CopyTo(Newtonsoft.Json.Linq.JToken[] array, int arrayIndex) => throw null; @@ -1090,7 +1090,7 @@ public event System.Collections.Specialized.NotifyCollectionChangedEventHandler Newtonsoft.Json.Linq.JToken System.Collections.Generic.IList.this[int index] { get => throw null; set { } } object System.Collections.IList.this[int index] { get => throw null; set { } } public override Newtonsoft.Json.Linq.JToken Last { get => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged; public void Merge(object content) => throw null; public void Merge(object content, Newtonsoft.Json.Linq.JsonMergeSettings settings) => throw null; protected virtual void OnAddingNew(System.ComponentModel.AddingNewEventArgs e) => throw null; @@ -1112,7 +1112,7 @@ public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } object System.Collections.ICollection.SyncRoot { get => throw null; } public override System.Collections.Generic.IEnumerable Values() => throw null; } - public struct JEnumerable : Newtonsoft.Json.Linq.IJEnumerable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable> where T : Newtonsoft.Json.Linq.JToken + public struct JEnumerable : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable>, Newtonsoft.Json.Linq.IJEnumerable where T : Newtonsoft.Json.Linq.JToken { public JEnumerable(System.Collections.Generic.IEnumerable enumerable) => throw null; public static Newtonsoft.Json.Linq.JEnumerable Empty; @@ -1123,7 +1123,7 @@ public struct JEnumerable : Newtonsoft.Json.Linq.IJEnumerable, System.Coll public override int GetHashCode() => throw null; public Newtonsoft.Json.Linq.IJEnumerable this[object key] { get => throw null; } } - public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.INotifyPropertyChanged, System.ComponentModel.ICustomTypeDescriptor, System.ComponentModel.INotifyPropertyChanging + public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Generic.ICollection>, System.ComponentModel.ICustomTypeDescriptor, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.INotifyPropertyChanged, System.ComponentModel.INotifyPropertyChanging { public void Add(string propertyName, Newtonsoft.Json.Linq.JToken value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -1167,8 +1167,8 @@ public class JObject : Newtonsoft.Json.Linq.JContainer, System.Collections.Gener public System.Collections.Generic.IEnumerable Properties() => throw null; public Newtonsoft.Json.Linq.JProperty Property(string name) => throw null; public Newtonsoft.Json.Linq.JProperty Property(string name, System.StringComparison comparison) => throw null; - public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } - public event System.ComponentModel.PropertyChangingEventHandler PropertyChanging { add { } remove { } } + public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; + public event System.ComponentModel.PropertyChangingEventHandler PropertyChanging; public Newtonsoft.Json.Linq.JEnumerable PropertyValues() => throw null; public bool Remove(string propertyName) => throw null; bool System.Collections.Generic.ICollection>.Remove(System.Collections.Generic.KeyValuePair item) => throw null; @@ -1242,7 +1242,7 @@ public class JsonSelectSettings public bool ErrorWhenNoMatch { get => throw null; set { } } public System.TimeSpan? RegexMatchTimeout { get => throw null; set { } } } - public abstract class JToken : Newtonsoft.Json.Linq.IJEnumerable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, Newtonsoft.Json.IJsonLineInfo, System.ICloneable, System.Dynamic.IDynamicMetaObjectProvider + public abstract class JToken : System.ICloneable, System.Dynamic.IDynamicMetaObjectProvider, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, Newtonsoft.Json.Linq.IJEnumerable, Newtonsoft.Json.IJsonLineInfo { public void AddAfterSelf(object content) => throw null; public void AddAnnotation(object annotation) => throw null; @@ -1464,7 +1464,7 @@ public class JTokenWriter : Newtonsoft.Json.JsonWriter public override void WriteValue(System.Guid value) => throw null; public override void WriteValue(System.Uri value) => throw null; } - public class JValue : Newtonsoft.Json.Linq.JToken, System.IEquatable, System.IFormattable, System.IComparable, System.IComparable, System.IConvertible + public class JValue : Newtonsoft.Json.Linq.JToken, System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable { int System.IComparable.CompareTo(object obj) => throw null; public int CompareTo(Newtonsoft.Json.Linq.JValue obj) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs index 9a152885767d..c451c482ab34 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Abstractions.cs @@ -172,7 +172,7 @@ public interface IAuthenticationService System.Threading.Tasks.Task SignInAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, System.Security.Claims.ClaimsPrincipal principal, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); System.Threading.Tasks.Task SignOutAsync(Microsoft.AspNetCore.Http.HttpContext context, string scheme, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); } - public interface IAuthenticationSignInHandler : Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler + public interface IAuthenticationSignInHandler : Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler { System.Threading.Tasks.Task SignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs index 22de63d9f752..a14a87efaa64 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.Cookies.cs @@ -13,7 +13,7 @@ public class ChunkingCookieManager : Microsoft.AspNetCore.Authentication.Cookies public void AppendResponseCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, string value, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; public int? ChunkSize { get => throw null; set { } } public ChunkingCookieManager() => throw null; - public static int DefaultChunkSize; + public const int DefaultChunkSize = default; public void DeleteCookie(Microsoft.AspNetCore.Http.HttpContext context, string key, Microsoft.AspNetCore.Http.CookieOptions options) => throw null; public string GetRequestCookie(Microsoft.AspNetCore.Http.HttpContext context, string key) => throw null; public bool ThrowForPartialCookies { get => throw null; set { } } @@ -21,7 +21,7 @@ public class ChunkingCookieManager : Microsoft.AspNetCore.Authentication.Cookies public static class CookieAuthenticationDefaults { public static Microsoft.AspNetCore.Http.PathString AccessDeniedPath; - public static string AuthenticationScheme; + public const string AuthenticationScheme = default; public static string CookiePrefix; public static Microsoft.AspNetCore.Http.PathString LoginPath; public static Microsoft.AspNetCore.Http.PathString LogoutPath; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs index 43d69028a161..a614c44c0dc0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Authentication.cs @@ -196,7 +196,7 @@ public class RemoteAuthenticationEvents public virtual System.Threading.Tasks.Task RemoteFailure(Microsoft.AspNetCore.Authentication.RemoteFailureContext context) => throw null; public virtual System.Threading.Tasks.Task TicketReceived(Microsoft.AspNetCore.Authentication.TicketReceivedContext context) => throw null; } - public abstract class RemoteAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationRequestHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() + public abstract class RemoteAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationRequestHandler where TOptions : Microsoft.AspNetCore.Authentication.RemoteAuthenticationOptions, new() { protected override System.Threading.Tasks.Task CreateEventsAsync() => throw null; protected RemoteAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; @@ -260,13 +260,13 @@ public class SecureDataFormat : Microsoft.AspNetCore.Authentication.ISecu public TData Unprotect(string protectedText) => throw null; public TData Unprotect(string protectedText, string purpose) => throw null; } - public abstract class SignInAuthenticationHandler : Microsoft.AspNetCore.Authentication.SignOutAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignInHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() + public abstract class SignInAuthenticationHandler : Microsoft.AspNetCore.Authentication.SignOutAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignInHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() { public SignInAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected abstract System.Threading.Tasks.Task HandleSignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); public virtual System.Threading.Tasks.Task SignInAsync(System.Security.Claims.ClaimsPrincipal user, Microsoft.AspNetCore.Authentication.AuthenticationProperties properties) => throw null; } - public abstract class SignOutAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() + public abstract class SignOutAuthenticationHandler : Microsoft.AspNetCore.Authentication.AuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationHandler, Microsoft.AspNetCore.Authentication.IAuthenticationSignOutHandler where TOptions : Microsoft.AspNetCore.Authentication.AuthenticationSchemeOptions, new() { public SignOutAuthenticationHandler(Microsoft.Extensions.Options.IOptionsMonitor options, Microsoft.Extensions.Logging.ILoggerFactory logger, System.Text.Encodings.Web.UrlEncoder encoder, Microsoft.AspNetCore.Authentication.ISystemClock clock) : base(default(Microsoft.Extensions.Options.IOptionsMonitor), default(Microsoft.Extensions.Logging.ILoggerFactory), default(System.Text.Encodings.Web.UrlEncoder), default(Microsoft.AspNetCore.Authentication.ISystemClock)) => throw null; protected abstract System.Threading.Tasks.Task HandleSignOutAsync(Microsoft.AspNetCore.Authentication.AuthenticationProperties properties); diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs index d270d27e7abd..fd3bdcdfc516 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Authorization.cs @@ -16,7 +16,7 @@ public class AuthenticationState public delegate void AuthenticationStateChangedHandler(System.Threading.Tasks.Task task); public abstract class AuthenticationStateProvider { - public event Microsoft.AspNetCore.Components.Authorization.AuthenticationStateChangedHandler AuthenticationStateChanged { add { } remove { } } + public event Microsoft.AspNetCore.Components.Authorization.AuthenticationStateChangedHandler AuthenticationStateChanged; protected AuthenticationStateProvider() => throw null; public abstract System.Threading.Tasks.Task GetAuthenticationStateAsync(); protected void NotifyAuthenticationStateChanged(System.Threading.Tasks.Task task) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs index f5a415a0da7f..17f5ef3093f6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Forms.cs @@ -31,9 +31,9 @@ public sealed class EditContext public object Model { get => throw null; } public void NotifyFieldChanged(in Microsoft.AspNetCore.Components.Forms.FieldIdentifier fieldIdentifier) => throw null; public void NotifyValidationStateChanged() => throw null; - public event System.EventHandler OnFieldChanged { add { } remove { } } - public event System.EventHandler OnValidationRequested { add { } remove { } } - public event System.EventHandler OnValidationStateChanged { add { } remove { } } + public event System.EventHandler OnFieldChanged; + public event System.EventHandler OnValidationRequested; + public event System.EventHandler OnValidationStateChanged; public Microsoft.AspNetCore.Components.Forms.EditContextProperties Properties { get => throw null; } public bool Validate() => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs index ba78a292a862..34ba99e04cb5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Server.cs @@ -6,7 +6,7 @@ namespace AspNetCore { namespace Builder { - public sealed class ComponentEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class ComponentEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs index 53a5a16fbb37..042e1a767545 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.Web.cs @@ -228,7 +228,7 @@ public class FocusOnNavigate : Microsoft.AspNetCore.Components.ComponentBase public Microsoft.AspNetCore.Components.RouteData RouteData { get => throw null; set { } } public string Selector { get => throw null; set { } } } - public sealed class NavigationLock : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, System.IAsyncDisposable + public sealed class NavigationLock : System.IAsyncDisposable, Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender { void Microsoft.AspNetCore.Components.IComponent.Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; public bool ConfirmExternalNavigation { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs index a929d37089b6..6553e26080ea 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Components.cs @@ -121,7 +121,7 @@ public static class RuntimeHelpers public static T TypeCheck(T value) => throw null; } } - public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleEvent, Microsoft.AspNetCore.Components.IHandleAfterRender + public abstract class ComponentBase : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, Microsoft.AspNetCore.Components.IHandleEvent { void Microsoft.AspNetCore.Components.IComponent.Attach(Microsoft.AspNetCore.Components.RenderHandle renderHandle) => throw null; protected virtual void BuildRenderTree(Microsoft.AspNetCore.Components.Rendering.RenderTreeBuilder builder) => throw null; @@ -388,7 +388,7 @@ public abstract class NavigationManager protected virtual void HandleLocationChangingHandlerException(System.Exception ex, Microsoft.AspNetCore.Components.Routing.LocationChangingContext context) => throw null; public string HistoryEntryState { get => throw null; set { } } protected void Initialize(string baseUri, string uri) => throw null; - public event System.EventHandler LocationChanged { add { } remove { } } + public event System.EventHandler LocationChanged; public void NavigateTo(string uri, bool forceLoad) => throw null; public void NavigateTo(string uri, bool forceLoad = default(bool), bool replace = default(bool)) => throw null; public void NavigateTo(string uri, Microsoft.AspNetCore.Components.NavigationOptions options) => throw null; @@ -561,7 +561,7 @@ public struct RenderBatch public Microsoft.AspNetCore.Components.RenderTree.ArrayRange ReferenceFrames { get => throw null; } public Microsoft.AspNetCore.Components.RenderTree.ArrayRange UpdatedComponents { get => throw null; } } - public abstract class Renderer : System.IDisposable, System.IAsyncDisposable + public abstract class Renderer : System.IAsyncDisposable, System.IDisposable { protected int AssignRootComponentId(Microsoft.AspNetCore.Components.IComponent component) => throw null; public Renderer(System.IServiceProvider serviceProvider, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; @@ -580,7 +580,7 @@ public abstract class Renderer : System.IDisposable, System.IAsyncDisposable protected void RemoveRootComponent(int componentId) => throw null; protected System.Threading.Tasks.Task RenderRootComponentAsync(int componentId) => throw null; protected System.Threading.Tasks.Task RenderRootComponentAsync(int componentId, Microsoft.AspNetCore.Components.ParameterView initialParameters) => throw null; - public event System.UnhandledExceptionEventHandler UnhandledSynchronizationException { add { } remove { } } + public event System.UnhandledExceptionEventHandler UnhandledSynchronizationException; protected abstract System.Threading.Tasks.Task UpdateDisplayAsync(in Microsoft.AspNetCore.Components.RenderTree.RenderBatch renderBatch); } public struct RenderTreeDiff @@ -698,7 +698,7 @@ public sealed class NavigationContext public System.Threading.CancellationToken CancellationToken { get => throw null; } public string Path { get => throw null; } } - public class Router : Microsoft.AspNetCore.Components.IComponent, Microsoft.AspNetCore.Components.IHandleAfterRender, System.IDisposable + public class Router : Microsoft.AspNetCore.Components.IComponent, System.IDisposable, Microsoft.AspNetCore.Components.IHandleAfterRender { public System.Collections.Generic.IEnumerable AdditionalAssemblies { get => throw null; set { } } public System.Reflection.Assembly AppAssembly { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs index 525c941546bd..42dc0d039a03 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Connections.Abstractions.cs @@ -56,7 +56,7 @@ public abstract class ConnectionHandler protected ConnectionHandler() => throw null; public abstract System.Threading.Tasks.Task OnConnectedAsync(Microsoft.AspNetCore.Connections.ConnectionContext connection); } - public class ConnectionItems : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ConnectionItems : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { void System.Collections.Generic.IDictionary.Add(object key, object value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -83,7 +83,7 @@ public class ConnectionResetException : System.IO.IOException public ConnectionResetException(string message) => throw null; public ConnectionResetException(string message, System.Exception inner) => throw null; } - public class DefaultConnectionContext : Microsoft.AspNetCore.Connections.ConnectionContext, Microsoft.AspNetCore.Connections.Features.IConnectionIdFeature, Microsoft.AspNetCore.Connections.Features.IConnectionItemsFeature, Microsoft.AspNetCore.Connections.Features.IConnectionTransportFeature, Microsoft.AspNetCore.Connections.Features.IConnectionUserFeature, Microsoft.AspNetCore.Connections.Features.IConnectionLifetimeFeature, Microsoft.AspNetCore.Connections.Features.IConnectionEndPointFeature + public class DefaultConnectionContext : Microsoft.AspNetCore.Connections.ConnectionContext, Microsoft.AspNetCore.Connections.Features.IConnectionEndPointFeature, Microsoft.AspNetCore.Connections.Features.IConnectionIdFeature, Microsoft.AspNetCore.Connections.Features.IConnectionItemsFeature, Microsoft.AspNetCore.Connections.Features.IConnectionLifetimeFeature, Microsoft.AspNetCore.Connections.Features.IConnectionTransportFeature, Microsoft.AspNetCore.Connections.Features.IConnectionUserFeature { public override void Abort(Microsoft.AspNetCore.Connections.ConnectionAbortedException abortReason) => throw null; public System.IO.Pipelines.IDuplexPipe Application { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs index 4fc77ffddf01..191ace4dc607 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cors.cs @@ -20,16 +20,16 @@ public static partial class CorsMiddlewareExtensions } namespace Cors { - public class CorsPolicyMetadata : Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyMetadata, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata + public class CorsPolicyMetadata : Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.ICorsPolicyMetadata { public CorsPolicyMetadata(Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy policy) => throw null; public Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicy Policy { get => throw null; } } - public class DisableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.IDisableCorsAttribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata + public class DisableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.IDisableCorsAttribute { public DisableCorsAttribute() => throw null; } - public class EnableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.IEnableCorsAttribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata + public class EnableCorsAttribute : System.Attribute, Microsoft.AspNetCore.Cors.Infrastructure.ICorsMetadata, Microsoft.AspNetCore.Cors.Infrastructure.IEnableCorsAttribute { public EnableCorsAttribute() => throw null; public EnableCorsAttribute(string policyName) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs index 90ae7542fd6b..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `Microsoft.AspNetCore.Cryptography.Internal, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs index e7eec5b5d83c..94b2910eb4b5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.Extensions.cs @@ -23,7 +23,7 @@ public static class DataProtectionProvider public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; public static Microsoft.AspNetCore.DataProtection.IDataProtectionProvider Create(System.IO.DirectoryInfo keyDirectory, System.Action setupAction, System.Security.Cryptography.X509Certificates.X509Certificate2 certificate) => throw null; } - public interface ITimeLimitedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtector, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider + public interface ITimeLimitedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider, Microsoft.AspNetCore.DataProtection.IDataProtector { Microsoft.AspNetCore.DataProtection.ITimeLimitedDataProtector CreateProtector(string purpose); byte[] Protect(byte[] plaintext, System.DateTimeOffset expiration); diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs index 7b48e9f2f885..771124d1f355 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.DataProtection.cs @@ -201,7 +201,7 @@ public interface IActivator object CreateInstance(System.Type expectedBaseType, string implementationTypeName); } } - public interface IPersistedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtector, Microsoft.AspNetCore.DataProtection.IDataProtectionProvider + public interface IPersistedDataProtector : Microsoft.AspNetCore.DataProtection.IDataProtectionProvider, Microsoft.AspNetCore.DataProtection.IDataProtector { byte[] DangerousUnprotect(byte[] protectedData, bool ignoreRevocationErrors, out bool requiresMigration, out bool wasRevoked); } @@ -281,7 +281,7 @@ public class KeyManagementOptions public Microsoft.AspNetCore.DataProtection.XmlEncryption.IXmlEncryptor XmlEncryptor { get => throw null; set { } } public Microsoft.AspNetCore.DataProtection.Repositories.IXmlRepository XmlRepository { get => throw null; set { } } } - public sealed class XmlKeyManager : Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyManager, Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager + public sealed class XmlKeyManager : Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager, Microsoft.AspNetCore.DataProtection.KeyManagement.IKeyManager { public Microsoft.AspNetCore.DataProtection.KeyManagement.IKey CreateNewKey(System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; Microsoft.AspNetCore.DataProtection.KeyManagement.IKey Microsoft.AspNetCore.DataProtection.KeyManagement.Internal.IInternalXmlKeyManager.CreateNewKey(System.Guid keyId, System.DateTimeOffset creationDate, System.DateTimeOffset activationDate, System.DateTimeOffset expirationDate) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs index 4e2c6079c2f6..e9510d09a68c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Diagnostics.cs @@ -66,7 +66,7 @@ public class DeveloperExceptionPageMiddleware public DeveloperExceptionPageMiddleware(Microsoft.AspNetCore.Http.RequestDelegate next, Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment, System.Diagnostics.DiagnosticSource diagnosticSource, System.Collections.Generic.IEnumerable filters) => throw null; public System.Threading.Tasks.Task Invoke(Microsoft.AspNetCore.Http.HttpContext context) => throw null; } - public class ExceptionHandlerFeature : Microsoft.AspNetCore.Diagnostics.IExceptionHandlerPathFeature, Microsoft.AspNetCore.Diagnostics.IExceptionHandlerFeature + public class ExceptionHandlerFeature : Microsoft.AspNetCore.Diagnostics.IExceptionHandlerFeature, Microsoft.AspNetCore.Diagnostics.IExceptionHandlerPathFeature { public ExceptionHandlerFeature() => throw null; public Microsoft.AspNetCore.Http.Endpoint Endpoint { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs index 16cf406455d3..2831ac4f3653 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Html.Abstractions.cs @@ -6,7 +6,7 @@ namespace AspNetCore { namespace Html { - public class HtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent + public class HtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer { public Microsoft.AspNetCore.Html.IHtmlContentBuilder Append(string unencoded) => throw null; public Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent htmlContent) => throw null; @@ -51,7 +51,7 @@ public interface IHtmlContent { void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder); } - public interface IHtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent + public interface IHtmlContentBuilder : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer { Microsoft.AspNetCore.Html.IHtmlContentBuilder Append(string unencoded); Microsoft.AspNetCore.Html.IHtmlContentBuilder AppendHtml(Microsoft.AspNetCore.Html.IHtmlContent content); diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs index 84c1761ce5c5..07a76d1afcd1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Abstractions.cs @@ -185,13 +185,13 @@ public static partial class EndpointHttpContextExtensions public static Microsoft.AspNetCore.Http.Endpoint GetEndpoint(this Microsoft.AspNetCore.Http.HttpContext context) => throw null; public static void SetEndpoint(this Microsoft.AspNetCore.Http.HttpContext context, Microsoft.AspNetCore.Http.Endpoint endpoint) => throw null; } - public sealed class EndpointMetadataCollection : System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + public sealed class EndpointMetadataCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public int Count { get => throw null; } public EndpointMetadataCollection(System.Collections.Generic.IEnumerable items) => throw null; public EndpointMetadataCollection(params object[] items) => throw null; public static Microsoft.AspNetCore.Http.EndpointMetadataCollection Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public object Current { get => throw null; } public void Dispose() => throw null; @@ -581,71 +581,71 @@ public static partial class ResponseTrailerExtensions } public static class StatusCodes { - public static int Status100Continue; - public static int Status101SwitchingProtocols; - public static int Status102Processing; - public static int Status200OK; - public static int Status201Created; - public static int Status202Accepted; - public static int Status203NonAuthoritative; - public static int Status204NoContent; - public static int Status205ResetContent; - public static int Status206PartialContent; - public static int Status207MultiStatus; - public static int Status208AlreadyReported; - public static int Status226IMUsed; - public static int Status300MultipleChoices; - public static int Status301MovedPermanently; - public static int Status302Found; - public static int Status303SeeOther; - public static int Status304NotModified; - public static int Status305UseProxy; - public static int Status306SwitchProxy; - public static int Status307TemporaryRedirect; - public static int Status308PermanentRedirect; - public static int Status400BadRequest; - public static int Status401Unauthorized; - public static int Status402PaymentRequired; - public static int Status403Forbidden; - public static int Status404NotFound; - public static int Status405MethodNotAllowed; - public static int Status406NotAcceptable; - public static int Status407ProxyAuthenticationRequired; - public static int Status408RequestTimeout; - public static int Status409Conflict; - public static int Status410Gone; - public static int Status411LengthRequired; - public static int Status412PreconditionFailed; - public static int Status413PayloadTooLarge; - public static int Status413RequestEntityTooLarge; - public static int Status414RequestUriTooLong; - public static int Status414UriTooLong; - public static int Status415UnsupportedMediaType; - public static int Status416RangeNotSatisfiable; - public static int Status416RequestedRangeNotSatisfiable; - public static int Status417ExpectationFailed; - public static int Status418ImATeapot; - public static int Status419AuthenticationTimeout; - public static int Status421MisdirectedRequest; - public static int Status422UnprocessableEntity; - public static int Status423Locked; - public static int Status424FailedDependency; - public static int Status426UpgradeRequired; - public static int Status428PreconditionRequired; - public static int Status429TooManyRequests; - public static int Status431RequestHeaderFieldsTooLarge; - public static int Status451UnavailableForLegalReasons; - public static int Status500InternalServerError; - public static int Status501NotImplemented; - public static int Status502BadGateway; - public static int Status503ServiceUnavailable; - public static int Status504GatewayTimeout; - public static int Status505HttpVersionNotsupported; - public static int Status506VariantAlsoNegotiates; - public static int Status507InsufficientStorage; - public static int Status508LoopDetected; - public static int Status510NotExtended; - public static int Status511NetworkAuthenticationRequired; + public const int Status100Continue = default; + public const int Status101SwitchingProtocols = default; + public const int Status102Processing = default; + public const int Status200OK = default; + public const int Status201Created = default; + public const int Status202Accepted = default; + public const int Status203NonAuthoritative = default; + public const int Status204NoContent = default; + public const int Status205ResetContent = default; + public const int Status206PartialContent = default; + public const int Status207MultiStatus = default; + public const int Status208AlreadyReported = default; + public const int Status226IMUsed = default; + public const int Status300MultipleChoices = default; + public const int Status301MovedPermanently = default; + public const int Status302Found = default; + public const int Status303SeeOther = default; + public const int Status304NotModified = default; + public const int Status305UseProxy = default; + public const int Status306SwitchProxy = default; + public const int Status307TemporaryRedirect = default; + public const int Status308PermanentRedirect = default; + public const int Status400BadRequest = default; + public const int Status401Unauthorized = default; + public const int Status402PaymentRequired = default; + public const int Status403Forbidden = default; + public const int Status404NotFound = default; + public const int Status405MethodNotAllowed = default; + public const int Status406NotAcceptable = default; + public const int Status407ProxyAuthenticationRequired = default; + public const int Status408RequestTimeout = default; + public const int Status409Conflict = default; + public const int Status410Gone = default; + public const int Status411LengthRequired = default; + public const int Status412PreconditionFailed = default; + public const int Status413PayloadTooLarge = default; + public const int Status413RequestEntityTooLarge = default; + public const int Status414RequestUriTooLong = default; + public const int Status414UriTooLong = default; + public const int Status415UnsupportedMediaType = default; + public const int Status416RangeNotSatisfiable = default; + public const int Status416RequestedRangeNotSatisfiable = default; + public const int Status417ExpectationFailed = default; + public const int Status418ImATeapot = default; + public const int Status419AuthenticationTimeout = default; + public const int Status421MisdirectedRequest = default; + public const int Status422UnprocessableEntity = default; + public const int Status423Locked = default; + public const int Status424FailedDependency = default; + public const int Status426UpgradeRequired = default; + public const int Status428PreconditionRequired = default; + public const int Status429TooManyRequests = default; + public const int Status431RequestHeaderFieldsTooLarge = default; + public const int Status451UnavailableForLegalReasons = default; + public const int Status500InternalServerError = default; + public const int Status501NotImplemented = default; + public const int Status502BadGateway = default; + public const int Status503ServiceUnavailable = default; + public const int Status504GatewayTimeout = default; + public const int Status505HttpVersionNotsupported = default; + public const int Status506VariantAlsoNegotiates = default; + public const int Status507InsufficientStorage = default; + public const int Status508LoopDetected = default; + public const int Status510NotExtended = default; + public const int Status511NetworkAuthenticationRequired = default; } public abstract class WebSocketManager { @@ -672,7 +672,7 @@ public class ProblemDetails } namespace Routing { - public class RouteValueDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> + public class RouteValueDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string key, object value) => throw null; @@ -687,7 +687,7 @@ public class RouteValueDictionary : System.Collections.Generic.IDictionary> values) => throw null; public RouteValueDictionary(System.Collections.Generic.IEnumerable> values) => throw null; public RouteValueDictionary(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public Enumerator(Microsoft.AspNetCore.Routing.RouteValueDictionary dictionary) => throw null; public System.Collections.Generic.KeyValuePair Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs index 728dd69c0587..52a9f0675414 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Features.cs @@ -226,13 +226,13 @@ public interface IFormFile string Name { get; } System.IO.Stream OpenReadStream(); } - public interface IFormFileCollection : System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + public interface IFormFileCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { Microsoft.AspNetCore.Http.IFormFile GetFile(string name); System.Collections.Generic.IReadOnlyList GetFiles(string name); Microsoft.AspNetCore.Http.IFormFile this[string name] { get; } } - public interface IHeaderDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public interface IHeaderDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { virtual Microsoft.Extensions.Primitives.StringValues Accept { get => throw null; set { } } virtual Microsoft.Extensions.Primitives.StringValues AcceptCharset { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs index b830eb33292c..d0c6e414384f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.Results.cs @@ -8,7 +8,7 @@ namespace Http { namespace HttpResults { - public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class Accepted : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } @@ -16,7 +16,7 @@ public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspN public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class Accepted : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } @@ -26,7 +26,7 @@ public sealed class Accepted : Microsoft.AspNetCore.Http.IResult, Micros public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -35,7 +35,7 @@ public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microso public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -46,14 +46,14 @@ public sealed class AcceptedAtRoute : Microsoft.AspNetCore.Http.IResult, public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class BadRequest : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class BadRequest : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class BadRequest : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -68,14 +68,14 @@ public sealed class ChallengeHttpResult : Microsoft.AspNetCore.Http.IResult public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - public sealed class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class Conflict : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class Conflict : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class Conflict : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -84,14 +84,14 @@ public sealed class Conflict : Microsoft.AspNetCore.Http.IResult, Micros public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class ContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class ContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string ResponseContent { get => throw null; } public int? StatusCode { get => throw null; } } - public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class Created : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } @@ -99,7 +99,7 @@ public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNe public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class Created : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public string Location { get => throw null; } @@ -109,7 +109,7 @@ public sealed class Created : Microsoft.AspNetCore.Http.IResult, Microso public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -118,7 +118,7 @@ public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsof public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class CreatedAtRoute : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -134,7 +134,7 @@ public sealed class EmptyHttpResult : Microsoft.AspNetCore.Http.IResult public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static Microsoft.AspNetCore.Http.HttpResults.EmptyHttpResult Instance { get => throw null; } } - public sealed class FileContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class FileContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult { public string ContentType { get => throw null; } public bool EnableRangeProcessing { get => throw null; } @@ -145,7 +145,7 @@ public sealed class FileContentHttpResult : Microsoft.AspNetCore.Http.IResult, M public long? FileLength { get => throw null; } public System.DateTimeOffset? LastModified { get => throw null; } } - public sealed class FileStreamHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class FileStreamHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult { public string ContentType { get => throw null; } public bool EnableRangeProcessing { get => throw null; } @@ -162,7 +162,7 @@ public sealed class ForbidHttpResult : Microsoft.AspNetCore.Http.IResult public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; } } - public sealed class JsonHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class JsonHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; @@ -171,21 +171,21 @@ public sealed class JsonHttpResult : Microsoft.AspNetCore.Http.IResult, public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public class NoContent : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public class NoContent : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class NotFound : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class NotFound : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class NotFound : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -194,14 +194,14 @@ public sealed class NotFound : Microsoft.AspNetCore.Http.IResult, Micros public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class Ok : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class Ok : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -210,7 +210,7 @@ public sealed class Ok : Microsoft.AspNetCore.Http.IResult, Microsoft.As public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class PhysicalFileHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class PhysicalFileHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult { public string ContentType { get => throw null; } public bool EnableRangeProcessing { get => throw null; } @@ -221,7 +221,7 @@ public sealed class PhysicalFileHttpResult : Microsoft.AspNetCore.Http.IResult, public string FileName { get => throw null; } public System.DateTimeOffset? LastModified { get => throw null; } } - public sealed class ProblemHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class ProblemHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; @@ -231,7 +231,7 @@ public sealed class ProblemHttpResult : Microsoft.AspNetCore.Http.IResult, Micro object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } Microsoft.AspNetCore.Mvc.ProblemDetails Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class PushStreamHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class PushStreamHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult { public string ContentType { get => throw null; } public bool EnableRangeProcessing { get => throw null; } @@ -258,7 +258,7 @@ public sealed class RedirectToRouteHttpResult : Microsoft.AspNetCore.Http.IResul public string RouteName { get => throw null; } public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; } } - public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; @@ -266,7 +266,7 @@ public sealed class Results : Microsoft.AspNetCore.Http.IRes static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } } - public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; @@ -275,7 +275,7 @@ public sealed class Results : Microsoft.AspNetCore static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } } - public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; @@ -285,7 +285,7 @@ public sealed class Results : Microsoft. static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } } - public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; @@ -296,7 +296,7 @@ public sealed class Results : static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public Microsoft.AspNetCore.Http.IResult Result { get => throw null; } } - public sealed class Results : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult where TResult6 : Microsoft.AspNetCore.Http.IResult + public sealed class Results : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.INestedHttpResult, Microsoft.AspNetCore.Http.IResult where TResult1 : Microsoft.AspNetCore.Http.IResult where TResult2 : Microsoft.AspNetCore.Http.IResult where TResult3 : Microsoft.AspNetCore.Http.IResult where TResult4 : Microsoft.AspNetCore.Http.IResult where TResult5 : Microsoft.AspNetCore.Http.IResult where TResult6 : Microsoft.AspNetCore.Http.IResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public static implicit operator Microsoft.AspNetCore.Http.HttpResults.Results(TResult1 result) => throw null; @@ -333,14 +333,14 @@ public sealed class UnauthorizedHttpResult : Microsoft.AspNetCore.Http.IResult, public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult + public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; public int StatusCode { get => throw null; } int? Microsoft.AspNetCore.Http.IStatusCodeHttpResult.StatusCode { get => throw null; } } - public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; static void Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider.PopulateMetadata(System.Reflection.MethodInfo method, Microsoft.AspNetCore.Builder.EndpointBuilder builder) => throw null; @@ -349,14 +349,14 @@ public sealed class UnprocessableEntity : Microsoft.AspNetCore.Http.IRes public TValue Value { get => throw null; } object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class Utf8ContentHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class Utf8ContentHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; public System.ReadOnlyMemory ResponseContent { get => throw null; } public int? StatusCode { get => throw null; } } - public sealed class ValidationProblem : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult + public sealed class ValidationProblem : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.Metadata.IEndpointMetadataProvider, Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IStatusCodeHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult, Microsoft.AspNetCore.Http.IValueHttpResult { public string ContentType { get => throw null; } public System.Threading.Tasks.Task ExecuteAsync(Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; @@ -367,7 +367,7 @@ public sealed class ValidationProblem : Microsoft.AspNetCore.Http.IResult, Micro object Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } Microsoft.AspNetCore.Http.HttpValidationProblemDetails Microsoft.AspNetCore.Http.IValueHttpResult.Value { get => throw null; } } - public sealed class VirtualFileHttpResult : Microsoft.AspNetCore.Http.IResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IContentTypeHttpResult + public sealed class VirtualFileHttpResult : Microsoft.AspNetCore.Http.IContentTypeHttpResult, Microsoft.AspNetCore.Http.IFileHttpResult, Microsoft.AspNetCore.Http.IResult { public string ContentType { get => throw null; } public bool EnableRangeProcessing { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs index 1f1e3b721deb..9896e9ad054e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Http.cs @@ -87,10 +87,10 @@ public class FormOptions public bool BufferBody { get => throw null; set { } } public long BufferBodyLengthLimit { get => throw null; set { } } public FormOptions() => throw null; - public static int DefaultBufferBodyLengthLimit; - public static int DefaultMemoryBufferThreshold; - public static long DefaultMultipartBodyLengthLimit; - public static int DefaultMultipartBoundaryLengthLimit; + public const int DefaultBufferBodyLengthLimit = default; + public const int DefaultMemoryBufferThreshold = default; + public const long DefaultMultipartBodyLengthLimit = default; + public const int DefaultMultipartBoundaryLengthLimit = default; public int KeyLengthLimit { get => throw null; set { } } public int MemoryBufferThreshold { get => throw null; set { } } public long MultipartBodyLengthLimit { get => throw null; set { } } @@ -170,7 +170,7 @@ public class RequestCookiesFeature : Microsoft.AspNetCore.Http.Features.IRequest public RequestCookiesFeature(Microsoft.AspNetCore.Http.IRequestCookieCollection cookies) => throw null; public RequestCookiesFeature(Microsoft.AspNetCore.Http.Features.IFeatureCollection features) => throw null; } - public class RequestServicesFeature : Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature, System.IDisposable, System.IAsyncDisposable + public class RequestServicesFeature : System.IAsyncDisposable, System.IDisposable, Microsoft.AspNetCore.Http.Features.IServiceProvidersFeature { public RequestServicesFeature(Microsoft.AspNetCore.Http.HttpContext context, Microsoft.Extensions.DependencyInjection.IServiceScopeFactory scopeFactory) => throw null; public void Dispose() => throw null; @@ -200,13 +200,13 @@ public class TlsConnectionFeature : Microsoft.AspNetCore.Http.Features.ITlsConne public System.Threading.Tasks.Task GetClientCertificateAsync(System.Threading.CancellationToken cancellationToken) => throw null; } } - public class FormCollection : Microsoft.AspNetCore.Http.IFormCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class FormCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, Microsoft.AspNetCore.Http.IFormCollection { public bool ContainsKey(string key) => throw null; public int Count { get => throw null; } public FormCollection(System.Collections.Generic.Dictionary fields, Microsoft.AspNetCore.Http.IFormFileCollection files = default(Microsoft.AspNetCore.Http.IFormFileCollection)) => throw null; public static Microsoft.AspNetCore.Http.FormCollection Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -235,14 +235,14 @@ public class FormFile : Microsoft.AspNetCore.Http.IFormFile public string Name { get => throw null; } public System.IO.Stream OpenReadStream() => throw null; } - public class FormFileCollection : System.Collections.Generic.List, Microsoft.AspNetCore.Http.IFormFileCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection + public class FormFileCollection : System.Collections.Generic.List, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, Microsoft.AspNetCore.Http.IFormFileCollection, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public FormFileCollection() => throw null; public Microsoft.AspNetCore.Http.IFormFile GetFile(string name) => throw null; public System.Collections.Generic.IReadOnlyList GetFiles(string name) => throw null; public Microsoft.AspNetCore.Http.IFormFile this[string name] { get => throw null; } } - public class HeaderDictionary : Microsoft.AspNetCore.Http.IHeaderDictionary, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class HeaderDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, Microsoft.AspNetCore.Http.IHeaderDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string key, Microsoft.Extensions.Primitives.StringValues value) => throw null; @@ -255,7 +255,7 @@ public class HeaderDictionary : Microsoft.AspNetCore.Http.IHeaderDictionary, Sys public HeaderDictionary() => throw null; public HeaderDictionary(System.Collections.Generic.Dictionary store) => throw null; public HeaderDictionary(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -293,7 +293,7 @@ public class MiddlewareFactory : Microsoft.AspNetCore.Http.IMiddlewareFactory public MiddlewareFactory(System.IServiceProvider serviceProvider) => throw null; public void Release(Microsoft.AspNetCore.Http.IMiddleware middleware) => throw null; } - public class QueryCollection : Microsoft.AspNetCore.Http.IQueryCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class QueryCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, Microsoft.AspNetCore.Http.IQueryCollection { public bool ContainsKey(string key) => throw null; public int Count { get => throw null; } @@ -302,7 +302,7 @@ public class QueryCollection : Microsoft.AspNetCore.Http.IQueryCollection, Syste public QueryCollection(Microsoft.AspNetCore.Http.QueryCollection store) => throw null; public QueryCollection(int capacity) => throw null; public static Microsoft.AspNetCore.Http.QueryCollection Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs index a1929360a337..dd5cc7c5a00b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Identity.cs @@ -148,7 +148,7 @@ public class SignInManager where TUser : class public virtual System.Threading.Tasks.Task ValidateSecurityStampAsync(TUser user, string securityStamp) => throw null; public virtual System.Threading.Tasks.Task ValidateTwoFactorSecurityStampAsync(System.Security.Claims.ClaimsPrincipal principal) => throw null; } - public class TwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.SecurityStampValidator, Microsoft.AspNetCore.Identity.ITwoFactorSecurityStampValidator, Microsoft.AspNetCore.Identity.ISecurityStampValidator where TUser : class + public class TwoFactorSecurityStampValidator : Microsoft.AspNetCore.Identity.SecurityStampValidator, Microsoft.AspNetCore.Identity.ISecurityStampValidator, Microsoft.AspNetCore.Identity.ITwoFactorSecurityStampValidator where TUser : class { public TwoFactorSecurityStampValidator(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Identity.SignInManager signInManager, Microsoft.AspNetCore.Authentication.ISystemClock clock, Microsoft.Extensions.Logging.ILoggerFactory logger) : base(default(Microsoft.Extensions.Options.IOptions), default(Microsoft.AspNetCore.Identity.SignInManager), default(Microsoft.AspNetCore.Authentication.ISystemClock), default(Microsoft.Extensions.Logging.ILoggerFactory)) => throw null; protected override System.Threading.Tasks.Task SecurityStampVerified(TUser user, Microsoft.AspNetCore.Authentication.Cookies.CookieValidatePrincipalContext context) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs index 609caf13df03..05c7f76e7997 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Abstractions.cs @@ -262,7 +262,7 @@ public interface IActionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadat void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context); void OnActionExecuting(Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext context); } - public interface IAlwaysRunResultFilter : Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata + public interface IAlwaysRunResultFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResultFilter { } public interface IAsyncActionFilter : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata @@ -742,7 +742,7 @@ public class ModelPropertyCollection : System.Collections.ObjectModel.ReadOnlyCo public ModelPropertyCollection(System.Collections.Generic.IEnumerable properties) : base(default(System.Collections.Generic.IList)) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata this[string propertyName] { get => throw null; } } - public class ModelStateDictionary : System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection> + public class ModelStateDictionary : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void AddModelError(string key, System.Exception exception, Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata metadata) => throw null; public void AddModelError(string key, string errorMessage) => throw null; @@ -754,7 +754,7 @@ public class ModelStateDictionary : System.Collections.Generic.IReadOnlyDictiona public ModelStateDictionary(int maxAllowedErrors) => throw null; public ModelStateDictionary(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary) => throw null; public static int DefaultMaxAllowedErrors; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public Enumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public System.Collections.Generic.KeyValuePair Current { get => throw null; } @@ -779,7 +779,7 @@ public struct KeyEnumerable : System.Collections.Generic.IEnumerable, Sy System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct KeyEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct KeyEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public KeyEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public string Current { get => throw null; } @@ -819,7 +819,7 @@ public struct ValueEnumerable : System.Collections.Generic.IEnumerable System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct ValueEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ValueEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public ValueEnumerator(Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateDictionary dictionary, string prefix) => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.ModelStateEntry Current { get => throw null; } @@ -933,7 +933,7 @@ public struct ValidationEntry public Microsoft.AspNetCore.Mvc.ModelBinding.ModelMetadata Metadata { get => throw null; } public object Model { get => throw null; } } - public class ValidationStateDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> + public class ValidationStateDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(object key, Microsoft.AspNetCore.Mvc.ModelBinding.Validation.ValidationStateEntry value) => throw null; @@ -985,7 +985,7 @@ public class ValueProviderFactoryContext public ValueProviderFactoryContext(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; public System.Collections.Generic.IList ValueProviders { get => throw null; } } - public struct ValueProviderResult : System.IEquatable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + public struct ValueProviderResult : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable { public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values) => throw null; public ValueProviderResult(Microsoft.Extensions.Primitives.StringValues values, System.Globalization.CultureInfo culture) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs index 4e34696df97e..f3eb72a310cc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Core.cs @@ -121,7 +121,7 @@ public sealed class ActionResult : Microsoft.AspNetCore.Mvc.Infrastructu public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } public TValue Value { get => throw null; } } - public class AntiforgeryValidationFailedResult : Microsoft.AspNetCore.Mvc.BadRequestResult, Microsoft.AspNetCore.Mvc.Core.Infrastructure.IAntiforgeryValidationFailedResult, Microsoft.AspNetCore.Mvc.IActionResult + public class AntiforgeryValidationFailedResult : Microsoft.AspNetCore.Mvc.BadRequestResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Core.Infrastructure.IAntiforgeryValidationFailedResult { public AntiforgeryValidationFailedResult() => throw null; } @@ -224,7 +224,7 @@ public class ApiExplorerSettingsAttribute : System.Attribute, Microsoft.AspNetCo } namespace ApplicationModels { - public class ActionModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel + public class ActionModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public System.Reflection.MethodInfo ActionMethod { get => throw null; } public string ActionName { get => throw null; set { } } @@ -263,7 +263,7 @@ public class ApiVisibilityConvention : Microsoft.AspNetCore.Mvc.ApplicationModel public ApiVisibilityConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class ApplicationModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel + public class ApplicationModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set { } } public System.Collections.Generic.IList Controllers { get => throw null; } @@ -307,7 +307,7 @@ public class ConsumesConstraintForFormFileParameterConvention : Microsoft.AspNet public ConsumesConstraintForFormFileParameterConvention() => throw null; protected virtual bool ShouldApply(Microsoft.AspNetCore.Mvc.ApplicationModels.ActionModel action) => throw null; } - public class ControllerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel + public class ControllerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IApiExplorerModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IFilterModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public System.Collections.Generic.IList Actions { get => throw null; } public Microsoft.AspNetCore.Mvc.ApplicationModels.ApiExplorerModel ApiExplorer { get => throw null; set { } } @@ -409,7 +409,7 @@ public abstract class ParameterModelBase : Microsoft.AspNetCore.Mvc.ApplicationM public System.Type ParameterType { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - public class PropertyModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel + public class PropertyModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public System.Collections.Generic.IReadOnlyList Attributes { get => throw null; } public Microsoft.AspNetCore.Mvc.ApplicationModels.ControllerModel Controller { get => throw null; set { } } @@ -517,7 +517,7 @@ public class AllowAnonymousFilter : Microsoft.AspNetCore.Mvc.Authorization.IAllo { public AllowAnonymousFilter() => throw null; } - public class AuthorizeFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory + public class AuthorizeFilter : Microsoft.AspNetCore.Mvc.Filters.IAsyncAuthorizationFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterFactory, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { public System.Collections.Generic.IEnumerable AuthorizeData { get => throw null; } Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Microsoft.AspNetCore.Mvc.Filters.IFilterFactory.CreateInstance(System.IServiceProvider serviceProvider) => throw null; @@ -554,7 +554,7 @@ public class BindPropertiesAttribute : System.Attribute public BindPropertiesAttribute() => throw null; public bool SupportsGet { get => throw null; set { } } } - public class BindPropertyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider + public class BindPropertyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IRequestPredicateProvider { public System.Type BinderType { get => throw null; set { } } public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } @@ -607,7 +607,7 @@ public class ConflictResult : Microsoft.AspNetCore.Mvc.StatusCodeResult { public ConflictResult() : base(default(int)) => throw null; } - public class ConsumesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestMetadataProvider, Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata + public class ConsumesAttribute : System.Attribute, Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraint, Microsoft.AspNetCore.Mvc.ActionConstraints.IActionConstraintMetadata, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter { public bool Accept(Microsoft.AspNetCore.Mvc.ActionConstraints.ActionConstraintContext context) => throw null; public static int ConsumesActionConstraintOrder; @@ -622,7 +622,7 @@ public class ConsumesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filt System.Type Microsoft.AspNetCore.Http.Metadata.IAcceptsMetadata.RequestType { get => throw null; } public void SetContentTypes(Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection contentTypes) => throw null; } - public class ContentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class ContentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public string Content { get => throw null; set { } } public string ContentType { get => throw null; set { } } @@ -943,7 +943,7 @@ public sealed class AfterActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics. public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -954,7 +954,7 @@ public sealed class AfterActionFilterOnActionExecutedEventData : Microsoft.AspNe public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } protected override int Count { get => throw null; } public AfterActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -964,7 +964,7 @@ public sealed class AfterActionFilterOnActionExecutingEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } protected override int Count { get => throw null; } public AfterActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -974,7 +974,7 @@ public sealed class AfterActionFilterOnActionExecutionEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } protected override int Count { get => throw null; } public AfterActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -983,7 +983,7 @@ public sealed class AfterActionResultEventData : Microsoft.AspNetCore.Mvc.Diagno public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } public AfterActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -993,7 +993,7 @@ public sealed class AfterAuthorizationFilterOnAuthorizationEventData : Microsoft public Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext AuthorizationContext { get => throw null; } protected override int Count { get => throw null; } public AfterAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1004,7 +1004,7 @@ public sealed class AfterControllerActionMethodEventData : Microsoft.AspNetCore. public object Controller { get => throw null; } protected override int Count { get => throw null; } public AfterControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, object controller, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1013,7 +1013,7 @@ public sealed class AfterExceptionFilterOnExceptionEventData : Microsoft.AspNetC public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterExceptionFilterOnExceptionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.ExceptionContext ExceptionContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1023,7 +1023,7 @@ public sealed class AfterResourceFilterOnResourceExecutedEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1033,7 +1033,7 @@ public sealed class AfterResourceFilterOnResourceExecutingEventData : Microsoft. public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1043,7 +1043,7 @@ public sealed class AfterResourceFilterOnResourceExecutionEventData : Microsoft. public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1053,7 +1053,7 @@ public sealed class AfterResultFilterOnResultExecutedEventData : Microsoft.AspNe public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1063,7 +1063,7 @@ public sealed class AfterResultFilterOnResultExecutingEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1073,7 +1073,7 @@ public sealed class AfterResultFilterOnResultExecutionEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1083,7 +1083,7 @@ public sealed class BeforeActionEventData : Microsoft.AspNetCore.Mvc.Diagnostics public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeActionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.RouteData routeData) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Routing.RouteData RouteData { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1094,7 +1094,7 @@ public sealed class BeforeActionFilterOnActionExecutedEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext ActionExecutedContext { get => throw null; } protected override int Count { get => throw null; } public BeforeActionFilterOnActionExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext actionExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1104,7 +1104,7 @@ public sealed class BeforeActionFilterOnActionExecutingEventData : Microsoft.Asp public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } protected override int Count { get => throw null; } public BeforeActionFilterOnActionExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1114,7 +1114,7 @@ public sealed class BeforeActionFilterOnActionExecutionEventData : Microsoft.Asp public Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext ActionExecutingContext { get => throw null; } protected override int Count { get => throw null; } public BeforeActionFilterOnActionExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ActionExecutingContext actionExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1123,7 +1123,7 @@ public sealed class BeforeActionResultEventData : Microsoft.AspNetCore.Mvc.Diagn public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } public BeforeActionResultEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1133,7 +1133,7 @@ public sealed class BeforeAuthorizationFilterOnAuthorizationEventData : Microsof public Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext AuthorizationContext { get => throw null; } protected override int Count { get => throw null; } public BeforeAuthorizationFilterOnAuthorizationEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.AuthorizationFilterContext authorizationContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } @@ -1144,7 +1144,7 @@ public sealed class BeforeControllerActionMethodEventData : Microsoft.AspNetCore public object Controller { get => throw null; } protected override sealed int Count { get => throw null; } public BeforeControllerActionMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary actionArguments, object controller) => throw null; - public static string EventName; + public const string EventName = default; protected override sealed System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } public sealed class BeforeExceptionFilterOnException : Microsoft.AspNetCore.Mvc.Diagnostics.EventData @@ -1152,7 +1152,7 @@ public sealed class BeforeExceptionFilterOnException : Microsoft.AspNetCore.Mvc. public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeExceptionFilterOnException(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ExceptionContext exceptionContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.ExceptionContext ExceptionContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1162,7 +1162,7 @@ public sealed class BeforeResourceFilterOnResourceExecutedEventData : Microsoft. public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResourceFilterOnResourceExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext resourceExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext ResourceExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1172,7 +1172,7 @@ public sealed class BeforeResourceFilterOnResourceExecutingEventData : Microsoft public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResourceFilterOnResourceExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1182,7 +1182,7 @@ public sealed class BeforeResourceFilterOnResourceExecutionEventData : Microsoft public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResourceFilterOnResourceExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext resourceExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResourceExecutingContext ResourceExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1192,7 +1192,7 @@ public sealed class BeforeResultFilterOnResultExecutedEventData : Microsoft.AspN public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResultFilterOnResultExecutedEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext resultExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext ResultExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1202,7 +1202,7 @@ public sealed class BeforeResultFilterOnResultExecutingEventData : Microsoft.Asp public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResultFilterOnResultExecutingEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -1212,17 +1212,17 @@ public sealed class BeforeResultFilterOnResultExecutionEventData : Microsoft.Asp public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeResultFilterOnResultExecutionEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext resultExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext ResultExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } } - public abstract class EventData : System.Collections.Generic.IReadOnlyList>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection> + public abstract class EventData : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyList> { protected abstract int Count { get; } int System.Collections.Generic.IReadOnlyCollection>.Count { get => throw null; } protected EventData() => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1230,7 +1230,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; void System.Collections.IEnumerator.Reset() => throw null; } - protected static string EventNamespace; + protected const string EventNamespace = default; System.Collections.Generic.IEnumerator> System.Collections.Generic.IEnumerable>.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; System.Collections.Generic.KeyValuePair System.Collections.Generic.IReadOnlyList>.this[int index] { get => throw null; } @@ -1275,7 +1275,7 @@ public class FileStreamResult : Microsoft.AspNetCore.Mvc.FileResult } namespace Filters { - public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter { protected ActionFilterAttribute() => throw null; public virtual void OnActionExecuted(Microsoft.AspNetCore.Mvc.Filters.ActionExecutedContext context) => throw null; @@ -1286,7 +1286,7 @@ public abstract class ActionFilterAttribute : System.Attribute, Microsoft.AspNet public virtual System.Threading.Tasks.Task OnResultExecutionAsync(Microsoft.AspNetCore.Mvc.Filters.ResultExecutingContext context, Microsoft.AspNetCore.Mvc.Filters.ResultExecutionDelegate next) => throw null; public int Order { get => throw null; set { } } } - public abstract class ExceptionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public abstract class ExceptionFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IExceptionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter { protected ExceptionFilterAttribute() => throw null; public virtual void OnException(Microsoft.AspNetCore.Mvc.Filters.ExceptionContext context) => throw null; @@ -1313,7 +1313,7 @@ public static class FilterScope public static int Global; public static int Last; } - public abstract class ResultFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter + public abstract class ResultFilterAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IAsyncResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter { protected ResultFilterAttribute() => throw null; public virtual void OnResultExecuted(Microsoft.AspNetCore.Mvc.Filters.ResultExecutedContext context) => throw null; @@ -1366,7 +1366,7 @@ public class HttpNoContentOutputFormatter : Microsoft.AspNetCore.Mvc.Formatters. public bool TreatNullValueAsNoContent { get => throw null; set { } } public System.Threading.Tasks.Task WriteAsync(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterWriteContext context) => throw null; } - public abstract class InputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestFormatMetadataProvider + public abstract class InputFormatter : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiRequestFormatMetadataProvider, Microsoft.AspNetCore.Mvc.Formatters.IInputFormatter { public virtual bool CanRead(Microsoft.AspNetCore.Mvc.Formatters.InputFormatterContext context) => throw null; protected virtual bool CanReadType(System.Type type) => throw null; @@ -1415,7 +1415,7 @@ public struct MediaTypeSegmentWithQuality public double Quality { get => throw null; } public override string ToString() => throw null; } - public abstract class OutputFormatter : Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseTypeMetadataProvider + public abstract class OutputFormatter : Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseTypeMetadataProvider, Microsoft.AspNetCore.Mvc.Formatters.IOutputFormatter { public virtual bool CanWriteResult(Microsoft.AspNetCore.Mvc.Formatters.OutputFormatterCanWriteContext context) => throw null; protected virtual bool CanWriteType(System.Type type) => throw null; @@ -1478,25 +1478,25 @@ public class FromBodyAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Mode public FromBodyAttribute() => throw null; public Microsoft.AspNetCore.Mvc.ModelBinding.EmptyBodyBehavior EmptyBodyBehavior { get => throw null; set { } } } - public class FromFormAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromFormMetadata + public class FromFormAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromFormMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider { public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } public FromFormAttribute() => throw null; public string Name { get => throw null; set { } } } - public class FromHeaderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromHeaderMetadata + public class FromHeaderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromHeaderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider { public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } public FromHeaderAttribute() => throw null; public string Name { get => throw null; set { } } } - public class FromQueryAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromQueryMetadata + public class FromQueryAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromQueryMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider { public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } public FromQueryAttribute() => throw null; public string Name { get => throw null; set { } } } - public class FromRouteAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Http.Metadata.IFromRouteMetadata + public class FromRouteAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Http.Metadata.IFromRouteMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider { public Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; } public FromRouteAttribute() => throw null; @@ -1617,7 +1617,7 @@ public class FileContentResultExecutor : Microsoft.AspNetCore.Mvc.Infrastructure } public class FileResultExecutorBase { - protected static int BufferSize; + protected const int BufferSize = default; protected static Microsoft.Extensions.Logging.ILogger CreateLogger(Microsoft.Extensions.Logging.ILoggerFactory factory) => throw null; public FileResultExecutorBase(Microsoft.Extensions.Logging.ILogger logger) => throw null; protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } @@ -1663,7 +1663,7 @@ public interface IActionSelector public interface IApiBehaviorMetadata : Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { } - public interface IClientErrorActionResult : Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public interface IClientErrorActionResult : Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { } public interface IClientErrorFactory @@ -1792,7 +1792,7 @@ public class JsonOptions public JsonOptions() => throw null; public System.Text.Json.JsonSerializerOptions JsonSerializerOptions { get => throw null; } } - public class JsonResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class JsonResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public string ContentType { get => throw null; set { } } public JsonResult(object value) => throw null; @@ -1821,7 +1821,7 @@ public class MiddlewareFilterAttribute : System.Attribute, Microsoft.AspNetCore. public bool IsReusable { get => throw null; } public int Order { get => throw null; set { } } } - public class ModelBinderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata + public class ModelBinderAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ModelBinding.IBinderTypeProviderMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceMetadata, Microsoft.AspNetCore.Mvc.ModelBinding.IModelNameProvider { public System.Type BinderType { get => throw null; set { } } public virtual Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource BindingSource { get => throw null; set { } } @@ -2086,7 +2086,7 @@ public sealed class BindRequiredAttribute : Microsoft.AspNetCore.Mvc.ModelBindin { public BindRequiredAttribute() : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingBehavior)) => throw null; } - public class CompositeValueProvider : System.Collections.ObjectModel.Collection, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider + public class CompositeValueProvider : System.Collections.ObjectModel.Collection, Microsoft.AspNetCore.Mvc.ModelBinding.IBindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider { public virtual bool ContainsPrefix(string prefix) => throw null; public static System.Threading.Tasks.Task CreateAsync(Microsoft.AspNetCore.Mvc.ControllerContext controllerContext) => throw null; @@ -2197,7 +2197,7 @@ public class JQueryQueryStringValueProviderFactory : Microsoft.AspNetCore.Mvc.Mo public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; public JQueryQueryStringValueProviderFactory() => throw null; } - public abstract class JQueryValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider + public abstract class JQueryValueProvider : Microsoft.AspNetCore.Mvc.ModelBinding.BindingSourceValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IEnumerableValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IKeyRewriterValueProvider, Microsoft.AspNetCore.Mvc.ModelBinding.IValueProvider { public override bool ContainsPrefix(string prefix) => throw null; protected JQueryValueProvider(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource bindingSource, System.Collections.Generic.IDictionary values, System.Globalization.CultureInfo culture) : base(default(Microsoft.AspNetCore.Mvc.ModelBinding.BindingSource)) => throw null; @@ -2397,7 +2397,7 @@ public interface IBindingMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBindin { void CreateBindingMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.BindingMetadataProviderContext context); } - public interface ICompositeMetadataDetailsProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider + public interface ICompositeMetadataDetailsProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IBindingMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IDisplayMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider { } public interface IDisplayMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider @@ -2532,7 +2532,7 @@ public class RouteValueProviderFactory : Microsoft.AspNetCore.Mvc.ModelBinding.I public System.Threading.Tasks.Task CreateValueProviderAsync(Microsoft.AspNetCore.Mvc.ModelBinding.ValueProviderFactoryContext context) => throw null; public RouteValueProviderFactory() => throw null; } - public class SuppressChildValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider + public class SuppressChildValidationMetadataProvider : Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IMetadataDetailsProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.IValidationMetadataProvider { public void CreateValidationMetadata(Microsoft.AspNetCore.Mvc.ModelBinding.Metadata.ValidationMetadataProviderContext context) => throw null; public SuppressChildValidationMetadataProvider(System.Type type) => throw null; @@ -2696,7 +2696,7 @@ public class NotFoundResult : Microsoft.AspNetCore.Mvc.StatusCodeResult { public NotFoundResult() : base(default(int)) => throw null; } - public class ObjectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class ObjectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set { } } public ObjectResult(object value) => throw null; @@ -2722,7 +2722,7 @@ public class PhysicalFileResult : Microsoft.AspNetCore.Mvc.FileResult public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; public string FileName { get => throw null; set { } } } - public class ProducesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResultFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider + public class ProducesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.ApiExplorer.IApiResponseMetadataProvider, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IOrderedFilter, Microsoft.AspNetCore.Mvc.Filters.IResultFilter { public Microsoft.AspNetCore.Mvc.Formatters.MediaTypeCollection ContentTypes { get => throw null; set { } } public ProducesAttribute(System.Type type) => throw null; @@ -2756,7 +2756,7 @@ public class ProducesResponseTypeAttribute : System.Attribute, Microsoft.AspNetC public int StatusCode { get => throw null; set { } } public System.Type Type { get => throw null; set { } } } - public class RedirectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + public class RedirectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult { public RedirectResult(string url) => throw null; public RedirectResult(string url, bool permanent) => throw null; @@ -2767,7 +2767,7 @@ public class RedirectResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.A public string Url { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } } - public class RedirectToActionResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + public class RedirectToActionResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult { public string ActionName { get => throw null; set { } } public string ControllerName { get => throw null; set { } } @@ -2784,7 +2784,7 @@ public class RedirectToActionResult : Microsoft.AspNetCore.Mvc.ActionResult, Mic public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } } - public class RedirectToPageResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + public class RedirectToPageResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult { public RedirectToPageResult(string pageName) => throw null; public RedirectToPageResult(string pageName, string pageHandler) => throw null; @@ -2806,7 +2806,7 @@ public class RedirectToPageResult : Microsoft.AspNetCore.Mvc.ActionResult, Micro public Microsoft.AspNetCore.Routing.RouteValueDictionary RouteValues { get => throw null; set { } } public Microsoft.AspNetCore.Mvc.IUrlHelper UrlHelper { get => throw null; set { } } } - public class RedirectToRouteResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult, Microsoft.AspNetCore.Mvc.IActionResult + public class RedirectToRouteResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.ViewFeatures.IKeepTempDataResult { public RedirectToRouteResult(object routeValues) => throw null; public RedirectToRouteResult(string routeName, object routeValues) => throw null; @@ -2922,7 +2922,7 @@ public interface IUrlHelperFactory { Microsoft.AspNetCore.Mvc.IUrlHelper GetUrlHelper(Microsoft.AspNetCore.Mvc.ActionContext context); } - public class KnownRouteValueConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy + public class KnownRouteValueConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public KnownRouteValueConstraint(Microsoft.AspNetCore.Mvc.Infrastructure.IActionDescriptorCollectionProvider actionDescriptorCollectionProvider) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; @@ -3000,7 +3000,7 @@ public class SignOutResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.As public override System.Threading.Tasks.Task ExecuteResultAsync(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; public Microsoft.AspNetCore.Authentication.AuthenticationProperties Properties { get => throw null; set { } } } - public class StatusCodeResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class StatusCodeResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IClientErrorActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public StatusCodeResult(int statusCode) => throw null; public override void ExecuteResult(Microsoft.AspNetCore.Mvc.ActionContext context) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs index 8436e1dea120..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `Microsoft.AspNetCore.Mvc.Formatters.Json, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs index 75b355b4ccf8..1c7ac67c864d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Xml.cs @@ -18,7 +18,7 @@ public class DelegatingEnumerable : System.Collections.Gene public System.Collections.Generic.IEnumerator GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public class DelegatingEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public class DelegatingEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public DelegatingEnumerator(System.Collections.Generic.IEnumerator inner, Microsoft.AspNetCore.Mvc.Formatters.Xml.IWrapperProvider wrapperProvider) => throw null; public TWrapped Current { get => throw null; } @@ -57,7 +57,7 @@ public class MvcXmlOptions : System.Collections.Generic.IEnumerable System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public class ProblemDetailsWrapper : System.Xml.Serialization.IXmlSerializable, Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable + public class ProblemDetailsWrapper : Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable, System.Xml.Serialization.IXmlSerializable { public ProblemDetailsWrapper() => throw null; public ProblemDetailsWrapper(Microsoft.AspNetCore.Mvc.ProblemDetails problemDetails) => throw null; @@ -68,7 +68,7 @@ public class ProblemDetailsWrapper : System.Xml.Serialization.IXmlSerializable, object Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable.Unwrap(System.Type declaredType) => throw null; public virtual void WriteXml(System.Xml.XmlWriter writer) => throw null; } - public sealed class SerializableErrorWrapper : System.Xml.Serialization.IXmlSerializable, Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable + public sealed class SerializableErrorWrapper : Microsoft.AspNetCore.Mvc.Formatters.Xml.IUnwrappable, System.Xml.Serialization.IXmlSerializable { public SerializableErrorWrapper() => throw null; public SerializableErrorWrapper(Microsoft.AspNetCore.Mvc.SerializableError error) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs index eeb8ed17261a..dc92d5c3f3e3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Localization.cs @@ -69,7 +69,7 @@ public class LocalizedHtmlString : Microsoft.AspNetCore.Html.IHtmlContent public string Value { get => throw null; } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - public class ViewLocalizer : Microsoft.AspNetCore.Mvc.Localization.IViewLocalizer, Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware + public class ViewLocalizer : Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizer, Microsoft.AspNetCore.Mvc.ViewFeatures.IViewContextAware, Microsoft.AspNetCore.Mvc.Localization.IViewLocalizer { public void Contextualize(Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; public ViewLocalizer(Microsoft.AspNetCore.Mvc.Localization.IHtmlLocalizerFactory localizerFactory, Microsoft.AspNetCore.Hosting.IWebHostEnvironment hostingEnvironment) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs index 9e6294d57b7b..f5eed35520f5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Razor.cs @@ -38,7 +38,7 @@ public sealed class AfterViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnostic public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage Page { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -49,7 +49,7 @@ public sealed class BeforeViewPageEventData : Microsoft.AspNetCore.Mvc.Diagnosti public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeViewPageEventData(Microsoft.AspNetCore.Mvc.Razor.IRazorPage page, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext, Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Http.HttpContext HttpContext { get => throw null; } public Microsoft.AspNetCore.Mvc.Razor.IRazorPage Page { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs index eb54f317cb70..cde917a0ddeb 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.RazorPages.cs @@ -118,7 +118,7 @@ public class PageHandlerModel : Microsoft.AspNetCore.Mvc.ApplicationModels.IComm public System.Collections.Generic.IList Parameters { get => throw null; } public System.Collections.Generic.IDictionary Properties { get => throw null; } } - public class PageParameterModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel + public class PageParameterModel : Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase, Microsoft.AspNetCore.Mvc.ApplicationModels.IBindingModel, Microsoft.AspNetCore.Mvc.ApplicationModels.ICommonModel, Microsoft.AspNetCore.Mvc.ApplicationModels.IPropertyModel { public PageParameterModel(System.Reflection.ParameterInfo parameterInfo, System.Collections.Generic.IReadOnlyList attributes) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; public PageParameterModel(Microsoft.AspNetCore.Mvc.ApplicationModels.PageParameterModel other) : base(default(Microsoft.AspNetCore.Mvc.ApplicationModels.ParameterModelBase)) => throw null; @@ -160,7 +160,7 @@ public class PageRouteModelProviderContext public PageRouteModelProviderContext() => throw null; public System.Collections.Generic.IList RouteModels { get => throw null; } } - public class PageRouteTransformerConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageRouteModelConvention, Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention + public class PageRouteTransformerConvention : Microsoft.AspNetCore.Mvc.ApplicationModels.IPageConvention, Microsoft.AspNetCore.Mvc.ApplicationModels.IPageRouteModelConvention { public void Apply(Microsoft.AspNetCore.Mvc.ApplicationModels.PageRouteModel model) => throw null; public PageRouteTransformerConvention(Microsoft.AspNetCore.Routing.IOutboundParameterTransformer parameterTransformer) => throw null; @@ -175,7 +175,7 @@ public sealed class AfterHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diagn public System.Collections.Generic.IReadOnlyDictionary Arguments { get => throw null; } protected override int Count { get => throw null; } public AfterHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance, Microsoft.AspNetCore.Mvc.IActionResult result) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethodDescriptor { get => throw null; } public object Instance { get => throw null; } public Microsoft.AspNetCore.Mvc.IActionResult Result { get => throw null; } @@ -186,7 +186,7 @@ public sealed class AfterPageFilterOnPageHandlerExecutedEventData : Microsoft.As public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterPageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -196,7 +196,7 @@ public sealed class AfterPageFilterOnPageHandlerExecutingEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterPageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -206,7 +206,7 @@ public sealed class AfterPageFilterOnPageHandlerExecutionEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterPageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -216,7 +216,7 @@ public sealed class AfterPageFilterOnPageHandlerSelectedEventData : Microsoft.As public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterPageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -226,7 +226,7 @@ public sealed class AfterPageFilterOnPageHandlerSelectionEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterPageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -237,7 +237,7 @@ public sealed class BeforeHandlerMethodEventData : Microsoft.AspNetCore.Mvc.Diag public System.Collections.Generic.IReadOnlyDictionary Arguments { get => throw null; } protected override int Count { get => throw null; } public BeforeHandlerMethodEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, System.Collections.Generic.IReadOnlyDictionary arguments, Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor handlerMethodDescriptor, object instance) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.RazorPages.Infrastructure.HandlerMethodDescriptor HandlerMethodDescriptor { get => throw null; } public object Instance { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -247,7 +247,7 @@ public sealed class BeforePageFilterOnPageHandlerExecutedEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforePageFilterOnPageHandlerExecutedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext handlerExecutedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutedContext HandlerExecutedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -257,7 +257,7 @@ public sealed class BeforePageFilterOnPageHandlerExecutingEventData : Microsoft. public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforePageFilterOnPageHandlerExecutingEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutingContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutingContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -267,7 +267,7 @@ public sealed class BeforePageFilterOnPageHandlerExecutionEventData : Microsoft. public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforePageFilterOnPageHandlerExecutionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext handlerExecutionContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerExecutingContext HandlerExecutionContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -277,7 +277,7 @@ public sealed class BeforePageFilterOnPageHandlerSelectedEventData : Microsoft.A public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforePageFilterOnPageHandlerSelectedEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -287,7 +287,7 @@ public sealed class BeforePageFilterOnPageHandlerSelectionEventData : Microsoft. public Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforePageFilterOnPageHandlerSelectionEventData(Microsoft.AspNetCore.Mvc.RazorPages.CompiledPageActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext handlerSelectedContext, Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter filter) => throw null; - public static string EventName; + public const string EventName = default; public Microsoft.AspNetCore.Mvc.Filters.IAsyncPageFilter Filter { get => throw null; } public Microsoft.AspNetCore.Mvc.Filters.PageHandlerSelectedContext HandlerSelectedContext { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs index 98bbf1e83d89..02e9b1ce85ec 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.ViewFeatures.cs @@ -13,7 +13,7 @@ public class AutoValidateAntiforgeryTokenAttribute : System.Attribute, Microsoft public bool IsReusable { get => throw null; } public int Order { get => throw null; set { } } } - public abstract class Controller : Microsoft.AspNetCore.Mvc.ControllerBase, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, System.IDisposable + public abstract class Controller : Microsoft.AspNetCore.Mvc.ControllerBase, Microsoft.AspNetCore.Mvc.Filters.IActionFilter, Microsoft.AspNetCore.Mvc.Filters.IAsyncActionFilter, System.IDisposable, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata { protected Controller() => throw null; public void Dispose() => throw null; @@ -51,7 +51,7 @@ public sealed class AfterViewComponentEventData : Microsoft.AspNetCore.Mvc.Diagn public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public AfterViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.IViewComponentResult viewComponentResult, object viewComponent) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public object ViewComponent { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } @@ -61,7 +61,7 @@ public sealed class AfterViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.Ev { protected override int Count { get => throw null; } public AfterViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } @@ -71,7 +71,7 @@ public sealed class BeforeViewComponentEventData : Microsoft.AspNetCore.Mvc.Diag public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public BeforeViewComponentEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, object viewComponent) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public object ViewComponent { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } @@ -80,7 +80,7 @@ public sealed class BeforeViewEventData : Microsoft.AspNetCore.Mvc.Diagnostics.E { protected override int Count { get => throw null; } public BeforeViewEventData(Microsoft.AspNetCore.Mvc.ViewEngines.IView view, Microsoft.AspNetCore.Mvc.Rendering.ViewContext viewContext) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.Rendering.ViewContext ViewContext { get => throw null; } @@ -90,7 +90,7 @@ public sealed class ViewComponentAfterViewExecuteEventData : Microsoft.AspNetCor public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public ViewComponentAfterViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } @@ -100,7 +100,7 @@ public sealed class ViewComponentBeforeViewExecuteEventData : Microsoft.AspNetCo public Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor ActionDescriptor { get => throw null; } protected override int Count { get => throw null; } public ViewComponentBeforeViewExecuteEventData(Microsoft.AspNetCore.Mvc.Abstractions.ActionDescriptor actionDescriptor, Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext viewComponentContext, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; - public static string EventName; + public const string EventName = default; protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewEngines.IView View { get => throw null; } public Microsoft.AspNetCore.Mvc.ViewComponents.ViewComponentContext ViewComponentContext { get => throw null; } @@ -110,7 +110,7 @@ public sealed class ViewFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics.Ev public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } public ViewFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, Microsoft.AspNetCore.Mvc.ViewEngines.IView view) => throw null; - public static string EventName; + public const string EventName = default; public bool IsMainPage { get => throw null; } public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } protected override System.Collections.Generic.KeyValuePair this[int index] { get => throw null; } @@ -122,7 +122,7 @@ public sealed class ViewNotFoundEventData : Microsoft.AspNetCore.Mvc.Diagnostics public Microsoft.AspNetCore.Mvc.ActionContext ActionContext { get => throw null; } protected override int Count { get => throw null; } public ViewNotFoundEventData(Microsoft.AspNetCore.Mvc.ActionContext actionContext, bool isMainPage, Microsoft.AspNetCore.Mvc.ActionResult result, string viewName, System.Collections.Generic.IEnumerable searchedLocations) => throw null; - public static string EventName; + public const string EventName = default; public bool IsMainPage { get => throw null; } public Microsoft.AspNetCore.Mvc.ActionResult Result { get => throw null; } public System.Collections.Generic.IEnumerable SearchedLocations { get => throw null; } @@ -172,7 +172,7 @@ public class PageRemoteAttribute : Microsoft.AspNetCore.Mvc.RemoteAttributeBase public string PageHandler { get => throw null; set { } } public string PageName { get => throw null; set { } } } - public class PartialViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class PartialViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public string ContentType { get => throw null; set { } } public PartialViewResult() => throw null; @@ -608,7 +608,7 @@ public class ViewContext : Microsoft.AspNetCore.Mvc.ActionContext public System.IO.TextWriter Writer { get => throw null; set { } } } } - public class SkipStatusCodePagesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Http.Metadata.ISkipStatusCodePagesMetadata + public class SkipStatusCodePagesAttribute : System.Attribute, Microsoft.AspNetCore.Mvc.Filters.IFilterMetadata, Microsoft.AspNetCore.Mvc.Filters.IResourceFilter, Microsoft.AspNetCore.Http.Metadata.ISkipStatusCodePagesMetadata { public SkipStatusCodePagesAttribute() => throw null; public void OnResourceExecuted(Microsoft.AspNetCore.Mvc.Filters.ResourceExecutedContext context) => throw null; @@ -653,7 +653,7 @@ public class ViewComponentAttribute : System.Attribute public ViewComponentAttribute() => throw null; public string Name { get => throw null; set { } } } - public class ViewComponentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class ViewComponentResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public object Arguments { get => throw null; set { } } public string ContentType { get => throw null; set { } } @@ -856,7 +856,7 @@ public static partial class AntiforgeryExtensions { public static Microsoft.AspNetCore.Html.IHtmlContent GetHtml(this Microsoft.AspNetCore.Antiforgery.IAntiforgery antiforgery, Microsoft.AspNetCore.Http.HttpContext httpContext) => throw null; } - public class AttributeDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyCollection> + public class AttributeDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(string key, string value) => throw null; @@ -866,7 +866,7 @@ public class AttributeDictionary : System.Collections.Generic.IDictionary[] array, int arrayIndex) => throw null; public int Count { get => throw null; } public AttributeDictionary() => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public Enumerator(Microsoft.AspNetCore.Mvc.ViewFeatures.AttributeDictionary attributes) => throw null; public System.Collections.Generic.KeyValuePair Current { get => throw null; } @@ -1141,7 +1141,7 @@ public enum InputType Radio = 3, Text = 4, } - public interface ITempDataDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public interface ITempDataDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { void Keep(); void Keep(string key); @@ -1230,7 +1230,7 @@ public class StringHtmlContent : Microsoft.AspNetCore.Html.IHtmlContent public StringHtmlContent(string input) => throw null; public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - public class TempDataDictionary : Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary, System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class TempDataDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, Microsoft.AspNetCore.Mvc.ViewFeatures.ITempDataDictionary { public void Add(string key, object value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; @@ -1292,7 +1292,7 @@ public class ViewContextAttribute : System.Attribute { public ViewContextAttribute() => throw null; } - public class ViewDataDictionary : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ViewDataDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(string key, object value) => throw null; public void Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -1380,7 +1380,7 @@ public class ViewResultExecutor : Microsoft.AspNetCore.Mvc.ViewFeatures.ViewExec protected Microsoft.Extensions.Logging.ILogger Logger { get => throw null; } } } - public class ViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult, Microsoft.AspNetCore.Mvc.IActionResult + public class ViewResult : Microsoft.AspNetCore.Mvc.ActionResult, Microsoft.AspNetCore.Mvc.IActionResult, Microsoft.AspNetCore.Mvc.Infrastructure.IStatusCodeActionResult { public string ContentType { get => throw null; set { } } public ViewResult() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs index 0f28ce7578b7..1765573540a3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Razor.cs @@ -48,7 +48,7 @@ public sealed class HtmlTargetElementAttribute : System.Attribute public string Attributes { get => throw null; set { } } public HtmlTargetElementAttribute() => throw null; public HtmlTargetElementAttribute(string tag) => throw null; - public static string ElementCatchAllTarget; + public const string ElementCatchAllTarget = default; public string ParentTag { get => throw null; set { } } public string Tag { get => throw null; } public Microsoft.AspNetCore.Razor.TagHelpers.TagStructure TagStructure { get => throw null; set { } } @@ -102,7 +102,7 @@ public abstract class TagHelper : Microsoft.AspNetCore.Razor.TagHelpers.ITagHelp public virtual void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; public virtual System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; } - public class TagHelperAttribute : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent + public class TagHelperAttribute : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer { public void CopyTo(Microsoft.AspNetCore.Html.IHtmlContentBuilder destination) => throw null; public TagHelperAttribute(string name) => throw null; @@ -117,7 +117,7 @@ public class TagHelperAttribute : Microsoft.AspNetCore.Html.IHtmlContentContaine public Microsoft.AspNetCore.Razor.TagHelpers.HtmlAttributeValueStyle ValueStyle { get => throw null; } public void WriteTo(System.IO.TextWriter writer, System.Text.Encodings.Web.HtmlEncoder encoder) => throw null; } - public class TagHelperAttributeList : Microsoft.AspNetCore.Razor.TagHelpers.ReadOnlyTagHelperAttributeList, System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + public class TagHelperAttributeList : Microsoft.AspNetCore.Razor.TagHelpers.ReadOnlyTagHelperAttributeList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { public void Add(string name, object value) => throw null; public void Add(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttribute attribute) => throw null; @@ -142,7 +142,7 @@ public abstract class TagHelperComponent : Microsoft.AspNetCore.Razor.TagHelpers public virtual void Process(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; public virtual System.Threading.Tasks.Task ProcessAsync(Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContext context, Microsoft.AspNetCore.Razor.TagHelpers.TagHelperOutput output) => throw null; } - public abstract class TagHelperContent : Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent + public abstract class TagHelperContent : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentBuilder, Microsoft.AspNetCore.Html.IHtmlContentContainer { public abstract Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Append(string unencoded); Microsoft.AspNetCore.Html.IHtmlContentBuilder Microsoft.AspNetCore.Html.IHtmlContentBuilder.Append(string unencoded) => throw null; @@ -178,7 +178,7 @@ public class TagHelperContext public string TagName { get => throw null; } public string UniqueId { get => throw null; } } - public class TagHelperOutput : Microsoft.AspNetCore.Html.IHtmlContentContainer, Microsoft.AspNetCore.Html.IHtmlContent + public class TagHelperOutput : Microsoft.AspNetCore.Html.IHtmlContent, Microsoft.AspNetCore.Html.IHtmlContentContainer { public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperAttributeList Attributes { get => throw null; } public Microsoft.AspNetCore.Razor.TagHelpers.TagHelperContent Content { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs index 800973d97881..77dfff1d2332 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Routing.cs @@ -119,68 +119,68 @@ public class AlphaRouteConstraint : Microsoft.AspNetCore.Routing.Constraints.Reg { public AlphaRouteConstraint() : base(default(System.Text.RegularExpressions.Regex)) => throw null; } - public class BoolRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class BoolRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public BoolRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class CompositeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class CompositeRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public System.Collections.Generic.IEnumerable Constraints { get => throw null; } public CompositeRouteConstraint(System.Collections.Generic.IEnumerable constraints) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class DateTimeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DateTimeRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public DateTimeRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class DecimalRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DecimalRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public DecimalRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class DoubleRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class DoubleRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public DoubleRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class FileNameRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class FileNameRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public FileNameRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class FloatRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class FloatRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public FloatRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class GuidRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class GuidRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public GuidRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class HttpMethodRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy + public class HttpMethodRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public System.Collections.Generic.IList AllowedMethods { get => throw null; } public HttpMethodRouteConstraint(params string[] allowedMethods) => throw null; public virtual bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - public class IntRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class IntRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public IntRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public LengthRouteConstraint(int length) => throw null; public LengthRouteConstraint(int minLength, int maxLength) => throw null; @@ -189,53 +189,53 @@ public class LengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstrai public int MaxLength { get => throw null; } public int MinLength { get => throw null; } } - public class LongRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class LongRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public LongRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class MaxLengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MaxLengthRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public MaxLengthRouteConstraint(int maxLength) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public int MaxLength { get => throw null; } } - public class MaxRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MaxRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public MaxRouteConstraint(long max) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public long Max { get => throw null; } } - public class MinLengthRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MinLengthRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public MinLengthRouteConstraint(int minLength) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public int MinLength { get => throw null; } } - public class MinRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class MinRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public MinRouteConstraint(long min) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; public long Min { get => throw null; } } - public class NonFileNameRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class NonFileNameRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public NonFileNameRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class OptionalRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy + public class OptionalRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public OptionalRouteConstraint(Microsoft.AspNetCore.Routing.IRouteConstraint innerConstraint) => throw null; public Microsoft.AspNetCore.Routing.IRouteConstraint InnerConstraint { get => throw null; } public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - public class RangeRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class RangeRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public RangeRouteConstraint(long min, long max) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; @@ -247,7 +247,7 @@ public class RegexInlineRouteConstraint : Microsoft.AspNetCore.Routing.Constrain { public RegexInlineRouteConstraint(string regexPattern) : base(default(System.Text.RegularExpressions.Regex)) => throw null; } - public class RegexRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class RegexRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public System.Text.RegularExpressions.Regex Constraint { get => throw null; } public RegexRouteConstraint(System.Text.RegularExpressions.Regex regex) => throw null; @@ -255,12 +255,12 @@ public class RegexRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstrain public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy.MatchesLiteral(string parameterName, string literal) => throw null; } - public class RequiredRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy + public class RequiredRouteConstraint : Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public RequiredRouteConstraint() => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; } - public class StringRouteConstraint : Microsoft.AspNetCore.Routing.IRouteConstraint, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy + public class StringRouteConstraint : Microsoft.AspNetCore.Routing.Matching.IParameterLiteralNodeMatchingPolicy, Microsoft.AspNetCore.Routing.IParameterPolicy, Microsoft.AspNetCore.Routing.IRouteConstraint { public StringRouteConstraint(string value) => throw null; public bool Match(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.IRouter route, string routeKey, Microsoft.AspNetCore.Routing.RouteValueDictionary values, Microsoft.AspNetCore.Routing.RouteDirection routeDirection) => throw null; @@ -479,7 +479,7 @@ public abstract class EndpointSelector protected EndpointSelector() => throw null; public abstract System.Threading.Tasks.Task SelectAsync(Microsoft.AspNetCore.Http.HttpContext httpContext, Microsoft.AspNetCore.Routing.Matching.CandidateSet candidates); } - public sealed class HostMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy + public sealed class HostMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy { bool Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; @@ -490,7 +490,7 @@ public sealed class HostMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPoli public System.Collections.Generic.IReadOnlyList GetEdges(System.Collections.Generic.IReadOnlyList endpoints) => throw null; public override int Order { get => throw null; } } - public sealed class HttpMethodMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy + public sealed class HttpMethodMatcherPolicy : Microsoft.AspNetCore.Routing.MatcherPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointComparerPolicy, Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy, Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy { bool Microsoft.AspNetCore.Routing.Matching.INodeBuilderPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; bool Microsoft.AspNetCore.Routing.Matching.IEndpointSelectorPolicy.AppliesToEndpoints(System.Collections.Generic.IReadOnlyList endpoints) => throw null; @@ -684,7 +684,7 @@ public class Route : Microsoft.AspNetCore.Routing.RouteBase protected override Microsoft.AspNetCore.Routing.VirtualPathData OnVirtualPathGenerated(Microsoft.AspNetCore.Routing.VirtualPathContext context) => throw null; public string RouteTemplate { get => throw null; } } - public abstract class RouteBase : Microsoft.AspNetCore.Routing.IRouter, Microsoft.AspNetCore.Routing.INamedRouter + public abstract class RouteBase : Microsoft.AspNetCore.Routing.INamedRouter, Microsoft.AspNetCore.Routing.IRouter { protected virtual Microsoft.AspNetCore.Routing.IInlineConstraintResolver ConstraintResolver { get => throw null; set { } } public virtual System.Collections.Generic.IDictionary Constraints { get => throw null; set { } } @@ -750,7 +750,7 @@ public sealed class RouteEndpointBuilder : Microsoft.AspNetCore.Builder.Endpoint public int Order { get => throw null; set { } } public Microsoft.AspNetCore.Routing.Patterns.RoutePattern RoutePattern { get => throw null; set { } } } - public sealed class RouteGroupBuilder : Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class RouteGroupBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder { void Microsoft.AspNetCore.Builder.IEndpointConventionBuilder.Add(System.Action convention) => throw null; Microsoft.AspNetCore.Builder.IApplicationBuilder Microsoft.AspNetCore.Routing.IEndpointRouteBuilder.CreateApplicationBuilder() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs index 89e93f1a6b79..6cda04a1bf4c 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.HttpSys.cs @@ -52,7 +52,7 @@ public enum Http503VerbosityLevel : long } public static class HttpSysDefaults { - public static string AuthenticationScheme; + public const string AuthenticationScheme = default; } public class HttpSysException : System.ComponentModel.Win32Exception { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs index 06c0700496c0..198e692e3156 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IIS.cs @@ -73,7 +73,7 @@ public static partial class HttpContextExtensions } public class IISServerDefaults { - public static string AuthenticationScheme; + public const string AuthenticationScheme = default; public IISServerDefaults() => throw null; } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs index e5721275127e..a5d107cd3d42 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.IISIntegration.cs @@ -27,10 +27,10 @@ namespace IISIntegration { public class IISDefaults { - public static string AuthenticationScheme; + public const string AuthenticationScheme = default; public IISDefaults() => throw null; - public static string Negotiate; - public static string Ntlm; + public const string Negotiate = default; + public const string Ntlm = default; } public class IISHostingStartup : Microsoft.AspNetCore.Hosting.IHostingStartup { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs index 2514cedba106..f4fba9bc3dfb 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Server.Kestrel.Core.cs @@ -168,7 +168,7 @@ public struct TargetOffsetPathLength } } } - public class KestrelServer : Microsoft.AspNetCore.Hosting.Server.IServer, System.IDisposable + public class KestrelServer : System.IDisposable, Microsoft.AspNetCore.Hosting.Server.IServer { public KestrelServer(Microsoft.Extensions.Options.IOptions options, Microsoft.AspNetCore.Connections.IConnectionListenerFactory transportFactory, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; public void Dispose() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs index d008cbd0a901..7487185da6af 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Common.cs @@ -89,13 +89,13 @@ public abstract class HubMethodInvocationMessage : Microsoft.AspNetCore.SignalR. } public static class HubProtocolConstants { - public static int CancelInvocationMessageType; - public static int CloseMessageType; - public static int CompletionMessageType; - public static int InvocationMessageType; - public static int PingMessageType; - public static int StreamInvocationMessageType; - public static int StreamItemMessageType; + public const int CancelInvocationMessageType = default; + public const int CloseMessageType = default; + public const int CompletionMessageType = default; + public const int InvocationMessageType = default; + public const int PingMessageType = default; + public const int StreamInvocationMessageType = default; + public const int StreamItemMessageType = default; } public static partial class HubProtocolExtensions { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs index de43a674da12..0691c592da0d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.Core.cs @@ -185,7 +185,7 @@ public class HubConnectionStore public void Add(Microsoft.AspNetCore.SignalR.HubConnectionContext connection) => throw null; public int Count { get => throw null; } public HubConnectionStore() => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public Enumerator(Microsoft.AspNetCore.SignalR.HubConnectionStore hubConnectionList) => throw null; public Microsoft.AspNetCore.SignalR.HubConnectionContext Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs index 23935f02f58e..74fa88b46400 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.SignalR.cs @@ -6,7 +6,7 @@ namespace AspNetCore { namespace Builder { - public sealed class HubEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IEndpointConventionBuilder + public sealed class HubEndpointConventionBuilder : Microsoft.AspNetCore.Builder.IEndpointConventionBuilder, Microsoft.AspNetCore.Builder.IHubEndpointConventionBuilder { public void Add(System.Action convention) => throw null; public void Finally(System.Action finalConvention) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs index 65605e9e4d92..91f93e864706 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.WebUtilities.cs @@ -127,9 +127,9 @@ public class FormReader : System.IDisposable public FormReader(System.IO.Stream stream) => throw null; public FormReader(System.IO.Stream stream, System.Text.Encoding encoding) => throw null; public FormReader(System.IO.Stream stream, System.Text.Encoding encoding, System.Buffers.ArrayPool charPool) => throw null; - public static int DefaultKeyLengthLimit; - public static int DefaultValueCountLimit; - public static int DefaultValueLengthLimit; + public const int DefaultKeyLengthLimit = default; + public const int DefaultValueCountLimit = default; + public const int DefaultValueLengthLimit = default; public void Dispose() => throw null; public int KeyLengthLimit { get => throw null; set { } } public System.Collections.Generic.Dictionary ReadForm() => throw null; @@ -192,8 +192,8 @@ public class MultipartReader public long? BodyLengthLimit { get => throw null; set { } } public MultipartReader(string boundary, System.IO.Stream stream) => throw null; public MultipartReader(string boundary, System.IO.Stream stream, int bufferSize) => throw null; - public static int DefaultHeadersCountLimit; - public static int DefaultHeadersLengthLimit; + public const int DefaultHeadersCountLimit = default; + public const int DefaultHeadersLengthLimit = default; public int HeadersCountLimit { get => throw null; set { } } public int HeadersLengthLimit { get => throw null; set { } } public System.Threading.Tasks.Task ReadNextSectionAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs index 07b15f99f01a..e6f9d3bc6097 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.cs @@ -18,7 +18,7 @@ public sealed class ConfigureHostBuilder : Microsoft.Extensions.Hosting.IHostBui public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(Microsoft.Extensions.DependencyInjection.IServiceProviderFactory factory) => throw null; public Microsoft.Extensions.Hosting.IHostBuilder UseServiceProviderFactory(System.Func> factory) => throw null; } - public sealed class ConfigureWebHostBuilder : Microsoft.AspNetCore.Hosting.IWebHostBuilder, Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup + public sealed class ConfigureWebHostBuilder : Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup, Microsoft.AspNetCore.Hosting.IWebHostBuilder { Microsoft.AspNetCore.Hosting.IWebHost Microsoft.AspNetCore.Hosting.IWebHostBuilder.Build() => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.Configure(System.Action configure) => throw null; @@ -31,7 +31,7 @@ public sealed class ConfigureWebHostBuilder : Microsoft.AspNetCore.Hosting.IWebH Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.UseStartup(System.Type startupType) => throw null; Microsoft.AspNetCore.Hosting.IWebHostBuilder Microsoft.AspNetCore.Hosting.Infrastructure.ISupportsStartup.UseStartup(System.Func startupFactory) => throw null; } - public sealed class WebApplication : Microsoft.Extensions.Hosting.IHost, System.IDisposable, Microsoft.AspNetCore.Builder.IApplicationBuilder, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, System.IAsyncDisposable + public sealed class WebApplication : Microsoft.AspNetCore.Builder.IApplicationBuilder, System.IAsyncDisposable, System.IDisposable, Microsoft.AspNetCore.Routing.IEndpointRouteBuilder, Microsoft.Extensions.Hosting.IHost { System.IServiceProvider Microsoft.AspNetCore.Builder.IApplicationBuilder.ApplicationServices { get => throw null; set { } } Microsoft.AspNetCore.Http.RequestDelegate Microsoft.AspNetCore.Builder.IApplicationBuilder.Build() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs index 3e39b4a2aaac..f1e62cfc404b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Caching.Memory.cs @@ -24,7 +24,7 @@ public class MemoryDistributedCache : Microsoft.Extensions.Caching.Distributed.I } namespace Memory { - public class MemoryCache : Microsoft.Extensions.Caching.Memory.IMemoryCache, System.IDisposable + public class MemoryCache : System.IDisposable, Microsoft.Extensions.Caching.Memory.IMemoryCache { public void Clear() => throw null; public void Compact(double percentage) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs index 42ec0bbdb52c..64878c372698 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.DependencyInjection.Abstractions.cs @@ -18,7 +18,7 @@ public class ActivatorUtilitiesConstructorAttribute : System.Attribute { public ActivatorUtilitiesConstructorAttribute() => throw null; } - public struct AsyncServiceScope : Microsoft.Extensions.DependencyInjection.IServiceScope, System.IDisposable, System.IAsyncDisposable + public struct AsyncServiceScope : System.IAsyncDisposable, System.IDisposable, Microsoft.Extensions.DependencyInjection.IServiceScope { public AsyncServiceScope(Microsoft.Extensions.DependencyInjection.IServiceScope serviceScope) => throw null; public void Dispose() => throw null; @@ -84,7 +84,7 @@ public interface ISupportRequiredService object GetRequiredService(System.Type serviceType); } public delegate object ObjectFactory(System.IServiceProvider serviceProvider, object[] arguments); - public class ServiceCollection : Microsoft.Extensions.DependencyInjection.IServiceCollection, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList + public class ServiceCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, Microsoft.Extensions.DependencyInjection.IServiceCollection { void System.Collections.Generic.ICollection.Add(Microsoft.Extensions.DependencyInjection.ServiceDescriptor item) => throw null; public void Clear() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs index e5363a8a6b26..f3971d650d3e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Features.cs @@ -8,7 +8,7 @@ namespace Http { namespace Features { - public class FeatureCollection : Microsoft.AspNetCore.Http.Features.IFeatureCollection, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class FeatureCollection : System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, Microsoft.AspNetCore.Http.Features.IFeatureCollection { public FeatureCollection() => throw null; public FeatureCollection(int initialCapacity) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs index b4c25348be66..7cd793e5873e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.FileProviders.Physical.cs @@ -74,7 +74,7 @@ public class PollingWildCardChangeToken : Microsoft.Extensions.Primitives.IChang System.IDisposable Microsoft.Extensions.Primitives.IChangeToken.RegisterChangeCallback(System.Action callback, object state) => throw null; } } - public class PhysicalFileProvider : Microsoft.Extensions.FileProviders.IFileProvider, System.IDisposable + public class PhysicalFileProvider : System.IDisposable, Microsoft.Extensions.FileProviders.IFileProvider { public PhysicalFileProvider(string root) => throw null; public PhysicalFileProvider(string root, Microsoft.Extensions.FileProviders.Physical.ExclusionFilters filters) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs index faff556c0120..81f57df6dfc5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.Abstractions.cs @@ -14,7 +14,7 @@ public static partial class ServiceCollectionHostedServiceExtensions } namespace Hosting { - public abstract class BackgroundService : Microsoft.Extensions.Hosting.IHostedService, System.IDisposable + public abstract class BackgroundService : System.IDisposable, Microsoft.Extensions.Hosting.IHostedService { protected BackgroundService() => throw null; public virtual void Dispose() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs index d4e20dfa358c..160d318324a4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Hosting.cs @@ -101,7 +101,7 @@ public class ApplicationLifetime : Microsoft.Extensions.Hosting.IApplicationLife public void NotifyStopped() => throw null; public void StopApplication() => throw null; } - public class ConsoleLifetime : Microsoft.Extensions.Hosting.IHostLifetime, System.IDisposable + public class ConsoleLifetime : System.IDisposable, Microsoft.Extensions.Hosting.IHostLifetime { public ConsoleLifetime(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Hosting.IHostEnvironment environment, Microsoft.Extensions.Hosting.IHostApplicationLifetime applicationLifetime, Microsoft.Extensions.Options.IOptions hostOptions) => throw null; public ConsoleLifetime(Microsoft.Extensions.Options.IOptions options, Microsoft.Extensions.Hosting.IHostEnvironment environment, Microsoft.Extensions.Hosting.IHostApplicationLifetime applicationLifetime, Microsoft.Extensions.Options.IOptions hostOptions, Microsoft.Extensions.Logging.ILoggerFactory loggerFactory) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs index 8c05a35db0f4..95a493e54e76 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Core.cs @@ -143,18 +143,18 @@ public interface IPersonalDataProtector string Protect(string data); string Unprotect(string data); } - public interface IProtectedUserStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IProtectedUserStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { } - public interface IQueryableRoleStore : Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable where TRole : class + public interface IQueryableRoleStore : System.IDisposable, Microsoft.AspNetCore.Identity.IRoleStore where TRole : class { System.Linq.IQueryable Roles { get; } } - public interface IQueryableUserStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IQueryableUserStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Linq.IQueryable Users { get; } } - public interface IRoleClaimStore : Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable where TRole : class + public interface IRoleClaimStore : System.IDisposable, Microsoft.AspNetCore.Identity.IRoleStore where TRole : class { System.Threading.Tasks.Task AddClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); System.Threading.Tasks.Task> GetClaimsAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); @@ -177,13 +177,13 @@ public interface IRoleValidator where TRole : class { System.Threading.Tasks.Task ValidateAsync(Microsoft.AspNetCore.Identity.RoleManager manager, TRole role); } - public interface IUserAuthenticationTokenStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserAuthenticationTokenStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetTokenAsync(TUser user, string loginProvider, string name, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveTokenAsync(TUser user, string loginProvider, string name, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetTokenAsync(TUser user, string loginProvider, string name, string value, System.Threading.CancellationToken cancellationToken); } - public interface IUserAuthenticatorKeyStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserAuthenticatorKeyStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetAuthenticatorKeyAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetAuthenticatorKeyAsync(TUser user, string key, System.Threading.CancellationToken cancellationToken); @@ -192,7 +192,7 @@ public interface IUserClaimsPrincipalFactory where TUser : class { System.Threading.Tasks.Task CreateAsync(TUser user); } - public interface IUserClaimStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserClaimStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task AddClaimsAsync(TUser user, System.Collections.Generic.IEnumerable claims, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task> GetClaimsAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -204,7 +204,7 @@ public interface IUserConfirmation where TUser : class { System.Threading.Tasks.Task IsConfirmedAsync(Microsoft.AspNetCore.Identity.UserManager manager, TUser user); } - public interface IUserEmailStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserEmailStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task FindByEmailAsync(string normalizedEmail, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task GetEmailAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -214,7 +214,7 @@ public interface IUserEmailStore : Microsoft.AspNetCore.Identity.IUserSto System.Threading.Tasks.Task SetEmailConfirmedAsync(TUser user, bool confirmed, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetNormalizedEmailAsync(TUser user, string normalizedEmail, System.Threading.CancellationToken cancellationToken); } - public interface IUserLockoutStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserLockoutStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetAccessFailedCountAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task GetLockoutEnabledAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -224,27 +224,27 @@ public interface IUserLockoutStore : Microsoft.AspNetCore.Identity.IUserS System.Threading.Tasks.Task SetLockoutEnabledAsync(TUser user, bool enabled, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetLockoutEndDateAsync(TUser user, System.DateTimeOffset? lockoutEnd, System.Threading.CancellationToken cancellationToken); } - public interface IUserLoginStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserLoginStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task AddLoginAsync(TUser user, Microsoft.AspNetCore.Identity.UserLoginInfo login, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task FindByLoginAsync(string loginProvider, string providerKey, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task> GetLoginsAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveLoginAsync(TUser user, string loginProvider, string providerKey, System.Threading.CancellationToken cancellationToken); } - public interface IUserPasswordStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserPasswordStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetPasswordHashAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task HasPasswordAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetPasswordHashAsync(TUser user, string passwordHash, System.Threading.CancellationToken cancellationToken); } - public interface IUserPhoneNumberStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserPhoneNumberStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetPhoneNumberAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task GetPhoneNumberConfirmedAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetPhoneNumberAsync(TUser user, string phoneNumber, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetPhoneNumberConfirmedAsync(TUser user, bool confirmed, System.Threading.CancellationToken cancellationToken); } - public interface IUserRoleStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserRoleStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task AddToRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task> GetRolesAsync(TUser user, System.Threading.CancellationToken cancellationToken); @@ -252,7 +252,7 @@ public interface IUserRoleStore : Microsoft.AspNetCore.Identity.IUserStor System.Threading.Tasks.Task IsInRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RemoveFromRoleAsync(TUser user, string roleName, System.Threading.CancellationToken cancellationToken); } - public interface IUserSecurityStampStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserSecurityStampStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetSecurityStampAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetSecurityStampAsync(TUser user, string stamp, System.Threading.CancellationToken cancellationToken); @@ -270,13 +270,13 @@ public interface IUserStore : System.IDisposable where TUser : class System.Threading.Tasks.Task SetUserNameAsync(TUser user, string userName, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task UpdateAsync(TUser user, System.Threading.CancellationToken cancellationToken); } - public interface IUserTwoFactorRecoveryCodeStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserTwoFactorRecoveryCodeStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task CountCodesAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task RedeemCodeAsync(TUser user, string code, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task ReplaceCodesAsync(TUser user, System.Collections.Generic.IEnumerable recoveryCodes, System.Threading.CancellationToken cancellationToken); } - public interface IUserTwoFactorStore : Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : class + public interface IUserTwoFactorStore : System.IDisposable, Microsoft.AspNetCore.Identity.IUserStore where TUser : class { System.Threading.Tasks.Task GetTwoFactorEnabledAsync(TUser user, System.Threading.CancellationToken cancellationToken); System.Threading.Tasks.Task SetTwoFactorEnabledAsync(TUser user, bool enabled, System.Threading.CancellationToken cancellationToken); @@ -488,10 +488,10 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task ChangeEmailAsync(TUser user, string newEmail, string token) => throw null; public virtual System.Threading.Tasks.Task ChangePasswordAsync(TUser user, string currentPassword, string newPassword) => throw null; public virtual System.Threading.Tasks.Task ChangePhoneNumberAsync(TUser user, string phoneNumber, string token) => throw null; - public static string ChangePhoneNumberTokenPurpose; + public const string ChangePhoneNumberTokenPurpose = default; public virtual System.Threading.Tasks.Task CheckPasswordAsync(TUser user, string password) => throw null; public virtual System.Threading.Tasks.Task ConfirmEmailAsync(TUser user, string token) => throw null; - public static string ConfirmEmailTokenPurpose; + public const string ConfirmEmailTokenPurpose = default; public virtual System.Threading.Tasks.Task CountRecoveryCodesAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task CreateAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task CreateAsync(TUser user, string password) => throw null; @@ -561,7 +561,7 @@ public class UserManager : System.IDisposable where TUser : class public virtual System.Threading.Tasks.Task ResetAccessFailedCountAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task ResetAuthenticatorKeyAsync(TUser user) => throw null; public virtual System.Threading.Tasks.Task ResetPasswordAsync(TUser user, string token, string newPassword) => throw null; - public static string ResetPasswordTokenPurpose; + public const string ResetPasswordTokenPurpose = default; public virtual System.Threading.Tasks.Task SetAuthenticationTokenAsync(TUser user, string loginProvider, string tokenName, string tokenValue) => throw null; public virtual System.Threading.Tasks.Task SetEmailAsync(TUser user, string email) => throw null; public virtual System.Threading.Tasks.Task SetLockoutEnabledAsync(TUser user, bool enabled) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs index ee4f06046b86..6d9a61e59976 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Identity.Stores.cs @@ -89,7 +89,7 @@ public class IdentityUserToken where TKey : System.IEquatable public virtual TKey UserId { get => throw null; set { } } public virtual string Value { get => throw null; set { } } } - public abstract class RoleStoreBase : Microsoft.AspNetCore.Identity.IQueryableRoleStore, Microsoft.AspNetCore.Identity.IRoleStore, System.IDisposable, Microsoft.AspNetCore.Identity.IRoleClaimStore where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() + public abstract class RoleStoreBase : System.IDisposable, Microsoft.AspNetCore.Identity.IQueryableRoleStore, Microsoft.AspNetCore.Identity.IRoleClaimStore, Microsoft.AspNetCore.Identity.IRoleStore where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() { public abstract System.Threading.Tasks.Task AddClaimAsync(TRole role, System.Security.Claims.Claim claim, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public virtual TKey ConvertIdFromString(string id) => throw null; @@ -113,7 +113,7 @@ public class IdentityUserToken where TKey : System.IEquatable protected void ThrowIfDisposed() => throw null; public abstract System.Threading.Tasks.Task UpdateAsync(TRole role, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.IUserLoginStore, Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable, Microsoft.AspNetCore.Identity.IUserClaimStore, Microsoft.AspNetCore.Identity.IUserPasswordStore, Microsoft.AspNetCore.Identity.IUserSecurityStampStore, Microsoft.AspNetCore.Identity.IUserEmailStore, Microsoft.AspNetCore.Identity.IUserLockoutStore, Microsoft.AspNetCore.Identity.IUserPhoneNumberStore, Microsoft.AspNetCore.Identity.IQueryableUserStore, Microsoft.AspNetCore.Identity.IUserTwoFactorStore, Microsoft.AspNetCore.Identity.IUserAuthenticationTokenStore, Microsoft.AspNetCore.Identity.IUserAuthenticatorKeyStore, Microsoft.AspNetCore.Identity.IUserTwoFactorRecoveryCodeStore where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() + public abstract class UserStoreBase : System.IDisposable, Microsoft.AspNetCore.Identity.IQueryableUserStore, Microsoft.AspNetCore.Identity.IUserAuthenticationTokenStore, Microsoft.AspNetCore.Identity.IUserAuthenticatorKeyStore, Microsoft.AspNetCore.Identity.IUserClaimStore, Microsoft.AspNetCore.Identity.IUserEmailStore, Microsoft.AspNetCore.Identity.IUserLockoutStore, Microsoft.AspNetCore.Identity.IUserLoginStore, Microsoft.AspNetCore.Identity.IUserPasswordStore, Microsoft.AspNetCore.Identity.IUserPhoneNumberStore, Microsoft.AspNetCore.Identity.IUserSecurityStampStore, Microsoft.AspNetCore.Identity.IUserStore, Microsoft.AspNetCore.Identity.IUserTwoFactorRecoveryCodeStore, Microsoft.AspNetCore.Identity.IUserTwoFactorStore where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() { public abstract System.Threading.Tasks.Task AddClaimsAsync(TUser user, System.Collections.Generic.IEnumerable claims, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Threading.Tasks.Task AddLoginAsync(TUser user, Microsoft.AspNetCore.Identity.UserLoginInfo login, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); @@ -184,7 +184,7 @@ public class IdentityUserToken where TKey : System.IEquatable public abstract System.Threading.Tasks.Task UpdateAsync(TUser user, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); public abstract System.Linq.IQueryable Users { get; } } - public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.UserStoreBase, Microsoft.AspNetCore.Identity.IUserRoleStore, Microsoft.AspNetCore.Identity.IUserStore, System.IDisposable where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() + public abstract class UserStoreBase : Microsoft.AspNetCore.Identity.UserStoreBase, System.IDisposable, Microsoft.AspNetCore.Identity.IUserRoleStore, Microsoft.AspNetCore.Identity.IUserStore where TUser : Microsoft.AspNetCore.Identity.IdentityUser where TRole : Microsoft.AspNetCore.Identity.IdentityRole where TKey : System.IEquatable where TUserClaim : Microsoft.AspNetCore.Identity.IdentityUserClaim, new() where TUserRole : Microsoft.AspNetCore.Identity.IdentityUserRole, new() where TUserLogin : Microsoft.AspNetCore.Identity.IdentityUserLogin, new() where TUserToken : Microsoft.AspNetCore.Identity.IdentityUserToken, new() where TRoleClaim : Microsoft.AspNetCore.Identity.IdentityRoleClaim, new() { public abstract System.Threading.Tasks.Task AddToRoleAsync(TUser user, string normalizedRoleName, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); protected virtual TUserRole CreateUserRole(TUser user, TRole role) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs index a36de7c0a886..a017f82716aa 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Abstractions.cs @@ -33,7 +33,7 @@ public class NullLogger : Microsoft.Extensions.Logging.ILogger, Microsoft.Ext public bool IsEnabled(Microsoft.Extensions.Logging.LogLevel logLevel) => throw null; public void Log(Microsoft.Extensions.Logging.LogLevel logLevel, Microsoft.Extensions.Logging.EventId eventId, TState state, System.Exception exception, System.Func formatter) => throw null; } - public class NullLoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, System.IDisposable + public class NullLoggerFactory : System.IDisposable, Microsoft.Extensions.Logging.ILoggerFactory { public void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; @@ -41,7 +41,7 @@ public class NullLoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, Sy public void Dispose() => throw null; public static Microsoft.Extensions.Logging.Abstractions.NullLoggerFactory Instance; } - public class NullLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable + public class NullLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider { public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; public void Dispose() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs index 9a7521d8ac48..702765dbbca3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Console.cs @@ -16,9 +16,9 @@ public abstract class ConsoleFormatter } public static class ConsoleFormatterNames { - public static string Json; - public static string Simple; - public static string Systemd; + public const string Json = default; + public const string Simple = default; + public const string Systemd = default; } public class ConsoleFormatterOptions { @@ -45,7 +45,7 @@ public class ConsoleLoggerOptions public string TimestampFormat { get => throw null; set { } } public bool UseUtcTimestamp { get => throw null; set { } } } - public class ConsoleLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable, Microsoft.Extensions.Logging.ISupportExternalScope + public class ConsoleLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider, Microsoft.Extensions.Logging.ISupportExternalScope { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public ConsoleLoggerProvider(Microsoft.Extensions.Options.IOptionsMonitor options) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs index edd8a8c69320..6d34b9a25fcc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.Debug.cs @@ -8,7 +8,7 @@ namespace Logging { namespace Debug { - public class DebugLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable + public class DebugLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public DebugLoggerProvider() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs index 42a8d168d3c7..a6bd52d23175 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventLog.cs @@ -8,7 +8,7 @@ namespace Logging { namespace EventLog { - public class EventLogLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable, Microsoft.Extensions.Logging.ISupportExternalScope + public class EventLogLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider, Microsoft.Extensions.Logging.ISupportExternalScope { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public EventLogLoggerProvider() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs index e957725610be..ec81aead0022 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.EventSource.cs @@ -8,7 +8,7 @@ namespace Logging { namespace EventSource { - public class EventSourceLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable + public class EventSourceLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider { public Microsoft.Extensions.Logging.ILogger CreateLogger(string categoryName) => throw null; public EventSourceLoggerProvider(Microsoft.Extensions.Logging.EventSource.LoggingEventSource eventSource) => throw null; @@ -18,10 +18,10 @@ public sealed class LoggingEventSource : System.Diagnostics.Tracing.EventSource { public static class Keywords { - public static System.Diagnostics.Tracing.EventKeywords FormattedMessage; - public static System.Diagnostics.Tracing.EventKeywords JsonMessage; - public static System.Diagnostics.Tracing.EventKeywords Message; - public static System.Diagnostics.Tracing.EventKeywords Meta; + public const System.Diagnostics.Tracing.EventKeywords FormattedMessage = default; + public const System.Diagnostics.Tracing.EventKeywords JsonMessage = default; + public const System.Diagnostics.Tracing.EventKeywords Message = default; + public const System.Diagnostics.Tracing.EventKeywords Meta = default; } protected override void OnEventCommand(System.Diagnostics.Tracing.EventCommandEventArgs command) => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs index 225274f9d127..b4eb5fd3a1d3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.TraceSource.cs @@ -8,7 +8,7 @@ namespace Logging { namespace TraceSource { - public class TraceSourceLoggerProvider : Microsoft.Extensions.Logging.ILoggerProvider, System.IDisposable + public class TraceSourceLoggerProvider : System.IDisposable, Microsoft.Extensions.Logging.ILoggerProvider { public Microsoft.Extensions.Logging.ILogger CreateLogger(string name) => throw null; public TraceSourceLoggerProvider(System.Diagnostics.SourceSwitch rootSourceSwitch) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs index 01edf4dd4571..f3bb0065fe13 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Logging.cs @@ -51,7 +51,7 @@ public interface ILoggingBuilder { Microsoft.Extensions.DependencyInjection.IServiceCollection Services { get; } } - public class LoggerFactory : Microsoft.Extensions.Logging.ILoggerFactory, System.IDisposable + public class LoggerFactory : System.IDisposable, Microsoft.Extensions.Logging.ILoggerFactory { public void AddProvider(Microsoft.Extensions.Logging.ILoggerProvider provider) => throw null; protected virtual bool CheckDisposed() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs index d6b43314f703..2e7820b5001b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Options.cs @@ -195,7 +195,7 @@ public class OptionsManager : Microsoft.Extensions.Options.IOptions throw null; public TOptions Value { get => throw null; } } - public class OptionsMonitor : Microsoft.Extensions.Options.IOptionsMonitor, System.IDisposable where TOptions : class + public class OptionsMonitor : System.IDisposable, Microsoft.Extensions.Options.IOptionsMonitor where TOptions : class { public OptionsMonitor(Microsoft.Extensions.Options.IOptionsFactory factory, System.Collections.Generic.IEnumerable> sources, Microsoft.Extensions.Options.IOptionsMonitorCache cache) => throw null; public TOptions CurrentValue { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs index acc7bc886784..e7bab4d57801 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Extensions.Primitives.cs @@ -96,7 +96,7 @@ public struct StringTokenizer : System.Collections.Generic.IEnumerable throw null; public StringTokenizer(string value, char[] separators) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public Enumerator(ref Microsoft.Extensions.Primitives.StringTokenizer tokenizer) => throw null; public Microsoft.Extensions.Primitives.StringSegment Current { get => throw null; } @@ -109,7 +109,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public struct StringValues : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.IEquatable, System.IEquatable, System.IEquatable + public struct StringValues : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable, System.IEquatable, System.IEquatable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { void System.Collections.Generic.ICollection.Add(string item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -122,7 +122,7 @@ public struct StringValues : System.Collections.Generic.ICollection, Sys public StringValues(string value) => throw null; public StringValues(string[] values) => throw null; public static Microsoft.Extensions.Primitives.StringValues Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public Enumerator(ref Microsoft.Extensions.Primitives.StringValues values) => throw null; public string Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs index 4a29f8c28d46..da3135522512 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.JSInterop.cs @@ -20,7 +20,7 @@ public sealed class DotNetStreamReference : System.IDisposable public bool LeaveOpen { get => throw null; } public System.IO.Stream Stream { get => throw null; } } - public interface IJSInProcessObjectReference : Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable + public interface IJSInProcessObjectReference : System.IAsyncDisposable, System.IDisposable, Microsoft.JSInterop.IJSObjectReference { TValue Invoke(string identifier, params object[] args); } @@ -43,7 +43,7 @@ public interface IJSStreamReference : System.IAsyncDisposable long Length { get; } System.Threading.Tasks.ValueTask OpenReadStreamAsync(long maxAllowedSize = default(long), System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)); } - public interface IJSUnmarshalledObjectReference : Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable + public interface IJSUnmarshalledObjectReference : System.IAsyncDisposable, System.IDisposable, Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference { TResult InvokeUnmarshalled(string identifier); TResult InvokeUnmarshalled(string identifier, T0 arg0); @@ -59,13 +59,13 @@ public interface IJSUnmarshalledRuntime } namespace Implementation { - public class JSInProcessObjectReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable, System.IDisposable + public class JSInProcessObjectReference : Microsoft.JSInterop.Implementation.JSObjectReference, System.IAsyncDisposable, System.IDisposable, Microsoft.JSInterop.IJSInProcessObjectReference, Microsoft.JSInterop.IJSObjectReference { protected JSInProcessObjectReference(Microsoft.JSInterop.JSInProcessRuntime jsRuntime, long id) : base(default(Microsoft.JSInterop.JSRuntime), default(long)) => throw null; public void Dispose() => throw null; public TValue Invoke(string identifier, params object[] args) => throw null; } - public class JSObjectReference : Microsoft.JSInterop.IJSObjectReference, System.IAsyncDisposable + public class JSObjectReference : System.IAsyncDisposable, Microsoft.JSInterop.IJSObjectReference { protected JSObjectReference(Microsoft.JSInterop.JSRuntime jsRuntime, long id) => throw null; public System.Threading.Tasks.ValueTask DisposeAsync() => throw null; @@ -79,7 +79,7 @@ public static class JSObjectReferenceJsonWorker public static long ReadJSObjectReferenceIdentifier(ref System.Text.Json.Utf8JsonReader reader) => throw null; public static void WriteJSObjectReference(System.Text.Json.Utf8JsonWriter writer, Microsoft.JSInterop.Implementation.JSObjectReference objectReference) => throw null; } - public sealed class JSStreamReference : Microsoft.JSInterop.Implementation.JSObjectReference, Microsoft.JSInterop.IJSStreamReference, System.IAsyncDisposable + public sealed class JSStreamReference : Microsoft.JSInterop.Implementation.JSObjectReference, System.IAsyncDisposable, Microsoft.JSInterop.IJSStreamReference { public long Length { get => throw null; } System.Threading.Tasks.ValueTask Microsoft.JSInterop.IJSStreamReference.OpenReadStreamAsync(long maxAllowedSize, System.Threading.CancellationToken cancellationToken) => throw null; @@ -160,7 +160,7 @@ public static partial class JSObjectReferenceExtensions public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.Threading.CancellationToken cancellationToken, params object[] args) => throw null; public static System.Threading.Tasks.ValueTask InvokeVoidAsync(this Microsoft.JSInterop.IJSObjectReference jsObjectReference, string identifier, System.TimeSpan timeout, params object[] args) => throw null; } - public abstract class JSRuntime : Microsoft.JSInterop.IJSRuntime, System.IDisposable + public abstract class JSRuntime : System.IDisposable, Microsoft.JSInterop.IJSRuntime { protected virtual void BeginInvokeJS(long taskId, string identifier, string argsJson) => throw null; protected abstract void BeginInvokeJS(long taskId, string identifier, string argsJson, Microsoft.JSInterop.JSCallResultType resultType, long targetInstanceId); diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs index f4acc51ab115..f0fc81910d28 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.Net.Http.Headers.cs @@ -222,8 +222,8 @@ public static class HeaderNames } public static class HeaderQuality { - public static double Match; - public static double NoMatch; + public const double Match = default; + public const double NoMatch = default; } public static class HeaderUtilities { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs index da3269ed7d85..c1c3e0538c29 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Diagnostics.EventLog.cs @@ -230,7 +230,7 @@ public class EventLogWatcher : System.IDisposable public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; public bool Enabled { get => throw null; set { } } - public event System.EventHandler EventRecordWritten { add { } remove { } } + public event System.EventHandler EventRecordWritten; } public sealed class EventMetadata { @@ -402,7 +402,7 @@ public class EventLog : System.ComponentModel.Component, System.ComponentModel.I public bool EnableRaisingEvents { get => throw null; set { } } public void EndInit() => throw null; public System.Diagnostics.EventLogEntryCollection Entries { get => throw null; } - public event System.Diagnostics.EntryWrittenEventHandler EntryWritten { add { } remove { } } + public event System.Diagnostics.EntryWrittenEventHandler EntryWritten; public static bool Exists(string logName) => throw null; public static bool Exists(string logName, string machineName) => throw null; public static System.Diagnostics.EventLog[] GetEventLogs() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs index 1b113c55b5ed..2ede2f9ca5b0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/System.Security.Cryptography.Xml.cs @@ -126,23 +126,23 @@ public class EncryptedXml public static void ReplaceElement(System.Xml.XmlElement inputElement, System.Security.Cryptography.Xml.EncryptedData encryptedData, bool content) => throw null; public System.Xml.XmlResolver Resolver { get => throw null; set { } } public int XmlDSigSearchDepth { get => throw null; set { } } - public static string XmlEncAES128KeyWrapUrl; - public static string XmlEncAES128Url; - public static string XmlEncAES192KeyWrapUrl; - public static string XmlEncAES192Url; - public static string XmlEncAES256KeyWrapUrl; - public static string XmlEncAES256Url; - public static string XmlEncDESUrl; - public static string XmlEncElementContentUrl; - public static string XmlEncElementUrl; - public static string XmlEncEncryptedKeyUrl; - public static string XmlEncNamespaceUrl; - public static string XmlEncRSA15Url; - public static string XmlEncRSAOAEPUrl; - public static string XmlEncSHA256Url; - public static string XmlEncSHA512Url; - public static string XmlEncTripleDESKeyWrapUrl; - public static string XmlEncTripleDESUrl; + public const string XmlEncAES128KeyWrapUrl = default; + public const string XmlEncAES128Url = default; + public const string XmlEncAES192KeyWrapUrl = default; + public const string XmlEncAES192Url = default; + public const string XmlEncAES256KeyWrapUrl = default; + public const string XmlEncAES256Url = default; + public const string XmlEncDESUrl = default; + public const string XmlEncElementContentUrl = default; + public const string XmlEncElementUrl = default; + public const string XmlEncEncryptedKeyUrl = default; + public const string XmlEncNamespaceUrl = default; + public const string XmlEncRSA15Url = default; + public const string XmlEncRSAOAEPUrl = default; + public const string XmlEncSHA256Url = default; + public const string XmlEncSHA512Url = default; + public const string XmlEncTripleDESKeyWrapUrl = default; + public const string XmlEncTripleDESUrl = default; } public class EncryptionMethod { @@ -379,30 +379,30 @@ public System.Xml.XmlResolver Resolver { set { } } public System.Security.Cryptography.Xml.SignedInfo SignedInfo { get => throw null; } public System.Security.Cryptography.AsymmetricAlgorithm SigningKey { get => throw null; set { } } public string SigningKeyName { get => throw null; set { } } - public static string XmlDecryptionTransformUrl; - public static string XmlDsigBase64TransformUrl; - public static string XmlDsigC14NTransformUrl; - public static string XmlDsigC14NWithCommentsTransformUrl; - public static string XmlDsigCanonicalizationUrl; - public static string XmlDsigCanonicalizationWithCommentsUrl; - public static string XmlDsigDSAUrl; - public static string XmlDsigEnvelopedSignatureTransformUrl; - public static string XmlDsigExcC14NTransformUrl; - public static string XmlDsigExcC14NWithCommentsTransformUrl; - public static string XmlDsigHMACSHA1Url; - public static string XmlDsigMinimalCanonicalizationUrl; - public static string XmlDsigNamespaceUrl; - public static string XmlDsigRSASHA1Url; - public static string XmlDsigRSASHA256Url; - public static string XmlDsigRSASHA384Url; - public static string XmlDsigRSASHA512Url; - public static string XmlDsigSHA1Url; - public static string XmlDsigSHA256Url; - public static string XmlDsigSHA384Url; - public static string XmlDsigSHA512Url; - public static string XmlDsigXPathTransformUrl; - public static string XmlDsigXsltTransformUrl; - public static string XmlLicenseTransformUrl; + public const string XmlDecryptionTransformUrl = default; + public const string XmlDsigBase64TransformUrl = default; + public const string XmlDsigC14NTransformUrl = default; + public const string XmlDsigC14NWithCommentsTransformUrl = default; + public const string XmlDsigCanonicalizationUrl = default; + public const string XmlDsigCanonicalizationWithCommentsUrl = default; + public const string XmlDsigDSAUrl = default; + public const string XmlDsigEnvelopedSignatureTransformUrl = default; + public const string XmlDsigExcC14NTransformUrl = default; + public const string XmlDsigExcC14NWithCommentsTransformUrl = default; + public const string XmlDsigHMACSHA1Url = default; + public const string XmlDsigMinimalCanonicalizationUrl = default; + public const string XmlDsigNamespaceUrl = default; + public const string XmlDsigRSASHA1Url = default; + public const string XmlDsigRSASHA256Url = default; + public const string XmlDsigRSASHA384Url = default; + public const string XmlDsigRSASHA512Url = default; + public const string XmlDsigSHA1Url = default; + public const string XmlDsigSHA256Url = default; + public const string XmlDsigSHA384Url = default; + public const string XmlDsigSHA512Url = default; + public const string XmlDsigXPathTransformUrl = default; + public const string XmlDsigXsltTransformUrl = default; + public const string XmlLicenseTransformUrl = default; } public abstract class Transform { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs index 981929b39bdf..6312e16d27e6 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.Core.cs @@ -365,122 +365,122 @@ public sealed class Versioned } public sealed class Constants { - public static Microsoft.VisualBasic.MsgBoxResult vbAbort; - public static Microsoft.VisualBasic.MsgBoxStyle vbAbortRetryIgnore; - public static Microsoft.VisualBasic.MsgBoxStyle vbApplicationModal; - public static Microsoft.VisualBasic.FileAttribute vbArchive; - public static Microsoft.VisualBasic.VariantType vbArray; - public static string vbBack; - public static Microsoft.VisualBasic.CompareMethod vbBinaryCompare; - public static Microsoft.VisualBasic.VariantType vbBoolean; - public static Microsoft.VisualBasic.VariantType vbByte; - public static Microsoft.VisualBasic.MsgBoxResult vbCancel; - public static string vbCr; - public static Microsoft.VisualBasic.MsgBoxStyle vbCritical; - public static string vbCrLf; - public static Microsoft.VisualBasic.VariantType vbCurrency; - public static Microsoft.VisualBasic.VariantType vbDate; - public static Microsoft.VisualBasic.VariantType vbDecimal; - public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton1; - public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton2; - public static Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton3; - public static Microsoft.VisualBasic.FileAttribute vbDirectory; - public static Microsoft.VisualBasic.VariantType vbDouble; - public static Microsoft.VisualBasic.VariantType vbEmpty; - public static Microsoft.VisualBasic.MsgBoxStyle vbExclamation; - public static Microsoft.VisualBasic.TriState vbFalse; - public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstFourDays; - public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstFullWeek; - public static Microsoft.VisualBasic.FirstWeekOfYear vbFirstJan1; - public static string vbFormFeed; - public static Microsoft.VisualBasic.FirstDayOfWeek vbFriday; - public static Microsoft.VisualBasic.DateFormat vbGeneralDate; - public static Microsoft.VisualBasic.CallType vbGet; - public static Microsoft.VisualBasic.FileAttribute vbHidden; - public static Microsoft.VisualBasic.AppWinStyle vbHide; - public static Microsoft.VisualBasic.VbStrConv vbHiragana; - public static Microsoft.VisualBasic.MsgBoxResult vbIgnore; - public static Microsoft.VisualBasic.MsgBoxStyle vbInformation; - public static Microsoft.VisualBasic.VariantType vbInteger; - public static Microsoft.VisualBasic.VbStrConv vbKatakana; - public static Microsoft.VisualBasic.CallType vbLet; - public static string vbLf; - public static Microsoft.VisualBasic.VbStrConv vbLinguisticCasing; - public static Microsoft.VisualBasic.VariantType vbLong; - public static Microsoft.VisualBasic.DateFormat vbLongDate; - public static Microsoft.VisualBasic.DateFormat vbLongTime; - public static Microsoft.VisualBasic.VbStrConv vbLowerCase; - public static Microsoft.VisualBasic.AppWinStyle vbMaximizedFocus; - public static Microsoft.VisualBasic.CallType vbMethod; - public static Microsoft.VisualBasic.AppWinStyle vbMinimizedFocus; - public static Microsoft.VisualBasic.AppWinStyle vbMinimizedNoFocus; - public static Microsoft.VisualBasic.FirstDayOfWeek vbMonday; - public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxHelp; - public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRight; - public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRtlReading; - public static Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxSetForeground; - public static Microsoft.VisualBasic.VbStrConv vbNarrow; - public static string vbNewLine; - public static Microsoft.VisualBasic.MsgBoxResult vbNo; - public static Microsoft.VisualBasic.FileAttribute vbNormal; - public static Microsoft.VisualBasic.AppWinStyle vbNormalFocus; - public static Microsoft.VisualBasic.AppWinStyle vbNormalNoFocus; - public static Microsoft.VisualBasic.VariantType vbNull; - public static string vbNullChar; - public static string vbNullString; - public static Microsoft.VisualBasic.VariantType vbObject; - public static int vbObjectError; - public static Microsoft.VisualBasic.MsgBoxResult vbOK; - public static Microsoft.VisualBasic.MsgBoxStyle vbOKCancel; - public static Microsoft.VisualBasic.MsgBoxStyle vbOKOnly; - public static Microsoft.VisualBasic.VbStrConv vbProperCase; - public static Microsoft.VisualBasic.MsgBoxStyle vbQuestion; - public static Microsoft.VisualBasic.FileAttribute vbReadOnly; - public static Microsoft.VisualBasic.MsgBoxResult vbRetry; - public static Microsoft.VisualBasic.MsgBoxStyle vbRetryCancel; - public static Microsoft.VisualBasic.FirstDayOfWeek vbSaturday; - public static Microsoft.VisualBasic.CallType vbSet; - public static Microsoft.VisualBasic.DateFormat vbShortDate; - public static Microsoft.VisualBasic.DateFormat vbShortTime; - public static Microsoft.VisualBasic.VbStrConv vbSimplifiedChinese; - public static Microsoft.VisualBasic.VariantType vbSingle; - public static Microsoft.VisualBasic.VariantType vbString; - public static Microsoft.VisualBasic.FirstDayOfWeek vbSunday; - public static Microsoft.VisualBasic.FileAttribute vbSystem; - public static Microsoft.VisualBasic.MsgBoxStyle vbSystemModal; - public static string vbTab; - public static Microsoft.VisualBasic.CompareMethod vbTextCompare; - public static Microsoft.VisualBasic.FirstDayOfWeek vbThursday; - public static Microsoft.VisualBasic.VbStrConv vbTraditionalChinese; - public static Microsoft.VisualBasic.TriState vbTrue; - public static Microsoft.VisualBasic.FirstDayOfWeek vbTuesday; - public static Microsoft.VisualBasic.VbStrConv vbUpperCase; - public static Microsoft.VisualBasic.TriState vbUseDefault; - public static Microsoft.VisualBasic.VariantType vbUserDefinedType; - public static Microsoft.VisualBasic.FirstWeekOfYear vbUseSystem; - public static Microsoft.VisualBasic.FirstDayOfWeek vbUseSystemDayOfWeek; - public static Microsoft.VisualBasic.VariantType vbVariant; - public static string vbVerticalTab; - public static Microsoft.VisualBasic.FileAttribute vbVolume; - public static Microsoft.VisualBasic.FirstDayOfWeek vbWednesday; - public static Microsoft.VisualBasic.VbStrConv vbWide; - public static Microsoft.VisualBasic.MsgBoxResult vbYes; - public static Microsoft.VisualBasic.MsgBoxStyle vbYesNo; - public static Microsoft.VisualBasic.MsgBoxStyle vbYesNoCancel; + public const Microsoft.VisualBasic.MsgBoxResult vbAbort = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbAbortRetryIgnore = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbApplicationModal = default; + public const Microsoft.VisualBasic.FileAttribute vbArchive = default; + public const Microsoft.VisualBasic.VariantType vbArray = default; + public const string vbBack = default; + public const Microsoft.VisualBasic.CompareMethod vbBinaryCompare = default; + public const Microsoft.VisualBasic.VariantType vbBoolean = default; + public const Microsoft.VisualBasic.VariantType vbByte = default; + public const Microsoft.VisualBasic.MsgBoxResult vbCancel = default; + public const string vbCr = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbCritical = default; + public const string vbCrLf = default; + public const Microsoft.VisualBasic.VariantType vbCurrency = default; + public const Microsoft.VisualBasic.VariantType vbDate = default; + public const Microsoft.VisualBasic.VariantType vbDecimal = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton1 = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton2 = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbDefaultButton3 = default; + public const Microsoft.VisualBasic.FileAttribute vbDirectory = default; + public const Microsoft.VisualBasic.VariantType vbDouble = default; + public const Microsoft.VisualBasic.VariantType vbEmpty = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbExclamation = default; + public const Microsoft.VisualBasic.TriState vbFalse = default; + public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstFourDays = default; + public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstFullWeek = default; + public const Microsoft.VisualBasic.FirstWeekOfYear vbFirstJan1 = default; + public const string vbFormFeed = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbFriday = default; + public const Microsoft.VisualBasic.DateFormat vbGeneralDate = default; + public const Microsoft.VisualBasic.CallType vbGet = default; + public const Microsoft.VisualBasic.FileAttribute vbHidden = default; + public const Microsoft.VisualBasic.AppWinStyle vbHide = default; + public const Microsoft.VisualBasic.VbStrConv vbHiragana = default; + public const Microsoft.VisualBasic.MsgBoxResult vbIgnore = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbInformation = default; + public const Microsoft.VisualBasic.VariantType vbInteger = default; + public const Microsoft.VisualBasic.VbStrConv vbKatakana = default; + public const Microsoft.VisualBasic.CallType vbLet = default; + public const string vbLf = default; + public const Microsoft.VisualBasic.VbStrConv vbLinguisticCasing = default; + public const Microsoft.VisualBasic.VariantType vbLong = default; + public const Microsoft.VisualBasic.DateFormat vbLongDate = default; + public const Microsoft.VisualBasic.DateFormat vbLongTime = default; + public const Microsoft.VisualBasic.VbStrConv vbLowerCase = default; + public const Microsoft.VisualBasic.AppWinStyle vbMaximizedFocus = default; + public const Microsoft.VisualBasic.CallType vbMethod = default; + public const Microsoft.VisualBasic.AppWinStyle vbMinimizedFocus = default; + public const Microsoft.VisualBasic.AppWinStyle vbMinimizedNoFocus = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbMonday = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxHelp = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRight = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxRtlReading = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbMsgBoxSetForeground = default; + public const Microsoft.VisualBasic.VbStrConv vbNarrow = default; + public const string vbNewLine = default; + public const Microsoft.VisualBasic.MsgBoxResult vbNo = default; + public const Microsoft.VisualBasic.FileAttribute vbNormal = default; + public const Microsoft.VisualBasic.AppWinStyle vbNormalFocus = default; + public const Microsoft.VisualBasic.AppWinStyle vbNormalNoFocus = default; + public const Microsoft.VisualBasic.VariantType vbNull = default; + public const string vbNullChar = default; + public const string vbNullString = default; + public const Microsoft.VisualBasic.VariantType vbObject = default; + public const int vbObjectError = default; + public const Microsoft.VisualBasic.MsgBoxResult vbOK = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbOKCancel = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbOKOnly = default; + public const Microsoft.VisualBasic.VbStrConv vbProperCase = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbQuestion = default; + public const Microsoft.VisualBasic.FileAttribute vbReadOnly = default; + public const Microsoft.VisualBasic.MsgBoxResult vbRetry = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbRetryCancel = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbSaturday = default; + public const Microsoft.VisualBasic.CallType vbSet = default; + public const Microsoft.VisualBasic.DateFormat vbShortDate = default; + public const Microsoft.VisualBasic.DateFormat vbShortTime = default; + public const Microsoft.VisualBasic.VbStrConv vbSimplifiedChinese = default; + public const Microsoft.VisualBasic.VariantType vbSingle = default; + public const Microsoft.VisualBasic.VariantType vbString = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbSunday = default; + public const Microsoft.VisualBasic.FileAttribute vbSystem = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbSystemModal = default; + public const string vbTab = default; + public const Microsoft.VisualBasic.CompareMethod vbTextCompare = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbThursday = default; + public const Microsoft.VisualBasic.VbStrConv vbTraditionalChinese = default; + public const Microsoft.VisualBasic.TriState vbTrue = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbTuesday = default; + public const Microsoft.VisualBasic.VbStrConv vbUpperCase = default; + public const Microsoft.VisualBasic.TriState vbUseDefault = default; + public const Microsoft.VisualBasic.VariantType vbUserDefinedType = default; + public const Microsoft.VisualBasic.FirstWeekOfYear vbUseSystem = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbUseSystemDayOfWeek = default; + public const Microsoft.VisualBasic.VariantType vbVariant = default; + public const string vbVerticalTab = default; + public const Microsoft.VisualBasic.FileAttribute vbVolume = default; + public const Microsoft.VisualBasic.FirstDayOfWeek vbWednesday = default; + public const Microsoft.VisualBasic.VbStrConv vbWide = default; + public const Microsoft.VisualBasic.MsgBoxResult vbYes = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbYesNo = default; + public const Microsoft.VisualBasic.MsgBoxStyle vbYesNoCancel = default; } public sealed class ControlChars { - public static char Back; - public static char Cr; - public static string CrLf; + public const char Back = default; + public const char Cr = default; + public const string CrLf = default; public ControlChars() => throw null; - public static char FormFeed; - public static char Lf; - public static string NewLine; - public static char NullChar; - public static char Quote; - public static char Tab; - public static char VerticalTab; + public const char FormFeed = default; + public const char Lf = default; + public const string NewLine = default; + public const char NullChar = default; + public const char Quote = default; + public const char Tab = default; + public const char VerticalTab = default; } public sealed class Conversion { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs index f172d3e4a002..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs index a996113e93e1..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.AppContext, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs index c3d79aed8ff2..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Buffers, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs index 27562a6aaec7..a1c8e49daa38 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Concurrent.cs @@ -6,7 +6,7 @@ namespace Collections { namespace Concurrent { - public class BlockingCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.IDisposable + public class BlockingCollection : System.Collections.ICollection, System.IDisposable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public void Add(T item) => throw null; public void Add(T item, System.Threading.CancellationToken cancellationToken) => throw null; @@ -53,7 +53,7 @@ public class BlockingCollection : System.Collections.Generic.IEnumerable, public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken) => throw null; public static int TryTakeFromAny(System.Collections.Concurrent.BlockingCollection[] collections, out T item, System.TimeSpan timeout) => throw null; } - public class ConcurrentBag : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection + public class ConcurrentBag : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IReadOnlyCollection { public void Add(T item) => throw null; public void Clear() => throw null; @@ -72,7 +72,7 @@ public class ConcurrentBag : System.Collections.Concurrent.IProducerConsumerC public bool TryPeek(out T result) => throw null; public bool TryTake(out T result) => throw null; } - public class ConcurrentDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public class ConcurrentDictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; @@ -125,7 +125,7 @@ public class ConcurrentDictionary : System.Collections.Generic.ICo System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } public System.Collections.Generic.ICollection Values { get => throw null; } } - public class ConcurrentQueue : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection + public class ConcurrentQueue : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; public void CopyTo(T[] array, int index) => throw null; @@ -145,7 +145,7 @@ public class ConcurrentQueue : System.Collections.Concurrent.IProducerConsume public bool TryPeek(out T result) => throw null; bool System.Collections.Concurrent.IProducerConsumerCollection.TryTake(out T item) => throw null; } - public class ConcurrentStack : System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection, System.Collections.Generic.IReadOnlyCollection + public class ConcurrentStack : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Concurrent.IProducerConsumerCollection, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; public void CopyTo(T[] array, int index) => throw null; @@ -175,7 +175,7 @@ public enum EnumerablePartitionerOptions None = 0, NoBuffering = 1, } - public interface IProducerConsumerCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection + public interface IProducerConsumerCollection : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { void CopyTo(T[] array, int index); T[] ToArray(); diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs index 62e1bf6ee1cc..a402d6f9462b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Immutable.cs @@ -97,7 +97,7 @@ public static class ImmutableArray public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.ReadOnlySpan items) => throw null; public static System.Collections.Immutable.ImmutableArray ToImmutableArray(this System.Span items) => throw null; } - public struct ImmutableArray : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IEquatable> + public struct ImmutableArray : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable>, System.Collections.Immutable.IImmutableList, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable { public System.Collections.Immutable.ImmutableArray Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -300,7 +300,7 @@ public static class ImmutableDictionary public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableDictionary ToImmutableDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IEqualityComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; } - public sealed class ImmutableDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.Immutable.IImmutableDictionary + public sealed class ImmutableDictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public System.Collections.Immutable.ImmutableDictionary Add(TKey key, TValue value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -309,7 +309,7 @@ public sealed class ImmutableDictionary : System.Collections.Gener System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; public System.Collections.Immutable.ImmutableDictionary AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; - public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(TKey key, TValue value) => throw null; @@ -364,7 +364,7 @@ public sealed class Builder : System.Collections.Generic.ICollection throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableDictionary Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -426,7 +426,7 @@ public static class ImmutableHashSet public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IEqualityComparer equalityComparer) => throw null; public static System.Collections.Immutable.ImmutableHashSet ToImmutableHashSet(this System.Collections.Immutable.ImmutableHashSet.Builder builder) => throw null; } - public sealed class ImmutableHashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Collections.Immutable.IImmutableSet + public sealed class ImmutableHashSet : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableSet, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet { public System.Collections.Immutable.ImmutableHashSet Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -467,7 +467,7 @@ public sealed class Builder : System.Collections.Generic.ICollection, System. void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableHashSet Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -551,7 +551,7 @@ public static class ImmutableList public static System.Collections.Immutable.ImmutableList ToImmutableList(this System.Collections.Generic.IEnumerable source) => throw null; public static System.Collections.Immutable.ImmutableList ToImmutableList(this System.Collections.Immutable.ImmutableList.Builder builder) => throw null; } - public sealed class ImmutableList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableList + public sealed class ImmutableList : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableList, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public System.Collections.Immutable.ImmutableList Add(T value) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -562,7 +562,7 @@ public sealed class ImmutableList : System.Collections.Generic.ICollection public int BinarySearch(int index, int count, T item, System.Collections.Generic.IComparer comparer) => throw null; public int BinarySearch(T item) => throw null; public int BinarySearch(T item, System.Collections.Generic.IComparer comparer) => throw null; - public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public void Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -647,7 +647,7 @@ public sealed class Builder : System.Collections.Generic.ICollection, System. void System.Collections.ICollection.CopyTo(System.Array array, int arrayIndex) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableList Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -769,7 +769,7 @@ public static class ImmutableSortedDictionary public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IComparer keyComparer) => throw null; public static System.Collections.Immutable.ImmutableSortedDictionary ToImmutableSortedDictionary(this System.Collections.Generic.IEnumerable source, System.Func keySelector, System.Func elementSelector, System.Collections.Generic.IComparer keyComparer, System.Collections.Generic.IEqualityComparer valueComparer) => throw null; } - public sealed class ImmutableSortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.Immutable.IImmutableDictionary + public sealed class ImmutableSortedDictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public System.Collections.Immutable.ImmutableSortedDictionary Add(TKey key, TValue value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -778,7 +778,7 @@ public sealed class ImmutableSortedDictionary : System.Collections System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.Add(TKey key, TValue value) => throw null; public System.Collections.Immutable.ImmutableSortedDictionary AddRange(System.Collections.Generic.IEnumerable> items) => throw null; System.Collections.Immutable.IImmutableDictionary System.Collections.Immutable.IImmutableDictionary.AddRange(System.Collections.Generic.IEnumerable> pairs) => throw null; - public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public sealed class Builder : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(System.Collections.Generic.KeyValuePair item) => throw null; public void Add(TKey key, TValue value) => throw null; @@ -834,7 +834,7 @@ public sealed class Builder : System.Collections.Generic.ICollection throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableSortedDictionary Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -897,14 +897,14 @@ public static class ImmutableSortedSet public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Generic.IEnumerable source, System.Collections.Generic.IComparer comparer) => throw null; public static System.Collections.Immutable.ImmutableSortedSet ToImmutableSortedSet(this System.Collections.Immutable.ImmutableSortedSet.Builder builder) => throw null; } - public sealed class ImmutableSortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Collections.IList, System.Collections.Immutable.IImmutableSet + public sealed class ImmutableSortedSet : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Immutable.IImmutableSet, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.Generic.IReadOnlySet, System.Collections.Generic.ISet { public System.Collections.Immutable.ImmutableSortedSet Add(T value) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; bool System.Collections.Generic.ISet.Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; System.Collections.Immutable.IImmutableSet System.Collections.Immutable.IImmutableSet.Add(T value) => throw null; - public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.ICollection + public sealed class Builder : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet { public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -950,7 +950,7 @@ public sealed class Builder : System.Collections.Generic.ICollection, System. void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public static System.Collections.Immutable.ImmutableSortedSet Empty; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs index b1acd32ceaf7..b7260d5fd77a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.NonGeneric.cs @@ -52,7 +52,7 @@ public abstract class CollectionBase : System.Collections.ICollection, System.Co public void RemoveAt(int index) => throw null; object System.Collections.ICollection.SyncRoot { get => throw null; } } - public abstract class DictionaryBase : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary + public abstract class DictionaryBase : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable { void System.Collections.IDictionary.Add(object key, object value) => throw null; public void Clear() => throw null; @@ -83,7 +83,7 @@ public abstract class DictionaryBase : System.Collections.ICollection, System.Co object System.Collections.ICollection.SyncRoot { get => throw null; } System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } } - public class Queue : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable + public class Queue : System.ICloneable, System.Collections.ICollection, System.Collections.IEnumerable { public virtual void Clear() => throw null; public virtual object Clone() => throw null; @@ -114,7 +114,7 @@ public abstract class ReadOnlyCollectionBase : System.Collections.ICollection, S bool System.Collections.ICollection.IsSynchronized { get => throw null; } object System.Collections.ICollection.SyncRoot { get => throw null; } } - public class SortedList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ICloneable + public class SortedList : System.ICloneable, System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable { public virtual void Add(object key, object value) => throw null; public virtual int Capacity { get => throw null; set { } } @@ -163,7 +163,7 @@ public class CollectionsUtil public CollectionsUtil() => throw null; } } - public class Stack : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable + public class Stack : System.ICloneable, System.Collections.ICollection, System.Collections.IEnumerable { public virtual void Clear() => throw null; public virtual object Clone() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs index eff72319823c..7d9fb9ea96af 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.Specialized.cs @@ -35,7 +35,7 @@ public struct Section : System.IEquatable throw null; public static string ToString(System.Collections.Specialized.BitVector32 value) => throw null; } - public class HybridDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary + public class HybridDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable { public void Add(object key, object value) => throw null; public void Clear() => throw null; @@ -57,14 +57,14 @@ public class HybridDictionary : System.Collections.ICollection, System.Collectio public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - public interface IOrderedDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary + public interface IOrderedDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable { System.Collections.IDictionaryEnumerator GetEnumerator(); void Insert(int index, object key, object value); void RemoveAt(int index); object this[int index] { get; set; } } - public class ListDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary + public class ListDictionary : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable { public void Add(object key, object value) => throw null; public void Clear() => throw null; @@ -84,7 +84,7 @@ public class ListDictionary : System.Collections.ICollection, System.Collections public object this[object key] { get => throw null; set { } } public System.Collections.ICollection Values { get => throw null; } } - public abstract class NameObjectCollectionBase : System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public abstract class NameObjectCollectionBase : System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Runtime.Serialization.ISerializable { protected void BaseAdd(string name, object value) => throw null; protected void BaseClear() => throw null; @@ -154,7 +154,7 @@ public class NameValueCollection : System.Collections.Specialized.NameObjectColl public string this[int index] { get => throw null; } public string this[string name] { get => throw null; set { } } } - public class OrderedDictionary : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.Specialized.IOrderedDictionary, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class OrderedDictionary : System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.Specialized.IOrderedDictionary, System.Runtime.Serialization.ISerializable { public void Add(object key, object value) => throw null; public System.Collections.Specialized.OrderedDictionary AsReadOnly() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs index 187f7a05739f..6ce2ba4c1cc5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Collections.cs @@ -4,7 +4,7 @@ namespace System { namespace Collections { - public sealed class BitArray : System.Collections.ICollection, System.Collections.IEnumerable, System.ICloneable + public sealed class BitArray : System.ICloneable, System.Collections.ICollection, System.Collections.IEnumerable { public System.Collections.BitArray And(System.Collections.BitArray value) => throw null; public object Clone() => throw null; @@ -50,7 +50,7 @@ public abstract class Comparer : System.Collections.Generic.IComparer, Sys protected Comparer() => throw null; public static System.Collections.Generic.Comparer Default { get => throw null; } } - public class Dictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class Dictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Runtime.Serialization.ISerializable { public void Add(TKey key, TValue value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; @@ -74,7 +74,7 @@ public class Dictionary : System.Collections.Generic.ICollection comparer) => throw null; protected Dictionary(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public int EnsureCapacity(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable, System.Collections.IDictionaryEnumerator + public struct Enumerator : System.Collections.IDictionaryEnumerator, System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -95,7 +95,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } object System.Collections.IDictionary.this[object key] { get => throw null; set { } } - public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TKey item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -104,7 +104,7 @@ public sealed class KeyCollection : System.Collections.Generic.ICollection void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public KeyCollection(System.Collections.Generic.Dictionary dictionary) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public TKey Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -135,7 +135,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System. public void TrimExcess(int capacity) => throw null; public bool TryAdd(TKey key, TValue value) => throw null; public bool TryGetValue(TKey key, out TValue value) => throw null; - public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TValue item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -144,7 +144,7 @@ public sealed class ValueCollection : System.Collections.Generic.ICollection throw null; public int Count { get => throw null; } public ValueCollection(System.Collections.Generic.Dictionary dictionary) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public TValue Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -174,7 +174,7 @@ public abstract class EqualityComparer : System.Collections.Generic.IEquality public abstract int GetHashCode(T obj); int System.Collections.IEqualityComparer.GetHashCode(object obj) => throw null; } - public class HashSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class HashSet : System.Collections.Generic.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Runtime.Serialization.ISerializable, System.Collections.Generic.ISet { public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -194,7 +194,7 @@ public class HashSet : System.Collections.Generic.ICollection, System.Coll public HashSet(int capacity, System.Collections.Generic.IEqualityComparer comparer) => throw null; protected HashSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public int EnsureCapacity(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -223,7 +223,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - public class LinkedList : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class LinkedList : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Runtime.Serialization.ISerializable { void System.Collections.Generic.ICollection.Add(T value) => throw null; public void AddAfter(System.Collections.Generic.LinkedListNode node, System.Collections.Generic.LinkedListNode newNode) => throw null; @@ -242,7 +242,7 @@ public class LinkedList : System.Collections.Generic.ICollection, System.C public LinkedList() => throw null; public LinkedList(System.Collections.Generic.IEnumerable collection) => throw null; protected LinkedList(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public struct Enumerator : System.Runtime.Serialization.IDeserializationCallback, System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.Runtime.Serialization.ISerializable { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -278,7 +278,7 @@ public sealed class LinkedListNode public T Value { get => throw null; set { } } public T ValueRef { get => throw null; } } - public class List : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class List : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public void Add(T item) => throw null; int System.Collections.IList.Add(object item) => throw null; @@ -301,7 +301,7 @@ public class List : System.Collections.Generic.ICollection, System.Collect public List(System.Collections.Generic.IEnumerable collection) => throw null; public List(int capacity) => throw null; public int EnsureCapacity(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -378,11 +378,11 @@ public class PriorityQueue public bool TryDequeue(out TElement element, out TPriority priority) => throw null; public bool TryPeek(out TElement element, out TPriority priority) => throw null; public System.Collections.Generic.PriorityQueue.UnorderedItemsCollection UnorderedItems { get => throw null; } - public sealed class UnorderedItemsCollection : System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection<(TElement Element, TPriority Priority)>, System.Collections.ICollection + public sealed class UnorderedItemsCollection : System.Collections.ICollection, System.Collections.Generic.IEnumerable<(TElement Element, TPriority Priority)>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection<(TElement Element, TPriority Priority)> { void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)>, System.Collections.IEnumerator { (TElement Element, TPriority Priority) System.Collections.Generic.IEnumerator<(TElement Element, TPriority Priority)>.Current { get => throw null; } public (TElement Element, TPriority Priority) Current { get => throw null; } @@ -398,7 +398,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator<(TElement Elem object System.Collections.ICollection.SyncRoot { get => throw null; } } } - public class Queue : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public class Queue : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; public bool Contains(T item) => throw null; @@ -411,7 +411,7 @@ public class Queue : System.Collections.Generic.IEnumerable, System.Collec public T Dequeue() => throw null; public void Enqueue(T item) => throw null; public int EnsureCapacity(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -436,7 +436,7 @@ public sealed class ReferenceEqualityComparer : System.Collections.Generic.IEqua public int GetHashCode(object obj) => throw null; public static System.Collections.Generic.ReferenceEqualityComparer Instance { get => throw null; } } - public class SortedDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public class SortedDictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(TKey key, TValue value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; @@ -454,7 +454,7 @@ public class SortedDictionary : System.Collections.Generic.ICollec public SortedDictionary(System.Collections.Generic.IComparer comparer) => throw null; public SortedDictionary(System.Collections.Generic.IDictionary dictionary) => throw null; public SortedDictionary(System.Collections.Generic.IDictionary dictionary, System.Collections.Generic.IComparer comparer) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable, System.Collections.IDictionaryEnumerator + public struct Enumerator : System.Collections.IDictionaryEnumerator, System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -474,7 +474,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } object System.Collections.IDictionary.this[object key] { get => throw null; set { } } - public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TKey item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -483,7 +483,7 @@ public sealed class KeyCollection : System.Collections.Generic.ICollection void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; public int Count { get => throw null; } public KeyCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public TKey Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -509,7 +509,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System. object System.Collections.ICollection.SyncRoot { get => throw null; } public TValue this[TKey key] { get => throw null; set { } } public bool TryGetValue(TKey key, out TValue value) => throw null; - public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TValue item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -518,7 +518,7 @@ public sealed class ValueCollection : System.Collections.Generic.ICollection throw null; public int Count { get => throw null; } public ValueCollection(System.Collections.Generic.SortedDictionary dictionary) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public TValue Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -539,7 +539,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, Syste System.Collections.ICollection System.Collections.IDictionary.Values { get => throw null; } public System.Collections.Generic.SortedDictionary.ValueCollection Values { get => throw null; } } - public class SortedList : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public class SortedList : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { public void Add(TKey key, TValue value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair keyValuePair) => throw null; @@ -591,7 +591,7 @@ public class SortedList : System.Collections.Generic.ICollection throw null; } public System.Collections.Generic.IList Values { get => throw null; } } - public class SortedSet : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.ISet, System.Collections.Generic.IReadOnlySet, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class SortedSet : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlySet, System.Runtime.Serialization.ISerializable, System.Collections.Generic.ISet { public bool Add(T item) => throw null; void System.Collections.Generic.ICollection.Add(T item) => throw null; @@ -610,7 +610,7 @@ public class SortedSet : System.Collections.Generic.ICollection, System.Co public SortedSet(System.Collections.Generic.IEnumerable collection) => throw null; public SortedSet(System.Collections.Generic.IEnumerable collection, System.Collections.Generic.IComparer comparer) => throw null; protected SortedSet(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public struct Enumerator : System.Runtime.Serialization.IDeserializationCallback, System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.Runtime.Serialization.ISerializable { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -648,7 +648,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator, System.Col public bool TryGetValue(T equalValue, out T actualValue) => throw null; public void UnionWith(System.Collections.Generic.IEnumerable other) => throw null; } - public class Stack : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public class Stack : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public void Clear() => throw null; public bool Contains(T item) => throw null; @@ -659,7 +659,7 @@ public class Stack : System.Collections.Generic.IEnumerable, System.Collec public Stack(System.Collections.Generic.IEnumerable collection) => throw null; public Stack(int capacity) => throw null; public int EnsureCapacity(int capacity) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs index 11c944b602be..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.ComponentModel.DataAnnotations, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs index 6baaea7207ec..e79c52f78bf7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.EventBasedAsync.cs @@ -32,17 +32,17 @@ public class BackgroundWorker : System.ComponentModel.Component public bool CancellationPending { get => throw null; } public BackgroundWorker() => throw null; protected override void Dispose(bool disposing) => throw null; - public event System.ComponentModel.DoWorkEventHandler DoWork { add { } remove { } } + public event System.ComponentModel.DoWorkEventHandler DoWork; public bool IsBusy { get => throw null; } protected virtual void OnDoWork(System.ComponentModel.DoWorkEventArgs e) => throw null; protected virtual void OnProgressChanged(System.ComponentModel.ProgressChangedEventArgs e) => throw null; protected virtual void OnRunWorkerCompleted(System.ComponentModel.RunWorkerCompletedEventArgs e) => throw null; - public event System.ComponentModel.ProgressChangedEventHandler ProgressChanged { add { } remove { } } + public event System.ComponentModel.ProgressChangedEventHandler ProgressChanged; public void ReportProgress(int percentProgress) => throw null; public void ReportProgress(int percentProgress, object userState) => throw null; public void RunWorkerAsync() => throw null; public void RunWorkerAsync(object argument) => throw null; - public event System.ComponentModel.RunWorkerCompletedEventHandler RunWorkerCompleted { add { } remove { } } + public event System.ComponentModel.RunWorkerCompletedEventHandler RunWorkerCompleted; public bool WorkerReportsProgress { get => throw null; set { } } public bool WorkerSupportsCancellation { get => throw null; set { } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs index b4c6afc5d774..84375d262478 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.Primitives.cs @@ -47,7 +47,7 @@ public class Component : System.MarshalByRefObject, System.ComponentModel.ICompo protected bool DesignMode { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler Disposed { add { } remove { } } + public event System.EventHandler Disposed; protected System.ComponentModel.EventHandlerList Events { get => throw null; } protected virtual object GetService(System.Type service) => throw null; public virtual System.ComponentModel.ISite Site { get => throw null; set { } } @@ -176,7 +176,7 @@ public sealed class EventHandlerList : System.IDisposable } public interface IComponent : System.IDisposable { - event System.EventHandler Disposed { add { } remove { } } + event System.EventHandler Disposed; System.ComponentModel.ISite Site { get; set; } } public interface IContainer : System.IDisposable diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs index 1b31b88cd974..12422c0182f0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.TypeConverter.cs @@ -98,10 +98,10 @@ public enum BindingDirection OneWay = 0, TwoWay = 1, } - public class BindingList : System.Collections.ObjectModel.Collection, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.ICancelAddNew, System.ComponentModel.IRaiseItemChangedEvents + public class BindingList : System.Collections.ObjectModel.Collection, System.ComponentModel.IBindingList, System.ComponentModel.ICancelAddNew, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IRaiseItemChangedEvents { void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor prop) => throw null; - public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } remove { } } + public event System.ComponentModel.AddingNewEventHandler AddingNew; public T AddNew() => throw null; object System.ComponentModel.IBindingList.AddNew() => throw null; protected virtual object AddNewCore() => throw null; @@ -123,7 +123,7 @@ public event System.ComponentModel.AddingNewEventHandler AddingNew { add { } rem protected override void InsertItem(int index, T item) => throw null; bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } protected virtual bool IsSortedCore { get => throw null; } - public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged; protected virtual void OnAddingNew(System.ComponentModel.AddingNewEventArgs e) => throw null; protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; public bool RaiseListChangedEvents { get => throw null; set { } } @@ -555,13 +555,13 @@ public enum HelpKeywordType } public interface IComponentChangeService { - event System.ComponentModel.Design.ComponentEventHandler ComponentAdded { add { } remove { } } - event System.ComponentModel.Design.ComponentEventHandler ComponentAdding { add { } remove { } } - event System.ComponentModel.Design.ComponentChangedEventHandler ComponentChanged { add { } remove { } } - event System.ComponentModel.Design.ComponentChangingEventHandler ComponentChanging { add { } remove { } } - event System.ComponentModel.Design.ComponentEventHandler ComponentRemoved { add { } remove { } } - event System.ComponentModel.Design.ComponentEventHandler ComponentRemoving { add { } remove { } } - event System.ComponentModel.Design.ComponentRenameEventHandler ComponentRename { add { } remove { } } + event System.ComponentModel.Design.ComponentEventHandler ComponentAdded; + event System.ComponentModel.Design.ComponentEventHandler ComponentAdding; + event System.ComponentModel.Design.ComponentChangedEventHandler ComponentChanged; + event System.ComponentModel.Design.ComponentChangingEventHandler ComponentChanging; + event System.ComponentModel.Design.ComponentEventHandler ComponentRemoved; + event System.ComponentModel.Design.ComponentEventHandler ComponentRemoving; + event System.ComponentModel.Design.ComponentRenameEventHandler ComponentRename; void OnComponentChanged(object component, System.ComponentModel.MemberDescriptor member, object oldValue, object newValue); void OnComponentChanging(object component, System.ComponentModel.MemberDescriptor member); } @@ -584,11 +584,11 @@ public interface IDesigner : System.IDisposable public interface IDesignerEventService { System.ComponentModel.Design.IDesignerHost ActiveDesigner { get; } - event System.ComponentModel.Design.ActiveDesignerEventHandler ActiveDesignerChanged { add { } remove { } } - event System.ComponentModel.Design.DesignerEventHandler DesignerCreated { add { } remove { } } - event System.ComponentModel.Design.DesignerEventHandler DesignerDisposed { add { } remove { } } + event System.ComponentModel.Design.ActiveDesignerEventHandler ActiveDesignerChanged; + event System.ComponentModel.Design.DesignerEventHandler DesignerCreated; + event System.ComponentModel.Design.DesignerEventHandler DesignerDisposed; System.ComponentModel.Design.DesignerCollection Designers { get; } - event System.EventHandler SelectionChanged { add { } remove { } } + event System.EventHandler SelectionChanged; } public interface IDesignerFilter { @@ -602,26 +602,26 @@ public interface IDesignerFilter public interface IDesignerHost : System.ComponentModel.Design.IServiceContainer, System.IServiceProvider { void Activate(); - event System.EventHandler Activated { add { } remove { } } + event System.EventHandler Activated; System.ComponentModel.IContainer Container { get; } System.ComponentModel.IComponent CreateComponent(System.Type componentClass); System.ComponentModel.IComponent CreateComponent(System.Type componentClass, string name); System.ComponentModel.Design.DesignerTransaction CreateTransaction(); System.ComponentModel.Design.DesignerTransaction CreateTransaction(string description); - event System.EventHandler Deactivated { add { } remove { } } + event System.EventHandler Deactivated; void DestroyComponent(System.ComponentModel.IComponent component); System.ComponentModel.Design.IDesigner GetDesigner(System.ComponentModel.IComponent component); System.Type GetType(string typeName); bool InTransaction { get; } - event System.EventHandler LoadComplete { add { } remove { } } + event System.EventHandler LoadComplete; bool Loading { get; } System.ComponentModel.IComponent RootComponent { get; } string RootComponentClassName { get; } - event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosed { add { } remove { } } - event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosing { add { } remove { } } + event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosed; + event System.ComponentModel.Design.DesignerTransactionCloseEventHandler TransactionClosing; string TransactionDescription { get; } - event System.EventHandler TransactionOpened { add { } remove { } } - event System.EventHandler TransactionOpening { add { } remove { } } + event System.EventHandler TransactionOpened; + event System.EventHandler TransactionOpening; } public interface IDesignerHostTransactionState { @@ -707,8 +707,8 @@ public interface ISelectionService bool GetComponentSelected(object component); System.Collections.ICollection GetSelectedComponents(); object PrimarySelection { get; } - event System.EventHandler SelectionChanged { add { } remove { } } - event System.EventHandler SelectionChanging { add { } remove { } } + event System.EventHandler SelectionChanged; + event System.EventHandler SelectionChanging; int SelectionCount { get; } void SetSelectedComponents(System.Collections.ICollection components); void SetSelectedComponents(System.Collections.ICollection components, System.ComponentModel.Design.SelectionTypes selectionType); @@ -750,7 +750,7 @@ public interface ITypeResolutionService public class MenuCommand { public virtual bool Checked { get => throw null; set { } } - public event System.EventHandler CommandChanged { add { } remove { } } + public event System.EventHandler CommandChanged; public virtual System.ComponentModel.Design.CommandID CommandID { get => throw null; } public MenuCommand(System.EventHandler handler, System.ComponentModel.Design.CommandID command) => throw null; public virtual bool Enabled { get => throw null; set { } } @@ -824,7 +824,7 @@ public interface IDesignerLoaderHost : System.ComponentModel.Design.IDesignerHos void EndLoad(string baseClassName, bool successful, System.Collections.ICollection errorCollection); void Reload(); } - public interface IDesignerLoaderHost2 : System.ComponentModel.Design.IDesignerHost, System.ComponentModel.Design.IServiceContainer, System.IServiceProvider, System.ComponentModel.Design.Serialization.IDesignerLoaderHost + public interface IDesignerLoaderHost2 : System.ComponentModel.Design.IDesignerHost, System.ComponentModel.Design.Serialization.IDesignerLoaderHost, System.ComponentModel.Design.IServiceContainer, System.IServiceProvider { bool CanReloadWithErrors { get; set; } bool IgnoreErrorsDuringReload { get; set; } @@ -847,8 +847,8 @@ public interface IDesignerSerializationManager : System.IServiceProvider System.ComponentModel.PropertyDescriptorCollection Properties { get; } void RemoveSerializationProvider(System.ComponentModel.Design.Serialization.IDesignerSerializationProvider provider); void ReportError(object errorInformation); - event System.ComponentModel.Design.Serialization.ResolveNameEventHandler ResolveName { add { } remove { } } - event System.EventHandler SerializationComplete { add { } remove { } } + event System.ComponentModel.Design.Serialization.ResolveNameEventHandler ResolveName; + event System.EventHandler SerializationComplete; void SetName(object instance, string name); } public interface IDesignerSerializationProvider @@ -924,7 +924,7 @@ public abstract class SerializationStore : System.IDisposable public abstract void Save(System.IO.Stream stream); } } - public class ServiceContainer : System.ComponentModel.Design.IServiceContainer, System.IServiceProvider, System.IDisposable + public class ServiceContainer : System.IDisposable, System.ComponentModel.Design.IServiceContainer, System.IServiceProvider { public void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback) => throw null; public virtual void AddService(System.Type serviceType, System.ComponentModel.Design.ServiceCreatorCallback callback, bool promote) => throw null; @@ -1150,7 +1150,7 @@ public interface IBindingList : System.Collections.ICollection, System.Collectio void ApplySort(System.ComponentModel.PropertyDescriptor property, System.ComponentModel.ListSortDirection direction); int Find(System.ComponentModel.PropertyDescriptor property, object key); bool IsSorted { get; } - event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + event System.ComponentModel.ListChangedEventHandler ListChanged; void RemoveIndex(System.ComponentModel.PropertyDescriptor property); void RemoveSort(); System.ComponentModel.ListSortDirection SortDirection { get; } @@ -1159,7 +1159,7 @@ event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove bool SupportsSearching { get; } bool SupportsSorting { get; } } - public interface IBindingListView : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList + public interface IBindingListView : System.ComponentModel.IBindingList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { void ApplySort(System.ComponentModel.ListSortDescriptionCollection sorts); string Filter { get; set; } @@ -1226,7 +1226,7 @@ public interface INestedContainer : System.ComponentModel.IContainer, System.IDi { System.ComponentModel.IComponent Owner { get; } } - public interface INestedSite : System.ComponentModel.ISite, System.IServiceProvider + public interface INestedSite : System.IServiceProvider, System.ComponentModel.ISite { string FullName { get; } } @@ -1286,7 +1286,7 @@ public interface IRaiseItemChangedEvents } public interface ISupportInitializeNotification : System.ComponentModel.ISupportInitialize { - event System.EventHandler Initialized { add { } remove { } } + event System.EventHandler Initialized; bool IsInitialized { get; } } public interface ITypeDescriptorContext : System.IServiceProvider @@ -1454,7 +1454,7 @@ public class MarshalByValueComponent : System.ComponentModel.IComponent, System. public virtual bool DesignMode { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler Disposed { add { } remove { } } + public event System.EventHandler Disposed; protected System.ComponentModel.EventHandlerList Events { get => throw null; } public virtual object GetService(System.Type service) => throw null; public virtual System.ComponentModel.ISite Site { get => throw null; set { } } @@ -1666,7 +1666,7 @@ public abstract class PropertyDescriptor : System.ComponentModel.MemberDescripto public abstract bool ShouldSerializeValue(object component); public virtual bool SupportsChangeEvents { get => throw null; } } - public class PropertyDescriptorCollection : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.Collections.IList + public class PropertyDescriptorCollection : System.Collections.ICollection, System.Collections.IDictionary, System.Collections.IEnumerable, System.Collections.IList { public int Add(System.ComponentModel.PropertyDescriptor value) => throw null; void System.Collections.IDictionary.Add(object key, object value) => throw null; @@ -2008,7 +2008,7 @@ public sealed class TypeDescriptor public static void Refresh(System.Reflection.Assembly assembly) => throw null; public static void Refresh(System.Reflection.Module module) => throw null; public static void Refresh(System.Type type) => throw null; - public static event System.ComponentModel.RefreshEventHandler Refreshed { add { } remove { } } + public static event System.ComponentModel.RefreshEventHandler Refreshed; public static void RemoveAssociation(object primary, object secondary) => throw null; public static void RemoveAssociations(object primary) => throw null; public static void RemoveProvider(System.ComponentModel.TypeDescriptionProvider provider, object instance) => throw null; @@ -2158,7 +2158,7 @@ public class Timer : System.ComponentModel.Component, System.ComponentModel.ISup public Timer(double interval) => throw null; public Timer(System.TimeSpan interval) => throw null; protected override void Dispose(bool disposing) => throw null; - public event System.Timers.ElapsedEventHandler Elapsed { add { } remove { } } + public event System.Timers.ElapsedEventHandler Elapsed; public bool Enabled { get => throw null; set { } } public void EndInit() => throw null; public double Interval { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs index 615f6ac0ba36..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Configuration, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs index 82d7a822fc09..efa545bc14dd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Console.cs @@ -9,7 +9,7 @@ public static class Console public static void Beep(int frequency, int duration) => throw null; public static int BufferHeight { get => throw null; set { } } public static int BufferWidth { get => throw null; set { } } - public static event System.ConsoleCancelEventHandler CancelKeyPress { add { } remove { } } + public static event System.ConsoleCancelEventHandler CancelKeyPress; public static bool CapsLock { get => throw null; } public static void Clear() => throw null; public static int CursorLeft { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs index 57a099444e5e..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs index 8b9f2e0109cc..482a0ff0d5bf 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.Common.cs @@ -47,7 +47,7 @@ public class DataAdapter : System.ComponentModel.Component, System.Data.IDataAda protected virtual int Fill(System.Data.DataSet dataSet, string srcTable, System.Data.IDataReader dataReader, int startRecord, int maxRecords) => throw null; protected virtual int Fill(System.Data.DataTable dataTable, System.Data.IDataReader dataReader) => throw null; protected virtual int Fill(System.Data.DataTable[] dataTables, System.Data.IDataReader dataReader, int startRecord, int maxRecords) => throw null; - public event System.Data.FillErrorEventHandler FillError { add { } remove { } } + public event System.Data.FillErrorEventHandler FillError; public System.Data.LoadOption FillLoadOption { get => throw null; set { } } public virtual System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType) => throw null; protected virtual System.Data.DataTable[] FillSchema(System.Data.DataSet dataSet, System.Data.SchemaType schemaType, string srcTable, System.Data.IDataReader dataReader) => throw null; @@ -66,7 +66,7 @@ public event System.Data.FillErrorEventHandler FillError { add { } remove { } } public System.Data.Common.DataTableMappingCollection TableMappings { get => throw null; } public virtual int Update(System.Data.DataSet dataSet) => throw null; } - public sealed class DataColumnMapping : System.MarshalByRefObject, System.Data.IColumnMapping, System.ICloneable + public sealed class DataColumnMapping : System.MarshalByRefObject, System.ICloneable, System.Data.IColumnMapping { object System.ICloneable.Clone() => throw null; public DataColumnMapping() => throw null; @@ -77,7 +77,7 @@ public sealed class DataColumnMapping : System.MarshalByRefObject, System.Data.I public string SourceColumn { get => throw null; set { } } public override string ToString() => throw null; } - public sealed class DataColumnMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.IColumnMappingCollection + public sealed class DataColumnMappingCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Data.IColumnMappingCollection, System.Collections.IEnumerable, System.Collections.IList { public int Add(object value) => throw null; public System.Data.Common.DataColumnMapping Add(string sourceColumn, string dataSetColumn) => throw null; @@ -114,7 +114,7 @@ public sealed class DataColumnMappingCollection : System.MarshalByRefObject, Sys public System.Data.Common.DataColumnMapping this[int index] { get => throw null; set { } } public System.Data.Common.DataColumnMapping this[string sourceColumn] { get => throw null; set { } } } - public sealed class DataTableMapping : System.MarshalByRefObject, System.Data.ITableMapping, System.ICloneable + public sealed class DataTableMapping : System.MarshalByRefObject, System.ICloneable, System.Data.ITableMapping { object System.ICloneable.Clone() => throw null; public System.Data.Common.DataColumnMappingCollection ColumnMappings { get => throw null; } @@ -165,7 +165,7 @@ public sealed class DataTableMappingCollection : System.MarshalByRefObject, Syst public System.Data.Common.DataTableMapping this[int index] { get => throw null; set { } } public System.Data.Common.DataTableMapping this[string sourceTable] { get => throw null; set { } } } - public abstract class DbBatch : System.IDisposable, System.IAsyncDisposable + public abstract class DbBatch : System.IAsyncDisposable, System.IDisposable { public System.Data.Common.DbBatchCommandCollection BatchCommands { get => throw null; } public abstract void Cancel(); @@ -201,7 +201,7 @@ public abstract class DbBatchCommand public System.Data.Common.DbParameterCollection Parameters { get => throw null; } public abstract int RecordsAffected { get; } } - public abstract class DbBatchCommandCollection : System.Collections.Generic.IList, System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable + public abstract class DbBatchCommandCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList { public abstract void Add(System.Data.Common.DbBatchCommand item); public abstract void Clear(); @@ -248,7 +248,7 @@ public abstract class DbColumn public virtual object this[string property] { get => throw null; } public string UdtAssemblyQualifiedName { get => throw null; set { } } } - public abstract class DbCommand : System.ComponentModel.Component, System.Data.IDbCommand, System.IDisposable, System.IAsyncDisposable + public abstract class DbCommand : System.ComponentModel.Component, System.IAsyncDisposable, System.Data.IDbCommand, System.IDisposable { public abstract void Cancel(); public abstract string CommandText { get; set; } @@ -319,7 +319,7 @@ public abstract class DbCommandBuilder : System.ComponentModel.Component protected abstract void SetRowUpdatingHandler(System.Data.Common.DbDataAdapter adapter); public virtual string UnquoteIdentifier(string quotedIdentifier) => throw null; } - public abstract class DbConnection : System.ComponentModel.Component, System.Data.IDbConnection, System.IDisposable, System.IAsyncDisposable + public abstract class DbConnection : System.ComponentModel.Component, System.IAsyncDisposable, System.Data.IDbConnection, System.IDisposable { protected abstract System.Data.Common.DbTransaction BeginDbTransaction(System.Data.IsolationLevel isolationLevel); protected virtual System.Threading.Tasks.ValueTask BeginDbTransactionAsync(System.Data.IsolationLevel isolationLevel, System.Threading.CancellationToken cancellationToken) => throw null; @@ -359,9 +359,9 @@ public abstract class DbConnection : System.ComponentModel.Component, System.Dat public virtual System.Threading.Tasks.Task OpenAsync(System.Threading.CancellationToken cancellationToken) => throw null; public abstract string ServerVersion { get; } public abstract System.Data.ConnectionState State { get; } - public virtual event System.Data.StateChangeEventHandler StateChange { add { } remove { } } + public virtual event System.Data.StateChangeEventHandler StateChange; } - public class DbConnectionStringBuilder : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ComponentModel.ICustomTypeDescriptor + public class DbConnectionStringBuilder : System.Collections.ICollection, System.ComponentModel.ICustomTypeDescriptor, System.Collections.IDictionary, System.Collections.IEnumerable { public void Add(string keyword, object value) => throw null; void System.Collections.IDictionary.Add(object keyword, object value) => throw null; @@ -407,7 +407,7 @@ public class DbConnectionStringBuilder : System.Collections.ICollection, System. public virtual bool TryGetValue(string keyword, out object value) => throw null; public virtual System.Collections.ICollection Values { get => throw null; } } - public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Data.IDataAdapter, System.Data.IDbDataAdapter, System.ICloneable + public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.ICloneable, System.Data.IDataAdapter, System.Data.IDbDataAdapter { protected virtual int AddToBatch(System.Data.IDbCommand command) => throw null; protected virtual void ClearBatch() => throw null; @@ -416,7 +416,7 @@ public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Dat protected virtual System.Data.Common.RowUpdatingEventArgs CreateRowUpdatingEvent(System.Data.DataRow dataRow, System.Data.IDbCommand command, System.Data.StatementType statementType, System.Data.Common.DataTableMapping tableMapping) => throw null; protected DbDataAdapter() => throw null; protected DbDataAdapter(System.Data.Common.DbDataAdapter adapter) => throw null; - public static string DefaultSourceTableName; + public const string DefaultSourceTableName = default; public System.Data.Common.DbCommand DeleteCommand { get => throw null; set { } } System.Data.IDbCommand System.Data.IDbDataAdapter.DeleteCommand { get => throw null; set { } } protected override void Dispose(bool disposing) => throw null; @@ -455,7 +455,7 @@ public abstract class DbDataAdapter : System.Data.Common.DataAdapter, System.Dat System.Data.IDbCommand System.Data.IDbDataAdapter.UpdateCommand { get => throw null; set { } } public System.Data.Common.DbCommand UpdateCommand { get => throw null; set { } } } - public abstract class DbDataReader : System.MarshalByRefObject, System.Collections.IEnumerable, System.Data.IDataReader, System.Data.IDataRecord, System.IDisposable, System.IAsyncDisposable + public abstract class DbDataReader : System.MarshalByRefObject, System.IAsyncDisposable, System.Data.IDataReader, System.Data.IDataRecord, System.IDisposable, System.Collections.IEnumerable { public virtual void Close() => throw null; public virtual System.Threading.Tasks.Task CloseAsync() => throw null; @@ -563,7 +563,7 @@ public abstract class DbDataRecord : System.ComponentModel.ICustomTypeDescriptor public abstract object this[int i] { get; } public abstract object this[string name] { get; } } - public abstract class DbDataSource : System.IDisposable, System.IAsyncDisposable + public abstract class DbDataSource : System.IAsyncDisposable, System.IDisposable { public abstract string ConnectionString { get; } public System.Data.Common.DbBatch CreateBatch() => throw null; @@ -681,7 +681,7 @@ public abstract class DbParameter : System.MarshalByRefObject, System.Data.IData public virtual System.Data.DataRowVersion SourceVersion { get => throw null; set { } } public abstract object Value { get; set; } } - public abstract class DbParameterCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Data.IDataParameterCollection + public abstract class DbParameterCollection : System.MarshalByRefObject, System.Collections.ICollection, System.Data.IDataParameterCollection, System.Collections.IEnumerable, System.Collections.IList { int System.Collections.IList.Add(object value) => throw null; public abstract int Add(object value); @@ -752,7 +752,7 @@ public sealed class DbProviderSpecificTypePropertyAttribute : System.Attribute public DbProviderSpecificTypePropertyAttribute(bool isProviderSpecificTypeProperty) => throw null; public bool IsProviderSpecificTypeProperty { get => throw null; } } - public abstract class DbTransaction : System.MarshalByRefObject, System.Data.IDbTransaction, System.IDisposable, System.IAsyncDisposable + public abstract class DbTransaction : System.MarshalByRefObject, System.IAsyncDisposable, System.Data.IDbTransaction, System.IDisposable { public abstract void Commit(); public virtual System.Threading.Tasks.Task CommitAsync(System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; @@ -900,7 +900,7 @@ public sealed class ConstraintCollection : System.Data.InternalDataCollectionBas public void AddRange(System.Data.Constraint[] constraints) => throw null; public bool CanRemove(System.Data.Constraint constraint) => throw null; public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; public bool Contains(string name) => throw null; public void CopyTo(System.Data.Constraint[] array, int index) => throw null; public int IndexOf(System.Data.Constraint constraint) => throw null; @@ -970,7 +970,7 @@ public sealed class DataColumnCollection : System.Data.InternalDataCollectionBas public void AddRange(System.Data.DataColumn[] columns) => throw null; public bool CanRemove(System.Data.DataColumn column) => throw null; public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; public bool Contains(string name) => throw null; public void CopyTo(System.Data.DataColumn[] array, int index) => throw null; public int IndexOf(System.Data.DataColumn column) => throw null; @@ -1054,7 +1054,7 @@ public abstract class DataRelationCollection : System.Data.InternalDataCollectio public virtual void AddRange(System.Data.DataRelation[] relations) => throw null; public virtual bool CanRemove(System.Data.DataRelation relation) => throw null; public virtual void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; public virtual bool Contains(string name) => throw null; public void CopyTo(System.Data.DataRelation[] array, int index) => throw null; protected DataRelationCollection() => throw null; @@ -1229,13 +1229,13 @@ public class DataRowView : System.ComponentModel.ICustomTypeDescriptor, System.C public bool IsEdit { get => throw null; } public bool IsNew { get => throw null; } string System.ComponentModel.IDataErrorInfo.this[string colName] { get => throw null; } - public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; public System.Data.DataRow Row { get => throw null; } public System.Data.DataRowVersion RowVersion { get => throw null; } public object this[int ndx] { get => throw null; set { } } public object this[string property] { get => throw null; set { } } } - public class DataSet : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + public class DataSet : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.Runtime.Serialization.ISerializable, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Xml.Serialization.IXmlSerializable { public void AcceptChanges() => throw null; public void BeginInit() => throw null; @@ -1274,7 +1274,7 @@ public class DataSet : System.ComponentModel.MarshalByValueComponent, System.Com public void InferXmlSchema(System.IO.TextReader reader, string[] nsArray) => throw null; public void InferXmlSchema(string fileName, string[] nsArray) => throw null; public void InferXmlSchema(System.Xml.XmlReader reader, string[] nsArray) => throw null; - public event System.EventHandler Initialized { add { } remove { } } + public event System.EventHandler Initialized; protected virtual void InitializeDerivedDataSet() => throw null; protected bool IsBinarySerialized(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; public bool IsInitialized { get => throw null; } @@ -1289,7 +1289,7 @@ public event System.EventHandler Initialized { add { } remove { } } public void Merge(System.Data.DataSet dataSet, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; public void Merge(System.Data.DataTable table) => throw null; public void Merge(System.Data.DataTable table, bool preserveChanges, System.Data.MissingSchemaAction missingSchemaAction) => throw null; - public event System.Data.MergeFailedEventHandler MergeFailed { add { } remove { } } + public event System.Data.MergeFailedEventHandler MergeFailed; public string Namespace { get => throw null; set { } } protected virtual void OnPropertyChanging(System.ComponentModel.PropertyChangedEventArgs pcevent) => throw null; protected virtual void OnRemoveRelation(System.Data.DataRelation relation) => throw null; @@ -1349,7 +1349,7 @@ public class DataSysDescriptionAttribute : System.ComponentModel.DescriptionAttr public DataSysDescriptionAttribute(string description) => throw null; public override string Description { get => throw null; } } - public class DataTable : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Runtime.Serialization.ISerializable, System.Xml.Serialization.IXmlSerializable + public class DataTable : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IListSource, System.Runtime.Serialization.ISerializable, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.Xml.Serialization.IXmlSerializable { public void AcceptChanges() => throw null; public virtual void BeginInit() => throw null; @@ -1358,8 +1358,8 @@ public class DataTable : System.ComponentModel.MarshalByValueComponent, System.C public System.Data.DataRelationCollection ChildRelations { get => throw null; } public void Clear() => throw null; public virtual System.Data.DataTable Clone() => throw null; - public event System.Data.DataColumnChangeEventHandler ColumnChanged { add { } remove { } } - public event System.Data.DataColumnChangeEventHandler ColumnChanging { add { } remove { } } + public event System.Data.DataColumnChangeEventHandler ColumnChanged; + public event System.Data.DataColumnChangeEventHandler ColumnChanging; public System.Data.DataColumnCollection Columns { get => throw null; } public object Compute(string expression, string filter) => throw null; public System.Data.ConstraintCollection Constraints { get => throw null; } @@ -1389,7 +1389,7 @@ public event System.Data.DataColumnChangeEventHandler ColumnChanging { add { } r System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw null; public bool HasErrors { get => throw null; } public void ImportRow(System.Data.DataRow row) => throw null; - public event System.EventHandler Initialized { add { } remove { } } + public event System.EventHandler Initialized; public bool IsInitialized { get => throw null; } public void Load(System.Data.IDataReader reader) => throw null; public void Load(System.Data.IDataReader reader, System.Data.LoadOption loadOption) => throw null; @@ -1432,20 +1432,20 @@ public event System.EventHandler Initialized { add { } remove { } } public void RejectChanges() => throw null; public System.Data.SerializationFormat RemotingFormat { get => throw null; set { } } public virtual void Reset() => throw null; - public event System.Data.DataRowChangeEventHandler RowChanged { add { } remove { } } - public event System.Data.DataRowChangeEventHandler RowChanging { add { } remove { } } - public event System.Data.DataRowChangeEventHandler RowDeleted { add { } remove { } } - public event System.Data.DataRowChangeEventHandler RowDeleting { add { } remove { } } + public event System.Data.DataRowChangeEventHandler RowChanged; + public event System.Data.DataRowChangeEventHandler RowChanging; + public event System.Data.DataRowChangeEventHandler RowDeleted; + public event System.Data.DataRowChangeEventHandler RowDeleting; public System.Data.DataRowCollection Rows { get => throw null; } public System.Data.DataRow[] Select() => throw null; public System.Data.DataRow[] Select(string filterExpression) => throw null; public System.Data.DataRow[] Select(string filterExpression, string sort) => throw null; public System.Data.DataRow[] Select(string filterExpression, string sort, System.Data.DataViewRowState recordStates) => throw null; public override System.ComponentModel.ISite Site { get => throw null; set { } } - public event System.Data.DataTableClearEventHandler TableCleared { add { } remove { } } - public event System.Data.DataTableClearEventHandler TableClearing { add { } remove { } } + public event System.Data.DataTableClearEventHandler TableCleared; + public event System.Data.DataTableClearEventHandler TableClearing; public string TableName { get => throw null; set { } } - public event System.Data.DataTableNewRowEventHandler TableNewRow { add { } remove { } } + public event System.Data.DataTableNewRowEventHandler TableNewRow; public override string ToString() => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public void WriteXml(System.IO.Stream stream) => throw null; @@ -1490,8 +1490,8 @@ public sealed class DataTableCollection : System.Data.InternalDataCollectionBase public void AddRange(System.Data.DataTable[] tables) => throw null; public bool CanRemove(System.Data.DataTable table) => throw null; public void Clear() => throw null; - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged { add { } remove { } } - public event System.ComponentModel.CollectionChangeEventHandler CollectionChanging { add { } remove { } } + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanged; + public event System.ComponentModel.CollectionChangeEventHandler CollectionChanging; public bool Contains(string name) => throw null; public bool Contains(string name, string tableNamespace) => throw null; public void CopyTo(System.Data.DataTable[] array, int index) => throw null; @@ -1563,7 +1563,7 @@ public sealed class DataTableReader : System.Data.Common.DbDataReader public override object this[int ordinal] { get => throw null; } public override object this[string name] { get => throw null; } } - public class DataView : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.IBindingListView, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.ComponentModel.ITypedList + public class DataView : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IBindingList, System.ComponentModel.IBindingListView, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.ISupportInitialize, System.ComponentModel.ISupportInitializeNotification, System.ComponentModel.ITypedList { int System.Collections.IList.Add(object value) => throw null; void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; @@ -1604,7 +1604,7 @@ public class DataView : System.ComponentModel.MarshalByValueComponent, System.Co string System.ComponentModel.ITypedList.GetListName(System.ComponentModel.PropertyDescriptor[] listAccessors) => throw null; protected virtual void IndexListChanged(object sender, System.ComponentModel.ListChangedEventArgs e) => throw null; int System.Collections.IList.IndexOf(object value) => throw null; - public event System.EventHandler Initialized { add { } remove { } } + public event System.EventHandler Initialized; void System.Collections.IList.Insert(int index, object value) => throw null; bool System.Collections.IList.IsFixedSize { get => throw null; } public bool IsInitialized { get => throw null; } @@ -1613,7 +1613,7 @@ public event System.EventHandler Initialized { add { } remove { } } bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } object System.Collections.IList.this[int recordIndex] { get => throw null; set { } } - public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged; protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; protected void Open() => throw null; void System.Collections.IList.Remove(object value) => throw null; @@ -1643,7 +1643,7 @@ public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } protected void UpdateIndex() => throw null; protected virtual void UpdateIndex(bool force) => throw null; } - public class DataViewManager : System.ComponentModel.MarshalByValueComponent, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.IBindingList, System.ComponentModel.ITypedList + public class DataViewManager : System.ComponentModel.MarshalByValueComponent, System.ComponentModel.IBindingList, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ComponentModel.ITypedList { int System.Collections.IList.Add(object value) => throw null; void System.ComponentModel.IBindingList.AddIndex(System.ComponentModel.PropertyDescriptor property) => throw null; @@ -1673,7 +1673,7 @@ public class DataViewManager : System.ComponentModel.MarshalByValueComponent, Sy bool System.ComponentModel.IBindingList.IsSorted { get => throw null; } bool System.Collections.ICollection.IsSynchronized { get => throw null; } object System.Collections.IList.this[int index] { get => throw null; set { } } - public event System.ComponentModel.ListChangedEventHandler ListChanged { add { } remove { } } + public event System.ComponentModel.ListChangedEventHandler ListChanged; protected virtual void OnListChanged(System.ComponentModel.ListChangedEventArgs e) => throw null; protected virtual void RelationCollectionChanged(object sender, System.ComponentModel.CollectionChangeEventArgs e) => throw null; void System.Collections.IList.Remove(object value) => throw null; @@ -2171,7 +2171,7 @@ public sealed class SqlAlreadyFilledException : System.Data.SqlTypes.SqlTypeExce public SqlAlreadyFilledException(string message) => throw null; public SqlAlreadyFilledException(string message, System.Exception e) => throw null; } - public struct SqlBinary : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlBinary : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlBinary Add(System.Data.SqlTypes.SqlBinary x, System.Data.SqlTypes.SqlBinary y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlBinary value) => throw null; @@ -2210,7 +2210,7 @@ public struct SqlBinary : System.Data.SqlTypes.INullable, System.IComparable, Sy public static System.Data.SqlTypes.SqlBinary WrapBytes(byte[] bytes) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlBoolean : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlBoolean And(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; public byte ByteValue { get => throw null; } @@ -2279,7 +2279,7 @@ public struct SqlBoolean : System.Data.SqlTypes.INullable, System.IComparable, S public static System.Data.SqlTypes.SqlBoolean Xor(System.Data.SqlTypes.SqlBoolean x, System.Data.SqlTypes.SqlBoolean y) => throw null; public static System.Data.SqlTypes.SqlBoolean Zero; } - public struct SqlByte : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlByte : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlByte Add(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; public static System.Data.SqlTypes.SqlByte BitwiseAnd(System.Data.SqlTypes.SqlByte x, System.Data.SqlTypes.SqlByte y) => throw null; @@ -2416,7 +2416,7 @@ public enum SqlCompareOptions BinarySort2 = 16384, BinarySort = 32768, } - public struct SqlDateTime : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlDateTime : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlDateTime Add(System.Data.SqlTypes.SqlDateTime x, System.TimeSpan t) => throw null; public int CompareTo(System.Data.SqlTypes.SqlDateTime value) => throw null; @@ -2466,7 +2466,7 @@ public struct SqlDateTime : System.Data.SqlTypes.INullable, System.IComparable, public System.DateTime Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlDecimal : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlDecimal Abs(System.Data.SqlTypes.SqlDecimal n) => throw null; public static System.Data.SqlTypes.SqlDecimal Add(System.Data.SqlTypes.SqlDecimal x, System.Data.SqlTypes.SqlDecimal y) => throw null; @@ -2552,7 +2552,7 @@ public struct SqlDecimal : System.Data.SqlTypes.INullable, System.IComparable, S public int WriteTdsValue(System.Span destination) => throw null; void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlDouble : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlDouble Add(System.Data.SqlTypes.SqlDouble x, System.Data.SqlTypes.SqlDouble y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlDouble value) => throw null; @@ -2614,7 +2614,7 @@ public struct SqlDouble : System.Data.SqlTypes.INullable, System.IComparable, Sy void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlDouble Zero; } - public struct SqlGuid : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlGuid : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public int CompareTo(System.Data.SqlTypes.SqlGuid value) => throw null; public int CompareTo(object value) => throw null; @@ -2654,7 +2654,7 @@ public struct SqlGuid : System.Data.SqlTypes.INullable, System.IComparable, Syst public System.Guid Value { get => throw null; } void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; } - public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlInt16 : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlInt16 Add(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 BitwiseAnd(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; @@ -2727,7 +2727,7 @@ public struct SqlInt16 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlInt16 Xor(System.Data.SqlTypes.SqlInt16 x, System.Data.SqlTypes.SqlInt16 y) => throw null; public static System.Data.SqlTypes.SqlInt16 Zero; } - public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlInt32 : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlInt32 Add(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 BitwiseAnd(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; @@ -2800,7 +2800,7 @@ public struct SqlInt32 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlInt32 Xor(System.Data.SqlTypes.SqlInt32 x, System.Data.SqlTypes.SqlInt32 y) => throw null; public static System.Data.SqlTypes.SqlInt32 Zero; } - public struct SqlInt64 : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlInt64 : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlInt64 Add(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 BitwiseAnd(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; @@ -2873,7 +2873,7 @@ public struct SqlInt64 : System.Data.SqlTypes.INullable, System.IComparable, Sys public static System.Data.SqlTypes.SqlInt64 Xor(System.Data.SqlTypes.SqlInt64 x, System.Data.SqlTypes.SqlInt64 y) => throw null; public static System.Data.SqlTypes.SqlInt64 Zero; } - public struct SqlMoney : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlMoney : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlMoney Add(System.Data.SqlTypes.SqlMoney x, System.Data.SqlTypes.SqlMoney y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlMoney value) => throw null; @@ -2958,7 +2958,7 @@ public sealed class SqlNullValueException : System.Data.SqlTypes.SqlTypeExceptio public SqlNullValueException(string message) => throw null; public SqlNullValueException(string message, System.Exception e) => throw null; } - public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlSingle : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlSingle Add(System.Data.SqlTypes.SqlSingle x, System.Data.SqlTypes.SqlSingle y) => throw null; public int CompareTo(System.Data.SqlTypes.SqlSingle value) => throw null; @@ -3021,7 +3021,7 @@ public struct SqlSingle : System.Data.SqlTypes.INullable, System.IComparable, Sy void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw null; public static System.Data.SqlTypes.SqlSingle Zero; } - public struct SqlString : System.Data.SqlTypes.INullable, System.IComparable, System.Xml.Serialization.IXmlSerializable, System.IEquatable + public struct SqlString : System.IComparable, System.IEquatable, System.Data.SqlTypes.INullable, System.Xml.Serialization.IXmlSerializable { public static System.Data.SqlTypes.SqlString Add(System.Data.SqlTypes.SqlString x, System.Data.SqlTypes.SqlString y) => throw null; public static int BinarySort; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs index 348ca6b73270..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Data.DataSetExtensions, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs index 05f7345560e6..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Data, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs index 094a3b550bb8..5f4667d35df5 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Contracts.cs @@ -12,7 +12,7 @@ public static class Contract public static void Assert(bool condition, string userMessage) => throw null; public static void Assume(bool condition) => throw null; public static void Assume(bool condition, string userMessage) => throw null; - public static event System.EventHandler ContractFailed { add { } remove { } } + public static event System.EventHandler ContractFailed; public static void EndContractBlock() => throw null; public static void Ensures(bool condition) => throw null; public static void Ensures(bool condition, string userMessage) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs index 73a71d02dc15..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Diagnostics.Debug, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs index 401e9ecc2f7e..daebba2e1d9e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.DiagnosticSource.cs @@ -15,7 +15,7 @@ public class Activity : System.IDisposable public System.Diagnostics.ActivityContext Context { get => throw null; } public Activity(string operationName) => throw null; public static System.Diagnostics.Activity Current { get => throw null; set { } } - public static event System.EventHandler CurrentChanged { add { } remove { } } + public static event System.EventHandler CurrentChanged; public static System.Diagnostics.ActivityIdFormat DefaultIdFormat { get => throw null; set { } } public string DisplayName { get => throw null; set { } } public void Dispose() => throw null; @@ -193,7 +193,7 @@ public enum ActivityStatusCode Ok = 1, Error = 2, } - public class ActivityTagsCollection : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public class ActivityTagsCollection : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(string key, object value) => throw null; public void Add(System.Collections.Generic.KeyValuePair item) => throw null; @@ -204,7 +204,7 @@ public class ActivityTagsCollection : System.Collections.Generic.IDictionary throw null; } public ActivityTagsCollection() => throw null; public ActivityTagsCollection(System.Collections.Generic.IEnumerable> list) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -408,7 +408,7 @@ public sealed class UpDownCounter : System.Diagnostics.Metrics.Instrument } } public delegate System.Diagnostics.ActivitySamplingResult SampleActivity(ref System.Diagnostics.ActivityCreationOptions options); - public struct TagList : System.Collections.Generic.IList>, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyList>, System.Collections.Generic.IReadOnlyCollection> + public struct TagList : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IList>, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyList> { public void Add(string key, object value) => throw null; public void Add(System.Collections.Generic.KeyValuePair tag) => throw null; @@ -418,7 +418,7 @@ public struct TagList : System.Collections.Generic.IList[] array, int arrayIndex) => throw null; public int Count { get => throw null; } public TagList(System.ReadOnlySpan> tagList) => throw null; - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs index eb20e488b3a4..8e00f43bcf16 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Process.cs @@ -42,9 +42,9 @@ public class Process : System.ComponentModel.Component, System.IDisposable protected override void Dispose(bool disposing) => throw null; public bool EnableRaisingEvents { get => throw null; set { } } public static void EnterDebugMode() => throw null; - public event System.Diagnostics.DataReceivedEventHandler ErrorDataReceived { add { } remove { } } + public event System.Diagnostics.DataReceivedEventHandler ErrorDataReceived; public int ExitCode { get => throw null; } - public event System.EventHandler Exited { add { } remove { } } + public event System.EventHandler Exited; public System.DateTime ExitTime { get => throw null; } public static System.Diagnostics.Process GetCurrentProcess() => throw null; public static System.Diagnostics.Process GetProcessById(int processId) => throw null; @@ -70,7 +70,7 @@ public event System.EventHandler Exited { add { } remove { } } public int NonpagedSystemMemorySize { get => throw null; } public long NonpagedSystemMemorySize64 { get => throw null; } protected void OnExited() => throw null; - public event System.Diagnostics.DataReceivedEventHandler OutputDataReceived { add { } remove { } } + public event System.Diagnostics.DataReceivedEventHandler OutputDataReceived; public int PagedMemorySize { get => throw null; } public long PagedMemorySize64 { get => throw null; } public int PagedSystemMemorySize { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs index 07649dc7b6d2..a9fe8c2fc627 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.StackTrace.cs @@ -18,7 +18,7 @@ public class StackFrame public virtual int GetILOffset() => throw null; public virtual System.Reflection.MethodBase GetMethod() => throw null; public virtual int GetNativeOffset() => throw null; - public static int OFFSET_UNKNOWN; + public const int OFFSET_UNKNOWN = default; public override string ToString() => throw null; } public static partial class StackFrameExtensions @@ -44,7 +44,7 @@ public class StackTrace public virtual int FrameCount { get => throw null; } public virtual System.Diagnostics.StackFrame GetFrame(int index) => throw null; public virtual System.Diagnostics.StackFrame[] GetFrames() => throw null; - public static int METHODS_TO_SKIP; + public const int METHODS_TO_SKIP = default; public override string ToString() => throw null; } namespace SymbolStore diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs index fd79833c97e7..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Diagnostics.Tools, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs index 9f88d1ac5ce0..cd0bc6024967 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.TraceSource.cs @@ -81,7 +81,7 @@ public abstract class Switch public string Description { get => throw null; } public string DisplayName { get => throw null; } protected virtual string[] GetSupportedAttributes() => throw null; - public static event System.EventHandler Initializing { add { } remove { } } + public static event System.EventHandler Initializing; protected virtual void OnSwitchSettingChanged() => throw null; protected virtual void OnValueChanged() => throw null; public void Refresh() => throw null; @@ -117,7 +117,7 @@ public sealed class Trace public static int IndentSize { get => throw null; set { } } public static System.Diagnostics.TraceListenerCollection Listeners { get => throw null; } public static void Refresh() => throw null; - public static event System.EventHandler Refreshing { add { } remove { } } + public static event System.EventHandler Refreshing; public static void TraceError(string message) => throw null; public static void TraceError(string format, params object[] args) => throw null; public static void TraceInformation(string message) => throw null; @@ -263,7 +263,7 @@ public class TraceSource public System.Diagnostics.SourceLevels DefaultLevel { get => throw null; } public void Flush() => throw null; protected virtual string[] GetSupportedAttributes() => throw null; - public static event System.EventHandler Initializing { add { } remove { } } + public static event System.EventHandler Initializing; public System.Diagnostics.TraceListenerCollection Listeners { get => throw null; } public string Name { get => throw null; } public System.Diagnostics.SourceSwitch Switch { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs index 353eb1996d4e..25bdb670c506 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tracing.cs @@ -127,9 +127,9 @@ public abstract class EventListener : System.IDisposable public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level) => throw null; public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level, System.Diagnostics.Tracing.EventKeywords matchAnyKeyword) => throw null; public void EnableEvents(System.Diagnostics.Tracing.EventSource eventSource, System.Diagnostics.Tracing.EventLevel level, System.Diagnostics.Tracing.EventKeywords matchAnyKeyword, System.Collections.Generic.IDictionary arguments) => throw null; - public event System.EventHandler EventSourceCreated { add { } remove { } } + public event System.EventHandler EventSourceCreated; protected static int EventSourceIndex(System.Diagnostics.Tracing.EventSource eventSource) => throw null; - public event System.EventHandler EventWritten { add { } remove { } } + public event System.EventHandler EventWritten; protected virtual void OnEventSourceCreated(System.Diagnostics.Tracing.EventSource eventSource) => throw null; protected virtual void OnEventWritten(System.Diagnostics.Tracing.EventWrittenEventArgs eventData) => throw null; } @@ -169,7 +169,7 @@ public class EventSource : System.IDisposable public static System.Guid CurrentThreadActivityId { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; - public event System.EventHandler EventCommandExecuted { add { } remove { } } + public event System.EventHandler EventCommandExecuted; protected struct EventData { public nint DataPointer { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs index 276afb953f7b..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs index 3fde3ab894e3..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Dynamic.Runtime, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs index 2b71a1a65083..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Globalization.Calendars, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs index 63a6ec834181..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Globalization.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs index 875c58efa3b3..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Globalization, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs index 7275a34a8916..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.IO.Compression.FileSystem, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs index 10eaf2f92c57..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.IO.FileSystem.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs index 97d776bef42a..1f2f1cb359da 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Watcher.cs @@ -21,16 +21,16 @@ public class FileSystemEventArgs : System.EventArgs public class FileSystemWatcher : System.ComponentModel.Component, System.ComponentModel.ISupportInitialize { public void BeginInit() => throw null; - public event System.IO.FileSystemEventHandler Changed { add { } remove { } } - public event System.IO.FileSystemEventHandler Created { add { } remove { } } + public event System.IO.FileSystemEventHandler Changed; + public event System.IO.FileSystemEventHandler Created; public FileSystemWatcher() => throw null; public FileSystemWatcher(string path) => throw null; public FileSystemWatcher(string path, string filter) => throw null; - public event System.IO.FileSystemEventHandler Deleted { add { } remove { } } + public event System.IO.FileSystemEventHandler Deleted; protected override void Dispose(bool disposing) => throw null; public bool EnableRaisingEvents { get => throw null; set { } } public void EndInit() => throw null; - public event System.IO.ErrorEventHandler Error { add { } remove { } } + public event System.IO.ErrorEventHandler Error; public string Filter { get => throw null; set { } } public System.Collections.ObjectModel.Collection Filters { get => throw null; } public bool IncludeSubdirectories { get => throw null; set { } } @@ -42,7 +42,7 @@ public event System.IO.ErrorEventHandler Error { add { } remove { } } protected void OnError(System.IO.ErrorEventArgs e) => throw null; protected void OnRenamed(System.IO.RenamedEventArgs e) => throw null; public string Path { get => throw null; set { } } - public event System.IO.RenamedEventHandler Renamed { add { } remove { } } + public event System.IO.RenamedEventHandler Renamed; public override System.ComponentModel.ISite Site { get => throw null; set { } } public System.ComponentModel.ISynchronizeInvoke SynchronizingObject { get => throw null; set { } } public System.IO.WaitForChangedResult WaitForChanged(System.IO.WatcherChangeTypes changeType) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs index 03c89ca48544..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.IO.FileSystem, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs index 539a2b3727a6..eceaee3005a3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Pipes.cs @@ -77,7 +77,7 @@ public sealed class NamedPipeServerStream : System.IO.Pipes.PipeStream public void Disconnect() => throw null; public void EndWaitForConnection(System.IAsyncResult asyncResult) => throw null; public string GetImpersonationUserName() => throw null; - public static int MaxAllowedServerInstances; + public const int MaxAllowedServerInstances = default; public void RunAsClient(System.IO.Pipes.PipeStreamImpersonationWorker impersonationWorker) => throw null; public void WaitForConnection() => throw null; public System.Threading.Tasks.Task WaitForConnectionAsync() => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs index 4bdd5f6feada..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.IO.UnmanagedMemoryStream, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs index f6f753a6ae29..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.IO, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs index 093995b1b28f..2fb0a6079bec 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Expressions.cs @@ -124,7 +124,7 @@ public class DynamicObject : System.Dynamic.IDynamicMetaObjectProvider public virtual bool TrySetMember(System.Dynamic.SetMemberBinder binder, object value) => throw null; public virtual bool TryUnaryOperation(System.Dynamic.UnaryOperationBinder binder, out object result) => throw null; } - public sealed class ExpandoObject : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.ComponentModel.INotifyPropertyChanged, System.Dynamic.IDynamicMetaObjectProvider + public sealed class ExpandoObject : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Dynamic.IDynamicMetaObjectProvider, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.ComponentModel.INotifyPropertyChanged { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; @@ -1119,7 +1119,7 @@ public interface IRuntimeVariables int Count { get; } object this[int index] { get; set; } } - public sealed class ReadOnlyCollectionBuilder : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.ICollection, System.Collections.IList + public sealed class ReadOnlyCollectionBuilder : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList { public void Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs index 2e959d9b18a4..687e7852f4b7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Linq.Queryable.cs @@ -14,7 +14,7 @@ public class EnumerableExecutor : System.Linq.EnumerableExecutor public abstract class EnumerableQuery { } - public class EnumerableQuery : System.Linq.EnumerableQuery, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryProvider + public class EnumerableQuery : System.Linq.EnumerableQuery, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Linq.IOrderedQueryable, System.Linq.IOrderedQueryable, System.Linq.IQueryable, System.Linq.IQueryable, System.Linq.IQueryProvider { System.Linq.IQueryable System.Linq.IQueryProvider.CreateQuery(System.Linq.Expressions.Expression expression) => throw null; System.Linq.IQueryable System.Linq.IQueryProvider.CreateQuery(System.Linq.Expressions.Expression expression) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs index f0c21acd4845..878a311f3295 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Memory.cs @@ -225,8 +225,8 @@ public struct StandardFormat : System.IEquatable public override int GetHashCode() => throw null; public bool HasPrecision { get => throw null; } public bool IsDefault { get => throw null; } - public static byte MaxPrecision; - public static byte NoPrecision; + public const byte MaxPrecision = default; + public const byte NoPrecision = default; public static bool operator ==(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; public static implicit operator System.Buffers.StandardFormat(char symbol) => throw null; public static bool operator !=(System.Buffers.StandardFormat left, System.Buffers.StandardFormat right) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs index 40263d280244..a7447529802a 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Http.cs @@ -133,7 +133,7 @@ public class EntityTagHeaderValue : System.ICloneable public struct HeaderStringValues : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public string Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -182,7 +182,7 @@ public struct HttpHeadersNonValidated : System.Collections.Generic.IEnumerable throw null; bool System.Collections.Generic.IReadOnlyDictionary.ContainsKey(string key) => throw null; public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator>, System.Collections.IEnumerator { public System.Collections.Generic.KeyValuePair Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -663,7 +663,7 @@ public class HttpRequestMessage : System.IDisposable public System.Version Version { get => throw null; set { } } public System.Net.Http.HttpVersionPolicy VersionPolicy { get => throw null; set { } } } - public sealed class HttpRequestOptions : System.Collections.Generic.IDictionary, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable + public sealed class HttpRequestOptions : System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { void System.Collections.Generic.IDictionary.Add(string key, object value) => throw null; void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs index b8a3e0b0d64f..fb47c2f5558d 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Mail.cs @@ -177,7 +177,7 @@ public class SmtpClient : System.IDisposable public void SendAsync(System.Net.Mail.MailMessage message, object userToken) => throw null; public void SendAsync(string from, string recipients, string subject, string body, object userToken) => throw null; public void SendAsyncCancel() => throw null; - public event System.Net.Mail.SendCompletedEventHandler SendCompleted { add { } remove { } } + public event System.Net.Mail.SendCompletedEventHandler SendCompleted; public System.Threading.Tasks.Task SendMailAsync(System.Net.Mail.MailMessage message) => throw null; public System.Threading.Tasks.Task SendMailAsync(string from, string recipients, string subject, string body) => throw null; public System.Threading.Tasks.Task SendMailAsync(System.Net.Mail.MailMessage message, System.Threading.CancellationToken cancellationToken) => throw null; @@ -296,33 +296,33 @@ public class ContentType } public static class DispositionTypeNames { - public static string Attachment; - public static string Inline; + public const string Attachment = default; + public const string Inline = default; } public static class MediaTypeNames { public static class Application { - public static string Json; - public static string Octet; - public static string Pdf; - public static string Rtf; - public static string Soap; - public static string Xml; - public static string Zip; + public const string Json = default; + public const string Octet = default; + public const string Pdf = default; + public const string Rtf = default; + public const string Soap = default; + public const string Xml = default; + public const string Zip = default; } public static class Image { - public static string Gif; - public static string Jpeg; - public static string Tiff; + public const string Gif = default; + public const string Jpeg = default; + public const string Tiff = default; } public static class Text { - public static string Html; - public static string Plain; - public static string RichText; - public static string Xml; + public const string Html = default; + public const string Plain = default; + public const string RichText = default; + public const string Xml = default; } } public enum TransferEncoding diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs index d2d408fe7acb..bbf3122d65c3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.NetworkInformation.cs @@ -277,8 +277,8 @@ public class NetworkAvailabilityEventArgs : System.EventArgs public class NetworkChange { public NetworkChange() => throw null; - public static event System.Net.NetworkInformation.NetworkAddressChangedEventHandler NetworkAddressChanged { add { } remove { } } - public static event System.Net.NetworkInformation.NetworkAvailabilityChangedEventHandler NetworkAvailabilityChanged { add { } remove { } } + public static event System.Net.NetworkInformation.NetworkAddressChangedEventHandler NetworkAddressChanged; + public static event System.Net.NetworkInformation.NetworkAvailabilityChangedEventHandler NetworkAvailabilityChanged; public static void RegisterNetworkChange(System.Net.NetworkInformation.NetworkChange nc) => throw null; } public class NetworkInformationException : System.ComponentModel.Win32Exception diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs index 0ef06b007165..6436d83363b1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Ping.cs @@ -38,7 +38,7 @@ public class Ping : System.ComponentModel.Component public Ping() => throw null; protected override void Dispose(bool disposing) => throw null; protected void OnPingCompleted(System.Net.NetworkInformation.PingCompletedEventArgs e) => throw null; - public event System.Net.NetworkInformation.PingCompletedEventHandler PingCompleted { add { } remove { } } + public event System.Net.NetworkInformation.PingCompletedEventHandler PingCompleted; public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address) => throw null; public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout) => throw null; public System.Net.NetworkInformation.PingReply Send(System.Net.IPAddress address, int timeout, byte[] buffer) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs index f12a014eb970..89845583bbd3 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Primitives.cs @@ -59,7 +59,7 @@ public sealed class Cookie public string Value { get => throw null; set { } } public int Version { get => throw null; set { } } } - public class CookieCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public class CookieCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public void Add(System.Net.Cookie cookie) => throw null; public void Add(System.Net.CookieCollection cookies) => throw null; @@ -89,9 +89,9 @@ public class CookieContainer public CookieContainer() => throw null; public CookieContainer(int capacity) => throw null; public CookieContainer(int capacity, int perDomainCapacity, int maxCookieSize) => throw null; - public static int DefaultCookieLengthLimit; - public static int DefaultCookieLimit; - public static int DefaultPerDomainCookieLimit; + public const int DefaultCookieLengthLimit = default; + public const int DefaultCookieLimit = default; + public const int DefaultPerDomainCookieLimit = default; public System.Net.CookieCollection GetAllCookies() => throw null; public string GetCookieHeader(System.Uri uri) => throw null; public System.Net.CookieCollection GetCookies(System.Uri uri) => throw null; @@ -106,7 +106,7 @@ public class CookieException : System.FormatException, System.Runtime.Serializat public override void GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; void System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo serializationInfo, System.Runtime.Serialization.StreamingContext streamingContext) => throw null; } - public class CredentialCache : System.Collections.IEnumerable, System.Net.ICredentials, System.Net.ICredentialsByHost + public class CredentialCache : System.Net.ICredentials, System.Net.ICredentialsByHost, System.Collections.IEnumerable { public void Add(string host, int port, string authenticationType, System.Net.NetworkCredential credential) => throw null; public void Add(System.Uri uriPrefix, string authType, System.Net.NetworkCredential cred) => throw null; @@ -283,8 +283,8 @@ public class IPEndPoint : System.Net.EndPoint public IPEndPoint(System.Net.IPAddress address, int port) => throw null; public override bool Equals(object comparand) => throw null; public override int GetHashCode() => throw null; - public static int MaxPort; - public static int MinPort; + public const int MaxPort = default; + public const int MinPort = default; public static System.Net.IPEndPoint Parse(System.ReadOnlySpan s) => throw null; public static System.Net.IPEndPoint Parse(string s) => throw null; public int Port { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs index 9f385a4b8273..db193edc236b 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Requests.cs @@ -394,33 +394,33 @@ public static class WebRequestMethods { public static class File { - public static string DownloadFile; - public static string UploadFile; + public const string DownloadFile = default; + public const string UploadFile = default; } public static class Ftp { - public static string AppendFile; - public static string DeleteFile; - public static string DownloadFile; - public static string GetDateTimestamp; - public static string GetFileSize; - public static string ListDirectory; - public static string ListDirectoryDetails; - public static string MakeDirectory; - public static string PrintWorkingDirectory; - public static string RemoveDirectory; - public static string Rename; - public static string UploadFile; - public static string UploadFileWithUniqueName; + public const string AppendFile = default; + public const string DeleteFile = default; + public const string DownloadFile = default; + public const string GetDateTimestamp = default; + public const string GetFileSize = default; + public const string ListDirectory = default; + public const string ListDirectoryDetails = default; + public const string MakeDirectory = default; + public const string PrintWorkingDirectory = default; + public const string RemoveDirectory = default; + public const string Rename = default; + public const string UploadFile = default; + public const string UploadFileWithUniqueName = default; } public static class Http { - public static string Connect; - public static string Get; - public static string Head; - public static string MkCol; - public static string Post; - public static string Put; + public const string Connect = default; + public const string Get = default; + public const string Head = default; + public const string MkCol = default; + public const string Post = default; + public const string Put = default; } } public abstract class WebResponse : System.MarshalByRefObject, System.IDisposable, System.Runtime.Serialization.ISerializable diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs index c29ef74005e5..c8aa64eff724 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.ServicePoint.cs @@ -39,8 +39,8 @@ public class ServicePointManager { public static bool CheckCertificateRevocationList { get => throw null; set { } } public static int DefaultConnectionLimit { get => throw null; set { } } - public static int DefaultNonPersistentConnectionLimit; - public static int DefaultPersistentConnectionLimit; + public const int DefaultNonPersistentConnectionLimit = default; + public const int DefaultPersistentConnectionLimit = default; public static int DnsRefreshTimeout { get => throw null; set { } } public static bool EnableDnsRoundRobin { get => throw null; set { } } public static System.Net.Security.EncryptionPolicy EncryptionPolicy { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs index 19160f53223a..9aa26d3fde95 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.Sockets.cs @@ -419,7 +419,7 @@ public class SocketAsyncEventArgs : System.EventArgs, System.IDisposable public byte[] Buffer { get => throw null; } public System.Collections.Generic.IList> BufferList { get => throw null; set { } } public int BytesTransferred { get => throw null; } - public event System.EventHandler Completed { add { } remove { } } + public event System.EventHandler Completed; public System.Exception ConnectByNameError { get => throw null; } public System.Net.Sockets.Socket ConnectSocket { get => throw null; } public int Count { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs index f77da2184492..7e2dae120c53 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebClient.cs @@ -81,22 +81,22 @@ public class WebClient : System.ComponentModel.Component public byte[] DownloadData(System.Uri address) => throw null; public void DownloadDataAsync(System.Uri address) => throw null; public void DownloadDataAsync(System.Uri address, object userToken) => throw null; - public event System.Net.DownloadDataCompletedEventHandler DownloadDataCompleted { add { } remove { } } + public event System.Net.DownloadDataCompletedEventHandler DownloadDataCompleted; public System.Threading.Tasks.Task DownloadDataTaskAsync(string address) => throw null; public System.Threading.Tasks.Task DownloadDataTaskAsync(System.Uri address) => throw null; public void DownloadFile(string address, string fileName) => throw null; public void DownloadFile(System.Uri address, string fileName) => throw null; public void DownloadFileAsync(System.Uri address, string fileName) => throw null; public void DownloadFileAsync(System.Uri address, string fileName, object userToken) => throw null; - public event System.ComponentModel.AsyncCompletedEventHandler DownloadFileCompleted { add { } remove { } } + public event System.ComponentModel.AsyncCompletedEventHandler DownloadFileCompleted; public System.Threading.Tasks.Task DownloadFileTaskAsync(string address, string fileName) => throw null; public System.Threading.Tasks.Task DownloadFileTaskAsync(System.Uri address, string fileName) => throw null; - public event System.Net.DownloadProgressChangedEventHandler DownloadProgressChanged { add { } remove { } } + public event System.Net.DownloadProgressChangedEventHandler DownloadProgressChanged; public string DownloadString(string address) => throw null; public string DownloadString(System.Uri address) => throw null; public void DownloadStringAsync(System.Uri address) => throw null; public void DownloadStringAsync(System.Uri address, object userToken) => throw null; - public event System.Net.DownloadStringCompletedEventHandler DownloadStringCompleted { add { } remove { } } + public event System.Net.DownloadStringCompletedEventHandler DownloadStringCompleted; public System.Threading.Tasks.Task DownloadStringTaskAsync(string address) => throw null; public System.Threading.Tasks.Task DownloadStringTaskAsync(System.Uri address) => throw null; public System.Text.Encoding Encoding { get => throw null; set { } } @@ -121,7 +121,7 @@ public event System.Net.DownloadStringCompletedEventHandler DownloadStringComple public System.IO.Stream OpenRead(System.Uri address) => throw null; public void OpenReadAsync(System.Uri address) => throw null; public void OpenReadAsync(System.Uri address, object userToken) => throw null; - public event System.Net.OpenReadCompletedEventHandler OpenReadCompleted { add { } remove { } } + public event System.Net.OpenReadCompletedEventHandler OpenReadCompleted; public System.Threading.Tasks.Task OpenReadTaskAsync(string address) => throw null; public System.Threading.Tasks.Task OpenReadTaskAsync(System.Uri address) => throw null; public System.IO.Stream OpenWrite(string address) => throw null; @@ -131,7 +131,7 @@ public event System.Net.OpenReadCompletedEventHandler OpenReadCompleted { add { public void OpenWriteAsync(System.Uri address) => throw null; public void OpenWriteAsync(System.Uri address, string method) => throw null; public void OpenWriteAsync(System.Uri address, string method, object userToken) => throw null; - public event System.Net.OpenWriteCompletedEventHandler OpenWriteCompleted { add { } remove { } } + public event System.Net.OpenWriteCompletedEventHandler OpenWriteCompleted; public System.Threading.Tasks.Task OpenWriteTaskAsync(string address) => throw null; public System.Threading.Tasks.Task OpenWriteTaskAsync(string address, string method) => throw null; public System.Threading.Tasks.Task OpenWriteTaskAsync(System.Uri address) => throw null; @@ -146,7 +146,7 @@ public event System.Net.OpenWriteCompletedEventHandler OpenWriteCompleted { add public void UploadDataAsync(System.Uri address, byte[] data) => throw null; public void UploadDataAsync(System.Uri address, string method, byte[] data) => throw null; public void UploadDataAsync(System.Uri address, string method, byte[] data, object userToken) => throw null; - public event System.Net.UploadDataCompletedEventHandler UploadDataCompleted { add { } remove { } } + public event System.Net.UploadDataCompletedEventHandler UploadDataCompleted; public System.Threading.Tasks.Task UploadDataTaskAsync(string address, byte[] data) => throw null; public System.Threading.Tasks.Task UploadDataTaskAsync(string address, string method, byte[] data) => throw null; public System.Threading.Tasks.Task UploadDataTaskAsync(System.Uri address, byte[] data) => throw null; @@ -158,12 +158,12 @@ public event System.Net.UploadDataCompletedEventHandler UploadDataCompleted { ad public void UploadFileAsync(System.Uri address, string fileName) => throw null; public void UploadFileAsync(System.Uri address, string method, string fileName) => throw null; public void UploadFileAsync(System.Uri address, string method, string fileName, object userToken) => throw null; - public event System.Net.UploadFileCompletedEventHandler UploadFileCompleted { add { } remove { } } + public event System.Net.UploadFileCompletedEventHandler UploadFileCompleted; public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string fileName) => throw null; public System.Threading.Tasks.Task UploadFileTaskAsync(string address, string method, string fileName) => throw null; public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string fileName) => throw null; public System.Threading.Tasks.Task UploadFileTaskAsync(System.Uri address, string method, string fileName) => throw null; - public event System.Net.UploadProgressChangedEventHandler UploadProgressChanged { add { } remove { } } + public event System.Net.UploadProgressChangedEventHandler UploadProgressChanged; public string UploadString(string address, string data) => throw null; public string UploadString(string address, string method, string data) => throw null; public string UploadString(System.Uri address, string data) => throw null; @@ -171,7 +171,7 @@ public event System.Net.UploadProgressChangedEventHandler UploadProgressChanged public void UploadStringAsync(System.Uri address, string data) => throw null; public void UploadStringAsync(System.Uri address, string method, string data) => throw null; public void UploadStringAsync(System.Uri address, string method, string data, object userToken) => throw null; - public event System.Net.UploadStringCompletedEventHandler UploadStringCompleted { add { } remove { } } + public event System.Net.UploadStringCompletedEventHandler UploadStringCompleted; public System.Threading.Tasks.Task UploadStringTaskAsync(string address, string data) => throw null; public System.Threading.Tasks.Task UploadStringTaskAsync(string address, string method, string data) => throw null; public System.Threading.Tasks.Task UploadStringTaskAsync(System.Uri address, string data) => throw null; @@ -183,13 +183,13 @@ public event System.Net.UploadStringCompletedEventHandler UploadStringCompleted public void UploadValuesAsync(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; public void UploadValuesAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; public void UploadValuesAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data, object userToken) => throw null; - public event System.Net.UploadValuesCompletedEventHandler UploadValuesCompleted { add { } remove { } } + public event System.Net.UploadValuesCompletedEventHandler UploadValuesCompleted; public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, System.Collections.Specialized.NameValueCollection data) => throw null; public System.Threading.Tasks.Task UploadValuesTaskAsync(string address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, System.Collections.Specialized.NameValueCollection data) => throw null; public System.Threading.Tasks.Task UploadValuesTaskAsync(System.Uri address, string method, System.Collections.Specialized.NameValueCollection data) => throw null; public bool UseDefaultCredentials { get => throw null; set { } } - public event System.Net.WriteStreamClosedEventHandler WriteStreamClosed { add { } remove { } } + public event System.Net.WriteStreamClosedEventHandler WriteStreamClosed; } public class WriteStreamClosedEventArgs : System.EventArgs { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs index 70d613527ae1..b8ee661c92fd 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.WebProxy.cs @@ -10,7 +10,7 @@ public interface IWebProxyScript bool Load(System.Uri scriptLocation, string script, System.Type helperType); string Run(string url, string host); } - public class WebProxy : System.Net.IWebProxy, System.Runtime.Serialization.ISerializable + public class WebProxy : System.Runtime.Serialization.ISerializable, System.Net.IWebProxy { public System.Uri Address { get => throw null; set { } } public System.Collections.ArrayList BypassArrayList { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs index 8a429727567f..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Net, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs index f03a20b6507a..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Numerics, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs index 46092af512a5..1abc5dde0066 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ObjectModel.cs @@ -29,7 +29,7 @@ public class ObservableCollection : System.Collections.ObjectModel.Collection protected System.IDisposable BlockReentrancy() => throw null; protected void CheckReentrancy() => throw null; protected override void ClearItems() => throw null; - public virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } + public virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; public ObservableCollection() => throw null; public ObservableCollection(System.Collections.Generic.IEnumerable collection) => throw null; public ObservableCollection(System.Collections.Generic.List list) => throw null; @@ -38,19 +38,19 @@ public virtual event System.Collections.Specialized.NotifyCollectionChangedEvent protected virtual void MoveItem(int oldIndex, int newIndex) => throw null; protected virtual void OnCollectionChanged(System.Collections.Specialized.NotifyCollectionChangedEventArgs e) => throw null; protected virtual void OnPropertyChanged(System.ComponentModel.PropertyChangedEventArgs e) => throw null; - protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add { } remove { } } protected override void RemoveItem(int index) => throw null; protected override void SetItem(int index, T item) => throw null; } public class ReadOnlyObservableCollection : System.Collections.ObjectModel.ReadOnlyCollection, System.Collections.Specialized.INotifyCollectionChanged, System.ComponentModel.INotifyPropertyChanged { - protected virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } + protected virtual event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; event System.Collections.Specialized.NotifyCollectionChangedEventHandler System.Collections.Specialized.INotifyCollectionChanged.CollectionChanged { add { } remove { } } public ReadOnlyObservableCollection(System.Collections.ObjectModel.ObservableCollection list) : base(default(System.Collections.Generic.IList)) => throw null; protected virtual void OnCollectionChanged(System.Collections.Specialized.NotifyCollectionChangedEventArgs args) => throw null; protected virtual void OnPropertyChanged(System.ComponentModel.PropertyChangedEventArgs args) => throw null; - protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + protected virtual event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; event System.ComponentModel.PropertyChangedEventHandler System.ComponentModel.INotifyPropertyChanged.PropertyChanged { add { } remove { } } } } @@ -58,7 +58,7 @@ namespace Specialized { public interface INotifyCollectionChanged { - event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged { add { } remove { } } + event System.Collections.Specialized.NotifyCollectionChangedEventHandler CollectionChanged; } public enum NotifyCollectionChangedAction { @@ -99,17 +99,17 @@ public class DataErrorsChangedEventArgs : System.EventArgs } public interface INotifyDataErrorInfo { - event System.EventHandler ErrorsChanged { add { } remove { } } + event System.EventHandler ErrorsChanged; System.Collections.IEnumerable GetErrors(string propertyName); bool HasErrors { get; } } public interface INotifyPropertyChanged { - event System.ComponentModel.PropertyChangedEventHandler PropertyChanged { add { } remove { } } + event System.ComponentModel.PropertyChangedEventHandler PropertyChanged; } public interface INotifyPropertyChanging { - event System.ComponentModel.PropertyChangingEventHandler PropertyChanging { add { } remove { } } + event System.ComponentModel.PropertyChangingEventHandler PropertyChanging; } public class PropertyChangedEventArgs : System.EventArgs { @@ -154,7 +154,7 @@ namespace Input public interface ICommand { bool CanExecute(object parameter); - event System.EventHandler CanExecuteChanged { add { } remove { } } + event System.EventHandler CanExecuteChanged; void Execute(object parameter); } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs index a27a4833afae..3118bdff5323 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Emit.cs @@ -478,7 +478,7 @@ public sealed class TypeBuilder : System.Reflection.TypeInfo public override string ToString() => throw null; public override System.RuntimeTypeHandle TypeHandle { get => throw null; } public override System.Type UnderlyingSystemType { get => throw null; } - public static int UnspecifiedTypeSize; + public const int UnspecifiedTypeSize = default; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs index ae4c23ab8848..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Reflection.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs index 4f7b0de1d4a2..28df07055348 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Metadata.cs @@ -100,7 +100,7 @@ public struct AssemblyFileHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.AssemblyFileHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -139,7 +139,7 @@ public struct AssemblyReferenceHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.AssemblyReferenceHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -161,7 +161,7 @@ public class BlobBuilder { public void Align(int alignment) => throw null; protected virtual System.Reflection.Metadata.BlobBuilder AllocateChunk(int minimalSize) => throw null; - public struct Blobs : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Blobs : System.IDisposable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.Blob Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -411,7 +411,7 @@ public struct CustomAttributeHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.CustomAttributeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -470,7 +470,7 @@ public struct CustomDebugInformationHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.CustomDebugInformationHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -510,7 +510,7 @@ public struct DeclarativeSecurityAttributeHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.DeclarativeSecurityAttributeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -545,7 +545,7 @@ public struct DocumentHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.DocumentHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1203,7 +1203,7 @@ public struct EventDefinitionHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.EventDefinitionHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1258,7 +1258,7 @@ public struct ExportedTypeHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.ExportedTypeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1299,7 +1299,7 @@ public struct FieldDefinitionHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.FieldDefinitionHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1342,7 +1342,7 @@ public struct GenericParameterConstraintHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.GenericParameterConstraintHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1371,7 +1371,7 @@ public struct GenericParameterHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.GenericParameterHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1716,7 +1716,7 @@ public struct ImportDefinition } public struct ImportDefinitionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.ImportDefinition Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1749,7 +1749,7 @@ public struct ImportScope public struct ImportScopeCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.ImportScopeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1795,7 +1795,7 @@ public struct InterfaceImplementationHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.InterfaceImplementationHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1807,7 +1807,7 @@ public struct Enumerator : System.Collections.Generic.IEnumerator System.Collections.Generic.IEnumerable.GetEnumerator() => throw null; System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; } - public interface ISignatureTypeProvider : System.Reflection.Metadata.IConstructedTypeProvider, System.Reflection.Metadata.ISZArrayTypeProvider, System.Reflection.Metadata.ISimpleTypeProvider + public interface ISignatureTypeProvider : System.Reflection.Metadata.IConstructedTypeProvider, System.Reflection.Metadata.ISimpleTypeProvider, System.Reflection.Metadata.ISZArrayTypeProvider { TType GetFunctionPointerType(System.Reflection.Metadata.MethodSignature signature); TType GetGenericMethodParameter(TGenericContext genericContext, int index); @@ -1847,7 +1847,7 @@ public struct LocalConstantHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.LocalConstantHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1885,7 +1885,7 @@ public struct LocalScopeHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { - public struct ChildrenEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ChildrenEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1894,7 +1894,7 @@ public struct ChildrenEnumerator : System.Collections.Generic.IEnumerator throw null; } public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.LocalScopeHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1934,7 +1934,7 @@ public struct LocalVariableHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.LocalVariableHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -1970,7 +1970,7 @@ public struct ManifestResourceHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.ManifestResourceHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2008,7 +2008,7 @@ public struct MemberReferenceHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.MemberReferenceHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2195,7 +2195,7 @@ public struct MethodDebugInformationHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.MethodDebugInformationHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2239,7 +2239,7 @@ public struct MethodDefinitionHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.MethodDefinitionHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2274,7 +2274,7 @@ public struct MethodImplementationHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.MethodImplementationHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2405,7 +2405,7 @@ public struct ParameterHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.ParameterHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2493,7 +2493,7 @@ public struct PropertyDefinitionHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.PropertyDefinitionHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2519,7 +2519,7 @@ public struct SequencePoint : System.IEquatable throw null; public bool Equals(System.Reflection.Metadata.SequencePoint other) => throw null; public override int GetHashCode() => throw null; - public static int HiddenLine; + public const int HiddenLine = default; public bool IsHidden { get => throw null; } public int Offset { get => throw null; } public int StartColumn { get => throw null; } @@ -2527,7 +2527,7 @@ public struct SequencePoint : System.IEquatable, System.Collections.IEnumerable { - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.SequencePoint Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2582,7 +2582,7 @@ public struct SignatureHeader : System.IEquatable throw null; } public System.Reflection.Metadata.SignatureCallingConvention CallingConvention { get => throw null; } - public static byte CallingConventionOrKindMask; + public const byte CallingConventionOrKindMask = default; public SignatureHeader(byte rawValue) => throw null; public SignatureHeader(System.Reflection.Metadata.SignatureKind kind, System.Reflection.Metadata.SignatureCallingConvention convention, System.Reflection.Metadata.SignatureAttributes attributes) => throw null; public override bool Equals(object obj) => throw null; @@ -2720,7 +2720,7 @@ public struct TypeDefinitionHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.TypeDefinitionHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2761,7 +2761,7 @@ public struct TypeReferenceHandle : System.IEquatable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { public int Count { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Reflection.Metadata.TypeReferenceHandle Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2989,8 +2989,8 @@ public class ManagedPEBuilder : System.Reflection.PortableExecutable.PEBuilder protected override System.Collections.Immutable.ImmutableArray CreateSections() => throw null; public ManagedPEBuilder(System.Reflection.PortableExecutable.PEHeaderBuilder header, System.Reflection.Metadata.Ecma335.MetadataRootBuilder metadataRootBuilder, System.Reflection.Metadata.BlobBuilder ilStream, System.Reflection.Metadata.BlobBuilder mappedFieldData = default(System.Reflection.Metadata.BlobBuilder), System.Reflection.Metadata.BlobBuilder managedResources = default(System.Reflection.Metadata.BlobBuilder), System.Reflection.PortableExecutable.ResourceSectionBuilder nativeResources = default(System.Reflection.PortableExecutable.ResourceSectionBuilder), System.Reflection.PortableExecutable.DebugDirectoryBuilder debugDirectoryBuilder = default(System.Reflection.PortableExecutable.DebugDirectoryBuilder), int strongNameSignatureSize = default(int), System.Reflection.Metadata.MethodDefinitionHandle entryPoint = default(System.Reflection.Metadata.MethodDefinitionHandle), System.Reflection.PortableExecutable.CorFlags flags = default(System.Reflection.PortableExecutable.CorFlags), System.Func, System.Reflection.Metadata.BlobContentId> deterministicIdProvider = default(System.Func, System.Reflection.Metadata.BlobContentId>)) : base(default(System.Reflection.PortableExecutable.PEHeaderBuilder), default(System.Func, System.Reflection.Metadata.BlobContentId>)) => throw null; protected override System.Reflection.PortableExecutable.PEDirectoriesBuilder GetDirectories() => throw null; - public static int ManagedResourcesDataAlignment; - public static int MappedFieldDataAlignment; + public const int ManagedResourcesDataAlignment = default; + public const int MappedFieldDataAlignment = default; protected override System.Reflection.Metadata.BlobBuilder SerializeSection(string name, System.Reflection.PortableExecutable.SectionLocation location) => throw null; public void Sign(System.Reflection.Metadata.BlobBuilder peImage, System.Func, byte[]> signatureProvider) => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs index 8f0b2391b0a0..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Reflection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs index e3cb62ee6217..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Resources.Reader, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs index 91e19a89d1c9..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Resources.ResourceManager, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs index 271f2a6c542a..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Runtime.CompilerServices.Unsafe, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs index 69e4598a2980..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Runtime.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs index 3f502144ec7e..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Runtime.Handles, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs index 7148ca0f7166..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Runtime.InteropServices.RuntimeInformation, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs index 94f294b354ec..2ac0669511f0 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.cs @@ -750,7 +750,7 @@ public struct TYPEATTR public System.Runtime.InteropServices.ComTypes.IDLDESC idldescType; public int lcid; public nint lpstrSchema; - public static int MEMBER_ID_NIL; + public const int MEMBER_ID_NIL = default; public int memidConstructor; public int memidDestructor; public System.Runtime.InteropServices.ComTypes.TYPEDESC tdescAlias; @@ -1314,7 +1314,7 @@ public sealed class MarshalUsingAttribute : System.Attribute public MarshalUsingAttribute(System.Type nativeType) => throw null; public int ElementIndirectionDepth { get => throw null; set { } } public System.Type NativeType { get => throw null; } - public static string ReturnsCountValue; + public const string ReturnsCountValue = default; } public static class PointerArrayMarshaller where T : unmanaged where TUnmanagedElement : unmanaged { @@ -1385,7 +1385,7 @@ public static class NativeMemory public static unsafe void Free(void* ptr) => throw null; public static unsafe void* Realloc(void* ptr, nuint byteCount) => throw null; } - public struct NFloat : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + public struct NFloat : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static System.Runtime.InteropServices.NFloat System.Numerics.INumberBase.Abs(System.Runtime.InteropServices.NFloat value) => throw null; static System.Runtime.InteropServices.NFloat System.Numerics.ITrigonometricFunctions.Acos(System.Runtime.InteropServices.NFloat x) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs index 54ecb7b6aa57..eb7dc133afd7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Loader.cs @@ -71,13 +71,13 @@ public struct ContextualReflectionScope : System.IDisposable protected virtual nint LoadUnmanagedDll(string unmanagedDllName) => throw null; protected nint LoadUnmanagedDllFromPath(string unmanagedDllPath) => throw null; public string Name { get => throw null; } - public event System.Func Resolving { add { } remove { } } - public event System.Func ResolvingUnmanagedDll { add { } remove { } } + public event System.Func Resolving; + public event System.Func ResolvingUnmanagedDll; public void SetProfileOptimizationRoot(string directoryPath) => throw null; public void StartProfileOptimization(string profile) => throw null; public override string ToString() => throw null; public void Unload() => throw null; - public event System.Action Unloading { add { } remove { } } + public event System.Action Unloading; } } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs index df8fa8495683..e01dfe6c2931 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Numerics.cs @@ -4,7 +4,7 @@ namespace System { namespace Numerics { - public struct BigInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber + public struct BigInteger : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static System.Numerics.BigInteger System.Numerics.INumberBase.Abs(System.Numerics.BigInteger value) => throw null; public static System.Numerics.BigInteger Add(System.Numerics.BigInteger left, System.Numerics.BigInteger right) => throw null; @@ -207,7 +207,7 @@ public struct BigInteger : System.IComparable, System.IComparable.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static System.Numerics.BigInteger System.Numerics.INumberBase.Zero { get => throw null; } } - public struct Complex : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.ISignedNumber + public struct Complex : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { public static double Abs(System.Numerics.Complex value) => throw null; static System.Numerics.Complex System.Numerics.INumberBase.Abs(System.Numerics.Complex value) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs index 44765cb9b33c..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Runtime.Serialization, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs index 305922a7e0b1..20e87f2df8b4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.cs @@ -116,8 +116,8 @@ public sealed class AppDomain : System.MarshalByRefObject { public void AppendPrivatePath(string path) => throw null; public string ApplyPolicy(string assemblyName) => throw null; - public event System.AssemblyLoadEventHandler AssemblyLoad { add { } remove { } } - public event System.ResolveEventHandler AssemblyResolve { add { } remove { } } + public event System.AssemblyLoadEventHandler AssemblyLoad; + public event System.ResolveEventHandler AssemblyResolve; public string BaseDirectory { get => throw null; } public void ClearPrivatePath() => throw null; public void ClearShadowCopyPath() => throw null; @@ -135,7 +135,7 @@ public event System.ResolveEventHandler AssemblyResolve { add { } remove { } } public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName, bool ignoreCase, System.Reflection.BindingFlags bindingAttr, System.Reflection.Binder binder, object[] args, System.Globalization.CultureInfo culture, object[] activationAttributes) => throw null; public object CreateInstanceFromAndUnwrap(string assemblyFile, string typeName, object[] activationAttributes) => throw null; public static System.AppDomain CurrentDomain { get => throw null; } - public event System.EventHandler DomainUnload { add { } remove { } } + public event System.EventHandler DomainUnload; public string DynamicDirectory { get => throw null; } public int ExecuteAssembly(string assemblyFile) => throw null; public int ExecuteAssembly(string assemblyFile, string[] args) => throw null; @@ -143,7 +143,7 @@ public event System.EventHandler DomainUnload { add { } remove { } } public int ExecuteAssemblyByName(System.Reflection.AssemblyName assemblyName, params string[] args) => throw null; public int ExecuteAssemblyByName(string assemblyName) => throw null; public int ExecuteAssemblyByName(string assemblyName, params string[] args) => throw null; - public event System.EventHandler FirstChanceException { add { } remove { } } + public event System.EventHandler FirstChanceException; public string FriendlyName { get => throw null; } public System.Reflection.Assembly[] GetAssemblies() => throw null; public static int GetCurrentThreadId() => throw null; @@ -164,11 +164,11 @@ public event System.EventHandler throw null; } public System.TimeSpan MonitoringTotalProcessorTime { get => throw null; } public System.Security.PermissionSet PermissionSet { get => throw null; } - public event System.EventHandler ProcessExit { add { } remove { } } - public event System.ResolveEventHandler ReflectionOnlyAssemblyResolve { add { } remove { } } + public event System.EventHandler ProcessExit; + public event System.ResolveEventHandler ReflectionOnlyAssemblyResolve; public System.Reflection.Assembly[] ReflectionOnlyGetAssemblies() => throw null; public string RelativeSearchPath { get => throw null; } - public event System.ResolveEventHandler ResourceResolve { add { } remove { } } + public event System.ResolveEventHandler ResourceResolve; public void SetCachePath(string path) => throw null; public void SetData(string name, object data) => throw null; public void SetDynamicBase(string path) => throw null; @@ -179,8 +179,8 @@ public event System.ResolveEventHandler ResourceResolve { add { } remove { } } public System.AppDomainSetup SetupInformation { get => throw null; } public bool ShadowCopyFiles { get => throw null; } public override string ToString() => throw null; - public event System.ResolveEventHandler TypeResolve { add { } remove { } } - public event System.UnhandledExceptionEventHandler UnhandledException { add { } remove { } } + public event System.ResolveEventHandler TypeResolve; + public event System.UnhandledExceptionEventHandler UnhandledException; public static void Unload(System.AppDomain domain) => throw null; } public sealed class AppDomainSetup @@ -269,7 +269,7 @@ public class ArithmeticException : System.SystemException public ArithmeticException(string message) => throw null; public ArithmeticException(string message, System.Exception innerException) => throw null; } - public abstract class Array : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.ICloneable + public abstract class Array : System.ICloneable, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable { int System.Collections.IList.Add(object value) => throw null; public static System.Collections.ObjectModel.ReadOnlyCollection AsReadOnly(T[] array) => throw null; @@ -402,7 +402,7 @@ public struct ArraySegment : System.Collections.Generic.ICollection, Syste public ArraySegment(T[] array) => throw null; public ArraySegment(T[] array, int offset, int count) => throw null; public static System.ArraySegment Empty { get => throw null; } - public struct Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public T Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -665,7 +665,7 @@ public struct MemoryHandle : System.IDisposable public void Dispose() => throw null; public unsafe void* Pointer { get => throw null; } } - public abstract class MemoryManager : System.Buffers.IMemoryOwner, System.IDisposable, System.Buffers.IPinnable + public abstract class MemoryManager : System.IDisposable, System.Buffers.IMemoryOwner, System.Buffers.IPinnable { protected System.Memory CreateMemory(int length) => throw null; protected System.Memory CreateMemory(int start, int length) => throw null; @@ -700,7 +700,7 @@ public static class Base64 } } } - public struct Byte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct Byte : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static byte System.Numerics.INumberBase.Abs(byte value) => throw null; static byte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -743,13 +743,13 @@ public struct Byte : System.IComparable, System.IComparable, System.IConve static byte System.Numerics.INumberBase.MaxMagnitude(byte x, byte y) => throw null; static byte System.Numerics.INumberBase.MaxMagnitudeNumber(byte x, byte y) => throw null; static byte System.Numerics.INumber.MaxNumber(byte x, byte y) => throw null; - public static byte MaxValue; + public const byte MaxValue = default; static byte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static byte System.Numerics.INumber.Min(byte x, byte y) => throw null; static byte System.Numerics.INumberBase.MinMagnitude(byte x, byte y) => throw null; static byte System.Numerics.INumberBase.MinMagnitudeNumber(byte x, byte y) => throw null; static byte System.Numerics.INumber.MinNumber(byte x, byte y) => throw null; - public static byte MinValue; + public const byte MinValue = default; static byte System.Numerics.IMinMaxValue.MinValue { get => throw null; } static byte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static byte System.Numerics.INumberBase.One { get => throw null; } @@ -838,7 +838,7 @@ public class CannotUnloadAppDomainException : System.SystemException public CannotUnloadAppDomainException(string message) => throw null; public CannotUnloadAppDomainException(string message, System.Exception innerException) => throw null; } - public struct Char : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct Char : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static char System.Numerics.INumberBase.Abs(char value) => throw null; static char System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -920,11 +920,11 @@ public struct Char : System.IComparable, System.IComparable, System.IConve static char System.Numerics.IBinaryNumber.Log2(char value) => throw null; static char System.Numerics.INumberBase.MaxMagnitude(char x, char y) => throw null; static char System.Numerics.INumberBase.MaxMagnitudeNumber(char x, char y) => throw null; - public static char MaxValue; + public const char MaxValue = default; static char System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static char System.Numerics.INumberBase.MinMagnitude(char x, char y) => throw null; static char System.Numerics.INumberBase.MinMagnitudeNumber(char x, char y) => throw null; - public static char MinValue; + public const char MinValue = default; static char System.Numerics.IMinMaxValue.MinValue { get => throw null; } static char System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static char System.Numerics.INumberBase.One { get => throw null; } @@ -1009,7 +1009,7 @@ public struct Char : System.IComparable, System.IComparable, System.IConve bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static char System.Numerics.INumberBase.Zero { get => throw null; } } - public sealed class CharEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable, System.ICloneable + public sealed class CharEnumerator : System.ICloneable, System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public object Clone() => throw null; public char Current { get => throw null; } @@ -1038,7 +1038,7 @@ public class IndentedTextWriter : System.IO.TextWriter public override void Close() => throw null; public IndentedTextWriter(System.IO.TextWriter writer) => throw null; public IndentedTextWriter(System.IO.TextWriter writer, string tabString) => throw null; - public static string DefaultTabString; + public const string DefaultTabString = default; public override System.Threading.Tasks.ValueTask DisposeAsync() => throw null; public override System.Text.Encoding Encoding { get => throw null; } public override void Flush() => throw null; @@ -1094,7 +1094,7 @@ public class IndentedTextWriter : System.IO.TextWriter } namespace Collections { - public class ArrayList : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList, System.ICloneable + public class ArrayList : System.ICloneable, System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IList { public static System.Collections.ArrayList Adapter(System.Collections.IList list) => throw null; public virtual int Add(object value) => throw null; @@ -1203,7 +1203,7 @@ public interface IEnumerable : System.Collections.IEnumerable { System.Collections.Generic.IEnumerator GetEnumerator(); } - public interface IEnumerator : System.Collections.IEnumerator, System.IDisposable + public interface IEnumerator : System.IDisposable, System.Collections.IEnumerator { T Current { get; } } @@ -1279,7 +1279,7 @@ public struct KeyValuePair public TValue Value { get => throw null; } } } - public class Hashtable : System.Collections.ICollection, System.Collections.IEnumerable, System.Collections.IDictionary, System.ICloneable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class Hashtable : System.ICloneable, System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.IDictionary, System.Collections.IEnumerable, System.Runtime.Serialization.ISerializable { public virtual void Add(object key, object value) => throw null; public virtual void Clear() => throw null; @@ -1397,7 +1397,7 @@ public interface IStructuralEquatable } namespace ObjectModel { - public class Collection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class Collection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { public void Add(T item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -1431,7 +1431,7 @@ public class Collection : System.Collections.Generic.ICollection, System.C object System.Collections.ICollection.SyncRoot { get => throw null; } public T this[int index] { get => throw null; set { } } } - public class ReadOnlyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class ReadOnlyCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { void System.Collections.Generic.ICollection.Add(T value) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -1463,7 +1463,7 @@ public class ReadOnlyCollection : System.Collections.Generic.ICollection, object System.Collections.ICollection.SyncRoot { get => throw null; } public T this[int index] { get => throw null; } } - public class ReadOnlyDictionary : System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary, System.Collections.ICollection, System.Collections.IDictionary + public class ReadOnlyDictionary : System.Collections.Generic.ICollection>, System.Collections.ICollection, System.Collections.Generic.IDictionary, System.Collections.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyDictionary { void System.Collections.Generic.ICollection>.Add(System.Collections.Generic.KeyValuePair item) => throw null; void System.Collections.Generic.IDictionary.Add(TKey key, TValue value) => throw null; @@ -1487,7 +1487,7 @@ public class ReadOnlyDictionary : System.Collections.Generic.IColl bool System.Collections.ICollection.IsSynchronized { get => throw null; } TValue System.Collections.Generic.IDictionary.this[TKey key] { get => throw null; set { } } object System.Collections.IDictionary.this[object key] { get => throw null; set { } } - public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class KeyCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TKey item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -1512,7 +1512,7 @@ public sealed class KeyCollection : System.Collections.Generic.ICollection object System.Collections.ICollection.SyncRoot { get => throw null; } public TValue this[TKey key] { get => throw null; } public bool TryGetValue(TKey key, out TValue value) => throw null; - public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection, System.Collections.ICollection + public sealed class ValueCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IReadOnlyCollection { void System.Collections.Generic.ICollection.Add(TValue item) => throw null; void System.Collections.Generic.ICollection.Clear() => throw null; @@ -1998,7 +1998,7 @@ public struct DateOnly : System.IComparable, System.IComparable public static bool TryParseExact(string s, string[] formats, System.IFormatProvider provider, System.Globalization.DateTimeStyles style, out System.DateOnly result) => throw null; public int Year { get => throw null; } } - public struct DateTime : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.ISerializable + public struct DateTime : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.Runtime.Serialization.ISerializable, System.ISpanFormattable, System.ISpanParsable { public System.DateTime Add(System.TimeSpan value) => throw null; public System.DateTime AddDays(double value) => throw null; @@ -2135,7 +2135,7 @@ public enum DateTimeKind Utc = 1, Local = 2, } - public struct DateTimeOffset : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public struct DateTimeOffset : System.IComparable, System.IComparable, System.Runtime.Serialization.IDeserializationCallback, System.IEquatable, System.IFormattable, System.IParsable, System.Runtime.Serialization.ISerializable, System.ISpanFormattable, System.ISpanParsable { public System.DateTimeOffset Add(System.TimeSpan timeSpan) => throw null; public System.DateTimeOffset AddDays(double days) => throw null; @@ -2269,7 +2269,7 @@ public sealed class DBNull : System.IConvertible, System.Runtime.Serialization.I ulong System.IConvertible.ToUInt64(System.IFormatProvider provider) => throw null; public static System.DBNull Value; } - public struct Decimal : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber, System.Numerics.IMinMaxValue, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public struct Decimal : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Runtime.Serialization.IDeserializationCallback, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Runtime.Serialization.ISerializable, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static decimal System.Numerics.INumberBase.Abs(decimal value) => throw null; public static decimal Add(decimal d1, decimal d2) => throw null; @@ -2329,21 +2329,21 @@ public struct Decimal : System.IComparable, System.IComparable, System. static decimal System.Numerics.INumberBase.MaxMagnitude(decimal x, decimal y) => throw null; static decimal System.Numerics.INumberBase.MaxMagnitudeNumber(decimal x, decimal y) => throw null; static decimal System.Numerics.INumber.MaxNumber(decimal x, decimal y) => throw null; - public static decimal MaxValue; + public const decimal MaxValue = default; static decimal System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static decimal System.Numerics.INumber.Min(decimal x, decimal y) => throw null; static decimal System.Numerics.INumberBase.MinMagnitude(decimal x, decimal y) => throw null; static decimal System.Numerics.INumberBase.MinMagnitudeNumber(decimal x, decimal y) => throw null; static decimal System.Numerics.INumber.MinNumber(decimal x, decimal y) => throw null; - public static decimal MinusOne; - public static decimal MinValue; + public const decimal MinusOne = default; + public const decimal MinValue = default; static decimal System.Numerics.IMinMaxValue.MinValue { get => throw null; } static decimal System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } public static decimal Multiply(decimal d1, decimal d2) => throw null; public static decimal Negate(decimal d) => throw null; static decimal System.Numerics.ISignedNumber.NegativeOne { get => throw null; } void System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(object sender) => throw null; - public static decimal One; + public const decimal One = default; static decimal System.Numerics.INumberBase.One { get => throw null; } static decimal System.Numerics.IAdditionOperators.operator +(decimal d1, decimal d2) => throw null; static decimal System.Numerics.IDecrementOperators.operator --(decimal d) => throw null; @@ -2448,7 +2448,7 @@ public struct Decimal : System.IComparable, System.IComparable, System. bool System.Numerics.IFloatingPoint.TryWriteExponentLittleEndian(System.Span destination, out int bytesWritten) => throw null; bool System.Numerics.IFloatingPoint.TryWriteSignificandBigEndian(System.Span destination, out int bytesWritten) => throw null; bool System.Numerics.IFloatingPoint.TryWriteSignificandLittleEndian(System.Span destination, out int bytesWritten) => throw null; - public static decimal Zero; + public const decimal Zero = default; static decimal System.Numerics.INumberBase.Zero { get => throw null; } } public abstract class Delegate : System.ICloneable, System.Runtime.Serialization.ISerializable @@ -2617,21 +2617,21 @@ public sealed class SetsRequiredMembersAttribute : System.Attribute public sealed class StringSyntaxAttribute : System.Attribute { public object[] Arguments { get => throw null; } - public static string CompositeFormat; + public const string CompositeFormat = default; public StringSyntaxAttribute(string syntax) => throw null; public StringSyntaxAttribute(string syntax, params object[] arguments) => throw null; - public static string DateOnlyFormat; - public static string DateTimeFormat; - public static string EnumFormat; - public static string GuidFormat; - public static string Json; - public static string NumericFormat; - public static string Regex; + public const string DateOnlyFormat = default; + public const string DateTimeFormat = default; + public const string EnumFormat = default; + public const string GuidFormat = default; + public const string Json = default; + public const string NumericFormat = default; + public const string Regex = default; public string Syntax { get => throw null; } - public static string TimeOnlyFormat; - public static string TimeSpanFormat; - public static string Uri; - public static string Xml; + public const string TimeOnlyFormat = default; + public const string TimeSpanFormat = default; + public const string Uri = default; + public const string Xml = default; } public sealed class SuppressMessageAttribute : System.Attribute { @@ -2853,7 +2853,7 @@ public class DivideByZeroException : System.ArithmeticException public DivideByZeroException(string message) => throw null; public DivideByZeroException(string message, System.Exception innerException) => throw null; } - public struct Double : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + public struct Double : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static double System.Numerics.INumberBase.Abs(double value) => throw null; static double System.Numerics.ITrigonometricFunctions.Acos(double x) => throw null; @@ -2883,9 +2883,9 @@ public struct Double : System.IComparable, System.IComparable, System.IC static double System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; static double System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; static double System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static double E; + public const double E = default; static double System.Numerics.IFloatingPointConstants.E { get => throw null; } - public static double Epsilon; + public const double Epsilon = default; static double System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } public bool Equals(double obj) => throw null; public override bool Equals(object obj) => throw null; @@ -2936,21 +2936,21 @@ public struct Double : System.IComparable, System.IComparable, System.IC static double System.Numerics.INumberBase.MaxMagnitude(double x, double y) => throw null; static double System.Numerics.INumberBase.MaxMagnitudeNumber(double x, double y) => throw null; static double System.Numerics.INumber.MaxNumber(double x, double y) => throw null; - public static double MaxValue; + public const double MaxValue = default; static double System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static double System.Numerics.INumber.Min(double x, double y) => throw null; static double System.Numerics.INumberBase.MinMagnitude(double x, double y) => throw null; static double System.Numerics.INumberBase.MinMagnitudeNumber(double x, double y) => throw null; static double System.Numerics.INumber.MinNumber(double x, double y) => throw null; - public static double MinValue; + public const double MinValue = default; static double System.Numerics.IMinMaxValue.MinValue { get => throw null; } static double System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public static double NaN; + public const double NaN = default; static double System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - public static double NegativeInfinity; + public const double NegativeInfinity = default; static double System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } static double System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - public static double NegativeZero; + public const double NegativeZero = default; static double System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } static double System.Numerics.INumberBase.One { get => throw null; } static double System.Numerics.IAdditionOperators.operator +(double left, double right) => throw null; @@ -2978,9 +2978,9 @@ public struct Double : System.IComparable, System.IComparable, System.IC public static double Parse(string s, System.Globalization.NumberStyles style) => throw null; static double System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; static double System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; - public static double Pi; + public const double Pi = default; static double System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - public static double PositiveInfinity; + public const double PositiveInfinity = default; static double System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } static double System.Numerics.IPowerFunctions.Pow(double x, double y) => throw null; static int System.Numerics.INumberBase.Radix { get => throw null; } @@ -3002,7 +3002,7 @@ public struct Double : System.IComparable, System.IComparable, System.IC static double System.Numerics.ITrigonometricFunctions.Tan(double x) => throw null; static double System.Numerics.IHyperbolicFunctions.Tanh(double x) => throw null; static double System.Numerics.ITrigonometricFunctions.TanPi(double x) => throw null; - public static double Tau; + public const double Tau = default; static double System.Numerics.IFloatingPointConstants.Tau { get => throw null; } bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; @@ -3246,7 +3246,7 @@ public class Exception : System.Runtime.Serialization.ISerializable public int HResult { get => throw null; set { } } public System.Exception InnerException { get => throw null; } public virtual string Message { get => throw null; } - protected event System.EventHandler SerializeObjectState { add { } remove { } } + protected event System.EventHandler SerializeObjectState; public virtual string Source { get => throw null; set { } } public virtual string StackTrace { get => throw null; } public System.Reflection.MethodBase TargetSite { get => throw null; } @@ -3437,7 +3437,7 @@ public abstract class Calendar : System.ICloneable public virtual System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } public virtual object Clone() => throw null; protected Calendar() => throw null; - public static int CurrentEra; + public const int CurrentEra = default; protected virtual int DaysInYearBeforeMinSupportedYear { get => throw null; } public abstract int[] Eras { get; } public abstract int GetDayOfMonth(System.DateTime time); @@ -3501,7 +3501,7 @@ public static class CharUnicodeInfo } public class ChineseLunisolarCalendar : System.Globalization.EastAsianLunisolarCalendar { - public static int ChineseEra; + public const int ChineseEra = default; public ChineseLunisolarCalendar() => throw null; protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } public override int[] Eras { get => throw null; } @@ -3774,7 +3774,7 @@ public class GregorianCalendar : System.Globalization.Calendar { public override System.DateTime AddMonths(System.DateTime time, int months) => throw null; public override System.DateTime AddYears(System.DateTime time, int years) => throw null; - public static int ADEra; + public const int ADEra = default; public override System.Globalization.CalendarAlgorithmType AlgorithmType { get => throw null; } public virtual System.Globalization.GregorianCalendarTypes CalendarType { get => throw null; set { } } public GregorianCalendar() => throw null; @@ -3920,7 +3920,7 @@ public class JapaneseLunisolarCalendar : System.Globalization.EastAsianLunisolar protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } public override int[] Eras { get => throw null; } public override int GetEra(System.DateTime time) => throw null; - public static int JapaneseEra; + public const int JapaneseEra = default; public override System.DateTime MaxSupportedDateTime { get => throw null; } public override System.DateTime MinSupportedDateTime { get => throw null; } } @@ -3972,7 +3972,7 @@ public class KoreanCalendar : System.Globalization.Calendar public override bool IsLeapDay(int year, int month, int day, int era) => throw null; public override bool IsLeapMonth(int year, int month, int era) => throw null; public override bool IsLeapYear(int year, int era) => throw null; - public static int KoreanEra; + public const int KoreanEra = default; public override System.DateTime MaxSupportedDateTime { get => throw null; } public override System.DateTime MinSupportedDateTime { get => throw null; } public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; @@ -3985,7 +3985,7 @@ public class KoreanLunisolarCalendar : System.Globalization.EastAsianLunisolarCa protected override int DaysInYearBeforeMinSupportedYear { get => throw null; } public override int[] Eras { get => throw null; } public override int GetEra(System.DateTime time) => throw null; - public static int GregorianEra; + public const int GregorianEra = default; public override System.DateTime MaxSupportedDateTime { get => throw null; } public override System.DateTime MinSupportedDateTime { get => throw null; } } @@ -4226,7 +4226,7 @@ public class ThaiBuddhistCalendar : System.Globalization.Calendar public override bool IsLeapYear(int year, int era) => throw null; public override System.DateTime MaxSupportedDateTime { get => throw null; } public override System.DateTime MinSupportedDateTime { get => throw null; } - public static int ThaiBuddhistEra; + public const int ThaiBuddhistEra = default; public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; public override int ToFourDigitYear(int year) => throw null; public override int TwoDigitYearMax { get => throw null; set { } } @@ -4263,7 +4263,7 @@ public class UmAlQuraCalendar : System.Globalization.Calendar public override System.DateTime ToDateTime(int year, int month, int day, int hour, int minute, int second, int millisecond, int era) => throw null; public override int ToFourDigitYear(int year) => throw null; public override int TwoDigitYearMax { get => throw null; set { } } - public static int UmAlQuraEra; + public const int UmAlQuraEra = default; } public enum UnicodeCategory { @@ -4344,7 +4344,7 @@ public struct Guid : System.IComparable, System.IComparable, System public static bool TryParseExact(string input, string format, out System.Guid result) => throw null; public bool TryWriteBytes(System.Span destination) => throw null; } - public struct Half : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + public struct Half : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static System.Half System.Numerics.INumberBase.Abs(System.Half value) => throw null; static System.Half System.Numerics.ITrigonometricFunctions.Acos(System.Half x) => throw null; @@ -4669,7 +4669,7 @@ public sealed class InsufficientMemoryException : System.OutOfMemoryException public InsufficientMemoryException(string message) => throw null; public InsufficientMemoryException(string message, System.Exception innerException) => throw null; } - public struct Int128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + public struct Int128 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static System.Int128 System.Numerics.INumberBase.Abs(System.Int128 value) => throw null; static System.Int128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -4829,7 +4829,7 @@ public struct Int128 : System.IComparable, System.IComparable, Sy bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static System.Int128 System.Numerics.INumberBase.Zero { get => throw null; } } - public struct Int16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + public struct Int16 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static short System.Numerics.INumberBase.Abs(short value) => throw null; static short System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -4872,13 +4872,13 @@ public struct Int16 : System.IComparable, System.IComparable, System.ICon static short System.Numerics.INumberBase.MaxMagnitude(short x, short y) => throw null; static short System.Numerics.INumberBase.MaxMagnitudeNumber(short x, short y) => throw null; static short System.Numerics.INumber.MaxNumber(short x, short y) => throw null; - public static short MaxValue; + public const short MaxValue = default; static short System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static short System.Numerics.INumber.Min(short x, short y) => throw null; static short System.Numerics.INumberBase.MinMagnitude(short x, short y) => throw null; static short System.Numerics.INumberBase.MinMagnitudeNumber(short x, short y) => throw null; static short System.Numerics.INumber.MinNumber(short x, short y) => throw null; - public static short MinValue; + public const short MinValue = default; static short System.Numerics.IMinMaxValue.MinValue { get => throw null; } static short System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static short System.Numerics.ISignedNumber.NegativeOne { get => throw null; } @@ -4961,7 +4961,7 @@ public struct Int16 : System.IComparable, System.IComparable, System.ICon bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static short System.Numerics.INumberBase.Zero { get => throw null; } } - public struct Int32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + public struct Int32 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static int System.Numerics.INumberBase.Abs(int value) => throw null; public static int Abs(int value) => throw null; @@ -5013,14 +5013,14 @@ public struct Int32 : System.IComparable, System.IComparable, System.IConve public static int MaxMagnitude(int x, int y) => throw null; static int System.Numerics.INumberBase.MaxMagnitudeNumber(int x, int y) => throw null; static int System.Numerics.INumber.MaxNumber(int x, int y) => throw null; - public static int MaxValue; + public const int MaxValue = default; static int System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static int System.Numerics.INumber.Min(int x, int y) => throw null; static int System.Numerics.INumberBase.MinMagnitude(int x, int y) => throw null; public static int MinMagnitude(int x, int y) => throw null; static int System.Numerics.INumberBase.MinMagnitudeNumber(int x, int y) => throw null; static int System.Numerics.INumber.MinNumber(int x, int y) => throw null; - public static int MinValue; + public const int MinValue = default; static int System.Numerics.IMinMaxValue.MinValue { get => throw null; } static int System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static int System.Numerics.ISignedNumber.NegativeOne { get => throw null; } @@ -5107,7 +5107,7 @@ public struct Int32 : System.IComparable, System.IComparable, System.IConve bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static int System.Numerics.INumberBase.Zero { get => throw null; } } - public struct Int64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + public struct Int64 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static long System.Numerics.INumberBase.Abs(long value) => throw null; static long System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -5150,13 +5150,13 @@ public struct Int64 : System.IComparable, System.IComparable, System.IConv static long System.Numerics.INumberBase.MaxMagnitude(long x, long y) => throw null; static long System.Numerics.INumberBase.MaxMagnitudeNumber(long x, long y) => throw null; static long System.Numerics.INumber.MaxNumber(long x, long y) => throw null; - public static long MaxValue; + public const long MaxValue = default; static long System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static long System.Numerics.INumber.Min(long x, long y) => throw null; static long System.Numerics.INumberBase.MinMagnitude(long x, long y) => throw null; static long System.Numerics.INumberBase.MinMagnitudeNumber(long x, long y) => throw null; static long System.Numerics.INumber.MinNumber(long x, long y) => throw null; - public static long MinValue; + public const long MinValue = default; static long System.Numerics.IMinMaxValue.MinValue { get => throw null; } static long System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static long System.Numerics.ISignedNumber.NegativeOne { get => throw null; } @@ -5239,7 +5239,7 @@ public struct Int64 : System.IComparable, System.IComparable, System.IConv bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static long System.Numerics.INumberBase.Zero { get => throw null; } } - public struct IntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber, System.Runtime.Serialization.ISerializable + public struct IntPtr : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Runtime.Serialization.ISerializable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static nint System.Numerics.INumberBase.Abs(nint value) => throw null; public static nint Add(nint pointer, int offset) => throw null; @@ -5647,7 +5647,7 @@ public class FileSystemEnumerable : System.Collections.Generic.IEnumera public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldIncludePredicate { get => throw null; set { } } public System.IO.Enumeration.FileSystemEnumerable.FindPredicate ShouldRecursePredicate { get => throw null; set { } } } - public abstract class FileSystemEnumerator : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public abstract class FileSystemEnumerator : System.Runtime.ConstrainedExecution.CriticalFinalizerObject, System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { protected virtual bool ContinueOnError(int error) => throw null; public FileSystemEnumerator(string directory, System.IO.EnumerationOptions options = default(System.IO.EnumerationOptions)) => throw null; @@ -6594,7 +6594,7 @@ public static class Math public static (uint Quotient, uint Remainder) DivRem(uint left, uint right) => throw null; public static (ulong Quotient, ulong Remainder) DivRem(ulong left, ulong right) => throw null; public static (nuint Quotient, nuint Remainder) DivRem(nuint left, nuint right) => throw null; - public static double E; + public const double E = default; public static double Exp(double d) => throw null; public static decimal Floor(decimal d) => throw null; public static double Floor(double d) => throw null; @@ -6633,7 +6633,7 @@ public static class Math public static ulong Min(ulong val1, ulong val2) => throw null; public static nuint Min(nuint val1, nuint val2) => throw null; public static double MinMagnitude(double x, double y) => throw null; - public static double PI; + public const double PI = default; public static double Pow(double x, double y) => throw null; public static double ReciprocalEstimate(double d) => throw null; public static double ReciprocalSqrtEstimate(double d) => throw null; @@ -6660,7 +6660,7 @@ public static class Math public static double Sqrt(double d) => throw null; public static double Tan(double a) => throw null; public static double Tanh(double value) => throw null; - public static double Tau; + public const double Tau = default; public static decimal Truncate(decimal d) => throw null; public static double Truncate(double d) => throw null; } @@ -6681,7 +6681,7 @@ public static class MathF public static float CopySign(float x, float y) => throw null; public static float Cos(float x) => throw null; public static float Cosh(float x) => throw null; - public static float E; + public const float E = default; public static float Exp(float x) => throw null; public static float Floor(float x) => throw null; public static float FusedMultiplyAdd(float x, float y, float z) => throw null; @@ -6695,7 +6695,7 @@ public static class MathF public static float MaxMagnitude(float x, float y) => throw null; public static float Min(float x, float y) => throw null; public static float MinMagnitude(float x, float y) => throw null; - public static float PI; + public const float PI = default; public static float Pow(float x, float y) => throw null; public static float ReciprocalEstimate(float x) => throw null; public static float ReciprocalSqrtEstimate(float x) => throw null; @@ -6711,7 +6711,7 @@ public static class MathF public static float Sqrt(float x) => throw null; public static float Tan(float x) => throw null; public static float Tanh(float x) => throw null; - public static float Tau; + public const float Tau = default; public static float Truncate(float x) => throw null; } public class MemberAccessException : System.SystemException @@ -6959,10 +6959,10 @@ public interface IAdditiveIdentity where TSelf : System.Numerics { abstract static TResult AdditiveIdentity { get; } } - public interface IBinaryFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions where TSelf : System.Numerics.IBinaryFloatingPointIeee754 + public interface IBinaryFloatingPointIeee754 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryFloatingPointIeee754 { } - public interface IBinaryInteger : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators where TSelf : System.Numerics.IBinaryInteger + public interface IBinaryInteger : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryInteger { static virtual (TSelf Quotient, TSelf Remainder) DivRem(TSelf left, TSelf right) => throw null; int GetByteCount(); @@ -6989,7 +6989,7 @@ public interface IBinaryInteger : System.IComparable, System.IComparable< virtual int WriteLittleEndian(byte[] destination, int startIndex) => throw null; virtual int WriteLittleEndian(System.Span destination) => throw null; } - public interface IBinaryNumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryNumber + public interface IBinaryNumber : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IBinaryNumber { static virtual TSelf AllBitsSet { get => throw null; } abstract static bool IsPow2(TSelf value); @@ -7024,7 +7024,7 @@ public interface IEqualityOperators where TSelf : System abstract static TResult operator ==(TSelf left, TOther right); abstract static TResult operator !=(TSelf left, TOther right); } - public interface IExponentialFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IExponentialFunctions + public interface IExponentialFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IExponentialFunctions { abstract static TSelf Exp(TSelf x); abstract static TSelf Exp10(TSelf x); @@ -7033,7 +7033,7 @@ public interface IExponentialFunctions : System.Numerics.IFloatingPointCo static virtual TSelf Exp2M1(TSelf x) => throw null; static virtual TSelf ExpM1(TSelf x) => throw null; } - public interface IFloatingPoint : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber where TSelf : System.Numerics.IFloatingPoint + public interface IFloatingPoint : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPoint { static virtual TSelf Ceiling(TSelf x) => throw null; static virtual TSelf Floor(TSelf x) => throw null; @@ -7063,13 +7063,13 @@ public interface IFloatingPoint : System.IComparable, System.IComparable< virtual int WriteSignificandLittleEndian(byte[] destination, int startIndex) => throw null; virtual int WriteSignificandLittleEndian(System.Span destination) => throw null; } - public interface IFloatingPointConstants : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointConstants + public interface IFloatingPointConstants : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointConstants { abstract static TSelf E { get; } abstract static TSelf Pi { get; } abstract static TSelf Tau { get; } } - public interface IFloatingPointIeee754 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IFloatingPoint, System.Numerics.IModulusOperators, System.Numerics.INumber, System.Numerics.ISignedNumber, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions where TSelf : System.Numerics.IFloatingPointIeee754 + public interface IFloatingPointIeee754 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IFloatingPointIeee754 { abstract static TSelf Atan2(TSelf y, TSelf x); abstract static TSelf Atan2Pi(TSelf y, TSelf x); @@ -7087,7 +7087,7 @@ public interface IFloatingPointIeee754 : System.IComparable, System.IComp static virtual TSelf ReciprocalSqrtEstimate(TSelf x) => throw null; abstract static TSelf ScaleB(TSelf x, int n); } - public interface IHyperbolicFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IHyperbolicFunctions + public interface IHyperbolicFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IHyperbolicFunctions { abstract static TSelf Acosh(TSelf x); abstract static TSelf Asinh(TSelf x); @@ -7101,7 +7101,7 @@ public interface IIncrementOperators where TSelf : System.Numerics.IIncre static virtual TSelf operator checked ++(TSelf value) => throw null; abstract static TSelf operator ++(TSelf value); } - public interface ILogarithmicFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ILogarithmicFunctions + public interface ILogarithmicFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ILogarithmicFunctions { abstract static TSelf Log(TSelf x); abstract static TSelf Log(TSelf x, TSelf newBase); @@ -7129,7 +7129,7 @@ public interface IMultiplyOperators where TSelf : System static virtual TResult operator checked *(TSelf left, TOther right) => throw null; abstract static TResult operator *(TSelf left, TOther right); } - public interface INumber : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumber + public interface INumber : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumber { static virtual TSelf Clamp(TSelf value, TSelf min, TSelf max) => throw null; static virtual TSelf CopySign(TSelf value, TSelf sign) => throw null; @@ -7139,7 +7139,7 @@ public interface INumber : System.IComparable, System.IComparable, static virtual TSelf MinNumber(TSelf x, TSelf y) => throw null; static virtual int Sign(TSelf value) => throw null; } - public interface INumberBase : System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumberBase + public interface INumberBase : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.INumberBase { abstract static TSelf Abs(TSelf value); static virtual TSelf CreateChecked(TOther value) where TOther : System.Numerics.INumberBase => throw null; @@ -7180,11 +7180,11 @@ public interface INumberBase : System.IEquatable, System.IFormatta abstract static bool TryParse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider, out TSelf result); abstract static TSelf Zero { get; } } - public interface IPowerFunctions : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IPowerFunctions + public interface IPowerFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IPowerFunctions { abstract static TSelf Pow(TSelf x, TSelf y); } - public interface IRootFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IRootFunctions + public interface IRootFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IRootFunctions { abstract static TSelf Cbrt(TSelf x); abstract static TSelf Hypot(TSelf x, TSelf y); @@ -7197,7 +7197,7 @@ public interface IShiftOperators where TSelf : System.Nu abstract static TResult operator >>(TSelf value, TOther shiftAmount); abstract static TResult operator >>>(TSelf value, TOther shiftAmount); } - public interface ISignedNumber : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ISignedNumber + public interface ISignedNumber : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ISignedNumber { abstract static TSelf NegativeOne { get; } } @@ -7206,7 +7206,7 @@ public interface ISubtractionOperators where TSelf : Sys static virtual TResult operator checked -(TSelf left, TOther right) => throw null; abstract static TResult operator -(TSelf left, TOther right); } - public interface ITrigonometricFunctions : System.Numerics.IFloatingPointConstants, System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ITrigonometricFunctions + public interface ITrigonometricFunctions : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IFloatingPointConstants, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.ITrigonometricFunctions { abstract static TSelf Acos(TSelf x); abstract static TSelf AcosPi(TSelf x); @@ -7232,7 +7232,7 @@ public interface IUnaryPlusOperators where TSelf : System.Numeri { abstract static TResult operator +(TSelf value); } - public interface IUnsignedNumber : System.Numerics.INumberBase, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IUnsignedNumber + public interface IUnsignedNumber : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumberBase, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators where TSelf : System.Numerics.IUnsignedNumber { } } @@ -7353,7 +7353,7 @@ public class Progress : System.IProgress public Progress() => throw null; public Progress(System.Action handler) => throw null; protected virtual void OnReport(T value) => throw null; - public event System.EventHandler ProgressChanged { add { } remove { } } + public event System.EventHandler ProgressChanged; void System.IProgress.Report(T value) => throw null; } public class Random @@ -7519,7 +7519,7 @@ public abstract class Assembly : System.Reflection.ICustomAttributeProvider, Sys public static System.Reflection.Assembly LoadWithPartialName(string partialName) => throw null; public virtual string Location { get => throw null; } public virtual System.Reflection.Module ManifestModule { get => throw null; } - public virtual event System.Reflection.ModuleResolveEventHandler ModuleResolve { add { } remove { } } + public virtual event System.Reflection.ModuleResolveEventHandler ModuleResolve; public virtual System.Collections.Generic.IEnumerable Modules { get => throw null; } public static bool operator ==(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; public static bool operator !=(System.Reflection.Assembly left, System.Reflection.Assembly right) => throw null; @@ -8594,7 +8594,7 @@ public class ResolveEventArgs : System.EventArgs public delegate System.Reflection.Assembly ResolveEventHandler(object sender, System.ResolveEventArgs args); namespace Resources { - public interface IResourceReader : System.Collections.IEnumerable, System.IDisposable + public interface IResourceReader : System.IDisposable, System.Collections.IEnumerable { void Close(); System.Collections.IDictionaryEnumerator GetEnumerator(); @@ -8649,7 +8649,7 @@ public class ResourceManager public virtual void ReleaseAllResources() => throw null; public virtual System.Type ResourceSetType { get => throw null; } } - public sealed class ResourceReader : System.Collections.IEnumerable, System.IDisposable, System.Resources.IResourceReader + public sealed class ResourceReader : System.IDisposable, System.Collections.IEnumerable, System.Resources.IResourceReader { public void Close() => throw null; public ResourceReader(System.IO.Stream stream) => throw null; @@ -8659,7 +8659,7 @@ public sealed class ResourceReader : System.Collections.IEnumerable, System.IDis System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() => throw null; public void GetResourceData(string resourceName, out string resourceType, out byte[] resourceData) => throw null; } - public class ResourceSet : System.Collections.IEnumerable, System.IDisposable + public class ResourceSet : System.IDisposable, System.Collections.IEnumerable { public virtual void Close() => throw null; protected ResourceSet() => throw null; @@ -8841,8 +8841,8 @@ public sealed class CompilerFeatureRequiredAttribute : System.Attribute public CompilerFeatureRequiredAttribute(string featureName) => throw null; public string FeatureName { get => throw null; } public bool IsOptional { get => throw null; set { } } - public static string RefStructs; - public static string RequiredMembers; + public const string RefStructs = default; + public const string RequiredMembers = default; } public sealed class CompilerGeneratedAttribute : System.Attribute { @@ -9150,16 +9150,16 @@ public sealed class RuntimeCompatibilityAttribute : System.Attribute } public static class RuntimeFeature { - public static string ByRefFields; - public static string CovariantReturnsOfClasses; - public static string DefaultImplementationsOfInterfaces; + public const string ByRefFields = default; + public const string CovariantReturnsOfClasses = default; + public const string DefaultImplementationsOfInterfaces = default; public static bool IsDynamicCodeCompiled { get => throw null; } public static bool IsDynamicCodeSupported { get => throw null; } public static bool IsSupported(string feature) => throw null; - public static string NumericIntPtr; - public static string PortablePdb; - public static string UnmanagedSignatureCallingConvention; - public static string VirtualStaticsInInterfaces; + public const string NumericIntPtr = default; + public const string PortablePdb = default; + public const string UnmanagedSignatureCallingConvention = default; + public const string VirtualStaticsInInterfaces = default; } public static class RuntimeHelpers { @@ -10033,7 +10033,7 @@ public struct RuntimeTypeHandle : System.IEquatable, S public static nint ToIntPtr(System.RuntimeTypeHandle value) => throw null; public nint Value { get => throw null; } } - public struct SByte : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.ISignedNumber + public struct SByte : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static sbyte System.Numerics.INumberBase.Abs(sbyte value) => throw null; static sbyte System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -10076,13 +10076,13 @@ public struct SByte : System.IComparable, System.IComparable, System.ICon static sbyte System.Numerics.INumberBase.MaxMagnitude(sbyte x, sbyte y) => throw null; static sbyte System.Numerics.INumberBase.MaxMagnitudeNumber(sbyte x, sbyte y) => throw null; static sbyte System.Numerics.INumber.MaxNumber(sbyte x, sbyte y) => throw null; - public static sbyte MaxValue; + public const sbyte MaxValue = default; static sbyte System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static sbyte System.Numerics.INumber.Min(sbyte x, sbyte y) => throw null; static sbyte System.Numerics.INumberBase.MinMagnitude(sbyte x, sbyte y) => throw null; static sbyte System.Numerics.INumberBase.MinMagnitudeNumber(sbyte x, sbyte y) => throw null; static sbyte System.Numerics.INumber.MinNumber(sbyte x, sbyte y) => throw null; - public static sbyte MinValue; + public const sbyte MinValue = default; static sbyte System.Numerics.IMinMaxValue.MinValue { get => throw null; } static sbyte System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static sbyte System.Numerics.ISignedNumber.NegativeOne { get => throw null; } @@ -10280,7 +10280,7 @@ public enum SecurityPermissionFlag AllFlags = 16383, } } - public class PermissionSet : System.Collections.ICollection, System.Collections.IEnumerable, System.Runtime.Serialization.IDeserializationCallback, System.Security.ISecurityEncodable, System.Security.IStackWalk + public class PermissionSet : System.Collections.ICollection, System.Runtime.Serialization.IDeserializationCallback, System.Collections.IEnumerable, System.Security.ISecurityEncodable, System.Security.IStackWalk { public System.Security.IPermission AddPermission(System.Security.IPermission perm) => throw null; protected virtual System.Security.IPermission AddPermissionImpl(System.Security.IPermission perm) => throw null; @@ -10446,7 +10446,7 @@ public sealed class SerializableAttribute : System.Attribute { public SerializableAttribute() => throw null; } - public struct Single : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPoint, System.Numerics.ISignedNumber, System.Numerics.IFloatingPointIeee754, System.Numerics.IHyperbolicFunctions, System.Numerics.ILogarithmicFunctions, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ITrigonometricFunctions, System.Numerics.IMinMaxValue + public struct Single : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryFloatingPointIeee754, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.Numerics.IExponentialFunctions, System.Numerics.IFloatingPoint, System.Numerics.IFloatingPointConstants, System.Numerics.IFloatingPointIeee754, System.IFormattable, System.Numerics.IHyperbolicFunctions, System.Numerics.IIncrementOperators, System.Numerics.ILogarithmicFunctions, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IPowerFunctions, System.Numerics.IRootFunctions, System.Numerics.ISignedNumber, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.ITrigonometricFunctions, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators { static float System.Numerics.INumberBase.Abs(float value) => throw null; static float System.Numerics.ITrigonometricFunctions.Acos(float x) => throw null; @@ -10476,9 +10476,9 @@ public struct Single : System.IComparable, System.IComparable, System.ICo static float System.Numerics.INumberBase.CreateChecked(TOther value) => throw null; static float System.Numerics.INumberBase.CreateSaturating(TOther value) => throw null; static float System.Numerics.INumberBase.CreateTruncating(TOther value) => throw null; - public static float E; + public const float E = default; static float System.Numerics.IFloatingPointConstants.E { get => throw null; } - public static float Epsilon; + public const float Epsilon = default; static float System.Numerics.IFloatingPointIeee754.Epsilon { get => throw null; } public override bool Equals(object obj) => throw null; public bool Equals(float obj) => throw null; @@ -10529,21 +10529,21 @@ public struct Single : System.IComparable, System.IComparable, System.ICo static float System.Numerics.INumberBase.MaxMagnitude(float x, float y) => throw null; static float System.Numerics.INumberBase.MaxMagnitudeNumber(float x, float y) => throw null; static float System.Numerics.INumber.MaxNumber(float x, float y) => throw null; - public static float MaxValue; + public const float MaxValue = default; static float System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static float System.Numerics.INumber.Min(float x, float y) => throw null; static float System.Numerics.INumberBase.MinMagnitude(float x, float y) => throw null; static float System.Numerics.INumberBase.MinMagnitudeNumber(float x, float y) => throw null; static float System.Numerics.INumber.MinNumber(float x, float y) => throw null; - public static float MinValue; + public const float MinValue = default; static float System.Numerics.IMinMaxValue.MinValue { get => throw null; } static float System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } - public static float NaN; + public const float NaN = default; static float System.Numerics.IFloatingPointIeee754.NaN { get => throw null; } - public static float NegativeInfinity; + public const float NegativeInfinity = default; static float System.Numerics.IFloatingPointIeee754.NegativeInfinity { get => throw null; } static float System.Numerics.ISignedNumber.NegativeOne { get => throw null; } - public static float NegativeZero; + public const float NegativeZero = default; static float System.Numerics.IFloatingPointIeee754.NegativeZero { get => throw null; } static float System.Numerics.INumberBase.One { get => throw null; } static float System.Numerics.IAdditionOperators.operator +(float left, float right) => throw null; @@ -10571,9 +10571,9 @@ public struct Single : System.IComparable, System.IComparable, System.ICo public static float Parse(string s, System.Globalization.NumberStyles style) => throw null; static float System.Numerics.INumberBase.Parse(string s, System.Globalization.NumberStyles style, System.IFormatProvider provider) => throw null; static float System.IParsable.Parse(string s, System.IFormatProvider provider) => throw null; - public static float Pi; + public const float Pi = default; static float System.Numerics.IFloatingPointConstants.Pi { get => throw null; } - public static float PositiveInfinity; + public const float PositiveInfinity = default; static float System.Numerics.IFloatingPointIeee754.PositiveInfinity { get => throw null; } static float System.Numerics.IPowerFunctions.Pow(float x, float y) => throw null; static int System.Numerics.INumberBase.Radix { get => throw null; } @@ -10595,7 +10595,7 @@ public struct Single : System.IComparable, System.IComparable, System.ICo static float System.Numerics.ITrigonometricFunctions.Tan(float x) => throw null; static float System.Numerics.IHyperbolicFunctions.Tanh(float x) => throw null; static float System.Numerics.ITrigonometricFunctions.TanPi(float x) => throw null; - public static float Tau; + public const float Tau = default; static float System.Numerics.IFloatingPointConstants.Tau { get => throw null; } bool System.IConvertible.ToBoolean(System.IFormatProvider provider) => throw null; byte System.IConvertible.ToByte(System.IFormatProvider provider) => throw null; @@ -10679,7 +10679,7 @@ public sealed class STAThreadAttribute : System.Attribute { public STAThreadAttribute() => throw null; } - public sealed class String : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.ICloneable, System.IComparable, System.IComparable, System.IConvertible, System.IEquatable + public sealed class String : System.ICloneable, System.IComparable, System.IComparable, System.IConvertible, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.IEquatable { public object Clone() => throw null; public static int Compare(string strA, int indexA, string strB, int indexB, int length) => throw null; @@ -10869,7 +10869,7 @@ public sealed class String : System.Collections.Generic.IEnumerable, Syste public string TrimStart(params char[] trimChars) => throw null; public bool TryCopyTo(System.Span destination) => throw null; } - public abstract class StringComparer : System.Collections.Generic.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.IComparer, System.Collections.IEqualityComparer + public abstract class StringComparer : System.Collections.Generic.IComparer, System.Collections.IComparer, System.Collections.Generic.IEqualityComparer, System.Collections.IEqualityComparer { public int Compare(object x, object y) => throw null; public abstract int Compare(string x, string y); @@ -11361,7 +11361,7 @@ public struct ChunkEnumerator public override string ToString() => throw null; public string ToString(int startIndex, int length) => throw null; } - public struct StringRuneEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct StringRuneEnumerator : System.IDisposable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Text.Rune Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -11867,7 +11867,7 @@ public abstract class TaskScheduler protected virtual bool TryDequeue(System.Threading.Tasks.Task task) => throw null; protected bool TryExecuteTask(System.Threading.Tasks.Task task) => throw null; protected abstract bool TryExecuteTaskInline(System.Threading.Tasks.Task task, bool taskWasPreviouslyQueued); - public static event System.EventHandler UnobservedTaskException { add { } remove { } } + public static event System.EventHandler UnobservedTaskException; } public class TaskSchedulerException : System.Exception { @@ -11943,7 +11943,7 @@ public struct ValueTask : System.IEquatable throw null; public virtual bool WaitOne(System.TimeSpan timeout) => throw null; public virtual bool WaitOne(System.TimeSpan timeout, bool exitContext) => throw null; - public static int WaitTimeout; + public const int WaitTimeout = default; } public static partial class WaitHandleExtensions { @@ -12115,7 +12115,7 @@ public struct TimeSpan : System.IComparable, System.IComparable public static System.TimeSpan MinValue; public System.TimeSpan Multiply(double factor) => throw null; public int Nanoseconds { get => throw null; } - public static long NanosecondsPerTick; + public const long NanosecondsPerTick = default; public System.TimeSpan Negate() => throw null; public static System.TimeSpan operator +(System.TimeSpan t1, System.TimeSpan t2) => throw null; public static System.TimeSpan operator /(System.TimeSpan timeSpan, double divisor) => throw null; @@ -12143,12 +12143,12 @@ public struct TimeSpan : System.IComparable, System.IComparable public int Seconds { get => throw null; } public System.TimeSpan Subtract(System.TimeSpan ts) => throw null; public long Ticks { get => throw null; } - public static long TicksPerDay; - public static long TicksPerHour; - public static long TicksPerMicrosecond; - public static long TicksPerMillisecond; - public static long TicksPerMinute; - public static long TicksPerSecond; + public const long TicksPerDay = default; + public const long TicksPerHour = default; + public const long TicksPerMicrosecond = default; + public const long TicksPerMillisecond = default; + public const long TicksPerMinute = default; + public const long TicksPerSecond = default; public override string ToString() => throw null; public string ToString(string format) => throw null; public string ToString(string format, System.IFormatProvider formatProvider) => throw null; @@ -12187,9 +12187,9 @@ public abstract class TimeZone public virtual System.DateTime ToLocalTime(System.DateTime time) => throw null; public virtual System.DateTime ToUniversalTime(System.DateTime time) => throw null; } - public sealed class TimeZoneInfo : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public sealed class TimeZoneInfo : System.Runtime.Serialization.IDeserializationCallback, System.IEquatable, System.Runtime.Serialization.ISerializable { - public sealed class AdjustmentRule : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public sealed class AdjustmentRule : System.Runtime.Serialization.IDeserializationCallback, System.IEquatable, System.Runtime.Serialization.ISerializable { public System.TimeSpan BaseUtcOffsetDelta { get => throw null; } public static System.TimeZoneInfo.AdjustmentRule CreateAdjustmentRule(System.DateTime dateStart, System.DateTime dateEnd, System.TimeSpan daylightDelta, System.TimeZoneInfo.TransitionTime daylightTransitionStart, System.TimeZoneInfo.TransitionTime daylightTransitionEnd) => throw null; @@ -12247,7 +12247,7 @@ public sealed class AdjustmentRule : System.IEquatable throw null; } public string ToSerializedString() => throw null; public override string ToString() => throw null; - public struct TransitionTime : System.IEquatable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public struct TransitionTime : System.Runtime.Serialization.IDeserializationCallback, System.IEquatable, System.Runtime.Serialization.ISerializable { public static System.TimeZoneInfo.TransitionTime CreateFixedDateRule(System.DateTime timeOfDay, int month, int day) => throw null; public static System.TimeZoneInfo.TransitionTime CreateFloatingDateRule(System.DateTime timeOfDay, int month, int week, System.DayOfWeek dayOfWeek) => throw null; @@ -12288,7 +12288,7 @@ public static class Tuple public static System.Tuple Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) => throw null; public static System.Tuple> Create(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12302,7 +12302,7 @@ public class Tuple : System.Collections.IStructuralComparable, System.Collec int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12317,7 +12317,7 @@ public class Tuple : System.Collections.IStructuralComparable, System.Co int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12333,7 +12333,7 @@ public class Tuple : System.Collections.IStructuralComparable, Syste int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12350,7 +12350,7 @@ public class Tuple : System.Collections.IStructuralComparable, S int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12368,7 +12368,7 @@ public class Tuple : System.Collections.IStructuralComparabl int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12387,7 +12387,7 @@ public class Tuple : System.Collections.IStructuralCompa int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12407,7 +12407,7 @@ public class Tuple : System.Collections.IStructuralC int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public class Tuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.Runtime.CompilerServices.ITuple + public class Tuple : System.IComparable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; int System.IComparable.CompareTo(object obj) => throw null; @@ -12753,7 +12753,7 @@ public class TypeUnloadedException : System.SystemException public TypeUnloadedException(string message) => throw null; public TypeUnloadedException(string message, System.Exception innerException) => throw null; } - public struct UInt128 : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct UInt128 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static System.UInt128 System.Numerics.INumberBase.Abs(System.UInt128 value) => throw null; static System.UInt128 System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -12917,7 +12917,7 @@ public struct UInt128 : System.IComparable, System.IComparable, bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static System.UInt128 System.Numerics.INumberBase.Zero { get => throw null; } } - public struct UInt16 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct UInt16 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static ushort System.Numerics.INumberBase.Abs(ushort value) => throw null; static ushort System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -12960,13 +12960,13 @@ public struct UInt16 : System.IComparable, System.IComparable, System.IC static ushort System.Numerics.INumberBase.MaxMagnitude(ushort x, ushort y) => throw null; static ushort System.Numerics.INumberBase.MaxMagnitudeNumber(ushort x, ushort y) => throw null; static ushort System.Numerics.INumber.MaxNumber(ushort x, ushort y) => throw null; - public static ushort MaxValue; + public const ushort MaxValue = default; static ushort System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static ushort System.Numerics.INumber.Min(ushort x, ushort y) => throw null; static ushort System.Numerics.INumberBase.MinMagnitude(ushort x, ushort y) => throw null; static ushort System.Numerics.INumberBase.MinMagnitudeNumber(ushort x, ushort y) => throw null; static ushort System.Numerics.INumber.MinNumber(ushort x, ushort y) => throw null; - public static ushort MinValue; + public const ushort MinValue = default; static ushort System.Numerics.IMinMaxValue.MinValue { get => throw null; } static ushort System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static ushort System.Numerics.INumberBase.One { get => throw null; } @@ -13048,7 +13048,7 @@ public struct UInt16 : System.IComparable, System.IComparable, System.IC bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static ushort System.Numerics.INumberBase.Zero { get => throw null; } } - public struct UInt32 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct UInt32 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static uint System.Numerics.INumberBase.Abs(uint value) => throw null; static uint System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -13091,13 +13091,13 @@ public struct UInt32 : System.IComparable, System.IComparable, System.ICon static uint System.Numerics.INumberBase.MaxMagnitude(uint x, uint y) => throw null; static uint System.Numerics.INumberBase.MaxMagnitudeNumber(uint x, uint y) => throw null; static uint System.Numerics.INumber.MaxNumber(uint x, uint y) => throw null; - public static uint MaxValue; + public const uint MaxValue = default; static uint System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static uint System.Numerics.INumber.Min(uint x, uint y) => throw null; static uint System.Numerics.INumberBase.MinMagnitude(uint x, uint y) => throw null; static uint System.Numerics.INumberBase.MinMagnitudeNumber(uint x, uint y) => throw null; static uint System.Numerics.INumber.MinNumber(uint x, uint y) => throw null; - public static uint MinValue; + public const uint MinValue = default; static uint System.Numerics.IMinMaxValue.MinValue { get => throw null; } static uint System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static uint System.Numerics.INumberBase.One { get => throw null; } @@ -13179,7 +13179,7 @@ public struct UInt32 : System.IComparable, System.IComparable, System.ICon bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static uint System.Numerics.INumberBase.Zero { get => throw null; } } - public struct UInt64 : System.IComparable, System.IComparable, System.IConvertible, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber + public struct UInt64 : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.IConvertible, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static ulong System.Numerics.INumberBase.Abs(ulong value) => throw null; static ulong System.Numerics.IAdditiveIdentity.AdditiveIdentity { get => throw null; } @@ -13222,13 +13222,13 @@ public struct UInt64 : System.IComparable, System.IComparable, System.ICo static ulong System.Numerics.INumberBase.MaxMagnitude(ulong x, ulong y) => throw null; static ulong System.Numerics.INumberBase.MaxMagnitudeNumber(ulong x, ulong y) => throw null; static ulong System.Numerics.INumber.MaxNumber(ulong x, ulong y) => throw null; - public static ulong MaxValue; + public const ulong MaxValue = default; static ulong System.Numerics.IMinMaxValue.MaxValue { get => throw null; } static ulong System.Numerics.INumber.Min(ulong x, ulong y) => throw null; static ulong System.Numerics.INumberBase.MinMagnitude(ulong x, ulong y) => throw null; static ulong System.Numerics.INumberBase.MinMagnitudeNumber(ulong x, ulong y) => throw null; static ulong System.Numerics.INumber.MinNumber(ulong x, ulong y) => throw null; - public static ulong MinValue; + public const ulong MinValue = default; static ulong System.Numerics.IMinMaxValue.MinValue { get => throw null; } static ulong System.Numerics.IMultiplicativeIdentity.MultiplicativeIdentity { get => throw null; } static ulong System.Numerics.INumberBase.One { get => throw null; } @@ -13310,7 +13310,7 @@ public struct UInt64 : System.IComparable, System.IComparable, System.ICo bool System.Numerics.IBinaryInteger.TryWriteLittleEndian(System.Span destination, out int bytesWritten) => throw null; static ulong System.Numerics.INumberBase.Zero { get => throw null; } } - public struct UIntPtr : System.IComparable, System.IComparable, System.IEquatable, System.IFormattable, System.IParsable, System.ISpanFormattable, System.ISpanParsable, System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.Numerics.IComparisonOperators, System.Numerics.IEqualityOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IIncrementOperators, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IShiftOperators, System.Numerics.IMinMaxValue, System.Numerics.IUnsignedNumber, System.Runtime.Serialization.ISerializable + public struct UIntPtr : System.Numerics.IAdditionOperators, System.Numerics.IAdditiveIdentity, System.Numerics.IBinaryInteger, System.Numerics.IBinaryNumber, System.Numerics.IBitwiseOperators, System.IComparable, System.IComparable, System.Numerics.IComparisonOperators, System.Numerics.IDecrementOperators, System.Numerics.IDivisionOperators, System.Numerics.IEqualityOperators, System.IEquatable, System.IFormattable, System.Numerics.IIncrementOperators, System.Numerics.IMinMaxValue, System.Numerics.IModulusOperators, System.Numerics.IMultiplicativeIdentity, System.Numerics.IMultiplyOperators, System.Numerics.INumber, System.Numerics.INumberBase, System.IParsable, System.Runtime.Serialization.ISerializable, System.Numerics.IShiftOperators, System.ISpanFormattable, System.ISpanParsable, System.Numerics.ISubtractionOperators, System.Numerics.IUnaryNegationOperators, System.Numerics.IUnaryPlusOperators, System.Numerics.IUnsignedNumber { static nuint System.Numerics.INumberBase.Abs(nuint value) => throw null; public static nuint Add(nuint pointer, int offset) => throw null; @@ -13641,7 +13641,7 @@ public enum UriPartial Path = 2, Query = 3, } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable, System.IEquatable, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable, System.IEquatable, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo(System.ValueTuple other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13664,7 +13664,7 @@ public struct ValueTuple : System.Collections.IStructuralComparable, System.Coll int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable>, System.IEquatable>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo(System.ValueTuple other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13680,7 +13680,7 @@ public struct ValueTuple : System.Collections.IStructuralComparable, System. int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2)>, System.IEquatable<(T1, T2)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2)>, System.IEquatable<(T1, T2)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13697,7 +13697,7 @@ public struct ValueTuple : System.Collections.IStructuralComparable, Sys int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3)>, System.IEquatable<(T1, T2, T3)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2, T3)>, System.IEquatable<(T1, T2, T3)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2, T3) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13715,7 +13715,7 @@ public struct ValueTuple : System.Collections.IStructuralComparable, int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4)>, System.IEquatable<(T1, T2, T3, T4)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2, T3, T4)>, System.IEquatable<(T1, T2, T3, T4)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2, T3, T4) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13734,7 +13734,7 @@ public struct ValueTuple : System.Collections.IStructuralCompara int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5)>, System.IEquatable<(T1, T2, T3, T4, T5)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2, T3, T4, T5)>, System.IEquatable<(T1, T2, T3, T4, T5)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2, T3, T4, T5) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13754,7 +13754,7 @@ public struct ValueTuple : System.Collections.IStructuralCom int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6)>, System.IEquatable<(T1, T2, T3, T4, T5, T6)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6)>, System.IEquatable<(T1, T2, T3, T4, T5, T6)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2, T3, T4, T5, T6) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13775,7 +13775,7 @@ public struct ValueTuple : System.Collections.IStructura int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6, T7)>, System.IEquatable<(T1, T2, T3, T4, T5, T6, T7)>, System.Runtime.CompilerServices.ITuple + public struct ValueTuple : System.IComparable, System.IComparable<(T1, T2, T3, T4, T5, T6, T7)>, System.IEquatable<(T1, T2, T3, T4, T5, T6, T7)>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple { public int CompareTo((T1, T2, T3, T4, T5, T6, T7) other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; @@ -13797,7 +13797,7 @@ public struct ValueTuple : System.Collections.IStruc int System.Runtime.CompilerServices.ITuple.Length { get => throw null; } public override string ToString() => throw null; } - public struct ValueTuple : System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.IComparable, System.IComparable>, System.IEquatable>, System.Runtime.CompilerServices.ITuple where TRest : struct + public struct ValueTuple : System.IComparable, System.IComparable>, System.IEquatable>, System.Collections.IStructuralComparable, System.Collections.IStructuralEquatable, System.Runtime.CompilerServices.ITuple where TRest : struct { public int CompareTo(System.ValueTuple other) => throw null; int System.Collections.IStructuralComparable.CompareTo(object other, System.Collections.IComparer comparer) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs index 15860b63cf28..f02eec87c0d7 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Claims.cs @@ -55,9 +55,9 @@ public class ClaimsIdentity : System.Security.Principal.IIdentity public ClaimsIdentity(string authenticationType) => throw null; public ClaimsIdentity(string authenticationType, string nameType, string roleType) => throw null; protected virtual byte[] CustomSerializationData { get => throw null; } - public static string DefaultIssuer; - public static string DefaultNameClaimType; - public static string DefaultRoleClaimType; + public const string DefaultIssuer = default; + public const string DefaultNameClaimType = default; + public const string DefaultRoleClaimType = default; public virtual System.Collections.Generic.IEnumerable FindAll(System.Predicate match) => throw null; public virtual System.Collections.Generic.IEnumerable FindAll(string type) => throw null; public virtual System.Security.Claims.Claim FindFirst(System.Predicate match) => throw null; @@ -107,90 +107,90 @@ public class ClaimsPrincipal : System.Security.Principal.IPrincipal } public static class ClaimTypes { - public static string Actor; - public static string Anonymous; - public static string Authentication; - public static string AuthenticationInstant; - public static string AuthenticationMethod; - public static string AuthorizationDecision; - public static string CookiePath; - public static string Country; - public static string DateOfBirth; - public static string DenyOnlyPrimaryGroupSid; - public static string DenyOnlyPrimarySid; - public static string DenyOnlySid; - public static string DenyOnlyWindowsDeviceGroup; - public static string Dns; - public static string Dsa; - public static string Email; - public static string Expiration; - public static string Expired; - public static string Gender; - public static string GivenName; - public static string GroupSid; - public static string Hash; - public static string HomePhone; - public static string IsPersistent; - public static string Locality; - public static string MobilePhone; - public static string Name; - public static string NameIdentifier; - public static string OtherPhone; - public static string PostalCode; - public static string PrimaryGroupSid; - public static string PrimarySid; - public static string Role; - public static string Rsa; - public static string SerialNumber; - public static string Sid; - public static string Spn; - public static string StateOrProvince; - public static string StreetAddress; - public static string Surname; - public static string System; - public static string Thumbprint; - public static string Upn; - public static string Uri; - public static string UserData; - public static string Version; - public static string Webpage; - public static string WindowsAccountName; - public static string WindowsDeviceClaim; - public static string WindowsDeviceGroup; - public static string WindowsFqbnVersion; - public static string WindowsSubAuthority; - public static string WindowsUserClaim; - public static string X500DistinguishedName; + public const string Actor = default; + public const string Anonymous = default; + public const string Authentication = default; + public const string AuthenticationInstant = default; + public const string AuthenticationMethod = default; + public const string AuthorizationDecision = default; + public const string CookiePath = default; + public const string Country = default; + public const string DateOfBirth = default; + public const string DenyOnlyPrimaryGroupSid = default; + public const string DenyOnlyPrimarySid = default; + public const string DenyOnlySid = default; + public const string DenyOnlyWindowsDeviceGroup = default; + public const string Dns = default; + public const string Dsa = default; + public const string Email = default; + public const string Expiration = default; + public const string Expired = default; + public const string Gender = default; + public const string GivenName = default; + public const string GroupSid = default; + public const string Hash = default; + public const string HomePhone = default; + public const string IsPersistent = default; + public const string Locality = default; + public const string MobilePhone = default; + public const string Name = default; + public const string NameIdentifier = default; + public const string OtherPhone = default; + public const string PostalCode = default; + public const string PrimaryGroupSid = default; + public const string PrimarySid = default; + public const string Role = default; + public const string Rsa = default; + public const string SerialNumber = default; + public const string Sid = default; + public const string Spn = default; + public const string StateOrProvince = default; + public const string StreetAddress = default; + public const string Surname = default; + public const string System = default; + public const string Thumbprint = default; + public const string Upn = default; + public const string Uri = default; + public const string UserData = default; + public const string Version = default; + public const string Webpage = default; + public const string WindowsAccountName = default; + public const string WindowsDeviceClaim = default; + public const string WindowsDeviceGroup = default; + public const string WindowsFqbnVersion = default; + public const string WindowsSubAuthority = default; + public const string WindowsUserClaim = default; + public const string X500DistinguishedName = default; } public static class ClaimValueTypes { - public static string Base64Binary; - public static string Base64Octet; - public static string Boolean; - public static string Date; - public static string DateTime; - public static string DaytimeDuration; - public static string DnsName; - public static string Double; - public static string DsaKeyValue; - public static string Email; - public static string Fqbn; - public static string HexBinary; - public static string Integer; - public static string Integer32; - public static string Integer64; - public static string KeyInfo; - public static string Rfc822Name; - public static string Rsa; - public static string RsaKeyValue; - public static string Sid; - public static string String; - public static string Time; - public static string UInteger32; - public static string UInteger64; - public static string UpnName; - public static string X500Name; - public static string YearMonthDuration; + public const string Base64Binary = default; + public const string Base64Octet = default; + public const string Boolean = default; + public const string Date = default; + public const string DateTime = default; + public const string DaytimeDuration = default; + public const string DnsName = default; + public const string Double = default; + public const string DsaKeyValue = default; + public const string Email = default; + public const string Fqbn = default; + public const string HexBinary = default; + public const string Integer = default; + public const string Integer32 = default; + public const string Integer64 = default; + public const string KeyInfo = default; + public const string Rfc822Name = default; + public const string Rsa = default; + public const string RsaKeyValue = default; + public const string Sid = default; + public const string String = default; + public const string Time = default; + public const string UInteger32 = default; + public const string UInteger64 = default; + public const string UpnName = default; + public const string X500Name = default; + public const string YearMonthDuration = default; } } namespace Principal diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs index 0f0dfa58ee1a..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.Algorithms, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs index c8e93faa276a..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.Cng, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs index 21f9151a1dc3..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.Csp, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs index 61733b4ccce8..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.Encoding, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs index 26212d2445d2..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.OpenSsl, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs index 2f71d92649d3..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.Primitives, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs index 9709f58b2bf3..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Cryptography.X509Certificates, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs index 9dce291b9283..2f62d1f79fdc 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.cs @@ -1056,7 +1056,7 @@ public struct ECPoint public byte[] X; public byte[] Y; } - public class FromBase64Transform : System.IDisposable, System.Security.Cryptography.ICryptoTransform + public class FromBase64Transform : System.Security.Cryptography.ICryptoTransform, System.IDisposable { public virtual bool CanReuseTransform { get => throw null; } public bool CanTransformMultipleBlocks { get => throw null; } @@ -1075,7 +1075,7 @@ public enum FromBase64TransformMode IgnoreWhiteSpaces = 0, DoNotIgnoreWhiteSpaces = 1, } - public abstract class HashAlgorithm : System.IDisposable, System.Security.Cryptography.ICryptoTransform + public abstract class HashAlgorithm : System.Security.Cryptography.ICryptoTransform, System.IDisposable { public virtual bool CanReuseTransform { get => throw null; } public virtual bool CanTransformMultipleBlocks { get => throw null; } @@ -1164,8 +1164,8 @@ public class HMACMD5 : System.Security.Cryptography.HMAC public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override byte[] HashFinal() => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public override void Initialize() => throw null; public override byte[] Key { get => throw null; set { } } public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; @@ -1189,8 +1189,8 @@ public class HMACSHA1 : System.Security.Cryptography.HMAC public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override byte[] HashFinal() => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public override void Initialize() => throw null; public override byte[] Key { get => throw null; set { } } public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; @@ -1213,8 +1213,8 @@ public class HMACSHA256 : System.Security.Cryptography.HMAC public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override byte[] HashFinal() => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public override void Initialize() => throw null; public override byte[] Key { get => throw null; set { } } public static bool TryHashData(System.ReadOnlySpan key, System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; @@ -1237,8 +1237,8 @@ public class HMACSHA384 : System.Security.Cryptography.HMAC public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override byte[] HashFinal() => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public override void Initialize() => throw null; public override byte[] Key { get => throw null; set { } } public bool ProduceLegacyHmacValues { get => throw null; set { } } @@ -1262,8 +1262,8 @@ public class HMACSHA512 : System.Security.Cryptography.HMAC public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.ReadOnlyMemory key, System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; protected override byte[] HashFinal() => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public override void Initialize() => throw null; public override byte[] Key { get => throw null; set { } } public bool ProduceLegacyHmacValues { get => throw null; set { } } @@ -1341,8 +1341,8 @@ public abstract class MD5 : System.Security.Cryptography.HashAlgorithm public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } public sealed class MD5CryptoServiceProvider : System.Security.Cryptography.MD5 @@ -1825,8 +1825,8 @@ public abstract class SHA1 : System.Security.Cryptography.HashAlgorithm public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } public sealed class SHA1CryptoServiceProvider : System.Security.Cryptography.SHA1 @@ -1861,8 +1861,8 @@ public abstract class SHA256 : System.Security.Cryptography.HashAlgorithm public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } public sealed class SHA256CryptoServiceProvider : System.Security.Cryptography.SHA256 @@ -1897,8 +1897,8 @@ public abstract class SHA384 : System.Security.Cryptography.HashAlgorithm public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } public sealed class SHA384CryptoServiceProvider : System.Security.Cryptography.SHA384 @@ -1933,8 +1933,8 @@ public abstract class SHA512 : System.Security.Cryptography.HashAlgorithm public static int HashData(System.ReadOnlySpan source, System.Span destination) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Memory destination, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; public static System.Threading.Tasks.ValueTask HashDataAsync(System.IO.Stream source, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) => throw null; - public static int HashSizeInBits; - public static int HashSizeInBytes; + public const int HashSizeInBits = default; + public const int HashSizeInBytes = default; public static bool TryHashData(System.ReadOnlySpan source, System.Span destination, out int bytesWritten) => throw null; } public sealed class SHA512CryptoServiceProvider : System.Security.Cryptography.SHA512 @@ -2036,7 +2036,7 @@ public abstract class SymmetricAlgorithm : System.IDisposable protected virtual bool TryEncryptEcbCore(System.ReadOnlySpan plaintext, System.Span destination, System.Security.Cryptography.PaddingMode paddingMode, out int bytesWritten) => throw null; public bool ValidKeySize(int bitLength) => throw null; } - public class ToBase64Transform : System.IDisposable, System.Security.Cryptography.ICryptoTransform + public class ToBase64Transform : System.Security.Cryptography.ICryptoTransform, System.IDisposable { public virtual bool CanReuseTransform { get => throw null; } public bool CanTransformMultipleBlocks { get => throw null; } @@ -2312,7 +2312,7 @@ public sealed class X509BasicConstraintsExtension : System.Security.Cryptography public bool HasPathLengthConstraint { get => throw null; } public int PathLengthConstraint { get => throw null; } } - public class X509Certificate : System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class X509Certificate : System.Runtime.Serialization.IDeserializationCallback, System.IDisposable, System.Runtime.Serialization.ISerializable { public static System.Security.Cryptography.X509Certificates.X509Certificate CreateFromCertFile(string filename) => throw null; public static System.Security.Cryptography.X509Certificates.X509Certificate CreateFromSignedFile(string filename) => throw null; @@ -2470,7 +2470,7 @@ public class X509Certificate2Collection : System.Security.Cryptography.X509Certi public bool TryExportCertificatePems(System.Span destination, out int charsWritten) => throw null; public bool TryExportPkcs7Pem(System.Span destination, out int charsWritten) => throw null; } - public sealed class X509Certificate2Enumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509Certificate2Enumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Security.Cryptography.X509Certificates.X509Certificate2 Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2530,7 +2530,7 @@ public class X509ChainElement public System.Security.Cryptography.X509Certificates.X509ChainStatus[] ChainElementStatus { get => throw null; } public string Information { get => throw null; } } - public sealed class X509ChainElementCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection + public sealed class X509ChainElementCollection : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public void CopyTo(System.Security.Cryptography.X509Certificates.X509ChainElement[] array, int index) => throw null; void System.Collections.ICollection.CopyTo(System.Array array, int index) => throw null; @@ -2542,7 +2542,7 @@ public sealed class X509ChainElementCollection : System.Collections.Generic.IEnu public object SyncRoot { get => throw null; } public System.Security.Cryptography.X509Certificates.X509ChainElement this[int index] { get => throw null; } } - public sealed class X509ChainElementEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509ChainElementEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Security.Cryptography.X509Certificates.X509ChainElement Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -2638,7 +2638,7 @@ public class X509Extension : System.Security.Cryptography.AsnEncodedData public X509Extension(string oid, byte[] rawData, bool critical) => throw null; public X509Extension(string oid, System.ReadOnlySpan rawData, bool critical) => throw null; } - public sealed class X509ExtensionCollection : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.ICollection + public sealed class X509ExtensionCollection : System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable { public int Add(System.Security.Cryptography.X509Certificates.X509Extension extension) => throw null; public void CopyTo(System.Security.Cryptography.X509Certificates.X509Extension[] array, int index) => throw null; @@ -2653,7 +2653,7 @@ public sealed class X509ExtensionCollection : System.Collections.Generic.IEnumer public System.Security.Cryptography.X509Certificates.X509Extension this[int index] { get => throw null; } public System.Security.Cryptography.X509Certificates.X509Extension this[string oid] { get => throw null; } } - public sealed class X509ExtensionEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public sealed class X509ExtensionEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Security.Cryptography.X509Certificates.X509Extension Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs index a125eb40d7a9..211220df5b95 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.Windows.cs @@ -232,7 +232,7 @@ public enum WindowsBuiltInRole BackupOperator = 551, Replicator = 552, } - public class WindowsIdentity : System.Security.Claims.ClaimsIdentity, System.IDisposable, System.Runtime.Serialization.IDeserializationCallback, System.Runtime.Serialization.ISerializable + public class WindowsIdentity : System.Security.Claims.ClaimsIdentity, System.Runtime.Serialization.IDeserializationCallback, System.IDisposable, System.Runtime.Serialization.ISerializable { public Microsoft.Win32.SafeHandles.SafeAccessTokenHandle AccessToken { get => throw null; } public override sealed string AuthenticationType { get => throw null; } @@ -245,7 +245,7 @@ public class WindowsIdentity : System.Security.Claims.ClaimsIdentity, System.IDi public WindowsIdentity(System.Runtime.Serialization.SerializationInfo info, System.Runtime.Serialization.StreamingContext context) => throw null; protected WindowsIdentity(System.Security.Principal.WindowsIdentity identity) => throw null; public WindowsIdentity(string sUserPrincipalName) => throw null; - public static string DefaultIssuer; + public const string DefaultIssuer = default; public virtual System.Collections.Generic.IEnumerable DeviceClaims { get => throw null; } public void Dispose() => throw null; protected virtual void Dispose(bool disposing) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs index a98d623155c7..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.Principal, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs index e05ef4f22052..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security.SecureString, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs index 2cf972311ccc..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Security, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs index d6d5ab5c5771..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.ServiceModel.Web, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs index 6a1ff5e0a00f..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.ServiceProcess, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs index 3b2478d58cb4..e6ede599a54f 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.Extensions.cs @@ -30,7 +30,7 @@ public class ASCIIEncoding : System.Text.Encoding } public class UnicodeEncoding : System.Text.Encoding { - public static int CharSize; + public const int CharSize = default; public UnicodeEncoding() => throw null; public UnicodeEncoding(bool bigEndian, bool byteOrderMark) => throw null; public UnicodeEncoding(bool bigEndian, bool byteOrderMark, bool throwOnInvalidBytes) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs index 2d88a5f2354f..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Text.Encoding, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs index 20c147bb629c..c82449571d9e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Json.cs @@ -34,7 +34,7 @@ public struct JsonDocumentOptions } public struct JsonElement { - public struct ArrayEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ArrayEnumerator : System.IDisposable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Text.Json.JsonElement Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -70,7 +70,7 @@ public struct ArrayEnumerator : System.Collections.Generic.IEnumerable throw null; public uint GetUInt32() => throw null; public ulong GetUInt64() => throw null; - public struct ObjectEnumerator : System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public struct ObjectEnumerator : System.IDisposable, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public System.Text.Json.JsonProperty Current { get => throw null; } object System.Collections.IEnumerator.Current { get => throw null; } @@ -414,7 +414,7 @@ public struct JsonNodeOptions { public bool PropertyNameCaseInsensitive { get => throw null; set { } } } - public sealed class JsonObject : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection>, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable, System.Collections.Generic.IDictionary + public sealed class JsonObject : System.Text.Json.Nodes.JsonNode, System.Collections.Generic.ICollection>, System.Collections.Generic.IDictionary, System.Collections.Generic.IEnumerable>, System.Collections.IEnumerable { public void Add(System.Collections.Generic.KeyValuePair property) => throw null; public void Add(string propertyName, System.Text.Json.Nodes.JsonNode value) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs index 6baaa659f380..2905fd80b4be 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.RegularExpressions.cs @@ -14,7 +14,7 @@ public class Capture public string Value { get => throw null; } public System.ReadOnlySpan ValueSpan { get => throw null; } } - public class CaptureCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class CaptureCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Capture item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -62,7 +62,7 @@ public class Group : System.Text.RegularExpressions.Capture public bool Success { get => throw null; } public static System.Text.RegularExpressions.Group Synchronized(System.Text.RegularExpressions.Group inner) => throw null; } - public class GroupCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class GroupCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IEnumerable>, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection>, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyDictionary, System.Collections.Generic.IReadOnlyList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Group item) => throw null; int System.Collections.IList.Add(object value) => throw null; @@ -105,7 +105,7 @@ public class Match : System.Text.RegularExpressions.Group public virtual string Result(string replacement) => throw null; public static System.Text.RegularExpressions.Match Synchronized(System.Text.RegularExpressions.Match inner) => throw null; } - public class MatchCollection : System.Collections.Generic.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList, System.Collections.ICollection, System.Collections.IList + public class MatchCollection : System.Collections.Generic.ICollection, System.Collections.ICollection, System.Collections.Generic.IEnumerable, System.Collections.IEnumerable, System.Collections.Generic.IList, System.Collections.IList, System.Collections.Generic.IReadOnlyCollection, System.Collections.Generic.IReadOnlyList { void System.Collections.Generic.ICollection.Add(System.Text.RegularExpressions.Match item) => throw null; int System.Collections.IList.Add(object value) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs index 36636e13569d..31c96458371e 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Dataflow.cs @@ -22,7 +22,7 @@ public sealed class ActionBlock : System.Threading.Tasks.Dataflow.IDataf public bool Post(TInput item) => throw null; public override string ToString() => throw null; } - public sealed class BatchBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class BatchBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public int BatchSize { get => throw null; } public void Complete() => throw null; @@ -80,7 +80,7 @@ public sealed class BatchedJoinBlock : System.Threading.Tasks.Datafl public bool TryReceive(System.Predicate, System.Collections.Generic.IList, System.Collections.Generic.IList>> filter, out System.Tuple, System.Collections.Generic.IList, System.Collections.Generic.IList> item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList, System.Collections.Generic.IList, System.Collections.Generic.IList>> items) => throw null; } - public sealed class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } @@ -96,7 +96,7 @@ public sealed class BroadcastBlock : System.Threading.Tasks.Dataflow.IDataflo public bool TryReceive(System.Predicate filter, out T item) => throw null; bool System.Threading.Tasks.Dataflow.IReceivableSourceBlock.TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - public sealed class BufferBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class BufferBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } @@ -151,7 +151,7 @@ public class DataflowBlockOptions public int MaxMessagesPerTask { get => throw null; set { } } public string NameFormat { get => throw null; set { } } public System.Threading.Tasks.TaskScheduler TaskScheduler { get => throw null; set { } } - public static int Unbounded; + public const int Unbounded = default; } public class DataflowLinkOptions { @@ -253,7 +253,7 @@ public sealed class JoinBlock : System.Threading.Tasks.Dataflow.IDat public bool TryReceive(System.Predicate> filter, out System.Tuple item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList> items) => throw null; } - public sealed class TransformBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class TransformBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } @@ -273,7 +273,7 @@ public sealed class TransformBlock : System.Threading.Tasks.Dat public bool TryReceive(System.Predicate filter, out TOutput item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - public sealed class TransformManyBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class TransformManyBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } @@ -295,7 +295,7 @@ public sealed class TransformManyBlock : System.Threading.Tasks public bool TryReceive(System.Predicate filter, out TOutput item) => throw null; public bool TryReceiveAll(out System.Collections.Generic.IList items) => throw null; } - public sealed class WriteOnceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock + public sealed class WriteOnceBlock : System.Threading.Tasks.Dataflow.IDataflowBlock, System.Threading.Tasks.Dataflow.IPropagatorBlock, System.Threading.Tasks.Dataflow.IReceivableSourceBlock, System.Threading.Tasks.Dataflow.ISourceBlock, System.Threading.Tasks.Dataflow.ITargetBlock { public void Complete() => throw null; public System.Threading.Tasks.Task Completion { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs index bf9b214e18f0..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Threading.Tasks.Extensions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs index 099e26704806..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Threading.Tasks, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs index 4c227d1b547d..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Threading.Timer, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs index 71281da61b4a..696fbcf60478 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.cs @@ -16,7 +16,7 @@ public class AbandonedMutexException : System.SystemException public System.Threading.Mutex Mutex { get => throw null; } public int MutexIndex { get => throw null; } } - public struct AsyncFlowControl : System.IEquatable, System.IDisposable + public struct AsyncFlowControl : System.IDisposable, System.IEquatable { public void Dispose() => throw null; public override bool Equals(object obj) => throw null; diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs index 93c34566210b..41caa8253ec4 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.Local.cs @@ -127,7 +127,7 @@ public class Transaction : System.IDisposable, System.Runtime.Serialization.ISer public void Rollback() => throw null; public void Rollback(System.Exception e) => throw null; public void SetDistributedTransactionIdentifier(System.Transactions.IPromotableSinglePhaseNotification promotableNotification, System.Guid distributedTransactionIdentifier) => throw null; - public event System.Transactions.TransactionCompletedEventHandler TransactionCompleted { add { } remove { } } + public event System.Transactions.TransactionCompletedEventHandler TransactionCompleted; public System.Transactions.TransactionInformation TransactionInformation { get => throw null; } } public class TransactionAbortedException : System.Transactions.TransactionException @@ -178,7 +178,7 @@ public static class TransactionInterop public static class TransactionManager { public static System.TimeSpan DefaultTimeout { get => throw null; set { } } - public static event System.Transactions.TransactionStartedEventHandler DistributedTransactionStarted { add { } remove { } } + public static event System.Transactions.TransactionStartedEventHandler DistributedTransactionStarted; public static System.Transactions.HostCurrentTransactionCallback HostCurrentCallback { get => throw null; set { } } public static bool ImplicitDistributedTransactions { get => throw null; set { } } public static System.TimeSpan MaximumTimeout { get => throw null; set { } } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs index 2d691f7b48c8..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Transactions, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs index 4e2a700aa410..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.ValueTuple, Version=4.0.3.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs index fca0c2bf5584..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Web, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs index bef2d1bbe95e..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Windows, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs index ab12a2bcecab..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Xml.Linq, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs index 181ee980c4fd..bc1070eafffa 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.ReaderWriter.cs @@ -155,10 +155,10 @@ public class XmlSchema : System.Xml.Schema.XmlSchemaObject public System.Xml.Schema.XmlSchemaObjectTable Groups { get => throw null; } public string Id { get => throw null; set { } } public System.Xml.Schema.XmlSchemaObjectCollection Includes { get => throw null; } - public static string InstanceNamespace; + public const string InstanceNamespace = default; public bool IsCompiled { get => throw null; } public System.Xml.Schema.XmlSchemaObjectCollection Items { get => throw null; } - public static string Namespace; + public const string Namespace = default; public System.Xml.Schema.XmlSchemaObjectTable Notations { get => throw null; } public static System.Xml.Schema.XmlSchema Read(System.IO.Stream stream, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; public static System.Xml.Schema.XmlSchema Read(System.IO.TextReader reader, System.Xml.Schema.ValidationEventHandler validationEventHandler) => throw null; @@ -267,7 +267,7 @@ public sealed class XmlSchemaCollection : System.Collections.ICollection, System public System.Xml.XmlNameTable NameTable { get => throw null; } object System.Collections.ICollection.SyncRoot { get => throw null; } public System.Xml.Schema.XmlSchema this[string ns] { get => throw null; } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; } public sealed class XmlSchemaCollectionEnumerator : System.Collections.IEnumerator { @@ -654,7 +654,7 @@ public class XmlSchemaSet public System.Xml.Schema.XmlSchema Reprocess(System.Xml.Schema.XmlSchema schema) => throw null; public System.Collections.ICollection Schemas() => throw null; public System.Collections.ICollection Schemas(string targetNamespace) => throw null; - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; public System.Xml.XmlResolver XmlResolver { set { } } } public class XmlSchemaSimpleContent : System.Xml.Schema.XmlSchemaContentModel @@ -787,7 +787,7 @@ public sealed class XmlSchemaValidator public void ValidateText(System.Xml.Schema.XmlValueGetter elementValue) => throw null; public void ValidateWhitespace(string elementValue) => throw null; public void ValidateWhitespace(System.Xml.Schema.XmlValueGetter elementValue) => throw null; - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; public object ValidationEventSender { get => throw null; set { } } public System.Xml.XmlResolver XmlResolver { set { } } } @@ -1204,12 +1204,12 @@ public override string InnerText { set { } } public override string LocalName { get => throw null; } public override string Name { get => throw null; } public System.Xml.XmlNameTable NameTable { get => throw null; } - public event System.Xml.XmlNodeChangedEventHandler NodeChanged { add { } remove { } } - public event System.Xml.XmlNodeChangedEventHandler NodeChanging { add { } remove { } } - public event System.Xml.XmlNodeChangedEventHandler NodeInserted { add { } remove { } } - public event System.Xml.XmlNodeChangedEventHandler NodeInserting { add { } remove { } } - public event System.Xml.XmlNodeChangedEventHandler NodeRemoved { add { } remove { } } - public event System.Xml.XmlNodeChangedEventHandler NodeRemoving { add { } remove { } } + public event System.Xml.XmlNodeChangedEventHandler NodeChanged; + public event System.Xml.XmlNodeChangedEventHandler NodeChanging; + public event System.Xml.XmlNodeChangedEventHandler NodeInserted; + public event System.Xml.XmlNodeChangedEventHandler NodeInserting; + public event System.Xml.XmlNodeChangedEventHandler NodeRemoved; + public event System.Xml.XmlNodeChangedEventHandler NodeRemoving; public override System.Xml.XmlNodeType NodeType { get => throw null; } public override System.Xml.XmlDocument OwnerDocument { get => throw null; } public override System.Xml.XmlNode ParentNode { get => throw null; } @@ -1391,7 +1391,7 @@ public abstract class XmlNameTable public abstract string Get(char[] array, int offset, int length); public abstract string Get(string array); } - public abstract class XmlNode : System.Collections.IEnumerable, System.ICloneable, System.Xml.XPath.IXPathNavigable + public abstract class XmlNode : System.ICloneable, System.Collections.IEnumerable, System.Xml.XPath.IXPathNavigable { public virtual System.Xml.XmlNode AppendChild(System.Xml.XmlNode newChild) => throw null; public virtual System.Xml.XmlAttributeCollection Attributes { get => throw null; } @@ -1458,7 +1458,7 @@ public class XmlNodeChangedEventArgs : System.EventArgs public string OldValue { get => throw null; } } public delegate void XmlNodeChangedEventHandler(object sender, System.Xml.XmlNodeChangedEventArgs e); - public abstract class XmlNodeList : System.Collections.IEnumerable, System.IDisposable + public abstract class XmlNodeList : System.IDisposable, System.Collections.IEnumerable { public abstract int Count { get; } protected XmlNodeList() => throw null; @@ -1770,7 +1770,7 @@ public sealed class XmlReaderSettings public bool ProhibitDtd { get => throw null; set { } } public void Reset() => throw null; public System.Xml.Schema.XmlSchemaSet Schemas { get => throw null; set { } } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; public System.Xml.Schema.XmlSchemaValidationFlags ValidationFlags { get => throw null; set { } } public System.Xml.ValidationType ValidationType { get => throw null; set { } } public System.Xml.XmlResolver XmlResolver { set { } } @@ -2027,7 +2027,7 @@ public class XmlValidatingReader : System.Xml.XmlReader, System.Xml.IXmlLineInfo public override void ResolveEntity() => throw null; public System.Xml.Schema.XmlSchemaCollection Schemas { get => throw null; } public object SchemaType { get => throw null; } - public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler { add { } remove { } } + public event System.Xml.Schema.ValidationEventHandler ValidationEventHandler; public System.Xml.ValidationType ValidationType { get => throw null; set { } } public override string Value { get => throw null; } public override string XmlLang { get => throw null; } @@ -2347,7 +2347,7 @@ public abstract class XPathNavigator : System.Xml.XPath.XPathItem, System.IClone public virtual string XmlLang { get => throw null; } public override System.Xml.Schema.XmlSchemaType XmlType { get => throw null; } } - public abstract class XPathNodeIterator : System.Collections.IEnumerable, System.ICloneable + public abstract class XPathNodeIterator : System.ICloneable, System.Collections.IEnumerable { public abstract System.Xml.XPath.XPathNodeIterator Clone(); object System.ICloneable.Clone() => throw null; @@ -2438,7 +2438,7 @@ public class XsltArgumentList public object GetParam(string name, string namespaceUri) => throw null; public object RemoveExtensionObject(string namespaceUri) => throw null; public object RemoveParam(string name, string namespaceUri) => throw null; - public event System.Xml.Xsl.XsltMessageEncounteredEventHandler XsltMessageEncountered { add { } remove { } } + public event System.Xml.Xsl.XsltMessageEncounteredEventHandler XsltMessageEncountered; } public class XsltCompileException : System.Xml.Xsl.XsltException { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs index 7cc254b3a883..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Xml.Serialization, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs index 00b7909e21de..aedbb6996364 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XDocument.cs @@ -360,8 +360,8 @@ public abstract class XObject : System.Xml.IXmlLineInfo public System.Collections.Generic.IEnumerable Annotations(System.Type type) => throw null; public System.Collections.Generic.IEnumerable Annotations() where T : class => throw null; public string BaseUri { get => throw null; } - public event System.EventHandler Changed { add { } remove { } } - public event System.EventHandler Changing { add { } remove { } } + public event System.EventHandler Changed; + public event System.EventHandler Changing; public System.Xml.Linq.XDocument Document { get => throw null; } bool System.Xml.IXmlLineInfo.HasLineInfo() => throw null; int System.Xml.IXmlLineInfo.LineNumber { get => throw null; } diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs index e2ac5e7ec3b2..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Xml.XmlDocument, Version=7.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs index 2eac7fb14160..63df5eb2ca04 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlSerializer.cs @@ -333,7 +333,7 @@ public class XmlReflectionMember public System.Xml.Serialization.SoapAttributes SoapAttributes { get => throw null; set { } } public System.Xml.Serialization.XmlAttributes XmlAttributes { get => throw null; set { } } } - public class XmlSchemaEnumerator : System.Collections.Generic.IEnumerator, System.Collections.IEnumerator, System.IDisposable + public class XmlSchemaEnumerator : System.IDisposable, System.Collections.Generic.IEnumerator, System.Collections.IEnumerator { public XmlSchemaEnumerator(System.Xml.Serialization.XmlSchemas list) => throw null; public System.Xml.Schema.XmlSchema Current { get => throw null; } @@ -630,10 +630,10 @@ public class XmlSerializer public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces, string encodingStyle) => throw null; public void Serialize(System.Xml.XmlWriter xmlWriter, object o, System.Xml.Serialization.XmlSerializerNamespaces namespaces, string encodingStyle, string id) => throw null; - public event System.Xml.Serialization.XmlAttributeEventHandler UnknownAttribute { add { } remove { } } - public event System.Xml.Serialization.XmlElementEventHandler UnknownElement { add { } remove { } } - public event System.Xml.Serialization.XmlNodeEventHandler UnknownNode { add { } remove { } } - public event System.Xml.Serialization.UnreferencedObjectEventHandler UnreferencedObject { add { } remove { } } + public event System.Xml.Serialization.XmlAttributeEventHandler UnknownAttribute; + public event System.Xml.Serialization.XmlElementEventHandler UnknownElement; + public event System.Xml.Serialization.XmlNodeEventHandler UnknownNode; + public event System.Xml.Serialization.UnreferencedObjectEventHandler UnreferencedObject; } public sealed class XmlSerializerAssemblyAttribute : System.Attribute { diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs index aa4376c9e5fa..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System.Xml, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs index 7419fd9e6e32..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs index dc2dda85c857..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `WindowsBase, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs index f1c1603ef01b..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089`. diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs index 32c04c7d98e0..e69de29bb2d1 100644 --- a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs +++ b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs @@ -1,2 +0,0 @@ -// This file contains auto-generated code. -// Generated from `netstandard, Version=2.1.0.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51`. From 831baa867c1c73ca320b0f055fb21c64c75d1046 Mon Sep 17 00:00:00 2001 From: Tom Hvitved Date: Fri, 22 Sep 2023 09:06:44 +0200 Subject: [PATCH 12/12] C#: Refactor and regenerate stubs --- .../RelevantSymbol.cs | 33 ++ .../StubGenerator.cs | 23 +- .../StubVisitor.cs | 287 +++++++++--------- ...rosoft.AspNetCore.Cryptography.Internal.cs | 0 ...icrosoft.AspNetCore.Mvc.Formatters.Json.cs | 0 .../Microsoft.VisualBasic.cs | 0 .../System.AppContext.cs | 0 .../Microsoft.NETCore.App/System.Buffers.cs | 0 .../System.ComponentModel.DataAnnotations.cs | 0 .../System.Configuration.cs | 0 .../Microsoft.NETCore.App/System.Core.cs | 0 .../System.Data.DataSetExtensions.cs | 0 .../Microsoft.NETCore.App/System.Data.cs | 0 .../System.Diagnostics.Debug.cs | 0 .../System.Diagnostics.Tools.cs | 0 .../Microsoft.NETCore.App/System.Drawing.cs | 0 .../System.Dynamic.Runtime.cs | 0 .../System.Globalization.Calendars.cs | 0 .../System.Globalization.Extensions.cs | 0 .../System.Globalization.cs | 0 .../System.IO.Compression.FileSystem.cs | 0 .../System.IO.FileSystem.Primitives.cs | 0 .../System.IO.FileSystem.cs | 0 .../System.IO.UnmanagedMemoryStream.cs | 0 .../Microsoft.NETCore.App/System.IO.cs | 0 .../Microsoft.NETCore.App/System.Net.cs | 0 .../Microsoft.NETCore.App/System.Numerics.cs | 0 .../System.Reflection.Extensions.cs | 0 .../System.Reflection.cs | 0 .../System.Resources.Reader.cs | 0 .../System.Resources.ResourceManager.cs | 0 .../System.Runtime.CompilerServices.Unsafe.cs | 0 .../System.Runtime.Extensions.cs | 0 .../System.Runtime.Handles.cs | 0 ...time.InteropServices.RuntimeInformation.cs | 0 .../System.Runtime.Serialization.cs | 0 ...System.Security.Cryptography.Algorithms.cs | 0 .../System.Security.Cryptography.Cng.cs | 0 .../System.Security.Cryptography.Csp.cs | 0 .../System.Security.Cryptography.Encoding.cs | 0 .../System.Security.Cryptography.OpenSsl.cs | 0 ...System.Security.Cryptography.Primitives.cs | 0 ....Security.Cryptography.X509Certificates.cs | 0 .../System.Security.Principal.cs | 0 .../System.Security.SecureString.cs | 0 .../Microsoft.NETCore.App/System.Security.cs | 0 .../System.ServiceModel.Web.cs | 0 .../System.ServiceProcess.cs | 0 .../System.Text.Encoding.cs | 0 .../System.Threading.Tasks.Extensions.cs | 0 .../System.Threading.Tasks.cs | 0 .../System.Threading.Timer.cs | 0 .../System.Transactions.cs | 0 .../System.ValueTuple.cs | 0 .../Microsoft.NETCore.App/System.Web.cs | 0 .../Microsoft.NETCore.App/System.Windows.cs | 0 .../Microsoft.NETCore.App/System.Xml.Linq.cs | 0 .../System.Xml.Serialization.cs | 0 .../System.Xml.XmlDocument.cs | 0 .../Microsoft.NETCore.App/System.Xml.cs | 0 .../Microsoft.NETCore.App/System.cs | 0 .../Microsoft.NETCore.App/WindowsBase.cs | 0 .../Microsoft.NETCore.App/mscorlib.cs | 0 .../Microsoft.NETCore.App/netstandard.cs | 0 64 files changed, 180 insertions(+), 163 deletions(-) create mode 100644 csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/RelevantSymbol.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs delete mode 100644 csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/RelevantSymbol.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/RelevantSymbol.cs new file mode 100644 index 000000000000..44ed332c7c83 --- /dev/null +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/RelevantSymbol.cs @@ -0,0 +1,33 @@ +using System.Linq; + +using Microsoft.CodeAnalysis; +using Microsoft.CodeAnalysis.CSharp; + +using Semmle.Util; + +namespace Semmle.Extraction.CSharp.StubGenerator; + +internal class RelevantSymbol +{ + private readonly IAssemblySymbol assembly; + private readonly MemoizedFunc isRelevantNamedType; + private readonly MemoizedFunc isRelevantNamespace; + + public RelevantSymbol(IAssemblySymbol assembly) + { + this.assembly = assembly; + + isRelevantNamedType = new(symbol => + StubVisitor.IsRelevantBaseType(symbol) && + SymbolEqualityComparer.Default.Equals(symbol.ContainingAssembly, assembly)); + + isRelevantNamespace = new(symbol => + symbol.GetTypeMembers().Any(IsRelevantNamedType) || + symbol.GetNamespaceMembers().Any(IsRelevantNamespace)); + } + + public bool IsRelevantNamedType(INamedTypeSymbol symbol) => isRelevantNamedType.Invoke(symbol); + + public bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace.Invoke(symbol); +} + diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs index 8f4e51572a7d..8e2fe36a31dc 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubGenerator.cs @@ -1,12 +1,13 @@ -using System; using System.Collections.Concurrent; using System.Collections.Generic; using System.IO; using System.Linq; using System.Text; using System.Threading.Tasks; + using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp; + using Semmle.Util; using Semmle.Util.Logging; @@ -56,20 +57,18 @@ private static void StubReference(ILogger logger, CSharpCompilation compilation, if (compilation.GetAssemblyOrModuleSymbol(reference) is not IAssemblySymbol assembly) return; - Func makeWriter = () => - { - var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); - var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); - return writer; - }; - - using var visitor = new StubVisitor(assembly, makeWriter); + var relevantSymbol = new RelevantSymbol(assembly); - if (!assembly.Modules.Any(m => visitor.IsRelevantNamespace(m.GlobalNamespace))) + if (!assembly.Modules.Any(m => relevantSymbol.IsRelevantNamespace(m.GlobalNamespace))) return; - visitor.StubWriter.WriteLine("// This file contains auto-generated code."); - visitor.StubWriter.WriteLine($"// Generated from `{assembly.Identity}`."); + using var fileStream = new FileStream(FileUtils.NestPaths(logger, outputPath, path.Replace(".dll", ".cs")), FileMode.Create, FileAccess.Write); + using var writer = new StreamWriter(fileStream, new UTF8Encoding(false)); + + var visitor = new StubVisitor(writer, relevantSymbol); + + writer.WriteLine("// This file contains auto-generated code."); + writer.WriteLine($"// Generated from `{assembly.Identity}`."); visitor.StubAttributes(assembly.GetAttributes(), "assembly: "); diff --git a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs index 831d6d04081b..ef6d1a890ecd 100644 --- a/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs +++ b/csharp/extractor/Semmle.Extraction.CSharp.StubGenerator/StubVisitor.cs @@ -2,26 +2,22 @@ using System.Collections.Generic; using System.IO; using System.Linq; + using Microsoft.CodeAnalysis; + using Semmle.Extraction.CSharp.Util; -using Semmle.Util; namespace Semmle.Extraction.CSharp.StubGenerator; -internal sealed class StubVisitor : SymbolVisitor, IDisposable +internal sealed class StubVisitor : SymbolVisitor { - private readonly IAssemblySymbol assembly; - private readonly Lazy stubWriterLazy; - public TextWriter StubWriter => stubWriterLazy.Value; - private readonly MemoizedFunc isRelevantNamespace; + private readonly TextWriter stubWriter; + private readonly RelevantSymbol relevantSymbol; - public StubVisitor(IAssemblySymbol assembly, Func makeStubWriter) + public StubVisitor(TextWriter stubWriter, RelevantSymbol relevantSymbol) { - this.assembly = assembly; - this.stubWriterLazy = new(makeStubWriter); - this.isRelevantNamespace = new(symbol => - symbol.GetTypeMembers().Any(IsRelevantNamedType) || - symbol.GetNamespaceMembers().Any(IsRelevantNamespace)); + this.stubWriter = stubWriter; + this.relevantSymbol = relevantSymbol; } private static bool IsNotPublic(Accessibility accessibility) => @@ -29,16 +25,10 @@ private static bool IsNotPublic(Accessibility accessibility) => accessibility == Accessibility.Internal || accessibility == Accessibility.ProtectedAndInternal; - private static bool IsRelevantBaseType(INamedTypeSymbol symbol) => + public static bool IsRelevantBaseType(INamedTypeSymbol symbol) => !IsNotPublic(symbol.DeclaredAccessibility) && symbol.CanBeReferencedByName; - private bool IsRelevantNamedType(INamedTypeSymbol symbol) => - IsRelevantBaseType(symbol) && - SymbolEqualityComparer.Default.Equals(symbol.ContainingAssembly, assembly); - - public bool IsRelevantNamespace(INamespaceSymbol symbol) => isRelevantNamespace.Invoke(symbol); - private void StubExplicitInterface(ISymbol symbol, ISymbol? explicitInterfaceSymbol, bool writeName = true) { static bool ContainsTupleType(ITypeSymbol type) => @@ -86,14 +76,14 @@ t2 is IPointerTypeSymbol pointer2 && explicitInterfaceType = symbol.ContainingType.Interfaces.First(i => ContainsTupleType(i) && EqualsModuloTupleElementNames(i, explicitInterfaceSymbol.ContainingType)); } - StubWriter.Write(explicitInterfaceType.GetQualifiedName()); - StubWriter.Write('.'); + stubWriter.Write(explicitInterfaceType.GetQualifiedName()); + stubWriter.Write('.'); if (writeName) - StubWriter.Write(explicitInterfaceSymbol.GetName()); + stubWriter.Write(explicitInterfaceSymbol.GetName()); } else if (writeName) { - StubWriter.Write(symbol.GetName()); + stubWriter.Write(symbol.GetName()); } } @@ -102,19 +92,19 @@ private void StubAccessibility(Accessibility accessibility) switch (accessibility) { case Accessibility.Public: - StubWriter.Write("public "); + stubWriter.Write("public "); break; case Accessibility.Protected or Accessibility.ProtectedOrInternal: - StubWriter.Write("protected "); + stubWriter.Write("protected "); break; case Accessibility.Internal: - StubWriter.Write("internal "); + stubWriter.Write("internal "); break; case Accessibility.ProtectedAndInternal: - StubWriter.Write("protected internal "); + stubWriter.Write("protected internal "); break; default: - StubWriter.Write($"/* TODO: {accessibility} */"); + stubWriter.Write($"/* TODO: {accessibility} */"); break; } } @@ -138,23 +128,23 @@ private void StubModifiers(ISymbol symbol, bool skipAccessibility = false) // exclude non-static interface members (symbol.ContainingType is not INamedTypeSymbol containingType || containingType.TypeKind != TypeKind.Interface || symbol.IsStatic)) { - StubWriter.Write("abstract "); + stubWriter.Write("abstract "); } } if (symbol.IsStatic && !(symbol is IFieldSymbol field && field.IsConst)) - StubWriter.Write("static "); + stubWriter.Write("static "); if (symbol.IsVirtual) - StubWriter.Write("virtual "); + stubWriter.Write("virtual "); if (symbol.IsOverride) - StubWriter.Write("override "); + stubWriter.Write("override "); if (symbol.IsSealed) { if (!(symbol is INamedTypeSymbol type && (type.TypeKind == TypeKind.Enum || type.TypeKind == TypeKind.Delegate || type.TypeKind == TypeKind.Struct))) - StubWriter.Write("sealed "); + stubWriter.Write("sealed "); } if (symbol.IsExtern) - StubWriter.Write("extern "); + stubWriter.Write("extern "); } private void StubTypedConstant(TypedConstant c) @@ -164,47 +154,47 @@ private void StubTypedConstant(TypedConstant c) case TypedConstantKind.Primitive: if (c.Value is string s) { - StubWriter.Write($"\"{s}\""); + stubWriter.Write($"\"{s}\""); } else if (c.Value is char ch) { - StubWriter.Write($"'{ch}'"); + stubWriter.Write($"'{ch}'"); } else if (c.Value is bool b) { - StubWriter.Write(b ? "true" : "false"); + stubWriter.Write(b ? "true" : "false"); } else if (c.Value is int i) { - StubWriter.Write(i); + stubWriter.Write(i); } else if (c.Value is long l) { - StubWriter.Write(l); + stubWriter.Write(l); } else if (c.Value is float f) { - StubWriter.Write(f); + stubWriter.Write(f); } else if (c.Value is double d) { - StubWriter.Write(d); + stubWriter.Write(d); } else { - StubWriter.Write("throw null"); + stubWriter.Write("throw null"); } break; case TypedConstantKind.Enum: - StubWriter.Write("throw null"); + stubWriter.Write("throw null"); break; case TypedConstantKind.Array: - StubWriter.Write("new []{"); + stubWriter.Write("new []{"); WriteCommaSep(c.Values, StubTypedConstant); - StubWriter.Write("}"); + stubWriter.Write("}"); break; default: - StubWriter.Write($"/* TODO: {c.Kind} */ throw null"); + stubWriter.Write($"/* TODO: {c.Kind} */ throw null"); break; } } @@ -224,14 +214,14 @@ private void StubAttribute(AttributeData a, string prefix) if (qualifiedName.EndsWith("Attribute")) qualifiedName = qualifiedName[..^9]; - StubWriter.Write($"[{prefix}{qualifiedName}"); + stubWriter.Write($"[{prefix}{qualifiedName}"); if (a.ConstructorArguments.Any()) { - StubWriter.Write("("); + stubWriter.Write("("); WriteCommaSep(a.ConstructorArguments, StubTypedConstant); - StubWriter.Write(")"); + stubWriter.Write(")"); } - StubWriter.WriteLine("]"); + stubWriter.WriteLine("]"); } public void StubAttributes(IEnumerable a, string prefix = "") @@ -247,22 +237,22 @@ private void StubEvent(IEventSymbol symbol, IEventSymbol? explicitInterfaceSymbo StubAttributes(symbol.GetAttributes()); StubModifiers(symbol, explicitInterfaceSymbol is not null); - StubWriter.Write("event "); - StubWriter.Write(symbol.Type.GetQualifiedName()); - StubWriter.Write(" "); + stubWriter.Write("event "); + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol); if (explicitInterfaceSymbol is null) { - StubWriter.WriteLine(";"); + stubWriter.WriteLine(";"); } else { - StubWriter.Write(" { "); - StubWriter.Write("add {} "); - StubWriter.Write("remove {} "); - StubWriter.WriteLine("}"); + stubWriter.Write(" { "); + stubWriter.Write("add {} "); + stubWriter.Write("remove {} "); + stubWriter.WriteLine("}"); } } @@ -316,19 +306,19 @@ public override void VisitField(IFieldSymbol symbol) StubModifiers(symbol); if (symbol.IsConst) - StubWriter.Write("const "); + stubWriter.Write("const "); if (IsUnsafe(symbol.Type)) { - StubWriter.Write("unsafe "); + stubWriter.Write("unsafe "); } - StubWriter.Write(symbol.Type.GetQualifiedName()); - StubWriter.Write(" "); - StubWriter.Write(EscapeIdentifier(symbol.Name)); + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); + stubWriter.Write(EscapeIdentifier(symbol.Name)); if (symbol.IsConst) - StubWriter.Write(" = default"); - StubWriter.WriteLine(";"); + stubWriter.Write(" = default"); + stubWriter.WriteLine(";"); } private void WriteCommaSep(IEnumerable items, Action writeItem) @@ -338,7 +328,7 @@ private void WriteCommaSep(IEnumerable items, Action writeItem) { if (!first) { - StubWriter.Write(", "); + stubWriter.Write(", "); } writeItem(item); first = false; @@ -347,7 +337,7 @@ private void WriteCommaSep(IEnumerable items, Action writeItem) private void WriteStringCommaSep(IEnumerable items, Func writeItem) { - WriteCommaSep(items, item => StubWriter.Write(writeItem(item))); + WriteCommaSep(items, item => stubWriter.Write(writeItem(item))); } private void StubTypeParameters(IEnumerable typeParameters) @@ -355,9 +345,9 @@ private void StubTypeParameters(IEnumerable typeParameters if (!typeParameters.Any()) return; - StubWriter.Write('<'); + stubWriter.Write('<'); WriteStringCommaSep(typeParameters, typeParameter => typeParameter.Name); - StubWriter.Write('>'); + stubWriter.Write('>'); } private void StubTypeParameterConstraints(IEnumerable typeParameters) @@ -377,11 +367,11 @@ void WriteTypeParameterConstraint(Action a) { if (firstTypeParameterConstraint) { - StubWriter.Write($" where {typeParameter.Name} : "); + stubWriter.Write($" where {typeParameter.Name} : "); } else { - StubWriter.Write(", "); + stubWriter.Write(", "); } a(); firstTypeParameterConstraint = false; @@ -389,14 +379,14 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasReferenceTypeConstraint) { - WriteTypeParameterConstraint(() => StubWriter.Write("class")); + WriteTypeParameterConstraint(() => stubWriter.Write("class")); } if (typeParameter.HasValueTypeConstraint && !typeParameter.HasUnmanagedTypeConstraint && !typeParameter.ConstraintTypes.Any(t => t.GetQualifiedName() is "System.Enum")) { - WriteTypeParameterConstraint(() => StubWriter.Write("struct")); + WriteTypeParameterConstraint(() => stubWriter.Write("struct")); } if (inheritsConstraints) @@ -404,7 +394,7 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasUnmanagedTypeConstraint) { - WriteTypeParameterConstraint(() => StubWriter.Write("unmanaged")); + WriteTypeParameterConstraint(() => stubWriter.Write("unmanaged")); } var constraintTypes = typeParameter.ConstraintTypes.Select(t => t.GetQualifiedName()).Where(s => s is not "").ToArray(); @@ -418,7 +408,7 @@ void WriteTypeParameterConstraint(Action a) if (typeParameter.HasConstructorConstraint) { - WriteTypeParameterConstraint(() => StubWriter.Write("new()")); + WriteTypeParameterConstraint(() => stubWriter.Write("new()")); } } } @@ -478,30 +468,30 @@ private void StubParameters(ICollection parameters) case RefKind.None: break; case RefKind.Ref: - StubWriter.Write("ref "); + stubWriter.Write("ref "); break; case RefKind.Out: - StubWriter.Write("out "); + stubWriter.Write("out "); break; case RefKind.In: - StubWriter.Write("in "); + stubWriter.Write("in "); break; default: - StubWriter.Write($"/* TODO: {parameter.RefKind} */"); + stubWriter.Write($"/* TODO: {parameter.RefKind} */"); break; } if (parameter.IsParams) - StubWriter.Write("params "); + stubWriter.Write("params "); - StubWriter.Write(parameter.Type.GetQualifiedName()); - StubWriter.Write(" "); - StubWriter.Write(EscapeIdentifier(parameter.Name)); + stubWriter.Write(parameter.Type.GetQualifiedName()); + stubWriter.Write(" "); + stubWriter.Write(EscapeIdentifier(parameter.Name)); if (parameter.HasExplicitDefaultValue) { - StubWriter.Write(" = "); - StubWriter.Write($"default({parameter.Type.GetQualifiedName()})"); + stubWriter.Write(" = "); + stubWriter.Write($"default({parameter.Type.GetQualifiedName()})"); } }); } @@ -526,88 +516,88 @@ private void StubMethod(IMethodSymbol symbol, IMethodSymbol? explicitInterfaceSy if (IsUnsafe(symbol.ReturnType) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) { - StubWriter.Write("unsafe "); + stubWriter.Write("unsafe "); } if (methodKind == MethodKind.Constructor) { - StubWriter.Write(symbol.ContainingType.Name); + stubWriter.Write(symbol.ContainingType.Name); } else if (methodKind == MethodKind.Conversion) { if (!symbol.TryGetOperatorSymbol(out var operatorName)) { - StubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); return; } switch (operatorName) { case "explicit conversion": - StubWriter.Write("explicit operator "); + stubWriter.Write("explicit operator "); break; case "checked explicit conversion": - StubWriter.Write("explicit operator checked "); + stubWriter.Write("explicit operator checked "); break; case "implicit conversion": - StubWriter.Write("implicit operator "); + stubWriter.Write("implicit operator "); break; case "checked implicit conversion": - StubWriter.Write("implicit operator checked "); + stubWriter.Write("implicit operator checked "); break; default: - StubWriter.Write($"/* TODO: {symbol.Name} */"); + stubWriter.Write($"/* TODO: {symbol.Name} */"); break; } - StubWriter.Write(symbol.ReturnType.GetQualifiedName()); + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); } else if (methodKind == MethodKind.UserDefinedOperator) { if (!symbol.TryGetOperatorSymbol(out var operatorName)) { - StubWriter.WriteLine($"/* TODO: {symbol.Name} */"); + stubWriter.WriteLine($"/* TODO: {symbol.Name} */"); return; } - StubWriter.Write(symbol.ReturnType.GetQualifiedName()); - StubWriter.Write(" "); + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + stubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); - StubWriter.Write("operator "); - StubWriter.Write(operatorName); + stubWriter.Write("operator "); + stubWriter.Write(operatorName); } else { - StubWriter.Write(symbol.ReturnType.GetQualifiedName()); - StubWriter.Write(" "); + stubWriter.Write(symbol.ReturnType.GetQualifiedName()); + stubWriter.Write(" "); StubExplicitInterface(symbol, explicitInterfaceSymbol); StubTypeParameters(symbol.TypeParameters); } - StubWriter.Write("("); + stubWriter.Write("("); if (symbol.IsExtensionMethod) { - StubWriter.Write("this "); + stubWriter.Write("this "); } StubParameters(symbol.Parameters); - StubWriter.Write(")"); + stubWriter.Write(")"); if (baseCtor is not null) { - StubWriter.Write(" : base("); + stubWriter.Write(" : base("); WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); - StubWriter.Write(")"); + stubWriter.Write(")"); } StubTypeParameterConstraints(symbol.TypeParameters); if (symbol.IsAbstract) - StubWriter.WriteLine(";"); + stubWriter.WriteLine(";"); else - StubWriter.WriteLine(" => throw null;"); + stubWriter.WriteLine(" => throw null;"); } public override void VisitMethod(IMethodSymbol symbol) @@ -641,7 +631,7 @@ public override void VisitMethod(IMethodSymbol symbol) public override void VisitNamedType(INamedTypeSymbol symbol) { - if (!IsRelevantNamedType(symbol)) + if (!relevantSymbol.IsRelevantNamedType(symbol)) { return; } @@ -654,18 +644,18 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (IsUnsafe(invokeMethod.ReturnType) || invokeMethod.Parameters.Any(p => IsUnsafe(p.Type))) { - StubWriter.Write("unsafe "); + stubWriter.Write("unsafe "); } - StubWriter.Write("delegate "); - StubWriter.Write(invokeMethod.ReturnType.GetQualifiedName()); - StubWriter.Write($" {symbol.Name}"); + stubWriter.Write("delegate "); + stubWriter.Write(invokeMethod.ReturnType.GetQualifiedName()); + stubWriter.Write($" {symbol.Name}"); StubTypeParameters(symbol.TypeParameters); - StubWriter.Write("("); + stubWriter.Write("("); StubParameters(invokeMethod.Parameters); - StubWriter.Write(")"); + stubWriter.Write(")"); StubTypeParameterConstraints(symbol.TypeParameters); - StubWriter.WriteLine(";"); + stubWriter.WriteLine(";"); return; } @@ -677,29 +667,29 @@ public override void VisitNamedType(INamedTypeSymbol symbol) // certain classes, such as `Microsoft.Extensions.Logging.LoggingBuilderExtensions` // exist in multiple assemblies, so make them partial if (symbol.IsStatic && symbol.Name.EndsWith("Extensions")) - StubWriter.Write("partial "); - StubWriter.Write("class "); + stubWriter.Write("partial "); + stubWriter.Write("class "); break; case TypeKind.Enum: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - StubWriter.Write("enum "); + stubWriter.Write("enum "); break; case TypeKind.Interface: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - StubWriter.Write("interface "); + stubWriter.Write("interface "); break; case TypeKind.Struct: StubAttributes(symbol.GetAttributes()); StubModifiers(symbol); - StubWriter.Write("struct "); + stubWriter.Write("struct "); break; default: return; } - StubWriter.Write(symbol.Name); + stubWriter.Write(symbol.Name); StubTypeParameters(symbol.TypeParameters); @@ -707,8 +697,8 @@ public override void VisitNamedType(INamedTypeSymbol symbol) { if (symbol.EnumUnderlyingType is INamedTypeSymbol enumBase && enumBase.SpecialType != SpecialType.System_Int32) { - StubWriter.Write(" : "); - StubWriter.Write(enumBase.GetQualifiedName()); + stubWriter.Write(" : "); + stubWriter.Write(enumBase.GetQualifiedName()); } } else @@ -721,23 +711,23 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (bases.Any()) { - StubWriter.Write(" : "); + stubWriter.Write(" : "); WriteStringCommaSep(bases, b => b.GetQualifiedName()); } } StubTypeParameterConstraints(symbol.TypeParameters); - StubWriter.WriteLine(" {"); + stubWriter.WriteLine(" {"); if (symbol.TypeKind == TypeKind.Enum) { foreach (var field in symbol.GetMembers().OfType().Where(field => field.ConstantValue is not null)) { - StubWriter.Write(field.Name); - StubWriter.Write(" = "); - StubWriter.Write(field.ConstantValue); - StubWriter.WriteLine(","); + stubWriter.Write(field.Name); + stubWriter.Write(" = "); + stubWriter.Write(field.ConstantValue); + stubWriter.WriteLine(","); } } else @@ -751,18 +741,18 @@ public override void VisitNamedType(INamedTypeSymbol symbol) if (!seenCtor && GetBaseConstructor(symbol) is IMethodSymbol baseCtor) { - StubWriter.Write($"internal {symbol.Name}() : base("); + stubWriter.Write($"internal {symbol.Name}() : base("); WriteStringCommaSep(baseCtor.Parameters, parameter => $"default({parameter.Type.GetQualifiedName()})"); - StubWriter.WriteLine(") {}"); + stubWriter.WriteLine(") {}"); } } - StubWriter.WriteLine("}"); + stubWriter.WriteLine("}"); } public override void VisitNamespace(INamespaceSymbol symbol) { - if (!IsRelevantNamespace(symbol)) + if (!relevantSymbol.IsRelevantNamespace(symbol)) { return; } @@ -770,7 +760,7 @@ public override void VisitNamespace(INamespaceSymbol symbol) var isGlobal = symbol.IsGlobalNamespace; if (!isGlobal) - StubWriter.WriteLine($"namespace {symbol.Name} {{"); + stubWriter.WriteLine($"namespace {symbol.Name} {{"); foreach (var childSymbol in symbol.GetMembers().OrderBy(m => m.GetName())) { @@ -778,7 +768,7 @@ public override void VisitNamespace(INamespaceSymbol symbol) } if (!isGlobal) - StubWriter.WriteLine("}"); + stubWriter.WriteLine("}"); } private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInterfaceSymbol) @@ -787,7 +777,7 @@ private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInter { var name = symbol.GetName(useMetadataName: true); if (name is not "Item" && explicitInterfaceSymbol is null) - StubWriter.WriteLine($"[System.Runtime.CompilerServices.IndexerName(\"{name}\")]"); + stubWriter.WriteLine($"[System.Runtime.CompilerServices.IndexerName(\"{name}\")]"); } StubAttributes(symbol.GetAttributes()); @@ -795,30 +785,30 @@ private void StubProperty(IPropertySymbol symbol, IPropertySymbol? explicitInter if (IsUnsafe(symbol.Type) || symbol.Parameters.Any(p => IsUnsafe(p.Type))) { - StubWriter.Write("unsafe "); + stubWriter.Write("unsafe "); } - StubWriter.Write(symbol.Type.GetQualifiedName()); - StubWriter.Write(" "); + stubWriter.Write(symbol.Type.GetQualifiedName()); + stubWriter.Write(" "); if (symbol.Parameters.Any()) { StubExplicitInterface(symbol, explicitInterfaceSymbol, writeName: false); - StubWriter.Write("this["); + stubWriter.Write("this["); StubParameters(symbol.Parameters); - StubWriter.Write("]"); + stubWriter.Write("]"); } else { StubExplicitInterface(symbol, explicitInterfaceSymbol); } - StubWriter.Write(" { "); + stubWriter.Write(" { "); if (symbol.GetMethod is not null) - StubWriter.Write(symbol.IsAbstract ? "get; " : "get => throw null; "); + stubWriter.Write(symbol.IsAbstract ? "get; " : "get => throw null; "); if (symbol.SetMethod is not null) - StubWriter.Write(symbol.IsAbstract ? "set; " : "set {} "); - StubWriter.WriteLine("}"); + stubWriter.Write(symbol.IsAbstract ? "set; " : "set {} "); + stubWriter.WriteLine("}"); } public override void VisitProperty(IPropertySymbol symbol) @@ -836,9 +826,4 @@ public override void VisitProperty(IPropertySymbol symbol) if (explicitInterfaceImplementations.Length == 0) StubProperty(symbol, null); } - - public void Dispose() - { - StubWriter.Dispose(); - } } \ No newline at end of file diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Cryptography.Internal.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.AspNetCore.App/Microsoft.AspNetCore.Mvc.Formatters.Json.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/Microsoft.VisualBasic.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.AppContext.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Buffers.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ComponentModel.DataAnnotations.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Configuration.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Core.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.DataSetExtensions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Data.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Debug.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Diagnostics.Tools.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Drawing.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Dynamic.Runtime.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Calendars.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.Extensions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Globalization.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.Compression.FileSystem.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.Primitives.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.FileSystem.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.UnmanagedMemoryStream.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.IO.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Net.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Numerics.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.Extensions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Reflection.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.Reader.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Resources.ResourceManager.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.CompilerServices.Unsafe.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Extensions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Handles.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.InteropServices.RuntimeInformation.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Runtime.Serialization.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Algorithms.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Cng.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Csp.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Encoding.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.OpenSsl.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.Primitives.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Cryptography.X509Certificates.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.Principal.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.SecureString.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Security.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceModel.Web.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ServiceProcess.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Text.Encoding.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.Extensions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Tasks.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Threading.Timer.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Transactions.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.ValueTuple.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Web.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Windows.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Linq.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.Serialization.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.XmlDocument.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.Xml.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/System.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/WindowsBase.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/mscorlib.cs deleted file mode 100644 index e69de29bb2d1..000000000000 diff --git a/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs b/csharp/ql/test/resources/stubs/_frameworks/Microsoft.NETCore.App/netstandard.cs deleted file mode 100644 index e69de29bb2d1..000000000000